diff --git a/Fake4DataverseCore/Fake4Dataverse.Core/XrmFakedContext.Audit.cs b/Fake4DataverseCore/Fake4Dataverse.Core/XrmFakedContext.Audit.cs index 079dfdaf..14b1b674 100644 --- a/Fake4DataverseCore/Fake4Dataverse.Core/XrmFakedContext.Audit.cs +++ b/Fake4DataverseCore/Fake4Dataverse.Core/XrmFakedContext.Audit.cs @@ -52,6 +52,9 @@ public IAuditRepository AuditRepository /// 1. Organization-level IsAuditEnabled = true /// 2. Entity-level IsAuditEnabled = true (from EntityMetadata) /// 3. Attribute-level IsAuditEnabled = true (from AttributeMetadata) for attribute changes + /// + /// Note: If entity metadata exists but IsAuditEnabled is null, we allow auditing + /// (this matches the behavior where no explicit audit setting means auditing is allowed) /// private bool ShouldAuditEntity(string entityLogicalName) { @@ -65,8 +68,10 @@ private bool ShouldAuditEntity(string entityLogicalName) if (EntityMetadata.ContainsKey(entityLogicalName)) { var entityMetadata = EntityMetadata[entityLogicalName]; - // IsAuditEnabled is a nullable bool, so we check for true explicitly - if (entityMetadata.IsAuditEnabled?.Value != true) + // IsAuditEnabled is a nullable bool + // If it's explicitly set to false, don't audit + // If it's true or null, allow auditing + if (entityMetadata.IsAuditEnabled?.Value == false) { return false; } @@ -79,6 +84,9 @@ private bool ShouldAuditEntity(string entityLogicalName) /// /// Filters attribute changes to only include audited attributes /// Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/configure + /// + /// Note: If attribute metadata exists but IsAuditEnabled is null, we include the attribute + /// (this matches the behavior where no explicit audit setting means auditing is allowed) /// private Dictionary FilterAuditedAttributes( string entityLogicalName, @@ -107,7 +115,9 @@ private bool ShouldAuditEntity(string entityLogicalName) if (attributeMetadata != null) { // IsAuditEnabled is a BooleanManagedProperty - if (attributeMetadata.IsAuditEnabled?.Value == true) + // If it's explicitly set to false, don't audit + // If it's true or null, include the change + if (attributeMetadata.IsAuditEnabled?.Value != false) { filteredChanges[change.Key] = change.Value; } diff --git a/Fake4DataverseService/Fake4Dataverse.Service.Tests/AuditControllerTests.cs b/Fake4DataverseService/Fake4Dataverse.Service.Tests/AuditControllerTests.cs new file mode 100644 index 00000000..73028338 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service.Tests/AuditControllerTests.cs @@ -0,0 +1,280 @@ +using System; +using System.Linq; +using Microsoft.Xrm.Sdk; +using Xunit; +using Fake4Dataverse.Middleware; +using Fake4Dataverse.Service.Controllers; +using Microsoft.AspNetCore.Mvc; +using Fake4Dataverse.Abstractions.Audit; + +namespace Fake4Dataverse.Service.Tests; + +/// +/// Tests for the AuditController REST API +/// Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/overview +/// +/// These tests verify that the audit REST API correctly exposes audit records +/// and allows querying audit history for entities and specific records. +/// +public class AuditControllerTests +{ + private readonly AuditController _controller; + private readonly IOrganizationService _organizationService; + private readonly IAuditRepository _auditRepository; + + public AuditControllerTests() + { + // Create a Fake4Dataverse context with basic configuration + var context = XrmFakedContextFactory.New(); + _organizationService = context.GetOrganizationService(); + _auditRepository = context.GetProperty(); + + // Create the controller + _controller = new AuditController(context); + } + + [Fact] + public void Should_Return_Empty_Audit_List_When_Auditing_Disabled() + { + // Arrange + _auditRepository.IsAuditEnabled = false; + + // Act + var result = _controller.GetAllAudits(null, null, null, null); + + // Assert + var okResult = Assert.IsType(result); + var value = okResult.Value; + var valueProperty = value.GetType().GetProperty("value"); + var countProperty = value.GetType().GetProperty("count"); + + Assert.NotNull(valueProperty); + Assert.NotNull(countProperty); + + var auditRecords = valueProperty.GetValue(value) as System.Collections.IEnumerable; + Assert.NotNull(auditRecords); + Assert.Empty(auditRecords.Cast()); + + Assert.Equal(0, countProperty.GetValue(value)); + } + + [Fact] + public void Should_Return_Audit_Records_When_Auditing_Enabled() + { + // Arrange - Enable auditing + _auditRepository.IsAuditEnabled = true; + + // Create an entity to generate audit records + var account = new Entity("account") + { + ["name"] = "Test Account" + }; + var accountId = _organizationService.Create(account); + + // Act + var result = _controller.GetAllAudits(null, null, null, null); + + // Assert + var okResult = Assert.IsType(result); + var value = okResult.Value; + var valueProperty = value.GetType().GetProperty("value"); + var countProperty = value.GetType().GetProperty("count"); + + Assert.NotNull(valueProperty); + Assert.NotNull(countProperty); + + var auditRecords = valueProperty.GetValue(value) as System.Collections.IEnumerable; + Assert.NotNull(auditRecords); + Assert.NotEmpty(auditRecords.Cast()); + + var count = (int)countProperty.GetValue(value); + Assert.True(count > 0); + } + + [Fact] + public void Should_Return_Entity_Audit_History() + { + // Arrange - Enable auditing + _auditRepository.IsAuditEnabled = true; + + // Create and update an entity to generate audit records + var account = new Entity("account") + { + ["name"] = "Test Account" + }; + var accountId = _organizationService.Create(account); + + // Update the account + var updateAccount = new Entity("account", accountId) + { + ["name"] = "Updated Account" + }; + _organizationService.Update(updateAccount); + + // Act + var result = _controller.GetEntityAudits("account", accountId.ToString()); + + // Assert + var okResult = Assert.IsType(result); + var value = okResult.Value; + var valueProperty = value.GetType().GetProperty("value"); + var countProperty = value.GetType().GetProperty("count"); + + Assert.NotNull(valueProperty); + Assert.NotNull(countProperty); + + var auditRecords = valueProperty.GetValue(value) as System.Collections.IEnumerable; + Assert.NotNull(auditRecords); + + var recordsList = auditRecords.Cast().ToList(); + Assert.True(recordsList.Count >= 2); // At least Create and Update + + var count = (int)countProperty.GetValue(value); + Assert.True(count >= 2); + } + + [Fact] + public void Should_Return_Audit_Details() + { + // Arrange - Enable auditing + _auditRepository.IsAuditEnabled = true; + + // Create an entity to generate audit record + var account = new Entity("account") + { + ["name"] = "Test Account", + ["revenue"] = new Money(100000) + }; + var accountId = _organizationService.Create(account); + + // Get the audit records + var entityRef = new EntityReference("account", accountId); + var auditRecords = _auditRepository.GetAuditRecordsForEntity(entityRef).ToList(); + Assert.NotEmpty(auditRecords); + + var auditId = auditRecords.First().GetAttributeValue("auditid"); + + // Act + var result = _controller.GetAuditDetails(auditId.ToString()); + + // Assert + var okResult = Assert.IsType(result); + Assert.NotNull(okResult.Value); + } + + [Fact] + public void Should_Return_Audit_Status() + { + // Arrange + _auditRepository.IsAuditEnabled = true; + + // Act + var result = _controller.GetAuditStatus(); + + // Assert + var okResult = Assert.IsType(result); + var value = okResult.Value; + var isAuditEnabledProperty = value.GetType().GetProperty("isAuditEnabled"); + + Assert.NotNull(isAuditEnabledProperty); + var isEnabled = (bool)isAuditEnabledProperty.GetValue(value); + Assert.True(isEnabled); + } + + [Fact] + public void Should_Set_Audit_Status() + { + // Arrange + _auditRepository.IsAuditEnabled = false; + var request = new AuditStatusRequest { IsAuditEnabled = true }; + + // Act + var result = _controller.SetAuditStatus(request); + + // Assert + var okResult = Assert.IsType(result); + var value = okResult.Value; + var isAuditEnabledProperty = value.GetType().GetProperty("isAuditEnabled"); + + Assert.NotNull(isAuditEnabledProperty); + var isEnabled = (bool)isAuditEnabledProperty.GetValue(value); + Assert.True(isEnabled); + Assert.True(_auditRepository.IsAuditEnabled); + } + + [Fact] + public void Should_Return_BadRequest_For_Invalid_Guid() + { + // Act + var result = _controller.GetEntityAudits("account", "invalid-guid"); + + // Assert + Assert.IsType(result); + } + + [Fact] + public void Should_Support_Filtering_By_Entity_Type() + { + // Arrange - Enable auditing + _auditRepository.IsAuditEnabled = true; + + // Create different entity types + var account = new Entity("account") { ["name"] = "Test Account" }; + var contact = new Entity("contact") { ["firstname"] = "Test" }; + + _organizationService.Create(account); + _organizationService.Create(contact); + + // Act - Filter by account entity type + var result = _controller.GetAllAudits(null, null, null, "objecttypecode eq 'account'"); + + // Assert + var okResult = Assert.IsType(result); + var value = okResult.Value; + var valueProperty = value.GetType().GetProperty("value"); + + Assert.NotNull(valueProperty); + var auditRecords = valueProperty.GetValue(value) as System.Collections.IEnumerable; + Assert.NotNull(auditRecords); + + // All records should be for account entity + var recordsList = auditRecords.Cast().ToList(); + Assert.NotEmpty(recordsList); + } + + [Fact] + public void Should_Support_Pagination() + { + // Arrange - Enable auditing + _auditRepository.IsAuditEnabled = true; + + // Create multiple entities to generate audit records + for (int i = 0; i < 5; i++) + { + var account = new Entity("account") { ["name"] = $"Test Account {i}" }; + _organizationService.Create(account); + } + + // Act - Request first 2 records + var result = _controller.GetAllAudits(2, 0, null, null); + + // Assert + var okResult = Assert.IsType(result); + var value = okResult.Value; + var valueProperty = value.GetType().GetProperty("value"); + var countProperty = value.GetType().GetProperty("count"); + + Assert.NotNull(valueProperty); + Assert.NotNull(countProperty); + + var auditRecords = valueProperty.GetValue(value) as System.Collections.IEnumerable; + Assert.NotNull(auditRecords); + + var recordsList = auditRecords.Cast().ToList(); + Assert.Equal(2, recordsList.Count); + + // Total count should be more than 2 + var totalCount = (int)countProperty.GetValue(value); + Assert.True(totalCount >= 5); + } +} diff --git a/Fake4DataverseService/Fake4Dataverse.Service/Controllers/AuditController.cs b/Fake4DataverseService/Fake4Dataverse.Service/Controllers/AuditController.cs new file mode 100644 index 00000000..acf8a24c --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/Controllers/AuditController.cs @@ -0,0 +1,342 @@ +using System; +using System.Collections.Generic; +using System.Linq; +using Fake4Dataverse.Abstractions; +using Fake4Dataverse.Abstractions.Audit; +using Microsoft.AspNetCore.Mvc; +using Microsoft.Xrm.Sdk; + +namespace Fake4Dataverse.Service.Controllers +{ + /// + /// API controller for audit functionality + /// Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/overview + /// + /// Provides REST endpoints to access audit history: + /// - GET /api/audit - List all audit records (global summary) + /// - GET /api/audit/entity/{entityName}/{id} - Get audit records for a specific entity record + /// - GET /api/audit/details/{auditId} - Get detailed audit information including attribute changes + /// + [ApiController] + [Route("api/audit")] + public class AuditController : ControllerBase + { + private readonly IXrmFakedContext _context; + private readonly IAuditRepository _auditRepository; + + public AuditController(IXrmFakedContext context) + { + _context = context ?? throw new ArgumentNullException(nameof(context)); + _auditRepository = _context.GetProperty(); + } + + /// + /// Get all audit records (global summary view) + /// Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/retrieve-audit-data + /// + /// GET /api/audit?top=100&skip=0&orderby=createdon desc + /// + /// Returns a list of all audit records in the system, useful for global audit summary views. + /// Supports pagination and ordering. + /// + [HttpGet] + [Produces("application/json")] + public IActionResult GetAllAudits( + [FromQuery] int? top, + [FromQuery] int? skip, + [FromQuery] string? orderby, + [FromQuery] string? filter) + { + try + { + var allAuditRecords = _auditRepository.GetAllAuditRecords().ToList(); + + // Apply filtering by entity type if specified + if (!string.IsNullOrEmpty(filter)) + { + // Simple filter parsing for entity type: filter=objecttypecode eq 'account' + if (filter.Contains("objecttypecode eq")) + { + var entityType = filter.Split('\'')[1]; + allAuditRecords = allAuditRecords + .Where(a => a.Contains("objecttypecode") && + a.GetAttributeValue("objecttypecode") == entityType) + .ToList(); + } + } + + // Apply ordering (default: createdon desc) + var orderedRecords = allAuditRecords; + if (orderby == "createdon desc" || string.IsNullOrEmpty(orderby)) + { + orderedRecords = allAuditRecords + .OrderByDescending(a => a.GetAttributeValue("createdon")) + .ToList(); + } + else if (orderby == "createdon asc") + { + orderedRecords = allAuditRecords + .OrderBy(a => a.GetAttributeValue("createdon")) + .ToList(); + } + + // Apply pagination + var skipValue = skip ?? 0; + var topValue = top ?? 100; + var paginatedRecords = orderedRecords + .Skip(skipValue) + .Take(topValue) + .ToList(); + + // Convert to simple objects for JSON serialization + var result = new + { + value = paginatedRecords.Select(ConvertAuditEntityToDto), + count = allAuditRecords.Count + }; + + return Ok(result); + } + catch (Exception ex) + { + return StatusCode(500, new { error = new { code = "0x80040216", message = ex.Message } }); + } + } + + /// + /// Get audit records for a specific entity record + /// Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/retrieve-audit-data + /// + /// GET /api/audit/entity/{entityName}/{id} + /// + /// Returns audit history for a single record, showing all changes made over time. + /// + [HttpGet("entity/{entityName}/{id}")] + [Produces("application/json")] + public IActionResult GetEntityAudits(string entityName, string id) + { + try + { + if (!Guid.TryParse(id, out var recordId)) + { + return BadRequest(new { error = new { code = "0x80040216", message = "Invalid GUID format" } }); + } + + var entityRef = new EntityReference(entityName, recordId); + var auditRecords = _auditRepository.GetAuditRecordsForEntity(entityRef).ToList(); + + // Order by creation date descending (most recent first) + var orderedRecords = auditRecords + .OrderByDescending(a => a.GetAttributeValue("createdon")) + .ToList(); + + var result = new + { + value = orderedRecords.Select(ConvertAuditEntityToDto), + count = orderedRecords.Count + }; + + return Ok(result); + } + catch (Exception ex) + { + return StatusCode(500, new { error = new { code = "0x80040216", message = ex.Message } }); + } + } + + /// + /// Get detailed audit information including attribute changes + /// Reference: https://learn.microsoft.com/en-us/dotnet/api/microsoft.crm.sdk.messages.retrieveauditdetailsrequest + /// + /// GET /api/audit/details/{auditId} + /// + /// Returns detailed information about what changed in a specific audit record, + /// including old and new values for modified attributes. + /// + [HttpGet("details/{auditId}")] + [Produces("application/json")] + public IActionResult GetAuditDetails(string auditId) + { + try + { + if (!Guid.TryParse(auditId, out var auditGuid)) + { + return BadRequest(new { error = new { code = "0x80040216", message = "Invalid GUID format" } }); + } + + var auditDetails = _auditRepository.GetAuditDetails(auditGuid); + + if (auditDetails == null) + { + return NotFound(new { error = new { code = "0x80040217", message = "Audit details not found" } }); + } + + // Convert audit details to a serializable format + var result = ConvertAuditDetailsToDto(auditDetails); + + return Ok(result); + } + catch (Exception ex) + { + return StatusCode(500, new { error = new { code = "0x80040216", message = ex.Message } }); + } + } + + /// + /// Get audit status (whether auditing is enabled) + /// + /// GET /api/audit/status + /// + [HttpGet("status")] + [Produces("application/json")] + public IActionResult GetAuditStatus() + { + try + { + var result = new + { + isAuditEnabled = _auditRepository.IsAuditEnabled + }; + + return Ok(result); + } + catch (Exception ex) + { + return StatusCode(500, new { error = new { code = "0x80040216", message = ex.Message } }); + } + } + + /// + /// Enable or disable auditing + /// + /// POST /api/audit/status + /// Body: { "isAuditEnabled": true } + /// + [HttpPost("status")] + [Produces("application/json")] + public IActionResult SetAuditStatus([FromBody] AuditStatusRequest request) + { + try + { + _auditRepository.IsAuditEnabled = request.IsAuditEnabled; + + var result = new + { + isAuditEnabled = _auditRepository.IsAuditEnabled + }; + + return Ok(result); + } + catch (Exception ex) + { + return StatusCode(500, new { error = new { code = "0x80040216", message = ex.Message } }); + } + } + + /// + /// Convert audit entity to a DTO for JSON serialization + /// + private object ConvertAuditEntityToDto(Entity audit) + { + return new + { + auditid = audit.GetAttributeValue("auditid").ToString(), + action = audit.GetAttributeValue("action"), + operation = audit.GetAttributeValue("operation"), + objectid = ConvertEntityReferenceToDto(audit.GetAttributeValue("objectid")), + objecttypecode = audit.GetAttributeValue("objecttypecode"), + userid = ConvertEntityReferenceToDto(audit.GetAttributeValue("userid")), + createdon = audit.GetAttributeValue("createdon").ToString("o"), // ISO 8601 format + }; + } + + /// + /// Convert entity reference to a DTO for JSON serialization + /// + private object? ConvertEntityReferenceToDto(EntityReference? entityRef) + { + if (entityRef == null) return null; + + return new + { + logicalName = entityRef.LogicalName, + id = entityRef.Id.ToString(), + name = entityRef.Name + }; + } + + /// + /// Convert audit details to a DTO for JSON serialization + /// + private object ConvertAuditDetailsToDto(object auditDetails) + { + // Handle AttributeAuditDetail type from Microsoft.Crm.Sdk.Messages + if (auditDetails is Microsoft.Crm.Sdk.Messages.AttributeAuditDetail attributeAuditDetail) + { + var oldValueAttributes = new Dictionary(); + var newValueAttributes = new Dictionary(); + + if (attributeAuditDetail.OldValue != null) + { + foreach (var attr in attributeAuditDetail.OldValue.Attributes) + { + oldValueAttributes[attr.Key] = ConvertAttributeValue(attr.Value); + } + } + + if (attributeAuditDetail.NewValue != null) + { + foreach (var attr in attributeAuditDetail.NewValue.Attributes) + { + newValueAttributes[attr.Key] = ConvertAttributeValue(attr.Value); + } + } + + return new + { + auditRecord = ConvertAuditEntityToDto(attributeAuditDetail.AuditRecord), + oldValue = oldValueAttributes, + newValue = newValueAttributes + }; + } + + // Return generic object if not recognized + return new { details = auditDetails.ToString() }; + } + + /// + /// Convert attribute value to a serializable format + /// + private object? ConvertAttributeValue(object? value) + { + if (value == null) return null; + + if (value is EntityReference entityRef) + { + return ConvertEntityReferenceToDto(entityRef); + } + else if (value is OptionSetValue optionSet) + { + return new { value = optionSet.Value }; + } + else if (value is Money money) + { + return new { value = money.Value }; + } + else if (value is DateTime dateTime) + { + return dateTime.ToString("o"); // ISO 8601 format + } + + return value; + } + } + + /// + /// Request model for setting audit status + /// + public class AuditStatusRequest + { + public bool IsAuditEnabled { get; set; } + } +} diff --git a/Fake4DataverseService/Fake4Dataverse.Service/Program.cs b/Fake4DataverseService/Fake4Dataverse.Service/Program.cs index 79eac467..943ea30d 100644 --- a/Fake4DataverseService/Fake4Dataverse.Service/Program.cs +++ b/Fake4DataverseService/Fake4Dataverse.Service/Program.cs @@ -10,6 +10,7 @@ using Microsoft.Extensions.FileProviders; using Microsoft.Extensions.Hosting; using Microsoft.Xrm.Sdk; +using Microsoft.Xrm.Sdk.Metadata; using Microsoft.Xrm.Sdk.Query; using System.CommandLine; using System.IO; @@ -206,6 +207,35 @@ private static async Task StartService(int port, string host, string? accessToke { Console.WriteLine(" ⚠ Warning: Core entities (account, contact) were not loaded from crmcommon schema"); } + + // Enable auditing for all loaded entities + // By default, CDM metadata may have IsAuditEnabled set to false or null + // Enable it for all entities to support audit history tracking + Console.WriteLine("Enabling auditing for all loaded entities..."); + int enabledCount = 0; + foreach (var entityMetadata in metadata) + { + // IsAuditEnabled might be null - in which case auditing is allowed by default + // But explicitly setting it to true ensures consistent behavior + if (entityMetadata.IsAuditEnabled != null) + { + entityMetadata.IsAuditEnabled.Value = true; + enabledCount++; + } + + // Also enable auditing for all attributes + if (entityMetadata.Attributes != null) + { + foreach (var attribute in entityMetadata.Attributes) + { + if (attribute.IsAuditEnabled != null) + { + attribute.IsAuditEnabled.Value = true; + } + } + } + } + Console.WriteLine($"Auditing enabled for {enabledCount} entities (out of {entityCount} total)"); } catch (Exception ex) { diff --git a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/audit/page.tsx b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/audit/page.tsx new file mode 100644 index 00000000..edb64d90 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/audit/page.tsx @@ -0,0 +1,10 @@ +/** + * Audit History page - displays global audit summary + * Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/overview + */ + +import AuditSummaryView from '../components/AuditSummaryView'; + +export default function AuditPage() { + return ; +} diff --git a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/AuditRecordView.tsx b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/AuditRecordView.tsx new file mode 100644 index 00000000..b844e47b --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/AuditRecordView.tsx @@ -0,0 +1,344 @@ +'use client'; + +/** + * Audit Record View component - displays audit history for a single record + * Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/overview + */ + +import { useState, useEffect } from 'react'; +import { + makeStyles, + tokens, + Spinner, + Button, + Accordion, + AccordionItem, + AccordionHeader, + AccordionPanel, + Badge, + Caption1, + Body1, +} from '@fluentui/react-components'; +import { + History20Regular, + ArrowClockwise20Regular, + ChevronRight20Regular, +} from '@fluentui/react-icons'; +import { dataverseClient } from '../lib/dataverse-client'; +import type { AuditRecord, AuditDetail } from '../types/dataverse'; + +const useStyles = makeStyles({ + container: { + display: 'flex', + flexDirection: 'column', + height: '100%', + backgroundColor: tokens.colorNeutralBackground1, + }, + header: { + display: 'flex', + alignItems: 'center', + gap: '12px', + padding: '16px 24px', + borderBottom: `1px solid ${tokens.colorNeutralStroke1}`, + backgroundColor: tokens.colorNeutralBackground1, + }, + title: { + flex: 1, + fontSize: tokens.fontSizeBase500, + fontWeight: tokens.fontWeightSemibold, + }, + content: { + flex: 1, + overflow: 'auto', + padding: '24px', + }, + loadingContainer: { + display: 'flex', + justifyContent: 'center', + alignItems: 'center', + height: '100%', + }, + errorContainer: { + padding: '16px', + color: tokens.colorPaletteRedForeground1, + backgroundColor: tokens.colorPaletteRedBackground1, + borderRadius: tokens.borderRadiusMedium, + }, + emptyContainer: { + padding: '48px', + textAlign: 'center' as const, + color: tokens.colorNeutralForeground2, + }, + auditItem: { + marginBottom: '12px', + }, + auditHeader: { + display: 'flex', + alignItems: 'center', + gap: '12px', + }, + actionBadge: { + minWidth: '60px', + }, + changesList: { + padding: '12px 0', + }, + changeItem: { + display: 'grid', + gridTemplateColumns: '200px 1fr 1fr', + gap: '12px', + padding: '8px', + borderBottom: `1px solid ${tokens.colorNeutralStroke2}`, + }, + changeLabel: { + fontWeight: tokens.fontWeightSemibold, + color: tokens.colorNeutralForeground2, + }, + oldValue: { + color: tokens.colorPaletteRedForeground1, + textDecoration: 'line-through', + }, + newValue: { + color: tokens.colorPaletteGreenForeground1, + }, +}); + +// Map audit action codes to display names +const ACTION_NAMES: Record = { + 1: 'Create', + 2: 'Update', + 3: 'Delete', + 64: 'Access', + 101: 'Assign', + 102: 'Share', + 103: 'Unshare', + 104: 'Merge', +}; + +// Map action codes to badge colors +const ACTION_COLORS: Record = { + 1: 'success', + 2: 'informative', + 3: 'danger', + 64: 'informative', + 101: 'warning', + 102: 'success', + 103: 'warning', + 104: 'danger', +}; + +interface AuditRecordViewProps { + entityName: string; + recordId: string; +} + +export default function AuditRecordView({ entityName, recordId }: AuditRecordViewProps) { + const styles = useStyles(); + const [loading, setLoading] = useState(true); + const [error, setError] = useState(null); + const [auditRecords, setAuditRecords] = useState([]); + const [auditDetails, setAuditDetails] = useState>(new Map()); + const [loadingDetails, setLoadingDetails] = useState>(new Set()); + + useEffect(() => { + loadAuditHistory(); + }, [entityName, recordId]); + + const loadAuditHistory = async () => { + setLoading(true); + setError(null); + + try { + const response = await dataverseClient.fetchEntityAuditRecords(entityName, recordId); + setAuditRecords(response.value); + } catch (err) { + console.error('Error loading audit history:', err); + setError(err instanceof Error ? err.message : 'Failed to load audit history'); + } finally { + setLoading(false); + } + }; + + const loadAuditDetails = async (auditId: string) => { + if (auditDetails.has(auditId) || loadingDetails.has(auditId)) { + return; + } + + setLoadingDetails(prev => new Set(prev).add(auditId)); + + try { + const details = await dataverseClient.fetchAuditDetails(auditId); + setAuditDetails(prev => new Map(prev).set(auditId, details)); + } catch (err) { + console.error('Error loading audit details:', err); + } finally { + setLoadingDetails(prev => { + const next = new Set(prev); + next.delete(auditId); + return next; + }); + } + }; + + const formatDate = (dateString: string) => { + try { + const date = new Date(dateString); + return date.toLocaleString(); + } catch { + return dateString; + } + }; + + const formatValue = (value: any): string => { + if (value === null || value === undefined) { + return '(empty)'; + } + if (typeof value === 'object') { + if (value.logicalName && value.id) { + // EntityReference + return value.name || `${value.logicalName} (${value.id.substring(0, 8)}...)`; + } + if (value.value !== undefined) { + // OptionSetValue or Money + return String(value.value); + } + return JSON.stringify(value); + } + return String(value); + }; + + const getActionDisplay = (action: number) => { + return ACTION_NAMES[action] || `Action ${action}`; + }; + + const getActionColor = (action: number) => { + return ACTION_COLORS[action] || 'informative'; + }; + + const getChangedAttributes = (details: AuditDetail): string[] => { + const oldKeys = Object.keys(details.oldValue || {}); + const newKeys = Object.keys(details.newValue || {}); + const allKeys = new Set([...oldKeys, ...newKeys]); + + // Filter out system attributes + return Array.from(allKeys).filter(key => + !key.endsWith('id') && + key !== 'statecode' && + key !== 'statuscode' + ); + }; + + if (loading) { + return ( +
+
+ +
Audit History
+
+
+ +
+
+ ); + } + + if (error) { + return ( +
+
+ +
Audit History
+
+
+
+

Error Loading Audit History

+

{error}

+
+
+
+ ); + } + + return ( +
+
+ +
Audit History
+ +
+
+ {auditRecords.length === 0 ? ( +
+

No Audit Records

+

No audit history found for this record.

+
+ ) : ( + + {auditRecords.map((record) => { + const details = auditDetails.get(record.auditid); + const isLoadingDetails = loadingDetails.has(record.auditid); + + return ( + + loadAuditDetails(record.auditid)} + > +
+ + {getActionDisplay(record.action)} + + + {record.operation} by {record.userid.name || 'System'} + + {formatDate(record.createdon)} +
+
+ + {isLoadingDetails ? ( + + ) : details ? ( +
+ {getChangedAttributes(details).length === 0 ? ( + No attribute changes recorded + ) : ( + getChangedAttributes(details).map(attr => ( +
+
{attr}
+
+ {formatValue(details.oldValue?.[attr])} +
+
+ {formatValue(details.newValue?.[attr])} +
+
+ )) + )} +
+ ) : ( + No details available + )} +
+
+ ); + })} +
+ )} +
+
+ ); +} diff --git a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/AuditSummaryView.tsx b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/AuditSummaryView.tsx new file mode 100644 index 00000000..7f34694f --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/AuditSummaryView.tsx @@ -0,0 +1,286 @@ +'use client'; + +/** + * Audit Summary View component - displays global audit history + * Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/overview + */ + +import { useState, useEffect } from 'react'; +import { + makeStyles, + tokens, + Spinner, + Button, + Table, + TableBody, + TableCell, + TableRow, + TableHeader, + TableHeaderCell, + Switch, + Label, + Caption1, + Badge, +} from '@fluentui/react-components'; +import { + History20Regular, + ArrowClockwise20Regular, +} from '@fluentui/react-icons'; +import { dataverseClient } from '../lib/dataverse-client'; +import type { AuditRecord } from '../types/dataverse'; + +const useStyles = makeStyles({ + container: { + display: 'flex', + flexDirection: 'column', + height: '100%', + backgroundColor: tokens.colorNeutralBackground1, + }, + header: { + display: 'flex', + alignItems: 'center', + gap: '12px', + padding: '16px 24px', + borderBottom: `1px solid ${tokens.colorNeutralStroke1}`, + backgroundColor: tokens.colorNeutralBackground1, + }, + title: { + flex: 1, + fontSize: tokens.fontSizeBase500, + fontWeight: tokens.fontWeightSemibold, + }, + content: { + flex: 1, + overflow: 'auto', + padding: '24px', + }, + loadingContainer: { + display: 'flex', + justifyContent: 'center', + alignItems: 'center', + height: '100%', + }, + errorContainer: { + padding: '16px', + color: tokens.colorPaletteRedForeground1, + backgroundColor: tokens.colorPaletteRedBackground1, + borderRadius: tokens.borderRadiusMedium, + }, + statusSection: { + display: 'flex', + alignItems: 'center', + gap: '12px', + marginBottom: '24px', + padding: '16px', + backgroundColor: tokens.colorNeutralBackground2, + borderRadius: tokens.borderRadiusMedium, + }, + emptyContainer: { + padding: '48px', + textAlign: 'center' as const, + color: tokens.colorNeutralForeground2, + }, + actionBadge: { + minWidth: '60px', + }, +}); + +// Map audit action codes to display names +// Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/overview +const ACTION_NAMES: Record = { + 1: 'Create', + 2: 'Update', + 3: 'Delete', + 64: 'Access', + 101: 'Assign', + 102: 'Share', + 103: 'Unshare', + 104: 'Merge', +}; + +// Map action codes to badge colors +const ACTION_COLORS: Record = { + 1: 'success', // Create - green + 2: 'informative', // Update - blue + 3: 'danger', // Delete - red + 64: 'informative', // Access - blue + 101: 'warning', // Assign - yellow + 102: 'success', // Share - green + 103: 'warning', // Unshare - yellow + 104: 'danger', // Merge - red +}; + +export default function AuditSummaryView() { + const styles = useStyles(); + const [loading, setLoading] = useState(true); + const [error, setError] = useState(null); + const [auditRecords, setAuditRecords] = useState([]); + const [isAuditEnabled, setIsAuditEnabled] = useState(false); + const [togglingAudit, setTogglingAudit] = useState(false); + + useEffect(() => { + loadAuditData(); + }, []); + + const loadAuditData = async () => { + setLoading(true); + setError(null); + + try { + // Fetch audit status + const status = await dataverseClient.fetchAuditStatus(); + setIsAuditEnabled(status.isAuditEnabled); + + // Fetch audit records + const response = await dataverseClient.fetchAuditRecords({ + top: 100, + orderby: 'createdon desc', + }); + setAuditRecords(response.value); + } catch (err) { + console.error('Error loading audit data:', err); + setError(err instanceof Error ? err.message : 'Failed to load audit data'); + } finally { + setLoading(false); + } + }; + + const handleToggleAudit = async (enabled: boolean) => { + setTogglingAudit(true); + try { + await dataverseClient.setAuditStatus(enabled); + setIsAuditEnabled(enabled); + } catch (err) { + console.error('Error toggling audit:', err); + setError(err instanceof Error ? err.message : 'Failed to toggle audit'); + } finally { + setTogglingAudit(false); + } + }; + + const formatDate = (dateString: string) => { + try { + const date = new Date(dateString); + return date.toLocaleString(); + } catch { + return dateString; + } + }; + + const getActionDisplay = (action: number) => { + return ACTION_NAMES[action] || `Action ${action}`; + }; + + const getActionColor = (action: number) => { + return ACTION_COLORS[action] || 'informative'; + }; + + if (loading) { + return ( +
+
+ +
Audit History
+
+
+ +
+
+ ); + } + + if (error) { + return ( +
+
+ +
Audit History
+
+
+
+

Error Loading Audit History

+

{error}

+
+
+
+ ); + } + + return ( +
+
+ +
Audit History
+ +
+
+
+ + handleToggleAudit(data.checked)} + /> + + When enabled, all Create, Update, and Delete operations are tracked + +
+ + {auditRecords.length === 0 ? ( +
+

No Audit Records

+

+ {isAuditEnabled + ? 'No audit records have been created yet. Perform some Create, Update, or Delete operations to see them here.' + : 'Auditing is disabled. Enable auditing to start tracking changes.'} +

+
+ ) : ( + + + + Action + Entity + Record ID + User + Date + + + + {auditRecords.map((record) => ( + + + + {getActionDisplay(record.action)} + + + {record.objecttypecode} + + {record.objectid.id.substring(0, 8)}... + + + {record.userid.name || record.userid.id.substring(0, 8) + '...'} + + {formatDate(record.createdon)} + + ))} + +
+ )} +
+
+ ); +} diff --git a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/EntityForm.tsx b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/EntityForm.tsx index bfc1f9e4..a8faba2a 100644 --- a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/EntityForm.tsx +++ b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/EntityForm.tsx @@ -26,6 +26,7 @@ import { import { dataverseClient } from '../lib/dataverse-client'; import { parseFormXml } from '../lib/form-utils'; import { XrmApiImplementation, executeFormScript } from '../lib/xrm-api'; +import AuditRecordView from './AuditRecordView'; import type { EntityRecord, SystemForm, FormDefinition, WebResource } from '../types/dataverse'; const useStyles = makeStyles({ @@ -475,6 +476,10 @@ export default function EntityForm({ const visibleTabs = formDefinition.tabs.filter((tab) => tab.visible); const currentTab = visibleTabs.find((tab) => tab.id === selectedTab); + // Add audit history tab for existing records + const hasAuditTab = recordId !== undefined; + const AUDIT_TAB_ID = '__audit_history__'; + return (
@@ -505,7 +510,7 @@ export default function EntityForm({
- {visibleTabs.length > 1 && ( + {(visibleTabs.length > 1 || hasAuditTab) && ( ))} + {hasAuditTab && ( + + Audit History + + )} )} - {currentTab && renderTab(currentTab)} + {selectedTab === AUDIT_TAB_ID && hasAuditTab ? ( + + ) : ( + currentTab && renderTab(currentTab) + )}
); diff --git a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/Navigation.tsx b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/Navigation.tsx index 8a08a8c5..9c56b961 100644 --- a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/Navigation.tsx +++ b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/Navigation.tsx @@ -18,6 +18,7 @@ import { import { Navigation20Regular, Settings20Regular, + History20Regular, bundleIcon, // Default icons for common entities @@ -164,6 +165,18 @@ export default function Navigation({ areas, selectedEntity, onNavigate }: Naviga > Solutions & Tables + {areas.map((area) => (
diff --git a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/__tests__/AuditRecordView.test.tsx b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/__tests__/AuditRecordView.test.tsx new file mode 100644 index 00000000..f8a54435 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/__tests__/AuditRecordView.test.tsx @@ -0,0 +1,167 @@ +/** + * @jest-environment jsdom + */ +import React from 'react'; +import { render, screen, waitFor } from '@testing-library/react'; +import '@testing-library/jest-dom'; +import AuditRecordView from '../AuditRecordView'; +import { dataverseClient } from '../../lib/dataverse-client'; + +// Mock the dataverse client +jest.mock('../../lib/dataverse-client'); + +describe('AuditRecordView', () => { + const mockEntityName = 'account'; + const mockRecordId = '123e4567-e89b-12d3-a456-426614174000'; + + beforeEach(() => { + jest.clearAllMocks(); + }); + + it('should render loading state initially', () => { + (dataverseClient.fetchEntityAuditRecords as jest.Mock).mockImplementation( + () => new Promise(() => {}) // Never resolves + ); + + render(); + expect(screen.getByText('Loading audit history...')).toBeInTheDocument(); + }); + + it('should display audit records for entity', async () => { + const mockAuditRecords = [ + { + auditid: '123e4567-e89b-12d3-a456-426614174001', + action: 1, + operation: 'Create', + objectid: { + logicalName: 'account', + id: mockRecordId, + }, + objecttypecode: 'account', + userid: { + logicalName: 'systemuser', + id: '123e4567-e89b-12d3-a456-426614174002', + name: 'Test User', + }, + createdon: '2024-01-01T12:00:00Z', + }, + { + auditid: '123e4567-e89b-12d3-a456-426614174003', + action: 2, + operation: 'Update', + objectid: { + logicalName: 'account', + id: mockRecordId, + }, + objecttypecode: 'account', + userid: { + logicalName: 'systemuser', + id: '123e4567-e89b-12d3-a456-426614174002', + name: 'Test User', + }, + createdon: '2024-01-01T12:05:00Z', + }, + ]; + + (dataverseClient.fetchEntityAuditRecords as jest.Mock).mockResolvedValue({ + value: mockAuditRecords, + count: 2, + }); + + render(); + + await waitFor(() => { + expect(screen.getByText('Audit History')).toBeInTheDocument(); + }); + + await waitFor(() => { + expect(screen.getByText('Create')).toBeInTheDocument(); + expect(screen.getByText('Update')).toBeInTheDocument(); + // Check for "Create by Test User" and "Update by Test User" + expect(screen.getAllByText(/Test User/)).toHaveLength(2); + }); + }); + + it('should display empty state when no audit records', async () => { + (dataverseClient.fetchEntityAuditRecords as jest.Mock).mockResolvedValue({ + value: [], + count: 0, + }); + + render(); + + await waitFor(() => { + expect(screen.getByText('No Audit Records')).toBeInTheDocument(); + expect(screen.getByText('No audit history found for this record.')).toBeInTheDocument(); + }); + }); + + it('should display error when API fails', async () => { + (dataverseClient.fetchEntityAuditRecords as jest.Mock).mockRejectedValue( + new Error('API Error') + ); + + render(); + + await waitFor(() => { + expect(screen.getByText('Error Loading Audit History')).toBeInTheDocument(); + expect(screen.getByText('API Error')).toBeInTheDocument(); + }); + }); + + it('should load audit details when accordion is expanded', async () => { + const mockAuditRecords = [ + { + auditid: '123e4567-e89b-12d3-a456-426614174001', + action: 2, + operation: 'Update', + objectid: { + logicalName: 'account', + id: mockRecordId, + }, + objecttypecode: 'account', + userid: { + logicalName: 'systemuser', + id: '123e4567-e89b-12d3-a456-426614174002', + name: 'Test User', + }, + createdon: '2024-01-01T12:00:00Z', + }, + ]; + + const mockAuditDetails = { + auditRecord: mockAuditRecords[0], + oldValue: { + name: 'Old Name', + revenue: 100000, + }, + newValue: { + name: 'New Name', + revenue: 200000, + }, + }; + + (dataverseClient.fetchEntityAuditRecords as jest.Mock).mockResolvedValue({ + value: mockAuditRecords, + count: 1, + }); + (dataverseClient.fetchAuditDetails as jest.Mock).mockResolvedValue(mockAuditDetails); + + render(); + + await waitFor(() => { + expect(screen.getByText('Update')).toBeInTheDocument(); + }); + + // Click the accordion to expand it + const accordionHeader = screen.getByText(/Update by Test User/); + accordionHeader.click(); + + // Wait for audit details to load + await waitFor(() => { + expect(dataverseClient.fetchAuditDetails).toHaveBeenCalledWith( + '123e4567-e89b-12d3-a456-426614174001' + ); + }); + }); +}); diff --git a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/__tests__/AuditSummaryView.test.tsx b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/__tests__/AuditSummaryView.test.tsx new file mode 100644 index 00000000..982699d0 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/components/__tests__/AuditSummaryView.test.tsx @@ -0,0 +1,169 @@ +/** + * @jest-environment jsdom + */ +import React from 'react'; +import { render, screen, waitFor } from '@testing-library/react'; +import '@testing-library/jest-dom'; +import AuditSummaryView from '../AuditSummaryView'; +import { dataverseClient } from '../../lib/dataverse-client'; + +// Mock the dataverse client +jest.mock('../../lib/dataverse-client'); + +describe('AuditSummaryView', () => { + beforeEach(() => { + jest.clearAllMocks(); + }); + + it('should render loading state initially', () => { + (dataverseClient.fetchAuditStatus as jest.Mock).mockImplementation( + () => new Promise(() => {}) // Never resolves + ); + (dataverseClient.fetchAuditRecords as jest.Mock).mockImplementation( + () => new Promise(() => {}) + ); + + render(); + expect(screen.getByText('Loading audit history...')).toBeInTheDocument(); + }); + + it('should display audit records when loaded', async () => { + const mockAuditRecords = [ + { + auditid: '123e4567-e89b-12d3-a456-426614174000', + action: 1, + operation: 'Create', + objectid: { + logicalName: 'account', + id: '123e4567-e89b-12d3-a456-426614174001', + name: 'Test Account', + }, + objecttypecode: 'account', + userid: { + logicalName: 'systemuser', + id: '123e4567-e89b-12d3-a456-426614174002', + name: 'Test User', + }, + createdon: '2024-01-01T12:00:00Z', + }, + ]; + + (dataverseClient.fetchAuditStatus as jest.Mock).mockResolvedValue({ + isAuditEnabled: true, + }); + (dataverseClient.fetchAuditRecords as jest.Mock).mockResolvedValue({ + value: mockAuditRecords, + count: 1, + }); + + render(); + + await waitFor(() => { + expect(screen.getByText('Audit History')).toBeInTheDocument(); + }); + + await waitFor(() => { + expect(screen.getByText('Create')).toBeInTheDocument(); + expect(screen.getByText('account')).toBeInTheDocument(); + expect(screen.getByText('Test User')).toBeInTheDocument(); + }); + }); + + it('should display empty state when no audit records', async () => { + (dataverseClient.fetchAuditStatus as jest.Mock).mockResolvedValue({ + isAuditEnabled: false, + }); + (dataverseClient.fetchAuditRecords as jest.Mock).mockResolvedValue({ + value: [], + count: 0, + }); + + render(); + + await waitFor(() => { + expect(screen.getByText('No Audit Records')).toBeInTheDocument(); + }); + }); + + it('should display error when API fails', async () => { + (dataverseClient.fetchAuditStatus as jest.Mock).mockRejectedValue( + new Error('API Error') + ); + (dataverseClient.fetchAuditRecords as jest.Mock).mockRejectedValue( + new Error('API Error') + ); + + render(); + + await waitFor(() => { + expect(screen.getByText('Error Loading Audit History')).toBeInTheDocument(); + expect(screen.getByText('API Error')).toBeInTheDocument(); + }); + }); + + it('should display action badges with correct colors', async () => { + const mockAuditRecords = [ + { + auditid: '123e4567-e89b-12d3-a456-426614174000', + action: 1, // Create + operation: 'Create', + objectid: { + logicalName: 'account', + id: '123e4567-e89b-12d3-a456-426614174001', + }, + objecttypecode: 'account', + userid: { + logicalName: 'systemuser', + id: '123e4567-e89b-12d3-a456-426614174002', + }, + createdon: '2024-01-01T12:00:00Z', + }, + { + auditid: '123e4567-e89b-12d3-a456-426614174003', + action: 2, // Update + operation: 'Update', + objectid: { + logicalName: 'account', + id: '123e4567-e89b-12d3-a456-426614174001', + }, + objecttypecode: 'account', + userid: { + logicalName: 'systemuser', + id: '123e4567-e89b-12d3-a456-426614174002', + }, + createdon: '2024-01-01T12:05:00Z', + }, + { + auditid: '123e4567-e89b-12d3-a456-426614174004', + action: 3, // Delete + operation: 'Delete', + objectid: { + logicalName: 'account', + id: '123e4567-e89b-12d3-a456-426614174001', + }, + objecttypecode: 'account', + userid: { + logicalName: 'systemuser', + id: '123e4567-e89b-12d3-a456-426614174002', + }, + createdon: '2024-01-01T12:10:00Z', + }, + ]; + + (dataverseClient.fetchAuditStatus as jest.Mock).mockResolvedValue({ + isAuditEnabled: true, + }); + (dataverseClient.fetchAuditRecords as jest.Mock).mockResolvedValue({ + value: mockAuditRecords, + count: 3, + }); + + render(); + + await waitFor(() => { + // Check that each action type appears in the table + expect(screen.getByRole('table')).toBeInTheDocument(); + expect(screen.getAllByText('account')).toHaveLength(3); + }); + }); +}); diff --git a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/lib/dataverse-client.ts b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/lib/dataverse-client.ts index d28d406c..ac047403 100644 --- a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/lib/dataverse-client.ts +++ b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/lib/dataverse-client.ts @@ -3,9 +3,10 @@ * Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/webapi/overview */ -import type { ODataResponse, EntityRecord } from '../types/dataverse'; +import type { ODataResponse, EntityRecord, AuditRecord, AuditDetail, AuditStatus } from '../types/dataverse'; const API_BASE_URL = '/api/data/v9.2'; +const AUDIT_API_BASE_URL = '/api/audit'; export class DataverseApiClient { /** @@ -250,6 +251,136 @@ export class DataverseApiClient { return response.json(); } + + /** + * Fetch all audit records (global summary) + * Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/retrieve-audit-data + */ + async fetchAuditRecords( + options?: { + top?: number; + skip?: number; + orderby?: string; + filter?: string; + } + ): Promise<{ value: AuditRecord[]; count: number }> { + const params = new URLSearchParams(); + + if (options?.top !== undefined) { + params.append('top', options.top.toString()); + } + if (options?.skip !== undefined) { + params.append('skip', options.skip.toString()); + } + if (options?.orderby) { + params.append('orderby', options.orderby); + } + if (options?.filter) { + params.append('filter', options.filter); + } + + const url = `${AUDIT_API_BASE_URL}${params.toString() ? '?' + params.toString() : ''}`; + + const response = await fetch(url, { + method: 'GET', + headers: { + 'Accept': 'application/json', + }, + }); + + if (!response.ok) { + throw new Error(`API request failed: ${response.status} ${response.statusText}`); + } + + return response.json(); + } + + /** + * Fetch audit records for a specific entity record + * Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/retrieve-audit-data + */ + async fetchEntityAuditRecords( + entityName: string, + id: string + ): Promise<{ value: AuditRecord[]; count: number }> { + const url = `${AUDIT_API_BASE_URL}/entity/${entityName}/${id}`; + + const response = await fetch(url, { + method: 'GET', + headers: { + 'Accept': 'application/json', + }, + }); + + if (!response.ok) { + throw new Error(`API request failed: ${response.status} ${response.statusText}`); + } + + return response.json(); + } + + /** + * Fetch audit details including old and new values + * Reference: https://learn.microsoft.com/en-us/dotnet/api/microsoft.crm.sdk.messages.retrieveauditdetailsrequest + */ + async fetchAuditDetails(auditId: string): Promise { + const url = `${AUDIT_API_BASE_URL}/details/${auditId}`; + + const response = await fetch(url, { + method: 'GET', + headers: { + 'Accept': 'application/json', + }, + }); + + if (!response.ok) { + throw new Error(`API request failed: ${response.status} ${response.statusText}`); + } + + return response.json(); + } + + /** + * Get audit status (whether auditing is enabled) + */ + async fetchAuditStatus(): Promise { + const url = `${AUDIT_API_BASE_URL}/status`; + + const response = await fetch(url, { + method: 'GET', + headers: { + 'Accept': 'application/json', + }, + }); + + if (!response.ok) { + throw new Error(`API request failed: ${response.status} ${response.statusText}`); + } + + return response.json(); + } + + /** + * Set audit status (enable or disable auditing) + */ + async setAuditStatus(isEnabled: boolean): Promise { + const url = `${AUDIT_API_BASE_URL}/status`; + + const response = await fetch(url, { + method: 'POST', + headers: { + 'Accept': 'application/json', + 'Content-Type': 'application/json', + }, + body: JSON.stringify({ isAuditEnabled: isEnabled }), + }); + + if (!response.ok) { + throw new Error(`API request failed: ${response.status} ${response.statusText}`); + } + + return response.json(); + } } export const dataverseClient = new DataverseApiClient(); diff --git a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/types/dataverse.ts b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/types/dataverse.ts index 9c877445..c06b63cb 100644 --- a/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/types/dataverse.ts +++ b/Fake4DataverseService/Fake4Dataverse.Service/mda-app/app/types/dataverse.ts @@ -288,3 +288,43 @@ export interface AttributeMetadata { }; [key: string]: any; } + +/** + * Audit record from Dataverse auditing system + * Reference: https://learn.microsoft.com/en-us/power-apps/developer/data-platform/auditing/overview + */ +export interface AuditRecord { + auditid: string; + action: number; // 1=Create, 2=Update, 3=Delete, 64=Access, etc. + operation: string; + objectid: EntityReference; + objecttypecode: string; + userid: EntityReference; + createdon: string; // ISO 8601 date string +} + +/** + * Entity reference object + */ +export interface EntityReference { + logicalName: string; + id: string; + name?: string; +} + +/** + * Audit detail response containing old and new values + * Reference: https://learn.microsoft.com/en-us/dotnet/api/microsoft.crm.sdk.messages.attributeauditdetail + */ +export interface AuditDetail { + auditRecord: AuditRecord; + oldValue: { [key: string]: any }; + newValue: { [key: string]: any }; +} + +/** + * Audit status response + */ +export interface AuditStatus { + isAuditEnabled: boolean; +} diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/03a387e77810bb10.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/03a387e77810bb10.js new file mode 100644 index 00000000..9f1db6ef --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/03a387e77810bb10.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,80961,(e,t,r)=>{"use strict";function o(e,t){var r=e.length;for(e.push(t);0>>1,n=e[o];if(0>>1;oa(s,r))ca(u,s)?(e[o]=u,e[c]=r,o=c):(e[o]=s,e[i]=r,o=i);else if(ca(u,r))e[o]=u,e[c]=r,o=c;else break}}return t}function a(e,t){var r=e.sortIndex-t.sortIndex;return 0!==r?r:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var i,s=performance;r.unstable_now=function(){return s.now()}}else{var c=Date,u=c.now();r.unstable_now=function(){return c.now()-u}}var d=[],f=[],p=1,m=null,g=3,v=!1,h=!1,b=!1,y="function"==typeof setTimeout?setTimeout:null,x="function"==typeof clearTimeout?clearTimeout:null,w="undefined"!=typeof setImmediate?setImmediate:null;function k(e){for(var t=n(f);null!==t;){if(null===t.callback)l(f);else if(t.startTime<=e)l(f),t.sortIndex=t.expirationTime,o(d,t);else break;t=n(f)}}function j(e){if(b=!1,k(e),!h)if(null!==n(d))h=!0,q(B);else{var t=n(f);null!==t&&R(j,t.startTime-e)}}function B(e,t){h=!1,b&&(b=!1,x(N),N=-1),v=!0;var o=g;try{for(k(t),m=n(d);null!==m&&(!(m.expirationTime>t)||e&&!I());){var a=m.callback;if("function"==typeof a){m.callback=null,g=m.priorityLevel;var i=a(m.expirationTime<=t);t=r.unstable_now(),"function"==typeof i?m.callback=i:m===n(d)&&l(d),k(t)}else l(d);m=n(d)}if(null!==m)var s=!0;else{var c=n(f);null!==c&&R(j,c.startTime-t),s=!1}return s}finally{m=null,g=o,v=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var C=!1,S=null,N=-1,z=5,E=-1;function I(){return!(r.unstable_now()-Ee||125a?(e.sortIndex=l,o(f,e),null===n(d)&&e===n(f)&&(b?(x(N),N=-1):b=!0,R(j,l-a))):(e.sortIndex=i,o(d,e),h||v||(h=!0,q(B))),e},r.unstable_shouldYield=I,r.unstable_wrapCallback=function(e){var t=g;return function(){var r=g;g=t;try{return e.apply(this,arguments)}finally{g=r}}}},1152,(e,t,r)=>{"use strict";t.exports=e.r(80961)},91550,(e,t,r)=>{"use strict";function o(e,t){var r=e.length;for(e.push(t);0>>1,n=e[o];if(0>>1;oa(s,r))ca(u,s)?(e[o]=u,e[c]=r,o=c):(e[o]=s,e[i]=r,o=i);else if(ca(u,r))e[o]=u,e[c]=r,o=c;else break}}return t}function a(e,t){var r=e.sortIndex-t.sortIndex;return 0!==r?r:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var i,s=performance;r.unstable_now=function(){return s.now()}}else{var c=Date,u=c.now();r.unstable_now=function(){return c.now()-u}}var d=[],f=[],p=1,m=null,g=3,v=!1,h=!1,b=!1,y="function"==typeof setTimeout?setTimeout:null,x="function"==typeof clearTimeout?clearTimeout:null,w="undefined"!=typeof setImmediate?setImmediate:null;function k(e){for(var t=n(f);null!==t;){if(null===t.callback)l(f);else if(t.startTime<=e)l(f),t.sortIndex=t.expirationTime,o(d,t);else break;t=n(f)}}function j(e){if(b=!1,k(e),!h)if(null!==n(d))h=!0,q(B);else{var t=n(f);null!==t&&R(j,t.startTime-e)}}function B(e,t){h=!1,b&&(b=!1,x(N),N=-1),v=!0;var o=g;try{for(k(t),m=n(d);null!==m&&(!(m.expirationTime>t)||e&&!I());){var a=m.callback;if("function"==typeof a){m.callback=null,g=m.priorityLevel;var i=a(m.expirationTime<=t);t=r.unstable_now(),"function"==typeof i?m.callback=i:m===n(d)&&l(d),k(t)}else l(d);m=n(d)}if(null!==m)var s=!0;else{var c=n(f);null!==c&&R(j,c.startTime-t),s=!1}return s}finally{m=null,g=o,v=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var C=!1,S=null,N=-1,z=5,E=-1;function I(){return!(r.unstable_now()-Ee||125a?(e.sortIndex=l,o(f,e),null===n(d)&&e===n(f)&&(b?(x(N),N=-1):b=!0,R(j,l-a))):(e.sortIndex=i,o(d,e),h||v||(h=!0,q(B))),e},r.unstable_shouldYield=I,r.unstable_wrapCallback=function(e){var t=g;return function(){var r=g;g=t;try{return e.apply(this,arguments)}finally{g=r}}}},73191,(e,t,r)=>{"use strict";t.exports=e.r(91550)},76146,(e,t,r)=>{"use strict";function o(e,t){var r=e.length;for(e.push(t);0>>1,n=e[o];if(0>>1;oa(s,r))ca(u,s)?(e[o]=u,e[c]=r,o=c):(e[o]=s,e[i]=r,o=i);else if(ca(u,r))e[o]=u,e[c]=r,o=c;else break}}return t}function a(e,t){var r=e.sortIndex-t.sortIndex;return 0!==r?r:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var i,s=performance;r.unstable_now=function(){return s.now()}}else{var c=Date,u=c.now();r.unstable_now=function(){return c.now()-u}}var d=[],f=[],p=1,m=null,g=3,v=!1,h=!1,b=!1,y="function"==typeof setTimeout?setTimeout:null,x="function"==typeof clearTimeout?clearTimeout:null,w="undefined"!=typeof setImmediate?setImmediate:null;function k(e){for(var t=n(f);null!==t;){if(null===t.callback)l(f);else if(t.startTime<=e)l(f),t.sortIndex=t.expirationTime,o(d,t);else break;t=n(f)}}function j(e){if(b=!1,k(e),!h)if(null!==n(d))h=!0,q(B);else{var t=n(f);null!==t&&R(j,t.startTime-e)}}function B(e,t){h=!1,b&&(b=!1,x(N),N=-1),v=!0;var o=g;try{for(k(t),m=n(d);null!==m&&(!(m.expirationTime>t)||e&&!I());){var a=m.callback;if("function"==typeof a){m.callback=null,g=m.priorityLevel;var i=a(m.expirationTime<=t);t=r.unstable_now(),"function"==typeof i?m.callback=i:m===n(d)&&l(d),k(t)}else l(d);m=n(d)}if(null!==m)var s=!0;else{var c=n(f);null!==c&&R(j,c.startTime-t),s=!1}return s}finally{m=null,g=o,v=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var C=!1,S=null,N=-1,z=5,E=-1;function I(){return!(r.unstable_now()-Ee||125a?(e.sortIndex=l,o(f,e),null===n(d)&&e===n(f)&&(b?(x(N),N=-1):b=!0,R(j,l-a))):(e.sortIndex=i,o(d,e),h||v||(h=!0,q(B))),e},r.unstable_shouldYield=I,r.unstable_wrapCallback=function(e){var t=g;return function(){var r=g;g=t;try{return e.apply(this,arguments)}finally{g=r}}}},16868,(e,t,r)=>{"use strict";t.exports=e.r(76146)},31713,e=>{"use strict";e.s(["default",()=>nI],31713);var t=e.i(43476),r=e.i(71645),o=e.i(76166),n=e.i(83831),l=e.i(77790),a=e.i(50637),i=e.i(87452),s=e.i(47427),c=e.i(84862),u=e.i(97906),d=e.i(46163),f=e.i(56720),p=e.i(90312),m=e.i(77074),g=e.i(32778),v=e.i(69024);let h={root:"fui-Divider",wrapper:"fui-Divider__wrapper"},b=(0,v.__styles)({base:{Bt984gj:"f122n59",B7ck84d:"f1ewtqcl",mc9l5x:"f22iagw",Beiy3e4:"f1063pyq",Bh6795r:"fqerorx",qhf8xq:"f10pi13n",Bahqtrf:"fk6fouc",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm",fsow6f:"f17mccla",Bcvre1j:"fyl8oag",Br0sdwz:"f16vkdww",Bn78ew0:"fhsnbul",li1rpt:"f1gw3sf2",ap17g6:"f1ly5f7u",B771hl4:"f1s3tz6t"},childless:{susq4k:"f1kyqvp9",Bicfajf:["fzynn9s","f1z0ukd1"],jwcpgy:["fekrn8e","ftdg338"],B4rk6o:"fesgyo"},start:{Bsft5z2:"f13zj6fq"},center:{Ftih45:"f1wl9k8s",Bsft5z2:"f13zj6fq"},end:{Ftih45:"f1wl9k8s"},brand:{sj55zd:"f16muhyy",Bq4z7u6:"fcbuu2a",Bk5zm6e:["f1wdw2dr","f1ttio3w"],Bqjgrrk:"f1582fpk",Bm6vgfq:["f1ttio3w","f1wdw2dr"],B0n5ga8:"f1ahrvm8",s924m2:["f1cd3wbc","f17hbk9y"],B1q35kw:"fvrapl0",Gp14am:["f17hbk9y","f1cd3wbc"]},default:{sj55zd:"fkfq4zb",Bq4z7u6:"f1vccso1",Bk5zm6e:["f1geml7w","fjml6kk"],Bqjgrrk:"f1r7kh1m",Bm6vgfq:["fjml6kk","f1geml7w"],B0n5ga8:"f16j7guv",s924m2:["fx01ahm","fj1a37q"],B1q35kw:"fl8d8yv",Gp14am:["fj1a37q","fx01ahm"]},subtle:{sj55zd:"f11d4kpn",Bq4z7u6:"f5g06un",Bk5zm6e:["f13sxdku","f1n015lb"],Bqjgrrk:"f1x6bl8t",Bm6vgfq:["f1n015lb","f13sxdku"],B0n5ga8:"fvod1wy",s924m2:["fwslg65","flk0e17"],B1q35kw:"f103fvts",Gp14am:["flk0e17","fwslg65"]},strong:{sj55zd:"f19n0e5",Bq4z7u6:"f10tv6oz",Bk5zm6e:["f16xp3sf","f1seuxxq"],Bqjgrrk:"fwrmqbx",Bm6vgfq:["f1seuxxq","f16xp3sf"],B0n5ga8:"ft83z1f",s924m2:["f1g4150c","f192dr6e"],B1q35kw:"f1qnawh6",Gp14am:["f192dr6e","f1g4150c"]}},{d:[".f122n59{align-items:center;}",".f1ewtqcl{box-sizing:border-box;}",".f22iagw{display:flex;}",".f1063pyq{flex-direction:row;}",".fqerorx{flex-grow:1;}",".f10pi13n{position:relative;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fy9rknc{font-size:var(--fontSizeBase200);}",".figsok6{font-weight:var(--fontWeightRegular);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".f17mccla{text-align:center;}",".fyl8oag::before{box-sizing:border-box;}",".f16vkdww::before{display:flex;}",".fhsnbul::before{flex-grow:1;}",".f1gw3sf2::after{box-sizing:border-box;}",".f1ly5f7u::after{display:flex;}",".f1s3tz6t::after{flex-grow:1;}",".f1kyqvp9::before{margin-bottom:0;}",".fzynn9s::before{margin-right:0;}",".f1z0ukd1::before{margin-left:0;}",".fekrn8e::after{margin-left:0;}",".ftdg338::after{margin-right:0;}",".fesgyo::after{margin-top:0;}",'.f13zj6fq::after{content:"";}','.f1wl9k8s::before{content:"";}',".f16muhyy{color:var(--colorBrandForeground1);}",".fcbuu2a::before{border-top-color:var(--colorBrandStroke1);}",".f1wdw2dr::before{border-right-color:var(--colorBrandStroke1);}",".f1ttio3w::before{border-left-color:var(--colorBrandStroke1);}",".f1582fpk::before{border-bottom-color:var(--colorBrandStroke1);}",".f1ahrvm8::after{border-top-color:var(--colorBrandStroke1);}",".f1cd3wbc::after{border-right-color:var(--colorBrandStroke1);}",".f17hbk9y::after{border-left-color:var(--colorBrandStroke1);}",".fvrapl0::after{border-bottom-color:var(--colorBrandStroke1);}",".fkfq4zb{color:var(--colorNeutralForeground2);}",".f1vccso1::before{border-top-color:var(--colorNeutralStroke2);}",".f1geml7w::before{border-right-color:var(--colorNeutralStroke2);}",".fjml6kk::before{border-left-color:var(--colorNeutralStroke2);}",".f1r7kh1m::before{border-bottom-color:var(--colorNeutralStroke2);}",".f16j7guv::after{border-top-color:var(--colorNeutralStroke2);}",".fx01ahm::after{border-right-color:var(--colorNeutralStroke2);}",".fj1a37q::after{border-left-color:var(--colorNeutralStroke2);}",".fl8d8yv::after{border-bottom-color:var(--colorNeutralStroke2);}",".f11d4kpn{color:var(--colorNeutralForeground3);}",".f5g06un::before{border-top-color:var(--colorNeutralStroke3);}",".f13sxdku::before{border-right-color:var(--colorNeutralStroke3);}",".f1n015lb::before{border-left-color:var(--colorNeutralStroke3);}",".f1x6bl8t::before{border-bottom-color:var(--colorNeutralStroke3);}",".fvod1wy::after{border-top-color:var(--colorNeutralStroke3);}",".fwslg65::after{border-right-color:var(--colorNeutralStroke3);}",".flk0e17::after{border-left-color:var(--colorNeutralStroke3);}",".f103fvts::after{border-bottom-color:var(--colorNeutralStroke3);}",".f19n0e5{color:var(--colorNeutralForeground1);}",".f10tv6oz::before{border-top-color:var(--colorNeutralStroke1);}",".f16xp3sf::before{border-right-color:var(--colorNeutralStroke1);}",".f1seuxxq::before{border-left-color:var(--colorNeutralStroke1);}",".fwrmqbx::before{border-bottom-color:var(--colorNeutralStroke1);}",".ft83z1f::after{border-top-color:var(--colorNeutralStroke1);}",".f1g4150c::after{border-right-color:var(--colorNeutralStroke1);}",".f192dr6e::after{border-left-color:var(--colorNeutralStroke1);}",".f1qnawh6::after{border-bottom-color:var(--colorNeutralStroke1);}"]}),y=(0,v.__styles)({base:{a9b677:"fly5x3f",Bdkvgpv:"f163fonl",B0qfbqy:"f51yk4v",pbipgd:"f13rof3u",Bm2nyyq:"f8rth92",xrcqlc:"f6czdpx",i5u598:"f1iyka9k"},inset:{uwmqm3:["fjlbh76","f11qrl6u"],z189sj:["f11qrl6u","fjlbh76"]},start:{fsow6f:["f1o700av","fes3tcz"],Ftih45:"f1wl9k8s",Bicfajf:["f1ojjlep","fk1kexq"],Bxwl2t9:"f1he2m4d",jwcpgy:["f12w1bnb","f1558wlj"]},center:{fsow6f:"f17mccla",Bicfajf:["f1ojjlep","fk1kexq"],jwcpgy:["f12w1bnb","f1558wlj"]},end:{fsow6f:["fes3tcz","f1o700av"],Bicfajf:["f1ojjlep","fk1kexq"],Bsft5z2:"f13zj6fq",jwcpgy:["f12w1bnb","f1558wlj"],Iy66sp:"f1ayce8x"}},{d:[".fly5x3f{width:100%;}",".f163fonl::before{border-top-style:solid;}",".f51yk4v::before{border-top-width:var(--strokeWidthThin);}",".f13rof3u::before{min-width:8px;}",".f8rth92::after{border-top-style:solid;}",".f6czdpx::after{border-top-width:var(--strokeWidthThin);}",".f1iyka9k::after{min-width:8px;}",".fjlbh76{padding-left:12px;}",".f11qrl6u{padding-right:12px;}",".f1o700av{text-align:left;}",".fes3tcz{text-align:right;}",'.f1wl9k8s::before{content:"";}',".f1ojjlep::before{margin-right:12px;}",".fk1kexq::before{margin-left:12px;}",".f1he2m4d::before{max-width:8px;}",".f12w1bnb::after{margin-left:12px;}",".f1558wlj::after{margin-right:12px;}",".f17mccla{text-align:center;}",'.f13zj6fq::after{content:"";}',".f1ayce8x::after{max-width:8px;}"]}),x=(0,v.__styles)({base:{Beiy3e4:"f1vx9l62",sshi5w:"f16gbxbe",m598lv:["f1yq6w5o","f1jpmc5p"],B4f6apu:["f9sc749","f1x8pvcy"],zkzzav:"fhkwbjy",Barhvk9:["flthirb","ftkbnf5"],Ihftqj:["f13hvwk3","f1en4csx"],Bde111x:"f19onpk6"},inset:{B6of3ja:"f1xdg43u",jrapky:"f1jlhsmd"},withChildren:{sshi5w:"f1tjaq3g"},start:{Ftih45:"f1wl9k8s",susq4k:"fg2pwug",Bbdr6tz:"fkjtzyi",B4rk6o:"f8vk40g"},center:{susq4k:"fg2pwug",B4rk6o:"f8vk40g"},end:{susq4k:"fg2pwug",Bsft5z2:"f13zj6fq",B4rk6o:"f8vk40g",gn64ia:"fqg5mu5"}},{d:[".f1vx9l62{flex-direction:column;}",".f16gbxbe{min-height:20px;}",".f1yq6w5o::before{border-right-style:solid;}",".f1jpmc5p::before{border-left-style:solid;}",".f9sc749::before{border-right-width:var(--strokeWidthThin);}",".f1x8pvcy::before{border-left-width:var(--strokeWidthThin);}",".fhkwbjy::before{min-height:8px;}",".flthirb::after{border-right-style:solid;}",".ftkbnf5::after{border-left-style:solid;}",".f13hvwk3::after{border-right-width:var(--strokeWidthThin);}",".f1en4csx::after{border-left-width:var(--strokeWidthThin);}",".f19onpk6::after{min-height:8px;}",".f1xdg43u{margin-top:12px;}",".f1jlhsmd{margin-bottom:12px;}",".f1tjaq3g{min-height:84px;}",'.f1wl9k8s::before{content:"";}',".fg2pwug::before{margin-bottom:12px;}",".fkjtzyi::before{max-height:8px;}",".f8vk40g::after{margin-top:12px;}",'.f13zj6fq::after{content:"";}',".fqg5mu5::after{max-height:8px;}"]});var w=e.i(96019);let k=r.forwardRef((e,t)=>{let r=((e,t)=>{let{alignContent:r="center",appearance:o="default",inset:n=!1,vertical:l=!1,wrapper:a}=e,i=(0,p.useId)("divider-");return{alignContent:r,appearance:o,inset:n,vertical:l,components:{root:"div",wrapper:"div"},root:m.slot.always((0,f.getIntrinsicElementProps)("div",{role:"separator","aria-orientation":l?"vertical":"horizontal","aria-labelledby":e.children?i:void 0,...e,ref:t}),{elementType:"div"}),wrapper:m.slot.always(a,{defaultProps:{id:i,children:e.children},elementType:"div"})}})(e,t);return(e=>{let t=b(),r=y(),o=x(),{alignContent:n,appearance:l,inset:a,vertical:i}=e;return e.root.className=(0,g.mergeClasses)(h.root,t.base,t[n],l&&t[l],!i&&r.base,!i&&a&&r.inset,!i&&r[n],i&&o.base,i&&a&&o.inset,i&&o[n],i&&void 0!==e.root.children&&o.withChildren,void 0===e.root.children&&t.childless,e.root.className),e.wrapper&&(e.wrapper.className=(0,g.mergeClasses)(h.wrapper,e.wrapper.className))})(r),(0,w.useCustomStyleHook_unstable)("useDividerStyles_unstable")(r),(e=>((0,d.assertSlots)(e),(0,u.jsx)(e.root,{children:void 0!==e.root.children&&(0,u.jsx)(e.wrapper,{children:e.root.children})})))(r)});k.displayName="Divider";var j=e.i(39806);let B=(0,j.createFluentIcon)("Navigation20Regular","20",["M2 4.5c0-.28.22-.5.5-.5h15a.5.5 0 0 1 0 1h-15a.5.5 0 0 1-.5-.5Zm0 5c0-.28.22-.5.5-.5h15a.5.5 0 0 1 0 1h-15a.5.5 0 0 1-.5-.5Zm.5 4.5a.5.5 0 0 0 0 1h15a.5.5 0 0 0 0-1h-15Z"]);var C=e.i(54902),S=e.i(90885);let N=(0,v.__styles)({root:{mc9l5x:"fjseox"},visible:{mc9l5x:"f1w7gpdv"}},{d:[".fjseox{display:none;}",".f1w7gpdv{display:inline;}"]}),z=(e,t)=>{let o=o=>{let{className:n,filled:l,...a}=o,i=N();return r.createElement(r.Fragment,null,r.createElement(e,Object.assign({},a,{className:(0,g.mergeClasses)(i.root,l&&i.visible,"fui-Icon-filled",n)})),r.createElement(t,Object.assign({},a,{className:(0,g.mergeClasses)(i.root,!l&&i.visible,"fui-Icon-regular",n)})))};return o.displayName="CompoundIcon",o};var E=e.i(17944);let I=(0,j.createFluentIcon)("MoneyFilled","1em",["M3.5 4C2.67 4 2 4.67 2 5.5v7c0 .83.67 1.5 1.5 1.5h11c.83 0 1.5-.67 1.5-1.5v-7c0-.83-.67-1.5-1.5-1.5h-11ZM6 5v1a2 2 0 0 1-2 2H3V7h1a1 1 0 0 0 1-1V5h1Zm3 5.75a1.75 1.75 0 1 1 0-3.5 1.75 1.75 0 0 1 0 3.5ZM3 11v-1h1a2 2 0 0 1 2 2v1H5v-1a1 1 0 0 0-1-1H3Zm11 0a1 1 0 0 0-1 1v1h-1v-1c0-1.1.9-2 2-2h1v1h-1Zm0-4h1v1h-1a2 2 0 0 1-2-2V5h1v1a1 1 0 0 0 1 1Zm3 5.5a2.5 2.5 0 0 1-2.5 2.5H4.09c.2.58.76 1 1.41 1h9a3.5 3.5 0 0 0 3.5-3.5v-5c0-.65-.42-1.2-1-1.41v6.41Z"]),_=(0,j.createFluentIcon)("MoneyRegular","1em",["M7 9a2 2 0 1 1 4 0 2 2 0 0 1-4 0Zm2-1a1 1 0 1 0 0 2 1 1 0 0 0 0-2ZM3.5 4C2.67 4 2 4.67 2 5.5v7c0 .83.67 1.5 1.5 1.5h11c.83 0 1.5-.67 1.5-1.5v-7c0-.83-.67-1.5-1.5-1.5h-11ZM3 5.5c0-.28.22-.5.5-.5H5v1a1 1 0 0 1-1 1H3V5.5ZM3 8h1a2 2 0 0 0 2-2V5h6v1c0 1.1.9 2 2 2h1v2h-1a2 2 0 0 0-2 2v1H6v-1a2 2 0 0 0-2-2H3V8Zm10-3h1.5c.28 0 .5.22.5.5V7h-1a1 1 0 0 1-1-1V5Zm2 6v1.5a.5.5 0 0 1-.5.5H13v-1a1 1 0 0 1 1-1h1ZM5 13H3.5a.5.5 0 0 1-.5-.5V11h1a1 1 0 0 1 1 1v1Zm12-.5a2.5 2.5 0 0 1-2.5 2.5H4.09c.2.58.76 1 1.41 1h9a3.5 3.5 0 0 0 3.5-3.5v-5c0-.65-.42-1.2-1-1.41v6.41Z"]),T=(0,j.createFluentIcon)("PersonFilled","1em",["M10 2a4 4 0 1 0 0 8 4 4 0 0 0 0-8Zm-5 9a2 2 0 0 0-2 2c0 1.7.83 2.97 2.13 3.8A9.14 9.14 0 0 0 10 18c1.85 0 3.58-.39 4.87-1.2A4.35 4.35 0 0 0 17 13a2 2 0 0 0-2-2H5Z"]),A=(0,j.createFluentIcon)("PersonRegular","1em",["M10 2a4 4 0 1 0 0 8 4 4 0 0 0 0-8ZM7 6a3 3 0 1 1 6 0 3 3 0 0 1-6 0Zm-2 5a2 2 0 0 0-2 2c0 1.7.83 2.97 2.13 3.8A9.14 9.14 0 0 0 10 18c1.85 0 3.58-.39 4.87-1.2A4.35 4.35 0 0 0 17 13a2 2 0 0 0-2-2H5Zm-1 2a1 1 0 0 1 1-1h10a1 1 0 0 1 1 1c0 1.3-.62 2.28-1.67 2.95A8.16 8.16 0 0 1 10 17a8.16 8.16 0 0 1-4.33-1.05A3.36 3.36 0 0 1 4 13Z"]),q=(0,j.createFluentIcon)("StarFilled","1em",["M9.1 2.9a1 1 0 0 1 1.8 0l1.93 3.91 4.31.63a1 1 0 0 1 .56 1.7l-3.12 3.05.73 4.3a1 1 0 0 1-1.45 1.05L10 15.51l-3.86 2.03a1 1 0 0 1-1.45-1.05l.74-4.3L2.3 9.14a1 1 0 0 1 .56-1.7l4.31-.63L9.1 2.9Z"]),R=(0,j.createFluentIcon)("StarRegular","1em",["M9.1 2.9a1 1 0 0 1 1.8 0l1.93 3.91 4.31.63a1 1 0 0 1 .56 1.7l-3.12 3.05.73 4.3a1 1 0 0 1-1.45 1.05L10 15.51l-3.86 2.03a1 1 0 0 1-1.45-1.05l.74-4.3L2.3 9.14a1 1 0 0 1 .56-1.7l4.31-.63L9.1 2.9Zm.9.44L8.07 7.25a1 1 0 0 1-.75.55L3 8.43l3.12 3.04a1 1 0 0 1 .3.89l-.75 4.3 3.87-2.03a1 1 0 0 1 .93 0l3.86 2.03-.74-4.3a1 1 0 0 1 .29-.89L17 8.43l-4.32-.63a1 1 0 0 1-.75-.55L10 3.35Z"]);var D=e.i(39617);let P=z(E.BuildingFilled,E.BuildingRegular),M=z(T,A),F=z(I,_),L=z(q,R),H=z(D.DocumentFilled,D.DocumentRegular),O=(0,o.makeStyles)({nav:{width:"250px",height:"100vh",backgroundColor:n.tokens.colorNeutralBackground3,borderRight:"1px solid ".concat(n.tokens.colorNeutralStroke1),display:"flex",flexDirection:"column",overflow:"hidden"},header:{padding:"16px",borderBottom:"1px solid ".concat(n.tokens.colorNeutralStroke1),fontWeight:n.tokens.fontWeightSemibold,fontSize:n.tokens.fontSizeBase400},scrollArea:{flex:1,overflow:"auto",padding:"8px"},areaTitle:{padding:"8px 12px",fontWeight:n.tokens.fontWeightSemibold,fontSize:n.tokens.fontSizeBase300,color:n.tokens.colorNeutralForeground2,textTransform:"uppercase",letterSpacing:"0.5px"},groupTitle:{padding:"4px 12px",fontWeight:n.tokens.fontWeightSemibold,fontSize:n.tokens.fontSizeBase200,color:n.tokens.colorNeutralForeground3},subAreaItem:{cursor:"pointer","&:hover":{backgroundColor:n.tokens.colorNeutralBackground1Hover}},selectedSubArea:{backgroundColor:n.tokens.colorNeutralBackground1Selected},makeButton:{width:"100%",justifyContent:"flex-start",marginBottom:"8px"},divider:{marginBottom:"8px"}});function W(e){let{areas:r,selectedEntity:o,onNavigate:n}=e,l=O();return(0,t.jsxs)("div",{className:l.nav,children:[(0,t.jsxs)("div",{className:l.header,children:[(0,t.jsx)(B,{})," Model-Driven App"]}),(0,t.jsxs)("div",{className:l.scrollArea,children:[(0,t.jsx)(a.Button,{appearance:"subtle",icon:(0,t.jsx)(C.Settings20Regular,{}),className:l.makeButton,onClick:()=>{window.location.href="/make"},children:"Solutions & Tables"}),(0,t.jsx)(a.Button,{appearance:"subtle",icon:(0,t.jsx)(S.History20Regular,{}),className:l.makeButton,onClick:()=>{window.location.href="/audit"},children:"Audit History"}),(0,t.jsx)(k,{className:l.divider}),r.map(e=>(0,t.jsxs)("div",{children:[(0,t.jsx)("div",{className:l.areaTitle,children:e.title}),e.groups.map(e=>(0,t.jsxs)("div",{children:[(0,t.jsx)("div",{className:l.groupTitle,children:e.title}),(0,t.jsx)(i.Tree,{"aria-label":e.title,children:e.subareas.map(e=>(0,t.jsx)(s.TreeItem,{itemType:"leaf",value:e.id,className:e.entity===o?"".concat(l.subAreaItem," ").concat(l.selectedSubArea):l.subAreaItem,children:(0,t.jsx)(c.TreeItemLayout,{iconBefore:function(e,r){if(e){let r={"mdi-domain":(0,t.jsx)(P,{}),"mdi-account":(0,t.jsx)(M,{}),"mdi-currency-usd":(0,t.jsx)(F,{}),"mdi-account-star":(0,t.jsx)(L,{}),"mdi-ticket":(0,t.jsx)(H,{})};if(r[e])return r[e]}if(r)return({account:(0,t.jsx)(P,{}),contact:(0,t.jsx)(M,{}),opportunity:(0,t.jsx)(F,{}),lead:(0,t.jsx)(L,{}),incident:(0,t.jsx)(H,{})})[r]}(e.icon,e.entity),onClick:()=>{e.entity&&n&&n(e.entity)},children:e.title})},e.id))})]},e.id))]},e.id))]})]})}var V=e.i(73564),X=e.i(48920),U=e.i(13768),G=e.i(17664),Z=e.i(51701),K=e.i(18015);e.i(47167);var Y=e.i(84179);function J(e){return e instanceof Set?e:new Set(e)}function $(e){let[t,o]=(0,Y.useControllableState)({initialState:new Set,defaultState:r.useMemo(()=>e.defaultSelectedItems&&J(e.defaultSelectedItems),[e.defaultSelectedItems]),state:r.useMemo(()=>e.selectedItems&&J(e.selectedItems),[e.selectedItems])});return[t,(t,r)=>{var n;null==(n=e.onSelectionChange)||n.call(e,t,{selectedItems:r}),o(r)}]}let Q=()=>void 0,ee={allRowsSelected:!1,clearRows:Q,deselectRow:Q,isRowSelected:()=>!1,selectRow:Q,selectedRows:new Set,someRowsSelected:!1,toggleAllRows:Q,toggleRow:Q,selectionMode:"multiselect"},et=()=>void 0,er={getSortDirection:()=>"ascending",setColumnSort:et,sort:e=>[...e],sortColumn:void 0,sortDirection:"ascending",toggleColumnSort:et},eo={root:"fui-TableResizeHandle"},en=(0,v.__styles)({root:{qhf8xq:"f1euv43f",j35jbq:["f1e31b4d","f1vgc2s3"],Bhzewxz:"f15twtuk",B5kzvoi:"f1yab3r1",a9b677:"fjw5fx7",jrapky:0,Frg6f3:0,t21cq0:0,B6of3ja:0,B74szlk:"fg06o1j",Bceei9c:"fc3en1c",abs64n:"fk73vx1",Bmy1vo4:"f13u1uyl",B3o57yi:"fezquic",Bj3rh1h:"f19g0ac",B3cna0y:"f1tkae59",Brovlpu:"ftqa4ok",B7zu5sd:"f15pjodv",Bsft5z2:"f1rcdj94",ap17g6:"f2gz7yw",a2br6o:"ff2ryt5",E3zdtr:"f1mdlcz9",Eqx8gd:["f10awi5f","f1nzedbg"],bn5sak:"frwkxtg",By385i5:"fo72kxq",Bjyk6c5:"fdlpgxj"}},{d:[".f1euv43f{position:absolute;}",".f1e31b4d{right:0;}",".f1vgc2s3{left:0;}",".f15twtuk{top:0;}",".f1yab3r1{bottom:0;}",".fjw5fx7{width:16px;}",[".fg06o1j{margin:0 -8px;}",{p:-1}],".fc3en1c{cursor:col-resize;}",".fk73vx1{opacity:0;}",".f13u1uyl{transition-property:opacity;}",".fezquic{transition-duration:.2s;}",".f19g0ac{z-index:1;}",'.f1rcdj94::after{content:" ";}',".f2gz7yw::after{display:block;}",".ff2ryt5::after{width:1px;}",".f1mdlcz9::after{position:absolute;}",".f10awi5f::after{left:50%;}",".f1nzedbg::after{right:50%;}",".frwkxtg::after{top:0;}",".fo72kxq::after{bottom:0;}",".fdlpgxj::after{background-color:var(--colorNeutralStroke1);}"],f:[".f1tkae59:focus{opacity:1;}",".ftqa4ok:focus{outline-style:none;}"],h:[".f15pjodv:hover{opacity:1;}"]}),el=r.forwardRef((e,t)=>{let r=((e,t)=>{let r=(0,G.useEventCallback)(t=>{var r;null==(r=e.onClick)||r.call(e,t),t.stopPropagation()});return{components:{root:"div"},root:m.slot.always((0,f.getIntrinsicElementProps)("div",{ref:t,...e,onClick:r}),{elementType:"div"})}})(e,t);return(e=>{let t=en();return e.root.className=(0,g.mergeClasses)(eo.root,t.root,e.root.className)})(r),(0,w.useCustomStyleHook_unstable)("useTableResizeHandleStyles_unstable")(r),(e=>((0,d.assertSlots)(e),(0,u.jsx)(e.root,{})))(r)});el.displayName="TableResizeHandle";var ea=e.i(1327);function ei(e){return e.type.startsWith("touch")}function es(e){return e.type.startsWith("mouse")||["click","contextmenu","dblclick"].indexOf(e.type)>-1}function ec(e){return es(e)?{clientX:e.clientX,clientY:e.clientY}:ei(e)?{clientX:e.touches[0].clientX,clientY:e.touches[0].clientY}:{clientX:0,clientY:0}}var eu=e.i(77569),ed=e.i(52911);function ef(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],r=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},o=!1,n=new Map(t.map(e=>[e.columnId,e])),l=e.map(e=>{var t,l;let a=n.get(e.columnId);if(a){let{idealWidth:n=a.idealWidth,minWidth:l=a.minWidth,padding:i=a.padding}=null!=(t=r[e.columnId])?t:{};return n!==a.idealWidth||l!==a.minWidth||i!==a.padding?(o=!0,{...a,idealWidth:n,width:n,minWidth:l,padding:i}):a}let{defaultWidth:i,idealWidth:s=150,minWidth:c=100,padding:u}=null!=(l=r[e.columnId])?l:{};return o=!0,{columnId:e.columnId,width:Math.max(null!=i?i:s,c),minWidth:c,idealWidth:Math.max(null!=i?i:s,c),padding:null!=u?u:16}});if(l.length!==t.length||o){let e=l.find(e=>e.width>e.idealWidth);e&&(e.width=e.idealWidth),o=!0}return o?l:t}function ep(e,t){return e.find(e=>e.columnId===t)}function em(e,t,r,o){let n=ep(e,t);if(!n||(null==n?void 0:n[r])===o)return e;let l={...n,[r]:o};return e.reduce((e,t)=>t.columnId===l.columnId?[...e,l]:[...e,t],[])}function eg(e,t){let r=e,o=r.reduce((e,t)=>e+t.width+t.padding,0);if(o0;){let t=r[n];if(!t)break;let o=Math.min(t.idealWidth-t.width,e);if(r=em(r,t.columnId,"width",t.width+o),e-=o,n===r.length-1&&0!==e){let t=r[n];t&&(r=em(r,t.columnId,"width",t.width+e))}n++}}else if(o>=t){let e=o-t,n=r.length-1;for(;n>=0&&e>0;){let t=r[n];if(!t){n--;continue}if(t.width>t.minWidth){let o=Math.min(t.width-t.minWidth,e);e-=o,r=em(r,t.columnId,"width",t.width-o)}n--}}return r}var ev=e.i(56626);let eh=K.Shift,eb=1/4,ey={getColumnWidths:()=>[],getOnMouseDown:()=>()=>null,setColumnWidth:()=>null,getTableProps:()=>({}),getTableHeaderCellProps:()=>({style:{},columnId:""}),getTableCellProps:()=>({style:{},columnId:""}),enableKeyboardMode:()=>()=>null};function ex(e,t){let r=e.width;return{width:r,minWidth:r,maxWidth:r,...t?{pointerEvents:"none"}:{}}}let ew=e=>e,ek={selection:ee,sort:er,getRows:()=>[],getRowId:()=>"",items:[],columns:[],columnSizing_unstable:ey,tableRef:r.createRef()};var ej=e.i(24830),eB=e.i(23917);let eC=e=>((0,eB.useTabster)(ej.getGroupper),(0,ev.useTabsterAttributes)({groupper:{tabbability:eS(null==e?void 0:e.tabBehavior)},focusable:{ignoreKeydown:null==e?void 0:e.ignoreDefaultKeydown}})),eS=e=>{switch(e){case"unlimited":return ej.GroupperTabbabilities.Unlimited;case"limited":return ej.GroupperTabbabilities.Limited;case"limited-trap-focus":return ej.GroupperTabbabilities.LimitedTrapFocus;default:return}},eN=function(){for(var e=arguments.length,t=Array(e),o=0;o((null==t?void 0:t[ej.TABSTER_ATTRIBUTE_NAME])&&e.push(t[ej.TABSTER_ATTRIBUTE_NAME]),e),[]);return r.useMemo(()=>({[ej.TABSTER_ATTRIBUTE_NAME]:n.length>0?n.reduce(ez):void 0}),n)},ez=(e,t)=>JSON.stringify(Object.assign(eE(e),eE(t))),eE=e=>{try{return JSON.parse(e)}catch(e){return{}}};var eI=e.i(72554);let e_={root:"fui-TableSelectionCell",checkboxIndicator:"fui-TableSelectionCell__checkboxIndicator",radioIndicator:"fui-TableSelectionCell__radioIndicator"},eT=(0,v.__styles)({root:{mc9l5x:"f15pt5es",a9b677:"fksc0bp"}},{d:[".f15pt5es{display:table-cell;}",".fksc0bp{width:44px;}"]}),eA=(0,v.__styles)({root:{mc9l5x:"f22iagw",xawz:0,Bh6795r:0,Bnnss6s:0,fkmc3a:"f1izfyrr",Bf4jedk:"fvrlu0f",B2u0y6b:"f1c71y05",Brf1p80:"f4d9j23"}},{d:[".f22iagw{display:flex;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".fvrlu0f{min-width:44px;}",".f1c71y05{max-width:44px;}",".f4d9j23{justify-content:center;}"]}),eq=(0,v.__styles)({root:{fsow6f:"f17mccla",Huce71:"fz5stix",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1mk8lai",Bfpq7zp:0,g9k6zt:0,Bn4voq9:0,giviqs:"f1dxfoyt",Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f2krc9w"},radioIndicator:{mc9l5x:"f22iagw",Bh6795r:"fqerorx",Bt984gj:"f122n59",Brf1p80:"f4d9j23"},subtle:{abs64n:"fk73vx1",B8a84jv:"f1y7ij6c"},hidden:{abs64n:"fk73vx1"}},{d:[".f17mccla{text-align:center;}",".fz5stix{white-space:nowrap;}",[".f1mk8lai{padding:0;}",{p:-1}],[".f1dxfoyt[data-fui-focus-visible]{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f2krc9w[data-fui-focus-visible]{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f22iagw{display:flex;}",".fqerorx{flex-grow:1;}",".f122n59{align-items:center;}",".f4d9j23{justify-content:center;}",".fk73vx1{opacity:0;}",".f1y7ij6c[data-fui-focus-within]:focus-within{opacity:1;}"]});var eR=e.i(75345),eD=e.i(1152);let eP=(e=>{var t;let o=r.createContext({value:{current:e},version:{current:-1},listeners:[]});return t=o.Provider,o.Provider=e=>{let o=r.useRef(e.value),n=r.useRef(0),l=r.useRef();return l.current||(l.current={value:o,version:n,listeners:[]}),(0,ed.useIsomorphicLayoutEffect)(()=>{o.current=e.value,n.current+=1,(0,eD.unstable_runWithPriority)(eD.unstable_NormalPriority,()=>{l.current.listeners.forEach(t=>{t([n.current,e.value])})})},[e.value]),r.createElement(t,{value:l.current},e.children)},delete o.Consumer,o})(void 0),eM={...ek,subtleSelection:!1,selectableRows:!1,selectionAppearance:"brand",focusMode:"none",compositeRowTabsterAttribute:{}},eF=eP.Provider,eL=e=>((e,t)=>{let{value:{current:o},version:{current:n},listeners:l}=r.useContext(e),a=t(o),[i,s]=r.useState([o,a]),c=e=>{s(r=>{if(!e)return[o,a];if(e[0]<=n)return Object.is(r[1],a)?r:[o,a];try{if(Object.is(r[0],e[1]))return r;let o=t(e[1]);if(Object.is(r[1],o))return r;return[e[1],o]}catch(e){}return[r[0],r[1]]})};Object.is(i[1],a)||c(void 0);let u=(0,G.useEventCallback)(c);return(0,ed.useIsomorphicLayoutEffect)(()=>(l.push(u),()=>{let e=l.indexOf(u);l.splice(e,1)}),[u,l]),i[1]})(eP,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:eM;return e(t)});var eH=e.i(807);let eO={root:"fui-DataGrid"};var eW=e.i(58725);let eV=r.forwardRef((e,t)=>{let o=((e,t)=>{var o,n,l,a;let{items:i,columns:s,focusMode:c="cell",selectionMode:u,onSortChange:d,onSelectionChange:f,defaultSortState:p,sortState:m,selectedItems:g,defaultSelectedItems:v,subtleSelection:h=!1,selectionAppearance:b="brand",getRowId:y,resizableColumns:x,columnSizingOptions:w,onColumnResize:k,containerWidthOffset:j,resizableColumnsOptions:B={}}=e,C=(0,V.useArrowNavigationGroup)({axis:"grid"}),{onTableKeyDown:S,tableTabsterAttribute:N,tableRowTabsterAttribute:z}=function(){let e=(0,V.useArrowNavigationGroup)({axis:"horizontal"}),t=(0,V.useArrowNavigationGroup)({axis:"grid"}),o=eC({tabBehavior:"limited-trap-focus"}),{findFirstFocusable:n}=(0,X.useFocusFinders)(),{targetDocument:l}=(0,ea.useFluent_unstable)(),a=eN(e,o);return{onTableKeyDown:r.useCallback(e=>{if(!l)return;let t=l.activeElement;if(!t||!e.currentTarget.contains(t))return;let r=t.getAttribute("role");if(e.key===K.ArrowRight&&"row"===r&&(0,eI.isHTMLElement)(t)){var o;null==(o=n(t))||o.focus()}if("row"===r)return;let a=(()=>{let e=(0,eI.isHTMLElement)(t)?t:null;for(;e;){let t=e.getAttribute("role");if("cell"===t||"gridcell"===t)return!0;e=e.parentElement}return!1})();if(e.key===K.ArrowLeft&&a)return void t.dispatchEvent(new ej.GroupperMoveFocusEvent({action:ej.GroupperMoveFocusActions.Escape}));(e.key===K.ArrowDown||e.key===K.ArrowUp)&&a&&(t.dispatchEvent(new ej.GroupperMoveFocusEvent({action:ej.GroupperMoveFocusActions.Escape})),(t=l.activeElement)&&t.dispatchEvent(new ej.MoverMoveFocusEvent({key:ej.MoverKeys[e.key]})))},[l,n]),tableTabsterAttribute:t,tableRowTabsterAttribute:a}}(),E=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:[],{items:o,getRowId:n,columns:l}=e,a=r.useCallback(function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:ew;return o.map((t,r)=>{var o;return e({item:t,rowId:null!=(o=null==n?void 0:n(t))?o:r})})},[o,n]),i={getRowId:n,items:o,columns:l,getRows:a,selection:ee,sort:er,columnSizing_unstable:ey,tableRef:r.createRef()};return t.reduce((e,t)=>t(e),i)}({items:i,columns:s,getRowId:y},[(n={defaultSortState:p,sortState:m,onSortChange:d},e=>(function(e,t){let{columns:o}=e,{sortState:n,defaultSortState:l,onSortChange:a=et}=t,[i,s]=(0,Y.useControllableState)({initialState:{sortDirection:"ascending",sortColumn:void 0},defaultState:l,state:n}),{sortColumn:c,sortDirection:u}=i,d=(0,G.useEventCallback)(a),f=r.useCallback((e,t)=>{s(r=>{let o={...r,sortColumn:t};return r.sortColumn===t?o.sortDirection="ascending"===r.sortDirection?"descending":"ascending":o.sortDirection="ascending",null==d||d(e,o),o})},[d,s]),p=r.useCallback(e=>e.slice().sort((e,t)=>{let r=o.find(e=>e.columnId===c);if(!(null==r?void 0:r.compare))return 0;let n="ascending"===u?1:-1;return r.compare(e.item,t.item)*n}),[o,c,u]);return{...e,sort:{sort:p,sortColumn:c,sortDirection:u,setColumnSort:(e,t,r)=>{let o={sortColumn:t,sortDirection:r};null==d||d(e,o),s(o)},toggleColumnSort:f,getSortDirection:e=>c===e?u:void 0}}})(e,n)),(l={defaultSelectedItems:v,selectedItems:g,onSelectionChange:f,selectionMode:null!=u?u:"multiselect"},e=>(function(e,t){let{items:o,getRowId:n}=e,{selectionMode:l,defaultSelectedItems:a,selectedItems:i,onSelectionChange:s}=t,[c,u]=function(e){if("multiselect"===e.selectionMode){let[t,r]=$(e);return[t,{toggleItem:(e,o)=>{let n=new Set(t);t.has(o)?n.delete(o):n.add(o),r(e,n)},selectItem:(e,o)=>{let n=new Set(t);n.add(o),r(e,n)},deselectItem:(e,o)=>{let n=new Set(t);n.delete(o),r(e,n)},clearItems:e=>{r(e,new Set)},isSelected:e=>t.has(e),toggleAllItems:(e,o)=>{let n=o.every(e=>t.has(e)),l=new Set(t);n?l.clear():o.forEach(e=>l.add(e)),r(e,l)}}]}let[t,r]=$(e);return[t,{deselectItem:e=>r(e,new Set),selectItem:(e,t)=>r(e,new Set([t])),toggleAllItems:()=>{},toggleItem:(e,t)=>r(e,new Set([t])),clearItems:e=>r(e,new Set),isSelected:e=>{var r;return null!=(r=t.has(e))&&r}}]}({selectionMode:l,defaultSelectedItems:a,selectedItems:i,onSelectionChange:s}),d=r.useMemo(()=>{let e=new Set;for(let r=0;r{if("single"===l){let e=Array.from(c)[0];return d.has(e)}if(c.size{c.has(t)||(e=!1)}),e},[d,c,l]),p=r.useMemo(()=>{if(c.size<=0)return!1;let e=!1;return d.forEach(t=>{c.has(t)&&(e=!0)}),e},[d,c]),m=(0,G.useEventCallback)(e=>{u.toggleAllItems(e,o.map((e,t)=>{var r;return null!=(r=null==n?void 0:n(e))?r:t}))}),g=(0,G.useEventCallback)((e,t)=>u.toggleItem(e,t)),v=(0,G.useEventCallback)((e,t)=>u.deselectItem(e,t)),h=(0,G.useEventCallback)((e,t)=>u.selectItem(e,t)),b=(0,G.useEventCallback)(e=>u.clearItems(e));return{...e,selection:{selectionMode:l,someRowsSelected:p,allRowsSelected:f,selectedRows:c,toggleRow:g,toggleAllRows:m,clearRows:b,deselectRow:v,selectRow:h,isRowSelected:e=>u.isSelected(e)}}})(e,l)),(a={onColumnResize:k,columnSizingOptions:w,containerWidthOffset:null!=j?j:u?-44:0,autoFitColumns:null==(o=B.autoFitColumns)||o},e=>(function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{columns:o}=e,{width:n,measureElementRef:l}=function(){let[e,t]=r.useState(0),o=r.useRef(void 0),n=r.useRef(null),{targetDocument:l}=(0,ea.useFluent_unstable)(),a=r.useCallback(()=>{var e;t((null==(e=o.current)?void 0:e.getBoundingClientRect().width)||0)},[]),i=r.useCallback(e=>{if(l&&(!e&&n.current&&o.current&&n.current.unobserve(o.current),o.current=void 0,null==e?void 0:e.parentElement)){var t;o.current=e.parentElement,a(),null==(t=n.current)||t.observe(o.current)}},[l,a]);return r.useEffect(()=>{var e,t,r;if(e=l,t=a,n.current=(null==e||null==(r=e.defaultView)?void 0:r.ResizeObserver)?new e.defaultView.ResizeObserver(t):null,o.current&&n.current)return n.current.observe(o.current),()=>{var e;null==(e=n.current)||e.disconnect()}},[a,l]),{width:e,measureElementRef:i}}(),a=function(e,t){let o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:{},{onColumnResize:n,columnSizingOptions:l,autoFitColumns:a=!0}=o,i=r.useMemo(()=>(e,t)=>{switch(t.type){case"CONTAINER_WIDTH_UPDATED":return{...e,containerWidth:t.containerWidth,columnWidthState:a?eg(e.columnWidthState,t.containerWidth):e.columnWidthState};case"COLUMNS_UPDATED":let r=ef(t.columns,e.columnWidthState,e.columnSizingOptions);return{...e,columns:t.columns,columnWidthState:a?eg(r,e.containerWidth):r};case"COLUMN_SIZING_OPTIONS_UPDATED":let o=ef(e.columns,e.columnWidthState,t.columnSizingOptions);return{...e,columnSizingOptions:t.columnSizingOptions,columnWidthState:a?eg(o,e.containerWidth):o};case"SET_COLUMN_WIDTH":let{columnId:n,width:l}=t,{containerWidth:i}=e,s=ep(e.columnWidthState,n),c=[...e.columnWidthState];if(!s)return e;return c=em(c,n,"width",l),c=em(c,n,"idealWidth",l),a&&(c=eg(c,i)),{...e,columnWidthState:c}}},[a]),[s,c]=r.useReducer(i,{columns:e,containerWidth:0,columnWidthState:ef(e,void 0,l),columnSizingOptions:l});(0,ed.useIsomorphicLayoutEffect)(()=>{c({type:"CONTAINER_WIDTH_UPDATED",containerWidth:t})},[t]),(0,ed.useIsomorphicLayoutEffect)(()=>{c({type:"COLUMNS_UPDATED",columns:e})},[e]),(0,ed.useIsomorphicLayoutEffect)(()=>{c({type:"COLUMN_SIZING_OPTIONS_UPDATED",columnSizingOptions:l})},[l]);let u=(0,G.useEventCallback)((e,t)=>{let{width:r}=t,{columnId:o}=t,l=ep(s.columnWidthState,o);l&&(r=Math.max(l.minWidth||0,r),n&&n(e,{columnId:o,width:r}),c({type:"SET_COLUMN_WIDTH",columnId:o,width:r}))});return{getColumnById:r.useCallback(e=>ep(s.columnWidthState,e),[s.columnWidthState]),getColumns:r.useCallback(()=>s.columnWidthState,[s.columnWidthState]),getColumnWidth:r.useCallback(e=>(function(e,t){var r;let o=ep(e,t);return null!=(r=null==o?void 0:o.width)?r:0})(s.columnWidthState,e),[s.columnWidthState]),setColumnWidth:u}}(o,n+((null==t?void 0:t.containerWidthOffset)||0),t),i=function(e){let t=r.useRef(0),o=r.useRef(0),n=r.useRef(void 0),[l,a]=r.useState(!1),{targetDocument:i}=(0,ea.useFluent_unstable)(),{getColumnWidth:s,setColumnWidth:c}=e,u=r.useCallback(e=>{let{clientX:r}=ec(e),l=r-t.current;o.current+=l,n.current&&c(e,{columnId:n.current,width:o.current}),t.current=r},[c]),[d]=(0,eu.useAnimationFrame)(),f=r.useCallback(e=>{d(()=>u(e))},[d,u]),p=r.useCallback(e=>{es(e)&&(null==i||i.removeEventListener("mouseup",p),null==i||i.removeEventListener("mousemove",f)),ei(e)&&(null==i||i.removeEventListener("touchend",p),null==i||i.removeEventListener("touchmove",f)),a(!1)},[f,i]);return{getOnMouseDown:r.useCallback(e=>r=>{if(o.current=s(e),t.current=ec(r).clientX,n.current=e,es(r)){if(r.target!==r.currentTarget||0!==r.button)return;null==i||i.addEventListener("mouseup",p),null==i||i.addEventListener("mousemove",f),a(!0)}ei(r)&&(null==i||i.addEventListener("touchend",p),null==i||i.addEventListener("touchmove",f),a(!0))},[s,f,p,i]),dragging:l}}(a),{toggleInteractiveMode:s,getKeyboardResizingProps:c}=function(e){let[t,o]=r.useState(),n=r.useRef(void 0),{findPrevFocusable:l}=(0,X.useFocusFinders)(),a=r.useRef(e);r.useEffect(()=>{a.current=e},[e]);let[i]=r.useState(()=>new Map),s=(0,G.useEventCallback)(e=>{if(!t)return;let r=a.current.getColumnWidth(t),o=e.getModifierState(eh),n=()=>{e.preventDefault(),e.stopPropagation()};switch(e.key){case K.ArrowLeft:n(),a.current.setColumnWidth(e.nativeEvent,{columnId:t,width:r-(o?20*eb:20)});return;case K.ArrowRight:n(),a.current.setColumnWidth(e.nativeEvent,{columnId:t,width:r+(o?20*eb:20)});return;case K.Space:case K.Enter:case K.Escape:var l,s;n(),null==(s=i.get(t))||null==(l=s.current)||l.blur()}}),c=r.useCallback(e=>{var t,r;o(e),null==(t=n.current)||t.call(n,e,!0);let l=null==(r=i.get(e))?void 0:r.current;l&&(l.setAttribute("tabindex","-1"),l.tabIndex=-1,l.focus())},[i]),u=r.useCallback(()=>{var e,r,a;if(!t)return;null==(e=n.current)||e.call(n,t,!1);let s=null==(r=i.get(t))?void 0:r.current;s&&(null==(a=l(s))||a.focus(),s.removeAttribute("tabindex")),o(void 0)},[t,l,i]),d=r.useCallback(e=>{let t=i.get(e)||r.createRef();return i.set(e,t),t},[i]),f=(0,ev.useTabsterAttributes)({focusable:{ignoreKeydown:{ArrowLeft:!0,ArrowRight:!0}}});return{toggleInteractiveMode:(e,r)=>{n.current=r,t?e&&t!==e?(c(e),o(e)):u():c(e)},columnId:t,getKeyboardResizingProps:r.useCallback((e,r)=>({onKeyDown:s,onBlur:u,ref:d(e),role:"separator","aria-label":"Resize column","aria-valuetext":"".concat(r," pixels"),"aria-hidden":e!==t,tabIndex:e===t?0:void 0,...f}),[t,u,d,s,f])}}(a),{autoFitColumns:u}=t,d=r.useCallback((e,t)=>r=>{r.preventDefault(),r.nativeEvent.stopPropagation(),s(e,t)},[s]),{getColumnById:f,setColumnWidth:p,getColumns:m}=a,{getOnMouseDown:g,dragging:v}=i;return{...e,tableRef:l,columnSizing_unstable:{getOnMouseDown:g,setColumnWidth:(e,t)=>p(void 0,{columnId:e,width:t}),getColumnWidths:m,getTableProps:function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{};return{...e,style:{minWidth:"fit-content",...e.style||{}}}},getTableHeaderCellProps:r.useCallback(e=>{var t;let n=f(e),l=(null==(t=o[o.length-1])?void 0:t.columnId)===e&&u?null:r.createElement(el,{onMouseDown:g(e),onTouchStart:g(e),...c(e,(null==n?void 0:n.width)||0)});return n?{style:ex(n,v),aside:l}:{}},[f,o,v,c,g,u]),getTableCellProps:r.useCallback(e=>{let t=f(e);return t?{style:ex(t)}:{}},[f]),enableKeyboardMode:d}}})(e,{autoFitColumns:!0,...a}))]),I=r.useRef(null),{findFirstFocusable:_,findLastFocusable:T}=(0,X.useFocusFinders)(),A=(0,G.useEventCallback)(t=>{var r,o,n;if(null==(r=e.onKeyDown)||r.call(e,t),"composite"===c&&S(t),I.current&&t.ctrlKey&&!t.defaultPrevented){if(t.key===K.Home){let e=I.current.querySelector('[role="row"]');e&&(null==(o=_(e))||o.focus())}if(t.key===K.End){let e=I.current.querySelectorAll('[role="row"]');e.length&&(null==(n=T(e.item(e.length-1)))||n.focus())}}});return{...(0,U.useTable_unstable)({role:"grid",as:"div",noNativeElements:!0,..."cell"===c&&C,..."composite"===c&&N,...e,onKeyDown:A,...x?E.columnSizing_unstable.getTableProps(e):{}},(0,Z.useMergedRefs)(t,E.tableRef,I)),focusMode:c,tableState:E,selectableRows:!!u,subtleSelection:h,selectionAppearance:b,resizableColumns:x,compositeRowTabsterAttribute:z}})(e,t);return(e=>((0,eH.useTableStyles_unstable)(e),e.root.className=(0,g.mergeClasses)(eO.root,e.root.className)))(o),(0,w.useCustomStyleHook_unstable)("useDataGridStyles_unstable")(o),((e,t)=>r.createElement(eF,{value:t.dataGrid},(0,eR.renderTable_unstable)(e,t)))(o,function(e){let t=(0,eW.useTableContextValues_unstable)(e),{tableState:r,focusMode:o,selectableRows:n,subtleSelection:l,selectionAppearance:a,resizableColumns:i,compositeRowTabsterAttribute:s}=e;return{...t,dataGrid:{...r,focusMode:o,selectableRows:n,subtleSelection:l,selectionAppearance:a,resizableColumns:i,compositeRowTabsterAttribute:s}}}(o))});eV.displayName="DataGrid";var eX=e.i(17304),eU=e.i(2012);let eG=r.createContext(void 0),eZ=()=>{var e;return null!=(e=r.useContext(eG))?e:""},eK=eG.Provider;var eY=e.i(51351);let eJ={root:"fui-DataGridBody"},e$=r.forwardRef((e,t)=>{let r=((e,t)=>{let{sortable:r}=(0,eU.useTableContext)(),o=eL(e=>e.getRows),n=eL(e=>e.sort.sort),l=r?n(o()):o();return{...(0,eX.useTableBody_unstable)({...e,children:null,as:"div"},t),rows:l,renderRow:e.children}})(e,t);return(e=>((0,eY.useTableBodyStyles_unstable)(e),e.root.className=(0,g.mergeClasses)(eJ.root,e.root.className)))(r),(0,w.useCustomStyleHook_unstable)("useDataGridBodyStyles_unstable")(r),(e=>((0,d.assertSlots)(e),(0,u.jsx)(e.root,{children:e.rows.map(t=>(0,u.jsx)(eK,{value:t.rowId,children:e.renderRow(t)},t.rowId))})))(r)});e$.displayName="DataGridBody";var eQ=e.i(70218),e0=e.i(5129),e1=e.i(8517),e5=e.i(36283),e2=e.i(78945),e3=e.i(52536);let e4={root:"fui-DataGridSelectionCell",checkboxIndicator:"fui-DataGridSelectionCell__checkboxIndicator",radioIndicator:"fui-DataGridSelectionCell__radioIndicator"},e6=r.forwardRef((e,t)=>{let r=((e,t)=>{let r=(0,e0.useIsInTableHeader)(),o=eZ(),n=eL(e=>e.subtleSelection),l=eL(e=>r&&"multiselect"===e.selection.selectionMode?!!e.selection.allRowsSelected||!!e.selection.someRowsSelected&&"mixed":e.selection.isRowSelected(o)),a=eL(e=>e.selection.toggleAllRows),i=eL(e=>"multiselect"===e.selection.selectionMode?"checkbox":"radio"),s=(0,G.useEventCallback)(t=>{var o;r&&a(t),null==(o=e.onClick)||o.call(e,t)});return((e,t)=>{let r=(0,e2.useTableCell_unstable)(e,(0,Z.useMergedRefs)(t,(0,e3.useFocusWithin)())),{noNativeElements:o}=(0,eU.useTableContext)(),{type:n="checkbox",checked:l=!1,subtle:a=!1,hidden:i=!1,invisible:s=!1}=e;return{...r,components:{...r.components,checkboxIndicator:e1.Checkbox,radioIndicator:e5.Radio},checkboxIndicator:m.slot.optional(e.checkboxIndicator,{renderByDefault:"checkbox"===n,defaultProps:{checked:e.checked},elementType:e1.Checkbox}),radioIndicator:m.slot.optional(e.radioIndicator,{renderByDefault:"radio"===n,defaultProps:{checked:!!l,input:{name:(0,p.useId)("table-selection-radio")}},elementType:e5.Radio}),type:n,checked:l,noNativeElements:o,subtle:a,hidden:s||i}})({as:"div",role:"gridcell",checked:l,type:i,invisible:r&&"radio"===i,"aria-selected":"mixed"===l?void 0:l,subtle:n,radioIndicator:r?null:void 0,...e,onClick:s},t)})(e,t);return(e=>((e=>{let t=eq(),r={table:eT(),flex:eA()};return e.root.className=(0,g.mergeClasses)(e_.root,t.root,e.noNativeElements?r.flex.root:r.table.root,e.subtle&&!1===e.checked&&t.subtle,e.hidden&&t.hidden,e.root.className),e.checkboxIndicator&&(e.checkboxIndicator.className=(0,g.mergeClasses)(e_.checkboxIndicator,e.checkboxIndicator.className)),e.radioIndicator&&(e.radioIndicator.className=(0,g.mergeClasses)(e_.radioIndicator,t.radioIndicator,e.radioIndicator.className))})(e),e.root.className=(0,g.mergeClasses)(e4.root,e.root.className),e.checkboxIndicator&&(e.checkboxIndicator.className=(0,g.mergeClasses)(e4.checkboxIndicator,e.checkboxIndicator.className)),e.radioIndicator&&(e.radioIndicator.className=(0,g.mergeClasses)(e4.radioIndicator,e.radioIndicator.className))))(r),(0,w.useCustomStyleHook_unstable)("useDataGridSelectionCellStyles_unstable")(r),(e=>((0,d.assertSlots)(e),(0,u.jsxs)(e.root,{children:["checkbox"===e.type&&e.checkboxIndicator&&(0,u.jsx)(e.checkboxIndicator,{}),"radio"===e.type&&e.radioIndicator&&(0,u.jsx)(e.radioIndicator,{})]})))(r)});e6.displayName="DataGridSelectionCell";let e9=r.createContext(void 0),e7=()=>{var e;return null!=(e=r.useContext(e9))?e:""},e8=e9.Provider;var te=e.i(84003);let tt={root:"fui-DataGridRow",selectionCell:"fui-DataGridRow__selectionCell"},tr=(0,v.__styles)({subtleSelection:{Bconypa:"f1jazu75",ff6mpl:"fw60kww"}},{d:[".f1jazu75[data-fui-focus-within]:focus-within .fui-TableSelectionCell{opacity:1;}"],h:[".fw60kww:hover .fui-TableSelectionCell{opacity:1;}"]}),to=r.forwardRef((e,t)=>{let o=((e,t)=>{let o=eZ(),n=(0,e0.useIsInTableHeader)(),l=eL(e=>e.columns),a=eL(e=>e.selectableRows),i=eL(e=>e.selection.isRowSelected(o)),s=eL(e=>e.focusMode),c=eL(e=>e.compositeRowTabsterAttribute),u=eL(e=>!n&&a&&e.selection.isRowSelected(o)?e.selectionAppearance:"none"),d=eL(e=>e.selection.toggleRow),f=(0,G.useEventCallback)(t=>{var r;a&&!n&&d(t,o),null==(r=e.onClick)||r.call(e,t)}),p=(0,G.useEventCallback)(t=>{var r;a&&!n&&t.key===K.Space&&!function(e){if(!(0,eI.isHTMLElement)(e))return!1;let{tagName:t}=e;switch(t){case"BUTTON":case"A":case"INPUT":case"TEXTAREA":return!0}return e.isContentEditable}(t.target)&&(t.preventDefault(),d(t,o)),null==(r=e.onKeyDown)||r.call(e,t)}),g=(0,eQ.useTableRow_unstable)({appearance:u,"aria-selected":a?i:void 0,tabIndex:"row_unstable"!==s&&"composite"!==s||n?void 0:0,..."composite"===s&&!n&&c,...e,onClick:f,onKeyDown:p,children:null,as:"div"},t);return{...g,components:{...g.components,selectionCell:e6},selectionCell:m.slot.optional(e.selectionCell,{renderByDefault:a,elementType:e6}),renderCell:e.children,columnDefs:l,dataGridContextValue:function(){let e=r.useRef(eM);return eL(t=>(e.current=t,null)),e.current}()}})(e,t);return(e=>{let t=eL(e=>e.subtleSelection),r=tr();return(0,te.useTableRowStyles_unstable)(e),e.root.className=(0,g.mergeClasses)(tt.root,e.root.className,t&&r.subtleSelection),e.selectionCell&&(e.selectionCell.className=(0,g.mergeClasses)(tt.selectionCell,e.selectionCell.className))})(o),(0,w.useCustomStyleHook_unstable)("useDataGridRowStyles_unstable")(o),(e=>((0,d.assertSlots)(e),(0,u.jsxs)(e.root,{children:[e.selectionCell&&(0,u.jsx)(e.selectionCell,{}),e.columnDefs.map(t=>(0,u.jsx)(e8,{value:t.columnId,children:e.renderCell(t,e.dataGridContextValue)},t.columnId))]})))(o)});to.displayName="DataGridRow";var tn=e.i(55983),tl=e.i(6903),ta=e.i(9671);let ti={root:"fui-DataGridHeader"},ts=r.forwardRef((e,t)=>{let r=(0,tn.useTableHeader_unstable)({...e,as:"div"},t);return(e=>((0,ta.useTableHeaderStyles_unstable)(e),e.root.className=(0,g.mergeClasses)(ti.root,e.root.className)))(r),(0,w.useCustomStyleHook_unstable)("useDataGridHeaderStyles_unstable")(r),(0,tl.renderTableHeader_unstable)(r)});ts.displayName="DataGridHeader";var tc=e.i(35738),tu=e.i(76365),td=e.i(91058);let tf={root:"fui-DataGridHeaderCell",button:"fui-DataGridHeaderCell__button",sortIcon:"fui-DataGridHeaderCell__sortIcon",aside:"fui-DataGridHeaderCell__aside"},tp=r.forwardRef((e,t)=>{let r=((e,t)=>{let r=e7(),{sortable:o}=(0,eU.useTableContext)(),n=eL(e=>e.sort.toggleColumnSort),l=eL(e=>{let t=!!e.columns.find(e=>e.columnId===r&&e.compare.length>0);return!!o&&t}),a=eL(e=>l?e.sort.getSortDirection(r):void 0),i=eL(e=>e.resizableColumns),s=eL(e=>e.columnSizing_unstable.getTableHeaderCellProps),{focusMode:c=l?"none":"cell"}=e,u=eC({tabBehavior:"limited-trap-focus"}),d=(0,G.useEventCallback)(t=>{var o;l&&n(t,r),null==(o=e.onClick)||o.call(e,t)});return(0,tc.useTableHeaderCell_unstable)({sortable:l,sortDirection:a,as:"div",tabIndex:"none"!==c?0:void 0,..."group"===c&&u,...i?s(r):{},...e,onClick:d},t)})(e,t);return(e=>((0,td.useTableHeaderCellStyles_unstable)(e),e.root.className=(0,g.mergeClasses)(tf.root,e.root.className),e.button&&(e.button.className=(0,g.mergeClasses)(tf.button,e.button.className)),e.sortIcon&&(e.sortIcon.className=(0,g.mergeClasses)(tf.sortIcon,e.sortIcon.className)),e.aside&&(e.aside.className=(0,g.mergeClasses)(tf.aside,e.aside.className))))(r),(0,w.useCustomStyleHook_unstable)("useDataGridHeaderCellStyles_unstable")(r),(0,tu.renderTableHeaderCell_unstable)(r)});tp.displayName="DataGridHeaderCell";var tm=e.i(7654),tg=e.i(66658);let tv={root:"fui-DataGridCell"},th=r.forwardRef((e,t)=>{let r=((e,t)=>{let{focusMode:r="cell"}=e,o=e7(),n=eL(e=>("cell"===e.focusMode||"composite"===e.focusMode)&&"none"!==r),l=eL(e=>e.resizableColumns),a=eL(e=>e.columnSizing_unstable.getTableCellProps),i=eC({tabBehavior:"limited-trap-focus"});return(0,e2.useTableCell_unstable)({as:"div",role:"gridcell",..."group"===r&&i,tabIndex:n?0:void 0,...l?a(o):{},...e},t)})(e,t);return(e=>((0,tg.useTableCellStyles_unstable)(e),e.root.className=(0,g.mergeClasses)(tv.root,e.root.className)))(r),(0,w.useCustomStyleHook_unstable)("useDataGridCellStyles_unstable")(r),(0,tm.renderTableCell_unstable)(r)});th.displayName="DataGridCell";let tb=()=>0,ty=()=>null,tx=()=>null;var tw=e.i(73191);let tk=(e=>{var t;let o=r.createContext({value:{current:e},version:{current:-1},listeners:[]});return t=o.Provider,o.Provider=e=>{let o=r.useRef(e.value),n=r.useRef(0),l=r.useRef();return l.current||(l.current={value:o,version:n,listeners:[]}),(0,ed.useIsomorphicLayoutEffect)(()=>{o.current=e.value,n.current+=1,(0,tw.unstable_runWithPriority)(tw.unstable_NormalPriority,()=>{l.current.listeners.forEach(t=>{t([n.current,e.value])})})},[e.value]),r.createElement(t,{value:l.current},e.children)},delete o.Consumer,o})(void 0),tj={root:"fui-Toolbar"},tB=(0,v.__styles)({root:{mc9l5x:"f22iagw",Bt984gj:"f122n59",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1yqiaad"},vertical:{Beiy3e4:"f1vx9l62",a9b677:"f1acs6jw"},small:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fvz760z"},medium:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1yqiaad"},large:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1ms6bdn"}},{d:[".f22iagw{display:flex;}",".f122n59{align-items:center;}",[".f1yqiaad{padding:4px 8px;}",{p:-1}],".f1vx9l62{flex-direction:column;}",".f1acs6jw{width:fit-content;}",[".fvz760z{padding:0px 4px;}",{p:-1}],[".f1yqiaad{padding:4px 8px;}",{p:-1}],[".f1ms6bdn{padding:4px 20px;}",{p:-1}]]}),tC=r.forwardRef((e,t)=>{let r=((e,t)=>{let{size:r="medium",vertical:o=!1}=e,n=(0,V.useArrowNavigationGroup)({circular:!0,axis:"both"}),l={size:r,vertical:o,components:{root:"div"},root:m.slot.always((0,f.getIntrinsicElementProps)("div",{role:"toolbar",ref:t,...o&&{"aria-orientation":"vertical"},...n,...e}),{elementType:"div"})},[a,i]=(e=>{let[t,r]=(0,Y.useControllableState)({state:e.checkedValues,defaultState:e.defaultCheckedValues,initialState:{}}),{onCheckedValueChange:o}=e;return[t,(0,G.useEventCallback)((e,t)=>{let{name:n,checkedItems:l}=t;o&&o(e,{name:n,checkedItems:l}),r(e=>e?{...e,[n]:l}:{[n]:l})})]})({checkedValues:e.checkedValues,defaultCheckedValues:e.defaultCheckedValues,onCheckedValueChange:e.onCheckedValueChange}),s=(0,G.useEventCallback)((e,t,r,o)=>{if(t&&r){let n=[...(null==a?void 0:a[t])||[]];o?n.splice(n.indexOf(r),1):n.push(r),null==i||i(e,{name:t,checkedItems:n})}}),c=(0,G.useEventCallback)((e,t,r,o)=>{t&&r&&(null==i||i(e,{name:t,checkedItems:[r]}))});return{...l,handleToggleButton:s,handleRadio:c,checkedValues:null!=a?a:{}}})(e,t),o=function(e){let{size:t,handleToggleButton:r,vertical:o,checkedValues:n,handleRadio:l}=e;return{toolbar:{size:t,vertical:o,handleToggleButton:r,handleRadio:l,checkedValues:n}}}(r);return(e=>{let t=tB(),{vertical:r,size:o}=e;return e.root.className=(0,g.mergeClasses)(tj.root,t.root,r&&t.vertical,"small"===o&&!r&&t.small,"medium"===o&&!r&&t.medium,"large"===o&&!r&&t.large,e.root.className)})(r),(0,w.useCustomStyleHook_unstable)("useToolbarStyles_unstable")(r),((e,t)=>((0,d.assertSlots)(e),(0,u.jsx)(tk.Provider,{value:t.toolbar,children:(0,u.jsx)(e.root,{children:e.root.children})})))(r,o)});tC.displayName="Toolbar";var tS=e.i(12628),tN=e.i(69837);let tz=(0,v.__styles)({vertical:{Beiy3e4:"f1vx9l62"},verticalIcon:{Be2twd7:"f1rt2boy",jrapky:0,Frg6f3:0,t21cq0:0,B6of3ja:0,B74szlk:"f1s184ao"}},{d:[".f1vx9l62{flex-direction:column;}",".f1rt2boy{font-size:24px;}",[".f1s184ao{margin:0;}",{p:-1}]]});var tE=e.i(47419);let tI=r.forwardRef((e,t)=>{let r=((e,t)=>{let{vertical:r=!1,...o}=e;return{vertical:r,...(0,tE.useButton_unstable)({appearance:"subtle",...o,size:"medium"},t)}})(e,t);return(e=>{let t=tz();e.root.className=(0,g.mergeClasses)(e.vertical&&t.vertical,e.root.className),e.icon&&(e.icon.className=(0,g.mergeClasses)(e.vertical&&t.verticalIcon,e.icon.className)),(0,tN.useButtonStyles_unstable)(e)})(r),(0,w.useCustomStyleHook_unstable)("useToolbarButtonStyles_unstable")(r),(0,tS.renderButton_unstable)(r)});tI.displayName="ToolbarButton";var t_=e.i(49472),tT=e.i(24330),tA=e.i(66710);function tq(e){let t=(0,tA.useKeyborgRef)(),o=(0,G.useEventCallback)(e);r.useEffect(()=>{let e=t.current;if(e){let t=e=>{o(e)};return e.subscribe(t),t(e.isNavigatingWithKeyboard()),()=>{e.unsubscribe(t)}}},[t,o])}let tR="data-activedescendant",tD="data-activedescendant-focusvisible",tP=e=>{if(!e)return;let t=tM(e.parentElement);if(!t)return;let{offsetHeight:r}=e,o=tF(e,t),{scrollMarginTop:n,scrollMarginBottom:l}=tL(e),{offsetHeight:a,scrollTop:i}=t;o-ni+a&&t.scrollTo(0,o+r+l-a+2)},tM=e=>e?e.scrollHeight>e.offsetHeight?e:tM(e.parentElement):null,tF=(e,t)=>e&&e!==t?e.contains(t)?-1*t.offsetTop:e.offsetTop+tF(e.offsetParent,t):0,tL=e=>{var t,r,o;let n=null==(t=e.ownerDocument)?void 0:t.defaultView;if(!n)return{scrollMarginTop:0,scrollMarginBottom:0};let l=n.getComputedStyle(e);return{scrollMarginTop:null!=(r=tH(l.scrollMarginTop))?r:tH(l.scrollMarginBlockStart),scrollMarginBottom:null!=(o=tH(l.scrollMarginBottom))?o:tH(l.scrollMarginBlockEnd)}},tH=e=>e?parseInt(e,10):0;function tO(e){let{imperativeRef:t,matchOption:o}=e,n=r.useRef(!1),l=r.useRef(!0),a=r.useRef(null),i=r.useRef(null),s=r.useRef(null),c=r.useRef(!0),u=r.useCallback(()=>{var e;null==(e=s.current)||e.removeAttribute("aria-activedescendant")},[]),d=r.useCallback(e=>{if(e&&(a.current=e),c.current&&a.current){var t;null==(t=s.current)||t.setAttribute("aria-activedescendant",a.current)}},[]);tq(e=>{n.current=e;let t=v();t&&(e&&l.current?t.setAttribute(tD,""):t.removeAttribute(tD))});let f=(0,G.useEventCallback)(o),p=r.useRef(null),{optionWalker:m,listboxCallbackRef:g}=function(e){let{matchOption:t}=e,{targetDocument:o}=(0,ea.useFluent_unstable)(),n=r.useRef(null),l=r.useRef(null),a=r.useCallback(e=>(0,eI.isHTMLElement)(e)&&t(e)?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_SKIP,[t]),i=r.useCallback(e=>{e&&o?(l.current=e,n.current=o.createTreeWalker(e,NodeFilter.SHOW_ELEMENT,a)):(l.current=null,n.current=null)},[o,a]);return{optionWalker:r.useMemo(()=>({first:()=>n.current&&l.current?(n.current.currentNode=l.current,n.current.firstChild()):null,last:()=>n.current&&l.current?(n.current.currentNode=l.current,n.current.lastChild()):null,next:()=>n.current?n.current.nextNode():null,prev:()=>n.current?n.current.previousNode():null,find:(e,t)=>{if(!n.current||!l.current)return null;let r=t?null==o?void 0:o.getElementById(t):null;n.current.currentNode=null!=r?r:l.current;let a=n.current.currentNode;for(;a&&!e(a.id);)a=n.current.nextNode();return a},setCurrent:e=>{n.current&&(n.current.currentNode=e)}}),[o]),listboxCallbackRef:i}}({matchOption:f}),v=r.useCallback(()=>{var e;return null==(e=p.current)?void 0:e.querySelector("#".concat(a.current))},[p]),h=r.useCallback(e=>{l.current=e;let t=v();t&&(e&&n.current?t.setAttribute(tD,""):t.removeAttribute(tD))},[v]),b=r.useCallback(()=>{var e;let t=v();return t&&(t.removeAttribute(tR),t.removeAttribute(tD)),u(),i.current=a.current,a.current=null,null!=(e=null==t?void 0:t.id)?e:null},[v,u]),y=r.useCallback(e=>{if(!e)return;let t=b();tP(e),d(e.id),e.setAttribute(tR,""),n.current&&l.current&&e.setAttribute(tD,"");let r=new CustomEvent("activedescendantchange",{bubbles:!0,cancelable:!1,composed:!0,detail:{id:e.id,previousId:t}});e.dispatchEvent(r)},[b,d]),x=r.useMemo(()=>({first:function(){let{passive:e}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=m.first();return e||y(t),null==t?void 0:t.id},last:function(){let{passive:e}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=m.last();return e||y(t),null==t?void 0:t.id},next:function(){let{passive:e}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=v();if(!t)return;m.setCurrent(t);let r=m.next();return e||y(r),null==r?void 0:r.id},prev:function(){let{passive:e}=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},t=v();if(!t)return;m.setCurrent(t);let r=m.prev();return e||y(r),null==r?void 0:r.id},blur:()=>{b()},active:()=>{var e;return null==(e=v())?void 0:e.id},focus:e=>{if(!p.current)return;let t=p.current.querySelector("#".concat(e));t&&y(t)},focusLastActive:()=>{if(!p.current||!i.current)return;let e=p.current.querySelector("#".concat(i.current));if(e)return y(e),!0},find(e){let{passive:t,startFrom:r}=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},o=m.find(e,r);return t||y(o),null==o?void 0:o.id},scrollActiveIntoView:()=>{if(!p.current)return;let e=v();e&&tP(e)},showAttributes(){c.current=!0,d()},hideAttributes(){c.current=!1,u()},showFocusVisibleAttributes(){h(!0)},hideFocusVisibleAttributes(){h(!1)}}),[m,p,d,u,y,b,v,h]);return r.useImperativeHandle(t,()=>x),{listboxRef:(0,Z.useMergedRefs)(p,g),activeParentRef:s,controller:x}}var tW=e.i(67999),tV=e.i(9485);let tX=(e,t)=>!!(null==e?void 0:e.contains(t)),tU="fuiframefocus";var tG=e.i(74080),tZ=e.i(59947);let tK=()=>{let e=r.useRef(new Map),t=r.useMemo(()=>({getCount:()=>e.current.size,getOptionAtIndex:()=>void 0,getIndexOfId:()=>-1,getOptionById:t=>e.current.get(t),getOptionsMatchingText:t=>Array.from(e.current.values()).filter(e=>{let{text:r}=e;return t(r)}),getOptionsMatchingValue:t=>{let r=[];for(let o of e.current.values())t(o.value)&&r.push(o);return r}}),[]),o=r.useCallback(t=>(e.current.set(t.id,t),()=>e.current.delete(t.id)),[]);return{...t,options:Array.from(e.current.values()),registerOption:o}},tY=e=>{let{defaultSelectedOptions:t,multiselect:o,onOptionSelect:n}=e,[l,a]=(0,Y.useControllableState)({state:e.selectedOptions,defaultState:t,initialState:[]});return{clearSelection:e=>{a([]),null==n||n(e,{optionValue:void 0,optionText:void 0,selectedOptions:[]})},selectOption:r.useCallback((e,t)=>{if(t.disabled)return;let r=[t.value];if(o){let e=l.findIndex(e=>e===t.value);r=e>-1?[...l.slice(0,e),...l.slice(e+1)]:[...l,t.value]}a(r),null==n||n(e,{optionValue:t.value,optionText:t.text,selectedOptions:r})},[n,o,l,a]),selectedOptions:l}},tJ={above:{position:"above",align:"center"},"above-start":{position:"above",align:"start"},"above-end":{position:"above",align:"end"},below:{position:"below",align:"center"},"below-start":{position:"below",align:"start"},"below-end":{position:"below",align:"end"},before:{position:"before",align:"center"},"before-top":{position:"before",align:"top"},"before-bottom":{position:"before",align:"bottom"},after:{position:"after",align:"center"},"after-top":{position:"after",align:"top"},"after-bottom":{position:"after",align:"bottom"}};function t$(e){return null==e?{}:"string"==typeof e?tJ[e]:e}var tQ=e.i(14558);let t0="data-popper-is-intersecting",t1="data-popper-escaped",t5="data-popper-reference-hidden",t2="fui-positioningend",t3=["top","right","bottom","left"],t4=Math.min,t6=Math.max,t9=Math.round,t7=e=>({x:e,y:e}),t8={left:"right",right:"left",bottom:"top",top:"bottom"},re={start:"end",end:"start"};function rt(e,t){return"function"==typeof e?e(t):e}function rr(e){return e.split("-")[0]}function ro(e){return e.split("-")[1]}function rn(e){return"x"===e?"y":"x"}function rl(e){return"y"===e?"height":"width"}let ra=new Set(["top","bottom"]);function ri(e){return ra.has(rr(e))?"y":"x"}function rs(e){return e.replace(/start|end/g,e=>re[e])}let rc=["left","right"],ru=["right","left"],rd=["top","bottom"],rf=["bottom","top"];function rp(e){return e.replace(/left|right|bottom|top/g,e=>t8[e])}function rm(e){return"number"!=typeof e?{top:0,right:0,bottom:0,left:0,...e}:{top:e,right:e,bottom:e,left:e}}function rg(e){let{x:t,y:r,width:o,height:n}=e;return{width:o,height:n,top:r,left:t,right:t+o,bottom:r+n,x:t,y:r}}function rv(e,t,r){let o,{reference:n,floating:l}=e,a=ri(t),i=rn(ri(t)),s=rl(i),c=rr(t),u="y"===a,d=n.x+n.width/2-l.width/2,f=n.y+n.height/2-l.height/2,p=n[s]/2-l[s]/2;switch(c){case"top":o={x:d,y:n.y-l.height};break;case"bottom":o={x:d,y:n.y+n.height};break;case"right":o={x:n.x+n.width,y:f};break;case"left":o={x:n.x-l.width,y:f};break;default:o={x:n.x,y:n.y}}switch(ro(t)){case"start":o[i]-=p*(r&&u?-1:1);break;case"end":o[i]+=p*(r&&u?-1:1)}return o}let rh=async(e,t,r)=>{let{placement:o="bottom",strategy:n="absolute",middleware:l=[],platform:a}=r,i=l.filter(Boolean),s=await (null==a.isRTL?void 0:a.isRTL(t)),c=await a.getElementRects({reference:e,floating:t,strategy:n}),{x:u,y:d}=rv(c,o,s),f=o,p={},m=0;for(let r=0;re[t]>=0)}let rw=new Set(["left","top"]);async function rk(e,t){let{placement:r,platform:o,elements:n}=e,l=await (null==o.isRTL?void 0:o.isRTL(n.floating)),a=rr(r),i=ro(r),s="y"===ri(r),c=rw.has(a)?-1:1,u=l&&s?-1:1,d=rt(t,e),{mainAxis:f,crossAxis:p,alignmentAxis:m}="number"==typeof d?{mainAxis:d,crossAxis:0,alignmentAxis:null}:{mainAxis:d.mainAxis||0,crossAxis:d.crossAxis||0,alignmentAxis:d.alignmentAxis};return i&&"number"==typeof m&&(p="end"===i?-1*m:m),s?{x:p*u,y:f*c}:{x:f*c,y:p*u}}function rj(){return"undefined"!=typeof window}function rB(e){return rN(e)?(e.nodeName||"").toLowerCase():"#document"}function rC(e){var t;return(null==e||null==(t=e.ownerDocument)?void 0:t.defaultView)||window}function rS(e){var t;return null==(t=(rN(e)?e.ownerDocument:e.document)||window.document)?void 0:t.documentElement}function rN(e){return!!rj()&&(e instanceof Node||e instanceof rC(e).Node)}function rz(e){return!!rj()&&(e instanceof Element||e instanceof rC(e).Element)}function rE(e){return!!rj()&&(e instanceof HTMLElement||e instanceof rC(e).HTMLElement)}function rI(e){return!!rj()&&"undefined"!=typeof ShadowRoot&&(e instanceof ShadowRoot||e instanceof rC(e).ShadowRoot)}let r_=new Set(["inline","contents"]);function rT(e){let{overflow:t,overflowX:r,overflowY:o,display:n}=rW(e);return/auto|scroll|overlay|hidden|clip/.test(t+o+r)&&!r_.has(n)}let rA=new Set(["table","td","th"]),rq=[":popover-open",":modal"];function rR(e){return rq.some(t=>{try{return e.matches(t)}catch(e){return!1}})}let rD=["transform","translate","scale","rotate","perspective"],rP=["transform","translate","scale","rotate","perspective","filter"],rM=["paint","layout","strict","content"];function rF(e){let t=rL(),r=rz(e)?rW(e):e;return rD.some(e=>!!r[e]&&"none"!==r[e])||!!r.containerType&&"normal"!==r.containerType||!t&&!!r.backdropFilter&&"none"!==r.backdropFilter||!t&&!!r.filter&&"none"!==r.filter||rP.some(e=>(r.willChange||"").includes(e))||rM.some(e=>(r.contain||"").includes(e))}function rL(){return"undefined"!=typeof CSS&&!!CSS.supports&&CSS.supports("-webkit-backdrop-filter","none")}let rH=new Set(["html","body","#document"]);function rO(e){return rH.has(rB(e))}function rW(e){return rC(e).getComputedStyle(e)}function rV(e){return rz(e)?{scrollLeft:e.scrollLeft,scrollTop:e.scrollTop}:{scrollLeft:e.scrollX,scrollTop:e.scrollY}}function rX(e){if("html"===rB(e))return e;let t=e.assignedSlot||e.parentNode||rI(e)&&e.host||rS(e);return rI(t)?t.host:t}function rU(e){return e.parent&&Object.getPrototypeOf(e.parent)?e.frameElement:null}function rG(e){let t=rW(e),r=parseFloat(t.width)||0,o=parseFloat(t.height)||0,n=rE(e),l=n?e.offsetWidth:r,a=n?e.offsetHeight:o,i=t9(r)!==l||t9(o)!==a;return i&&(r=l,o=a),{width:r,height:o,$:i}}function rZ(e){return rz(e)?e:e.contextElement}function rK(e){let t=rZ(e);if(!rE(t))return t7(1);let r=t.getBoundingClientRect(),{width:o,height:n,$:l}=rG(t),a=(l?t9(r.width):r.width)/o,i=(l?t9(r.height):r.height)/n;return a&&Number.isFinite(a)||(a=1),i&&Number.isFinite(i)||(i=1),{x:a,y:i}}let rY=t7(0);function rJ(e){let t=rC(e);return rL()&&t.visualViewport?{x:t.visualViewport.offsetLeft,y:t.visualViewport.offsetTop}:rY}function r$(e,t,r,o){var n;void 0===t&&(t=!1),void 0===r&&(r=!1);let l=e.getBoundingClientRect(),a=rZ(e),i=t7(1);t&&(o?rz(o)&&(i=rK(o)):i=rK(e));let s=(void 0===(n=r)&&(n=!1),o&&(!n||o===rC(a))&&n)?rJ(a):t7(0),c=(l.left+s.x)/i.x,u=(l.top+s.y)/i.y,d=l.width/i.x,f=l.height/i.y;if(a){let e=rC(a),t=o&&rz(o)?rC(o):o,r=e,n=rU(r);for(;n&&o&&t!==r;){let e=rK(n),t=n.getBoundingClientRect(),o=rW(n),l=t.left+(n.clientLeft+parseFloat(o.paddingLeft))*e.x,a=t.top+(n.clientTop+parseFloat(o.paddingTop))*e.y;c*=e.x,u*=e.y,d*=e.x,f*=e.y,c+=l,u+=a,n=rU(r=rC(n))}}return rg({width:d,height:f,x:c,y:u})}function rQ(e,t){let r=rV(e).scrollLeft;return t?t.left+r:r$(rS(e)).left+r}function r0(e,t){let r=e.getBoundingClientRect();return{x:r.left+t.scrollLeft-rQ(e,r),y:r.top+t.scrollTop}}let r1=new Set(["absolute","fixed"]);function r5(e,t,r){let o;if("viewport"===t)o=function(e,t){let r=rC(e),o=rS(e),n=r.visualViewport,l=o.clientWidth,a=o.clientHeight,i=0,s=0;if(n){l=n.width,a=n.height;let e=rL();(!e||e&&"fixed"===t)&&(i=n.offsetLeft,s=n.offsetTop)}let c=rQ(o);if(c<=0){let e=o.ownerDocument,t=e.body,r=getComputedStyle(t),n="CSS1Compat"===e.compatMode&&parseFloat(r.marginLeft)+parseFloat(r.marginRight)||0,a=Math.abs(o.clientWidth-t.clientWidth-n);a<=25&&(l-=a)}else c<=25&&(l+=c);return{width:l,height:a,x:i,y:s}}(e,r);else if("document"===t)o=function(e){let t=rS(e),r=rV(e),o=e.ownerDocument.body,n=t6(t.scrollWidth,t.clientWidth,o.scrollWidth,o.clientWidth),l=t6(t.scrollHeight,t.clientHeight,o.scrollHeight,o.clientHeight),a=-r.scrollLeft+rQ(e),i=-r.scrollTop;return"rtl"===rW(o).direction&&(a+=t6(t.clientWidth,o.clientWidth)-n),{width:n,height:l,x:a,y:i}}(rS(e));else if(rz(t))o=function(e,t){let r=r$(e,!0,"fixed"===t),o=r.top+e.clientTop,n=r.left+e.clientLeft,l=rE(e)?rK(e):t7(1),a=e.clientWidth*l.x,i=e.clientHeight*l.y;return{width:a,height:i,x:n*l.x,y:o*l.y}}(t,r);else{let r=rJ(e);o={x:t.x-r.x,y:t.y-r.y,width:t.width,height:t.height}}return rg(o)}function r2(e){return"static"===rW(e).position}function r3(e,t){if(!rE(e)||"fixed"===rW(e).position)return null;if(t)return t(e);let r=e.offsetParent;return rS(e)===r&&(r=r.ownerDocument.body),r}function r4(e,t){var r;let o=rC(e);if(rR(e))return o;if(!rE(e)){let t=rX(e);for(;t&&!rO(t);){if(rz(t)&&!r2(t))return t;t=rX(t)}return o}let n=r3(e,t);for(;n&&(r=n,rA.has(rB(r)))&&r2(n);)n=r3(n,t);return n&&rO(n)&&r2(n)&&!rF(n)?o:n||function(e){let t=rX(e);for(;rE(t)&&!rO(t);){if(rF(t))return t;if(rR(t))break;t=rX(t)}return null}(e)||o}let r6=async function(e){let t=this.getOffsetParent||r4,r=this.getDimensions,o=await r(e.floating);return{reference:function(e,t,r){let o=rE(t),n=rS(t),l="fixed"===r,a=r$(e,!0,l,t),i={scrollLeft:0,scrollTop:0},s=t7(0);if(o||!o&&!l)if(("body"!==rB(t)||rT(n))&&(i=rV(t)),o){let e=r$(t,!0,l,t);s.x=e.x+t.clientLeft,s.y=e.y+t.clientTop}else n&&(s.x=rQ(n));l&&!o&&n&&(s.x=rQ(n));let c=!n||o||l?t7(0):r0(n,i);return{x:a.left+i.scrollLeft-s.x-c.x,y:a.top+i.scrollTop-s.y-c.y,width:a.width,height:a.height}}(e.reference,await t(e.floating),e.strategy),floating:{x:0,y:0,width:o.width,height:o.height}}},r9={convertOffsetParentRelativeRectToViewportRelativeRect:function(e){let{elements:t,rect:r,offsetParent:o,strategy:n}=e,l="fixed"===n,a=rS(o),i=!!t&&rR(t.floating);if(o===a||i&&l)return r;let s={scrollLeft:0,scrollTop:0},c=t7(1),u=t7(0),d=rE(o);if((d||!d&&!l)&&(("body"!==rB(o)||rT(a))&&(s=rV(o)),rE(o))){let e=r$(o);c=rK(o),u.x=e.x+o.clientLeft,u.y=e.y+o.clientTop}let f=!a||d||l?t7(0):r0(a,s);return{width:r.width*c.x,height:r.height*c.y,x:r.x*c.x-s.scrollLeft*c.x+u.x+f.x,y:r.y*c.y-s.scrollTop*c.y+u.y+f.y}},getDocumentElement:rS,getClippingRect:function(e){let{element:t,boundary:r,rootBoundary:o,strategy:n}=e,l=[..."clippingAncestors"===r?rR(t)?[]:function(e,t){let r=t.get(e);if(r)return r;let o=(function e(t,r,o){var n;void 0===r&&(r=[]),void 0===o&&(o=!0);let l=function e(t){let r=rX(t);return rO(r)?t.ownerDocument?t.ownerDocument.body:t.body:rE(r)&&rT(r)?r:e(r)}(t),a=l===(null==(n=t.ownerDocument)?void 0:n.body),i=rC(l);if(a){let t=rU(i);return r.concat(i,i.visualViewport||[],rT(l)?l:[],t&&o?e(t):[])}return r.concat(l,e(l,[],o))})(e,[],!1).filter(e=>rz(e)&&"body"!==rB(e)),n=null,l="fixed"===rW(e).position,a=l?rX(e):e;for(;rz(a)&&!rO(a);){let t=rW(a),r=rF(a);r||"fixed"!==t.position||(n=null),(l?!r&&!n:!r&&"static"===t.position&&!!n&&r1.has(n.position)||rT(a)&&!r&&function e(t,r){let o=rX(t);return!(o===r||!rz(o)||rO(o))&&("fixed"===rW(o).position||e(o,r))}(e,a))?o=o.filter(e=>e!==a):n=t,a=rX(a)}return t.set(e,o),o}(t,this._c):[].concat(r),o],a=l[0],i=l.reduce((e,r)=>{let o=r5(t,r,n);return e.top=t6(o.top,e.top),e.right=t4(o.right,e.right),e.bottom=t4(o.bottom,e.bottom),e.left=t6(o.left,e.left),e},r5(t,a,n));return{width:i.right-i.left,height:i.bottom-i.top,x:i.left,y:i.top}},getOffsetParent:r4,getElementRects:r6,getClientRects:function(e){return Array.from(e.getClientRects())},getDimensions:function(e){let{width:t,height:r}=rG(e);return{width:t,height:r}},getScale:rK,isElement:rz,isRTL:function(e){return"rtl"===rW(e).direction}},r7=function(e){return void 0===e&&(e={}),{name:"hide",options:e,async fn(t){let{rects:r}=t,{strategy:o="referenceHidden",...n}=rt(e,t);switch(o){case"referenceHidden":{let e=ry(await rb(t,{...n,elementContext:"reference"}),r.reference);return{data:{referenceHiddenOffsets:e,referenceHidden:rx(e)}}}case"escaped":{let e=ry(await rb(t,{...n,altBoundary:!0}),r.floating);return{data:{escapedOffsets:e,escaped:rx(e)}}}default:return{}}}}},r8=function(e){return void 0===e&&(e={}),{options:e,fn(t){let{x:r,y:o,placement:n,rects:l,middlewareData:a}=t,{offset:i=0,mainAxis:s=!0,crossAxis:c=!0}=rt(e,t),u={x:r,y:o},d=ri(n),f=rn(d),p=u[f],m=u[d],g=rt(i,t),v="number"==typeof g?{mainAxis:g,crossAxis:0}:{mainAxis:0,crossAxis:0,...g};if(s){let e="y"===f?"height":"width",t=l.reference[f]-l.floating[e]+v.mainAxis,r=l.reference[f]+l.reference[e]-v.mainAxis;pr&&(p=r)}if(c){var h,b;let e="y"===f?"width":"height",t=rw.has(rr(n)),r=l.reference[d]-l.floating[e]+(t&&(null==(h=a.offset)?void 0:h[d])||0)+(t?0:v.crossAxis),o=l.reference[d]+l.reference[e]+(t?0:(null==(b=a.offset)?void 0:b[d])||0)-(t?v.crossAxis:0);mo&&(m=o)}return{[f]:p,[d]:m}}}},oe=e=>{let t=e&&(e=>"HTML"===e.nodeName?e:e.parentNode||e.host)(e);if(!t)return document.body;switch(t.nodeName){case"HTML":case"BODY":return t.ownerDocument.body;case"#document":return t.body}let{overflow:r,overflowX:o,overflowY:n}=(e=>{var t;if(1!==e.nodeType)return{};let r=null==(t=e.ownerDocument)?void 0:t.defaultView;return r?r.getComputedStyle(e,null):{}})(t);return/(auto|scroll|overlay)/.test(r+n+o)?t:oe(t)};function ot(e){let t=[],r=e;for(;r;){let o=oe(r);if(e.ownerDocument.body===o){t.push(o);break}if("BODY"===o.nodeName&&o!==e.ownerDocument.body)break;t.push(o),r=o}return t}function or(e,t){if("window"===t)return null==e?void 0:e.ownerDocument.documentElement;if("clippingParents"===t)return"clippingAncestors";if("scrollParent"===t){let t=oe(e);return"BODY"===t.nodeName&&(t=null==e?void 0:e.ownerDocument.documentElement),t}return t}function oo(e,t){if("number"==typeof e)return e;let{start:r,end:o,...n}=e,l=t?"end":"start",a=t?"start":"end";return e[l]&&(n.left=e[l]),e[a]&&(n.right=e[a]),n}let on=(e,t,r)=>{let o=((e,t)=>{let r="above"===e||"below"===e,o="top"===t||"bottom"===t;return r&&o||!r&&!o})(t,e)?"center":e,n=t&&(e=>({above:"top",below:"bottom",before:e?"right":"left",after:e?"left":"right"}))(r)[t],l=o&&({start:"start",end:"end",top:"start",bottom:"end",center:void 0})[o];return n&&l?"".concat(n,"-").concat(l):n};function ol(e){let t=e.split("-");return{side:t[0],alignment:t[1]}}let oa="--fui-match-target-size",oi=e=>{let{options:t}=e;return t},os=r.createContext(void 0);function oc(e,t,o){let n=r.useRef(!0),[l]=r.useState(()=>({value:e,callback:t,facade:{get current(){return l.value},set current(value){let e=l.value;if(e!==value){if(l.value=value,o&&n.current)return;l.callback(value,e)}}}}));return(0,ed.useIsomorphicLayoutEffect)(()=>{n.current=!1},[]),l.callback=t,l.facade}function ou(e){let t=r.useContext(e);return!!t.version&&-1!==t.version.current}os.Provider;let od=()=>void 0,of={controller:{active:od,blur:od,find:od,first:od,focus:od,focusLastActive:od,scrollActiveIntoView:od,last:od,next:od,prev:od,showAttributes:od,hideAttributes:od,showFocusVisibleAttributes:od,hideFocusVisibleAttributes:od}},op=r.createContext(void 0),om=op.Provider,og=()=>{var e;return null!=(e=r.useContext(op))?e:of};function ov(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{open:r=!0,multiselect:o=!1}=t,n=e.key,{altKey:l,ctrlKey:a,key:i,metaKey:s}=e;return 1!==i.length||n===K.Space||l||a||s?r?n===K.ArrowUp&&l||n===K.Enter||!o&&n===K.Space?"CloseSelect":o&&n===K.Space?"Select":n===K.Escape?"Close":n===K.ArrowDown?"Next":n===K.ArrowUp?"Previous":n===K.Home?"First":n===K.End?"Last":n===K.PageUp?"PageUp":n===K.PageDown?"PageDown":n===K.Tab?"Tab":"None":n===K.ArrowDown||n===K.ArrowUp||n===K.Enter||n===K.Space?"Open":"None":"Type"}let oh={root:"fui-Option",checkIcon:"fui-Option__checkIcon"},ob=(0,v.__styles)({root:{Bt984gj:"f122n59",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",sj55zd:"f19n0e5",i8kkvl:"f1ufnopg",Bceei9c:"f1k6fduh",mc9l5x:"f22iagw",Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bg96gwp:"f1i3iumi",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fm5eomj",qhf8xq:"f10pi13n",Jwef8y:"f1knas48",Bi91k9c:"feu1g3u",zqbkvg:"fo79ri9",h82x05:["f1osiabc","f1e8le25"],cqj998:"f1yusjty",j3hlsh:["f1e8le25","f1osiabc"],ecr2s2:"fb40n2d",lj723h:"f1g4hkjv",Btxx2vb:"f1lnr2zp",sltcwy:["f1ogfk9z","f1g7j8ec"],dnwvvm:"fiuf46r",Blyvkvs:["f1g7j8ec","f1ogfk9z"]},active:{Bowz1zl:"f11vrvdw",oxogb1:"f17hxjb7",Ix2sn8:"f1dha69c",q7v32p:"f1lm7500",B7cbj04:0,Bewtojm:0,b50fsz:0,B1wzb3v:0,Bqwk70n:0,B37u8z8:0,avt0cx:0,f0sref:0,B9fkznv:0,Be3o27t:0,Bertapg:0,B53xpsf:0,Bsv72rj:0,B39dzdd:0,Btq9bd3:0,Bqfxd14:0,atup0s:"fo7xqb",Fffuxt:0,Bttcd12:0,Beitzug:0,Bqougee:0,B86i8pi:"f1kurthe",Bhijsxg:"fwq15dy",kktds4:"f1pb3wry",Bmau3bo:["ftjv2f4","f1flhb1f"],npektv:["f1flhb1f","ftjv2f4"]},disabled:{sj55zd:"f1s2aq7o",Jwef8y:"f9ql6rf",Bi91k9c:"fvgxktp",zqbkvg:"f185j3qj",h82x05:["f1dligi3","f1vydzie"],cqj998:"fjw1di3",j3hlsh:["f1vydzie","f1dligi3"],ecr2s2:"fgj9um3",lj723h:"f19wldhg",Btxx2vb:"f1ss0kt2",sltcwy:["f1t6oli3","fjy9ci8"],dnwvvm:"fresaxk",Blyvkvs:["fjy9ci8","f1t6oli3"],Bbusuzp:"f1dcs8yz"},selected:{},checkIcon:{Bnnss6s:"fi64zpg",Be2twd7:"fod5ikn",Frg6f3:["f18b9hdq","fn6qj8t"],t21cq0:["f1xk557c","f1h9en5y"],Bcdw1i0:"fd7fpy0",Bo70h7d:"fvc9v3g"},selectedCheck:{Bcdw1i0:"f1022m68"},multiselectCheck:{Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"f1l3cf7o",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"fq9zq91",B7ck84d:"f1ewtqcl",mc9l5x:"f22iagw",Bt984gj:"f122n59",Brf1p80:"f4d9j23",Bkfmm31:"f1w9h62z",Be2twd7:"f1ugzwwg",Bqenvij:"fd461yt",a9b677:"fjw5fx7",Bcdw1i0:"f1022m68"},selectedMultiselectCheck:{De3pzq:"ftywsgz",sj55zd:"fqpbvvt",g2u3we:"f3xi7mh",h3c5rm:["ftovhe4","f1wczvin"],B9xav0g:"f68vbr6",zhjwy3:["f1wczvin","ftovhe4"]},checkDisabled:{sj55zd:"f1s2aq7o",Bbusuzp:"f1dcs8yz"},multiselectCheckDisabled:{g2u3we:"f1r1t4y1",h3c5rm:["fmj8ijw","figx54m"],B9xav0g:"f360ss8",zhjwy3:["figx54m","fmj8ijw"]}},{d:[".f122n59{align-items:center;}",[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f19n0e5{color:var(--colorNeutralForeground1);}",".f1ufnopg{column-gap:var(--spacingHorizontalXS);}",".f1k6fduh{cursor:pointer;}",".f22iagw{display:flex;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",[".fm5eomj{padding:var(--spacingVerticalSNudge) var(--spacingHorizontalS);}",{p:-1}],".f10pi13n{position:relative;}",'.f11vrvdw[data-activedescendant-focusvisible]::after{content:"";}',".f17hxjb7[data-activedescendant-focusvisible]::after{position:absolute;}",".f1dha69c[data-activedescendant-focusvisible]::after{pointer-events:none;}",".f1lm7500[data-activedescendant-focusvisible]::after{z-index:1;}",[".fo7xqb[data-activedescendant-focusvisible]::after{border:2px solid var(--colorStrokeFocus2);}",{p:-2}],[".f1kurthe[data-activedescendant-focusvisible]::after{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fwq15dy[data-activedescendant-focusvisible]::after{top:-2px;}",".f1pb3wry[data-activedescendant-focusvisible]::after{bottom:-2px;}",".ftjv2f4[data-activedescendant-focusvisible]::after{left:-2px;}",".f1flhb1f[data-activedescendant-focusvisible]::after{right:-2px;}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".fi64zpg{flex-shrink:0;}",".fod5ikn{font-size:var(--fontSizeBase400);}",".f18b9hdq{margin-left:calc(var(--spacingHorizontalXXS) * -1);}",".fn6qj8t{margin-right:calc(var(--spacingHorizontalXXS) * -1);}",".f1xk557c{margin-right:var(--spacingHorizontalXXS);}",".f1h9en5y{margin-left:var(--spacingHorizontalXXS);}",".fd7fpy0{visibility:hidden;}",".fvc9v3g svg{display:block;}",".f1022m68{visibility:visible;}",[".f1l3cf7o{border:var(--strokeWidthThin) solid var(--colorNeutralStrokeAccessible);}",{p:-2}],[".fq9zq91{border-radius:var(--borderRadiusSmall);}",{p:-1}],".f1ewtqcl{box-sizing:border-box;}",".f4d9j23{justify-content:center;}",".f1w9h62z{fill:currentColor;}",".f1ugzwwg{font-size:12px;}",".fd461yt{height:16px;}",".fjw5fx7{width:16px;}",".ftywsgz{background-color:var(--colorCompoundBrandBackground);}",".fqpbvvt{color:var(--colorNeutralForegroundInverted);}",".f3xi7mh{border-top-color:var(--colorCompoundBrandBackground);}",".ftovhe4{border-right-color:var(--colorCompoundBrandBackground);}",".f1wczvin{border-left-color:var(--colorCompoundBrandBackground);}",".f68vbr6{border-bottom-color:var(--colorCompoundBrandBackground);}",".f1r1t4y1{border-top-color:var(--colorNeutralForegroundDisabled);}",".fmj8ijw{border-right-color:var(--colorNeutralForegroundDisabled);}",".figx54m{border-left-color:var(--colorNeutralForegroundDisabled);}",".f360ss8{border-bottom-color:var(--colorNeutralForegroundDisabled);}"],h:[".f1knas48:hover{background-color:var(--colorNeutralBackground1Hover);}",".feu1g3u:hover{color:var(--colorNeutralForeground1Hover);}",".fo79ri9:hover .fui-Option__checkIcon{border-top-color:var(--colorNeutralForeground1Hover);}",".f1osiabc:hover .fui-Option__checkIcon{border-right-color:var(--colorNeutralForeground1Hover);}",".f1e8le25:hover .fui-Option__checkIcon{border-left-color:var(--colorNeutralForeground1Hover);}",".f1yusjty:hover .fui-Option__checkIcon{border-bottom-color:var(--colorNeutralForeground1Hover);}",".f9ql6rf:hover{background-color:var(--colorTransparentBackground);}",".fvgxktp:hover{color:var(--colorNeutralForegroundDisabled);}",".f185j3qj:hover .fui-Option__checkIcon{border-top-color:var(--colorNeutralForegroundDisabled);}",".f1dligi3:hover .fui-Option__checkIcon{border-right-color:var(--colorNeutralForegroundDisabled);}",".f1vydzie:hover .fui-Option__checkIcon{border-left-color:var(--colorNeutralForegroundDisabled);}",".fjw1di3:hover .fui-Option__checkIcon{border-bottom-color:var(--colorNeutralForegroundDisabled);}"],a:[".fb40n2d:active{background-color:var(--colorNeutralBackground1Pressed);}",".f1g4hkjv:active{color:var(--colorNeutralForeground1Pressed);}",".f1lnr2zp:active .fui-Option__checkIcon{border-top-color:var(--colorNeutralForeground1Hover);}",".f1ogfk9z:active .fui-Option__checkIcon{border-right-color:var(--colorNeutralForeground1Hover);}",".f1g7j8ec:active .fui-Option__checkIcon{border-left-color:var(--colorNeutralForeground1Hover);}",".fiuf46r:active .fui-Option__checkIcon{border-bottom-color:var(--colorNeutralForeground1Hover);}",".fgj9um3:active{background-color:var(--colorTransparentBackground);}",".f19wldhg:active{color:var(--colorNeutralForegroundDisabled);}",".f1ss0kt2:active .fui-Option__checkIcon{border-top-color:var(--colorNeutralForegroundDisabled);}",".f1t6oli3:active .fui-Option__checkIcon{border-right-color:var(--colorNeutralForegroundDisabled);}",".fjy9ci8:active .fui-Option__checkIcon{border-left-color:var(--colorNeutralForegroundDisabled);}",".fresaxk:active .fui-Option__checkIcon{border-bottom-color:var(--colorNeutralForegroundDisabled);}"],m:[["@media (forced-colors: active){.f1dcs8yz{color:GrayText;}}",{m:"(forced-colors: active)"}]]});var oy=e.i(16868);let ox=e=>{var t;let o=r.createContext({value:{current:e},version:{current:-1},listeners:[]});return t=o.Provider,o.Provider=e=>{let o=r.useRef(e.value),n=r.useRef(0),l=r.useRef();return l.current||(l.current={value:o,version:n,listeners:[]}),(0,ed.useIsomorphicLayoutEffect)(()=>{o.current=e.value,n.current+=1,(0,oy.unstable_runWithPriority)(oy.unstable_NormalPriority,()=>{l.current.listeners.forEach(t=>{t([n.current,e.value])})})},[e.value]),r.createElement(t,{value:l.current},e.children)},delete o.Consumer,o},ow={activeOption:void 0,focusVisible:!1,multiselect:!1,getOptionById(){},getOptionsMatchingValue:()=>[],registerOption:()=>()=>void 0,selectedOptions:[],onOptionClick(){},onActiveDescendantChange(){},selectOption(){},setActiveOption(){}},ok=ox(void 0),oj=e=>((e,t)=>{let{value:{current:o},version:{current:n},listeners:l}=r.useContext(e),a=t(o),[i,s]=r.useState([o,a]),c=e=>{s(r=>{if(!e)return[o,a];if(e[0]<=n)return Object.is(r[1],a)?r:[o,a];try{if(Object.is(r[0],e[1]))return r;let o=t(e[1]);if(Object.is(r[1],o))return r;return[e[1],o]}catch(e){}return[r[0],r[1]]})};Object.is(i[1],a)||c(void 0);let u=(0,G.useEventCallback)(c);return(0,ed.useIsomorphicLayoutEffect)(()=>(l.push(u),()=>{let e=l.indexOf(u);l.splice(e,1)}),[u,l]),i[1]})(ok,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:ow;return e(t)});ok.Provider;let oB={activeOption:void 0,focusVisible:!1,setActiveOption:()=>null},oC={root:"fui-Listbox"},oS=(0,v.__styles)({root:{De3pzq:"fxugw4r",B7ck84d:"f1ewtqcl",mc9l5x:"f22iagw",Beiy3e4:"f1vx9l62",Bf4jedk:"f3hsy1e",Bmxbyg5:"f5zp4f",Bw0xxkn:0,oeaueh:0,Bpd4iqm:0,Befb4lg:"f1iepc6i",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1t35pdg",Belr9w4:"fiut8dr"}},{d:[".fxugw4r{background-color:var(--colorNeutralBackground1);}",".f1ewtqcl{box-sizing:border-box;}",".f22iagw{display:flex;}",".f1vx9l62{flex-direction:column;}",".f3hsy1e{min-width:160px;}",".f5zp4f{overflow-y:auto;}",[".f1iepc6i{outline:1px solid var(--colorTransparentStroke);}",{p:-1}],[".f1t35pdg{padding:var(--spacingHorizontalXS);}",{p:-1}],".fiut8dr{row-gap:var(--spacingHorizontalXXS);}"]}),oN=r.forwardRef((e,t)=>{let o=((e,t)=>{let{multiselect:o,disableAutoFocus:n=!1}=e,l=tK(),{listboxRef:a,activeParentRef:i,controller:s}=tO({matchOption:e=>e.classList.contains(oh.root)}),c=ou(ok),u=oj(e=>e.onActiveDescendantChange),d=oj(e=>e.getOptionById),p=oj(e=>e.getOptionsMatchingValue),g=c?d:l.getOptionById,v=c?p:l.getOptionsMatchingValue,h=r.useMemo(()=>{let e=null,t=e=>{null==u||u(e)};return r=>{if(!r){null==e||e.removeEventListener("activedescendantchange",t);return}(e=r).addEventListener("activedescendantchange",t)}},[u]),[b,y]=r.useState(!1);tq(y);let x=og(),w=!!r.useContext(op),k=w?x.controller:s,{clearSelection:j,selectedOptions:B,selectOption:C}=tY(e),S=oj(e=>e.selectedOptions),N=oj(e=>e.selectOption),z=c?{selectedOptions:S,selectOption:N,...oB}:{selectedOptions:B,selectOption:C,...oB};r.useEffect(()=>{if(!w){if(k.hideFocusVisibleAttributes(),!n)if(!o&&z.selectedOptions.length>0){let e=v(e=>e===z.selectedOptions[0]).pop();(null==e?void 0:e.id)&&k.focus(e.id)}else k.first();return()=>{k.blur()}}},[]);let E=r.useCallback(()=>{!w&&(k.showFocusVisibleAttributes(),b&&k.scrollActiveIntoView())},[k,w,b]),I=r.useCallback(()=>{w||k.hideFocusVisibleAttributes()},[k,w]),_={components:{root:"div"},root:m.slot.always((0,f.getIntrinsicElementProps)("div",{ref:(0,Z.useMergedRefs)(t,i,a,h),role:o?"menu":"listbox",tabIndex:0,...e}),{elementType:"div"}),standalone:!c,multiselect:o,clearSelection:j,activeDescendantController:k,onActiveDescendantChange:u,...l,...z};return _.root.onKeyDown=(0,G.useEventCallback)((0,tV.mergeCallbacks)(_.root.onKeyDown,e=>{let t=ov(e,{open:!0}),r=k.active(),o=r?g(r):null;switch(t){case"First":case"Last":case"Next":case"Previous":case"PageDown":case"PageUp":case"CloseSelect":case"Select":e.preventDefault()}switch(t){case"Next":o?k.next():k.first();break;case"Previous":o?k.prev():k.first();break;case"PageUp":case"First":k.first();break;case"PageDown":case"Last":k.last();break;case"Select":case"CloseSelect":o&&C(e,o)}})),_.root.onFocus=(0,G.useEventCallback)((0,tV.mergeCallbacks)(_.root.onFocus,E)),_.root.onBlur=(0,G.useEventCallback)((0,tV.mergeCallbacks)(_.root.onBlur,I)),_})(e,t),n=function(e){let t=ou(ok),{getOptionById:o,getOptionsMatchingValue:n,multiselect:l,registerOption:a,selectedOptions:i,selectOption:s,activeDescendantController:c}=e,u=oj(e=>e.registerOption),d=oj(e=>e.onOptionClick);return{listbox:{activeOption:void 0,focusVisible:!1,getOptionById:o,getOptionsMatchingValue:n,multiselect:l,registerOption:t?u:a,selectedOptions:i,selectOption:s,setActiveOption:()=>void 0,onOptionClick:d,onActiveDescendantChange:oj(e=>e.onActiveDescendantChange)},activeDescendant:r.useMemo(()=>({controller:c}),[c])}}(o);return(e=>{let t=oS();return e.root.className=(0,g.mergeClasses)(oC.root,t.root,e.root.className)})(o),(0,w.useCustomStyleHook_unstable)("useListboxStyles_unstable")(o),((e,t)=>((0,d.assertSlots)(e),(0,u.jsx)(om,{value:t.activeDescendant,children:(0,u.jsx)(ok.Provider,{value:t.listbox,children:(0,u.jsx)(e.root,{})})})))(o,n)});oN.displayName="Listbox";var oz=e.i(63350),oE=e.i(69020);function oI(e,t){e&&Object.assign(e,{_virtual:{parent:t}})}var o_=e.i(89267),o_=o_;let oT=r.createContext(void 0);oT.Provider;var oA=e.i(76865);let oq=(0,v.__styles)({root:{qhf8xq:"f1euv43f",Bhzewxz:"f15twtuk",oyh7mz:["f1vgc2s3","f1e31b4d"],j35jbq:["f1e31b4d","f1vgc2s3"],Bj3rh1h:"f494woh"}},{d:[".f1euv43f{position:absolute;}",".f15twtuk{top:0;}",".f1vgc2s3{left:0;}",".f1e31b4d{right:0;}",".f494woh{z-index:1000000;}"]}),oR=r.useInsertionEffect,oD=()=>{let e;return{get:function(t,r){return e||r&&(e=t.ownerDocument.createElement("div"),t.appendChild(e)),e},dispose:function(){e&&(e.remove(),e=void 0)}}},oP=oR?e=>{let{className:t,dir:o,focusVisibleRef:n,targetNode:l}=e,[a]=r.useState(oD),i=r.useMemo(()=>void 0===l||e.disabled?null:new Proxy({},{get(e,t){if("nodeType"===t)return Node.ELEMENT_NODE;if("remove"===t){let e=a.get(l,!1);return e&&0===e.childNodes.length&&a.dispose(),()=>{}}let r=a.get(l,!0),o=r?r[t]:void 0;return"function"==typeof o?o.bind(r):o},set(e,t,r){let o="_virtual"===t||"focusVisible"===t,n=o?a.get(l,!1):a.get(l,!0);return!!o&&!n||!!n&&(Object.assign(n,{[t]:r}),!0)}}),[a,l,e.disabled]);return oR(()=>{if(!i)return;let e=t.split(" ").filter(Boolean);return i.classList.add(...e),i.setAttribute("dir",o),i.setAttribute("data-portal-node","true"),n.current=i,()=>{i.classList.remove(...e),i.removeAttribute("dir")}},[t,o,i,n]),r.useEffect(()=>()=>{null==i||i.remove()},[i]),i}:e=>{let{className:t,dir:o,focusVisibleRef:n,targetNode:l}=e,a=r.useMemo(()=>{if(void 0===l||e.disabled)return null;let t=l.ownerDocument.createElement("div");return l.appendChild(t),t},[l,e.disabled]);return r.useMemo(()=>{a&&(a.className=t,a.setAttribute("dir",o),a.setAttribute("data-portal-node","true"),n.current=a)},[t,o,a,n]),r.useEffect(()=>()=>{null==a||a.remove()},[a]),a},oM=e=>(e=>r.createElement("span",{hidden:!0,ref:e.virtualParentRootRef},e.mountNode&&tG.createPortal(r.createElement(r.Fragment,null,e.children,r.createElement("span",{hidden:!0})),e.mountNode)))((e=>{let{element:t,className:o}=function(e){return(0,eI.isHTMLElement)(e)?{element:e}:"object"==typeof e?null===e?{element:null}:e:{}}(e.mountNode),n=r.useRef(null),l=(e=>{let{targetDocument:t,dir:o}=(0,ea.useFluent_unstable)(),n=r.useContext(oT),l=(0,oA.useFocusVisible)(),a=oq(),i=(0,o_.useThemeClassName)();return oP({dir:o,disabled:e.disabled,focusVisibleRef:l,className:(0,g.mergeClasses)(i,a.root,e.className),targetNode:null!=n?n:null==t?void 0:t.body})})({disabled:!!t,className:o}),a=null!=t?t:l,i={children:e.children,mountNode:a,virtualParentRootRef:n};return r.useEffect(()=>{if(!a)return;let e=n.current,t=a.contains(e);if(e&&!t)return oI(a,e),()=>{oI(a,void 0)}},[n,a]),i})(e));oM.displayName="Portal";let oF=ox({activeOption:void 0,appearance:"outline",focusVisible:!1,open:!1,registerOption:()=>()=>void 0,selectedOptions:[],selectOption(){},setActiveOption(){},setOpen(){},size:"medium"});oF.Provider;var oL=e.i(21982);let oH={root:"fui-Dropdown",button:"fui-Dropdown__button",clearButton:"fui-Dropdown__clearButton",expandIcon:"fui-Dropdown__expandIcon",listbox:"fui-Dropdown__listbox"},oO=(0,v.__styles)({root:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",B7ck84d:"f1ewtqcl",mc9l5x:"ftuwxu6",Bf4jedk:"f1exfvgq",qhf8xq:"f10pi13n",ha4doy:"fmrv4ls",Bbr2w1p:"f14a1fxs",Bduesf4:"f3e99gv",Bpq79vn:"fhljsf7",li1rpt:"f1gw3sf2",Bsft5z2:"f13zj6fq",E3zdtr:"f1mdlcz9",Eqx8gd:["f1a7op3","f1cjjd47"],By385i5:"f1gboi2j",B1piin3:["f1cjjd47","f1a7op3"],Dlnsje:"ffyw7fx",d9w3h3:["f1kp91vd","f1ibwz09"],B3778ie:["f1ibwz09","f1kp91vd"],B1q35kw:0,Bw17bha:0,Bcgy8vk:0,Bjuhk93:"f1mnjydx",Gjdm7m:"f13evtba",b1kco5:"f1yk9hq",Ba2ppi3:"fhwpy7i",F2fol1:"f14ee0xe",lck23g:"f1xhbsuh",df92cz:"fv8e3ye",I188md:"ftb5wc6",umuwi5:"fjw5xc1",Blcqepd:"f1xdyd5c",nplu4u:"fatpbeo",Bioka5o:"fb7uyps",H713fs:"f1cmft4k",B9ooomg:"f1x58t8o",Bercvud:"f1ibeo51",Bz04dq9:"f132nw8t",Budl3uf:"f1htdosj"},listbox:{B7ck84d:"f1ewtqcl",E5pizo:"f1hg901r",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",Bxyxcbc:"fmmk62d"},listboxCollapsed:{mc9l5x:"fjseox"},inlineListbox:{Bj3rh1h:"f19g0ac"},button:{Bt984gj:"f122n59",De3pzq:"f1c21dwh",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"f3bhgqh",B7ck84d:"f1ewtqcl",sj55zd:"f19n0e5",i8kkvl:"f14mj54c",Bceei9c:"f1k6fduh",mc9l5x:"f13qh94s",Bahqtrf:"fk6fouc",Budl1dq:"f12nh0o2",Brf1p80:"f1869bpl",fsow6f:["f1o700av","fes3tcz"],a9b677:"fly5x3f",Brovlpu:"ftqa4ok"},placeholder:{sj55zd:"fxc4j92"},small:{Bahqtrf:"fk6fouc",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:["fye6m5k","f3cq2dl"]},medium:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:["f14ev680","f58uxzw"]},large:{i8kkvl:"f1rjii52",Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"figsok6",Bg96gwp:"faaz57k",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:["f139mn7i","f1v3q0m"]},outline:{De3pzq:"fxugw4r",Bgfg5da:0,B9xav0g:"f1c1zstj",oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"fhz96rm"},outlineInteractive:{Bgoe8wy:"fvcxoqz",Bwzppfd:["f1ub3y4t","f1m52nbi"],oetu4i:"f1l4zc64",gg5e9n:["f1m52nbi","f1ub3y4t"],B6oc9vd:"fvs00aa",ak43y8:["f1assf6x","f4ruux4"],wmxk5l:"f1z0osm6",B50zh58:["f4ruux4","f1assf6x"],Bvq3b66:"f1b473iu",Brahy3i:["f381qr8","ft4skwv"],zoxjo1:"f1qzcrsd",an54nd:["ft4skwv","f381qr8"]},underline:{De3pzq:"f1c21dwh",B9xav0g:0,oivjwe:0,Bn0qgzm:0,Bgfg5da:"f9ez7ne",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"fokr779"},"filled-lighter":{De3pzq:"fxugw4r",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"fs2rfia"},"filled-darker":{De3pzq:"f16xq7d1",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"fs2rfia"},invalid:{tvckwq:"fs4k3qj",gk2u95:["fcee079","fmyw78r"],hhx65j:"f1fgmyf4",Bxowmz0:["fmyw78r","fcee079"]},invalidUnderline:{hhx65j:"f1fgmyf4"},disabled:{Bceei9c:"fdrzuqr",De3pzq:"f1c21dwh",g2u3we:"f1jj8ep1",h3c5rm:["f15xbau","fy0fskl"],B9xav0g:"f4ikngz",zhjwy3:["fy0fskl","f15xbau"],Bjwas2f:"fg455y9",Bn1d65q:["f1rvyvqg","f14g86mu"],Bxeuatn:"f1cwzwz",n51gp8:["f14g86mu","f1rvyvqg"]},disabledText:{sj55zd:"f1s2aq7o",Bceei9c:"fdrzuqr"},hidden:{mc9l5x:"fjseox"}},{d:[[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f1ewtqcl{box-sizing:border-box;}",".ftuwxu6{display:inline-flex;}",".f1exfvgq{min-width:250px;}",".f10pi13n{position:relative;}",".fmrv4ls{vertical-align:middle;}",".f1gw3sf2::after{box-sizing:border-box;}",'.f13zj6fq::after{content:"";}',".f1mdlcz9::after{position:absolute;}",".f1a7op3::after{left:-1px;}",".f1cjjd47::after{right:-1px;}",".f1gboi2j::after{bottom:-1px;}",".ffyw7fx::after{height:max(var(--strokeWidthThick), var(--borderRadiusMedium));}",".f1kp91vd::after{border-bottom-left-radius:var(--borderRadiusMedium);}",".f1ibwz09::after{border-bottom-right-radius:var(--borderRadiusMedium);}",[".f1mnjydx::after{border-bottom:var(--strokeWidthThick) solid var(--colorCompoundBrandStroke);}",{p:-1}],".f13evtba::after{clip-path:inset(calc(100% - 2px) 0 0 0);}",".f1yk9hq::after{transform:scaleX(0);}",".fhwpy7i::after{transition-property:transform;}",".f14ee0xe::after{transition-duration:var(--durationUltraFast);}",".f1xhbsuh::after{transition-delay:var(--curveAccelerateMid);}",".f1hg901r{box-shadow:var(--shadow16);}",[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fmmk62d{max-height:80vh;}",".fjseox{display:none;}",".f19g0ac{z-index:1;}",".f122n59{align-items:center;}",".f1c21dwh{background-color:var(--colorTransparentBackground);}",[".f3bhgqh{border:none;}",{p:-2}],".f19n0e5{color:var(--colorNeutralForeground1);}",".f14mj54c{column-gap:var(--spacingHorizontalXXS);}",".f1k6fduh{cursor:pointer;}",".f13qh94s{display:grid;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".f12nh0o2{grid-template-columns:[content] 1fr [icon] auto [end];}",".f1869bpl{justify-content:space-between;}",".f1o700av{text-align:left;}",".fes3tcz{text-align:right;}",".fly5x3f{width:100%;}",".fxc4j92{color:var(--colorNeutralForeground4);}",".fy9rknc{font-size:var(--fontSizeBase200);}",".figsok6{font-weight:var(--fontWeightRegular);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",[".fye6m5k{padding:3px var(--spacingHorizontalSNudge) 3px calc(var(--spacingHorizontalSNudge) + var(--spacingHorizontalXXS));}",{p:-1}],[".f3cq2dl{padding:3px calc(var(--spacingHorizontalSNudge) + var(--spacingHorizontalXXS)) 3px var(--spacingHorizontalSNudge);}",{p:-1}],".fkhj508{font-size:var(--fontSizeBase300);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",[".f14ev680{padding:5px var(--spacingHorizontalMNudge) 5px calc(var(--spacingHorizontalMNudge) + var(--spacingHorizontalXXS));}",{p:-1}],[".f58uxzw{padding:5px calc(var(--spacingHorizontalMNudge) + var(--spacingHorizontalXXS)) 5px var(--spacingHorizontalMNudge);}",{p:-1}],".f1rjii52{column-gap:var(--spacingHorizontalSNudge);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".faaz57k{line-height:var(--lineHeightBase400);}",[".f139mn7i{padding:7px var(--spacingHorizontalM) 7px calc(var(--spacingHorizontalM) + var(--spacingHorizontalSNudge));}",{p:-1}],[".f1v3q0m{padding:7px calc(var(--spacingHorizontalM) + var(--spacingHorizontalSNudge)) 7px var(--spacingHorizontalM);}",{p:-1}],".fxugw4r{background-color:var(--colorNeutralBackground1);}",[".fhz96rm{border:var(--strokeWidthThin) solid var(--colorNeutralStroke1);}",{p:-2}],".f1c1zstj{border-bottom-color:var(--colorNeutralStrokeAccessible);}",[".f9ez7ne{border-bottom:var(--strokeWidthThin) solid var(--colorNeutralStrokeAccessible);}",{p:-1}],[".fokr779{border-radius:0;}",{p:-1}],[".fs2rfia{border:var(--strokeWidthThin) solid transparent;}",{p:-2}],".f16xq7d1{background-color:var(--colorNeutralBackground3);}",[".fs2rfia{border:var(--strokeWidthThin) solid transparent;}",{p:-2}],".fs4k3qj:not(:focus-within),.fs4k3qj:hover:not(:focus-within){border-top-color:var(--colorPaletteRedBorder2);}",".fcee079:not(:focus-within),.fcee079:hover:not(:focus-within){border-right-color:var(--colorPaletteRedBorder2);}",".fmyw78r:not(:focus-within),.fmyw78r:hover:not(:focus-within){border-left-color:var(--colorPaletteRedBorder2);}",".f1fgmyf4:not(:focus-within),.f1fgmyf4:hover:not(:focus-within){border-bottom-color:var(--colorPaletteRedBorder2);}",".fdrzuqr{cursor:not-allowed;}",".f1jj8ep1{border-top-color:var(--colorNeutralStrokeDisabled);}",".f15xbau{border-right-color:var(--colorNeutralStrokeDisabled);}",".fy0fskl{border-left-color:var(--colorNeutralStrokeDisabled);}",".f4ikngz{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}"],w:[".f14a1fxs:focus-within{outline-width:2px;}",".f3e99gv:focus-within{outline-style:solid;}",".fhljsf7:focus-within{outline-color:transparent;}",".fjw5xc1:focus-within::after{transform:scaleX(1);}",".f1xdyd5c:focus-within::after{transition-property:transform;}",".fatpbeo:focus-within::after{transition-duration:var(--durationNormal);}",".fb7uyps:focus-within::after{transition-delay:var(--curveDecelerateMid);}",".f1ibeo51:focus-within:active::after{border-bottom-color:var(--colorCompoundBrandStrokePressed);}",".f1b473iu:focus-within{border-top-color:var(--colorNeutralStroke1Pressed);}",".f381qr8:focus-within{border-right-color:var(--colorNeutralStroke1Pressed);}",".ft4skwv:focus-within{border-left-color:var(--colorNeutralStroke1Pressed);}",".f1qzcrsd:focus-within{border-bottom-color:var(--colorNeutralStrokeAccessiblePressed);}"],m:[["@media screen and (prefers-reduced-motion: reduce){.fv8e3ye::after{transition-duration:0.01ms;}}",{m:"screen and (prefers-reduced-motion: reduce)"}],["@media screen and (prefers-reduced-motion: reduce){.ftb5wc6::after{transition-delay:0.01ms;}}",{m:"screen and (prefers-reduced-motion: reduce)"}],["@media screen and (prefers-reduced-motion: reduce){.f1cmft4k:focus-within::after{transition-duration:0.01ms;}}",{m:"screen and (prefers-reduced-motion: reduce)"}],["@media screen and (prefers-reduced-motion: reduce){.f1x58t8o:focus-within::after{transition-delay:0.01ms;}}",{m:"screen and (prefers-reduced-motion: reduce)"}],["@media (forced-colors: active){.fg455y9{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f14g86mu{border-left-color:GrayText;}.f1rvyvqg{border-right-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1cwzwz{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}]],t:["@supports selector(:has(*)){.f132nw8t:has(.fui-Dropdown__clearButton:focus)::after{border-bottom-color:initial;}}","@supports selector(:has(*)){.f1htdosj:has(.fui-Dropdown__clearButton:focus)::after{transform:scaleX(0);}}"],f:[".ftqa4ok:focus{outline-style:none;}"],h:[".fvcxoqz:hover{border-top-color:var(--colorNeutralStroke1Hover);}",".f1ub3y4t:hover{border-right-color:var(--colorNeutralStroke1Hover);}",".f1m52nbi:hover{border-left-color:var(--colorNeutralStroke1Hover);}",".f1l4zc64:hover{border-bottom-color:var(--colorNeutralStrokeAccessibleHover);}"],a:[".fvs00aa:active{border-top-color:var(--colorNeutralStroke1Pressed);}",".f1assf6x:active{border-right-color:var(--colorNeutralStroke1Pressed);}",".f4ruux4:active{border-left-color:var(--colorNeutralStroke1Pressed);}",".f1z0osm6:active{border-bottom-color:var(--colorNeutralStrokeAccessiblePressed);}"]}),oW=(0,v.__styles)({icon:{B7ck84d:"f1ewtqcl",sj55zd:"fxkbij4",mc9l5x:"ftgm304",Be2twd7:"f1pp30po",Br312pm:"f12w6cgp",Bw0ie65:"f8bv1bt",Bo70h7d:"fvc9v3g"},small:{Be2twd7:"f4ybsrx",Frg6f3:["f1h9en5y","f1xk557c"]},medium:{Be2twd7:"fe5j1ua",Frg6f3:["f1h9en5y","f1xk557c"]},large:{Be2twd7:"f1rt2boy",Frg6f3:["f1t5qyk5","f1ikr372"]},disabled:{sj55zd:"f1s2aq7o"}},{d:[".f1ewtqcl{box-sizing:border-box;}",".fxkbij4{color:var(--colorNeutralStrokeAccessible);}",".ftgm304{display:block;}",".f1pp30po{font-size:var(--fontSizeBase500);}",".f12w6cgp{grid-column-start:icon;}",".f8bv1bt{grid-column-end:end;}",".fvc9v3g svg{display:block;}",".f4ybsrx{font-size:16px;}",".f1h9en5y{margin-left:var(--spacingHorizontalXXS);}",".f1xk557c{margin-right:var(--spacingHorizontalXXS);}",".fe5j1ua{font-size:20px;}",".f1rt2boy{font-size:24px;}",".f1t5qyk5{margin-left:var(--spacingHorizontalSNudge);}",".f1ikr372{margin-right:var(--spacingHorizontalSNudge);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}"]}),oV=(0,oL.__resetStyles)("rticfuj","r1vp6jef",{r:[".rticfuj{align-self:center;background-color:var(--colorTransparentBackground);border:none;cursor:pointer;height:fit-content;margin:0;margin-right:var(--spacingHorizontalMNudge);padding:0;position:relative;}",".rticfuj:focus{outline-style:none;}",".rticfuj:focus-visible{outline-style:none;}",".rticfuj[data-fui-focus-visible]{border-top-color:transparent;border-right-color:transparent;border-bottom-color:transparent;border-left-color:transparent;}",'.rticfuj[data-fui-focus-visible]::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);right:calc(2px * -1);bottom:calc(2px * -1);left:calc(2px * -1);}',".r1vp6jef{align-self:center;background-color:var(--colorTransparentBackground);border:none;cursor:pointer;height:fit-content;margin:0;margin-left:var(--spacingHorizontalMNudge);padding:0;position:relative;}",".r1vp6jef:focus{outline-style:none;}",".r1vp6jef:focus-visible{outline-style:none;}",".r1vp6jef[data-fui-focus-visible]{border-top-color:transparent;border-left-color:transparent;border-bottom-color:transparent;border-right-color:transparent;}",'.r1vp6jef[data-fui-focus-visible]::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);left:calc(2px * -1);bottom:calc(2px * -1);right:calc(2px * -1);}'],s:["@media (forced-colors: active){.rticfuj[data-fui-focus-visible]::after{border-top-color:Highlight;border-right-color:Highlight;border-bottom-color:Highlight;border-left-color:Highlight;}}","@media (forced-colors: active){.r1vp6jef[data-fui-focus-visible]::after{border-top-color:Highlight;border-left-color:Highlight;border-bottom-color:Highlight;border-right-color:Highlight;}}"]}),oX=r.forwardRef((e,t)=>{let o=((e,t)=>{var o,n;e=(0,tT.useFieldControlProps_unstable)(e,{supportsLabelFor:!0,supportsSize:!0});let{listboxRef:l,activeParentRef:a,controller:i}=tO({matchOption:e=>e.classList.contains(oh.root)}),s=(e=>{let{appearance:t="outline",disableAutoFocus:o,children:n,clearable:l=!1,editable:a=!1,inlinePopup:i=!1,mountNode:s,multiselect:c,onOpenChange:u,size:d="medium",activeDescendantController:f,freeform:p=!1,disabled:m=!1,onActiveOptionChange:g=null}=e,v=tK(),{getOptionsMatchingValue:h}=v,{getOptionById:b}=v,y=r.useCallback(()=>{let e=f.active();return e?b(e):void 0},[f,b]),x=y(),w=r.useCallback(e=>{let t;"function"==typeof e&&(t=e(y())),t?f.focus(t.id):f.blur()},[f,y]),[k,j]=r.useState(!1),[B,C]=r.useState(!1),S=r.useRef(!1),N=(0,tZ.useFirstMount)(),[z,E]=(0,Y.useControllableState)({state:e.value,initialState:void 0}),{selectedOptions:I,selectOption:_,clearSelection:T}=tY(e),A=r.useCallback((e,t)=>{tG.unstable_batchedUpdates(()=>{E(void 0),_(e,t)})},[E,_]),q=r.useMemo(()=>{if(void 0!==z)return z;if(N&&void 0!==e.defaultValue)return e.defaultValue;let t=h(e=>I.includes(e)).map(e=>e.text);return c?a?"":t.join(", "):t[0]},[z,a,h,c,I]),[R,D]=(0,Y.useControllableState)({state:e.open,defaultState:e.defaultOpen,initialState:!1}),P=r.useCallback((e,t)=>{m||(null==u||u(e,{open:t}),tG.unstable_batchedUpdates(()=>{t||p||E(void 0),D(t)}))},[u,D,E,p,m]);r.useEffect(()=>{if(R){if(!c&&I.length>0){let e=h(e=>e===I[0]).pop();(null==e?void 0:e.id)&&f.focus(e.id)}}else f.blur()},[R,f]),r.useEffect(()=>{!R||o||f.active()||f.first()},[R,n,o,f,b]);let M=(0,G.useEventCallback)(e=>{let t=e.detail.previousId?v.getOptionById(e.detail.previousId):null,r=v.getOptionById(e.detail.id);null==g||g(e,{event:e,type:"change",previousOption:t,nextOption:r})});return{...v,freeform:p,disabled:m,selectOption:A,clearSelection:T,selectedOptions:I,activeOption:x,appearance:t,clearable:l,focusVisible:k,ignoreNextBlur:S,inlinePopup:i,mountNode:s,open:R,hasFocus:B,setActiveOption:w,setFocusVisible:j,setHasFocus:C,setOpen:P,setValue:E,size:d,value:q,multiselect:c,onOptionClick:(0,G.useEventCallback)(e=>{c||P(e,!1)}),onActiveDescendantChange:M}})({...e,activeDescendantController:i,freeform:!1}),{clearable:c,clearSelection:u,disabled:d,hasFocus:f,multiselect:g,open:v,selectedOptions:h,setOpen:b}=s,{primary:y,root:x}=(0,tW.getPartitionedNativeProps)({props:e,primarySlotTagName:"button",excludedPropNames:["children"]}),[w,k]=function(e){let{positioning:t}=e,{targetRef:o,containerRef:n}=function(e){let t=r.useRef(null),o=r.useRef(null),n=r.useRef(null),l=r.useRef(null),a=r.useRef(null),{enabled:i=!0}=e,s=function(e){var t;let{dir:o,targetDocument:n}=(0,ea.useFluent_unstable)(),l="rtl"===o,a=function(e,t){let{align:o,arrowPadding:n,autoSize:l,coverTarget:a,disableUpdateOnResize:i,flipBoundary:s,offset:c,overflowBoundary:u,pinned:d,position:f,unstable_disableTether:p,strategy:m,overflowBoundaryPadding:g,fallbackPositions:v,useTransform:h,matchTargetSize:b,shiftToCoverTarget:y}=t;return r.useCallback((t,r)=>e({container:t,arrow:r,options:{autoSize:l,disableUpdateOnResize:i,matchTargetSize:b,offset:c,strategy:m,coverTarget:a,flipBoundary:s,overflowBoundary:u,useTransform:h,overflowBoundaryPadding:g,pinned:d,arrowPadding:n,align:o,fallbackPositions:v,shiftToCoverTarget:y,position:f,unstable_disableTether:p}}),[l,i,b,c,m,a,s,u,h,g,d,n,o,v,y,f,p,e])}(null!=(t=r.useContext(os))?t:oi,e),{positionFixed:i}=e;return r.useCallback((e,t)=>{var r;let o,n=(e=>{var t;let r=oe(e);return!!r&&r!==(null==(t=r.ownerDocument)?void 0:t.body)})(e),{autoSize:s,disableUpdateOnResize:c,matchTargetSize:u,offset:d,coverTarget:f,flipBoundary:p,overflowBoundary:m,useTransform:g,overflowBoundaryPadding:v,pinned:h,position:b,arrowPadding:y,strategy:x,align:w,fallbackPositions:k,shiftToCoverTarget:j,unstable_disableTether:B}=a(e,t),C=(e=>{switch(e){case"always":case!0:return{applyMaxWidth:!0,applyMaxHeight:!0};case"width-always":case"width":return{applyMaxWidth:!0,applyMaxHeight:!1};case"height-always":case"height":return{applyMaxWidth:!1,applyMaxHeight:!0};default:return!1}})(s),S=[C&&{name:"resetMaxSize",fn(e){var t;let{middlewareData:r,elements:o}=e;if(null==(t=r.resetMaxSize)?void 0:t.maxSizeAlreadyReset)return{};let{applyMaxWidth:n,applyMaxHeight:l}=C;return n&&(o.floating.style.removeProperty("box-sizing"),o.floating.style.removeProperty("max-width"),o.floating.style.removeProperty("width")),l&&(o.floating.style.removeProperty("box-sizing"),o.floating.style.removeProperty("max-height"),o.floating.style.removeProperty("height")),{data:{maxSizeAlreadyReset:!0},reset:{rects:!0}}}},u&&{name:"matchTargetSize",fn:async e=>{let{rects:{reference:t,floating:r},elements:{floating:o},middlewareData:{matchTargetSize:{matchTargetSizeAttempt:n=!1}={}}}=e;if(t.width===r.width||n)return{};let{width:l}=t;return o.style.setProperty(oa,"".concat(l,"px")),o.style.width||(o.style.width="var(".concat(oa,")")),{data:{matchTargetSizeAttempt:!0},reset:{rects:!0}}}},d&&(void 0===(r=!d||"number"==typeof d||"object"==typeof d?d:e=>{let{rects:{floating:t,reference:r},placement:o}=e,{position:n,alignment:l}=(e=>{let{side:t,alignment:r}=ol(e),o={top:"above",bottom:"below",right:"after",left:"before"}[t],n=r&&(e=>"above"===e||"below"===e?{start:"start",end:"end"}:{start:"top",end:"bottom"})(o)[r];return{position:o,alignment:n}})(o);return d({positionedRect:t,targetRect:r,position:n,alignment:l})})&&(r=0),{name:"offset",options:r,async fn(e){var t,o;let{x:n,y:l,placement:a,middlewareData:i}=e,s=await rk(e,r);return a===(null==(t=i.offset)?void 0:t.placement)&&null!=(o=i.arrow)&&o.alignmentOffset?{}:{x:n+s.x,y:l+s.y,data:{...s,placement:a}}}}),f&&{name:"coverTarget",fn:e=>{let{placement:t,rects:r,x:o,y:n}=e,l=ol(t).side,a={x:o,y:n};switch(l){case"bottom":a.y-=r.reference.height;break;case"top":a.y+=r.reference.height;break;case"left":a.x+=r.reference.width;break;case"right":a.x-=r.reference.width}return a}},!h&&function(e){var t;let{hasScrollableElement:r,flipBoundary:o,container:n,fallbackPositions:l=[],isRtl:a}=e,i=l.reduce((e,t)=>{let{position:r,align:o}=t$(t),n=on(o,r,a);return n&&e.push(n),e},[]);return{name:"flip",options:t={...r&&{boundary:"clippingAncestors"},...o&&{altBoundary:!0,boundary:or(n,o)},fallbackStrategy:"bestFit",...i.length&&{fallbackPlacements:i}},async fn(e){var r,o,n,l,a;let{placement:i,middlewareData:s,rects:c,initialPlacement:u,platform:d,elements:f}=e,{mainAxis:p=!0,crossAxis:m=!0,fallbackPlacements:g,fallbackStrategy:v="bestFit",fallbackAxisSideDirection:h="none",flipAlignment:b=!0,...y}=rt(t,e);if(null!=(r=s.arrow)&&r.alignmentOffset)return{};let x=rr(i),w=ri(u),k=rr(u)===u,j=await (null==d.isRTL?void 0:d.isRTL(f.floating)),B=g||(k||!b?[rp(u)]:function(e){let t=rp(e);return[rs(e),t,rs(t)]}(u)),C="none"!==h;!g&&C&&B.push(...function(e,t,r,o){let n=ro(e),l=function(e,t,r){switch(e){case"top":case"bottom":if(r)return t?ru:rc;return t?rc:ru;case"left":case"right":return t?rd:rf;default:return[]}}(rr(e),"start"===r,o);return n&&(l=l.map(e=>e+"-"+n),t&&(l=l.concat(l.map(rs)))),l}(u,b,h,j));let S=[u,...B],N=await rb(e,y),z=[],E=(null==(o=s.flip)?void 0:o.overflows)||[];if(p&&z.push(N[x]),m){let e=function(e,t,r){void 0===r&&(r=!1);let o=ro(e),n=rn(ri(e)),l=rl(n),a="x"===n?o===(r?"end":"start")?"right":"left":"start"===o?"bottom":"top";return t.reference[l]>t.floating[l]&&(a=rp(a)),[a,rp(a)]}(i,c,j);z.push(N[e[0]],N[e[1]])}if(E=[...E,{placement:i,overflows:z}],!z.every(e=>e<=0)){let e=((null==(n=s.flip)?void 0:n.index)||0)+1,t=S[e];if(t&&("alignment"!==m||w===ri(t)||E.every(e=>ri(e.placement)!==w||e.overflows[0]>0)))return{data:{index:e,overflows:E},reset:{placement:t}};let r=null==(l=E.filter(e=>e.overflows[0]<=0).sort((e,t)=>e.overflows[1]-t.overflows[1])[0])?void 0:l.placement;if(!r)switch(v){case"bestFit":{let e=null==(a=E.filter(e=>{if(C){let t=ri(e.placement);return t===w||"y"===t}return!0}).map(e=>[e.placement,e.overflows.filter(e=>e>0).reduce((e,t)=>e+t,0)]).sort((e,t)=>e[1]-t[1])[0])?void 0:a[0];e&&(r=e);break}case"initialPlacement":r=u}if(i!==r)return{reset:{placement:r}}}return{}}}}({container:e,flipBoundary:p,hasScrollableElement:n,isRtl:l,fallbackPositions:k}),function(e){var t;let{hasScrollableElement:r,shiftToCoverTarget:o,disableTether:n,overflowBoundary:l,container:a,overflowBoundaryPadding:i,isRtl:s}=e;return{name:"shift",options:t={...r&&{boundary:"clippingAncestors"},...o&&{crossAxis:!0,limiter:r8({crossAxis:!0,mainAxis:!1})},...n&&{crossAxis:"all"===n,limiter:r8({crossAxis:"all"!==n,mainAxis:!1})},...i&&{padding:oo(i,s)},...l&&{altBoundary:!0,boundary:or(a,l)}},async fn(e){let{x:r,y:o,placement:n}=e,{mainAxis:l=!0,crossAxis:a=!1,limiter:i={fn:e=>{let{x:t,y:r}=e;return{x:t,y:r}}},...s}=rt(t,e),c={x:r,y:o},u=await rb(e,s),d=ri(rr(n)),f=rn(d),p=c[f],m=c[d];if(l){let e="y"===f?"top":"left",t="y"===f?"bottom":"right",r=p+u[e],o=p-u[t];p=t6(r,t4(p,o))}if(a){let e="y"===d?"top":"left",t="y"===d?"bottom":"right",r=m+u[e],o=m-u[t];m=t6(r,t4(m,o))}let g=i.fn({...e,[f]:p,[d]:m});return{...g,data:{x:g.x-r,y:g.y-o,enabled:{[f]:l,[d]:a}}}}}}({container:e,hasScrollableElement:n,overflowBoundary:m,disableTether:B,overflowBoundaryPadding:v,isRtl:l,shiftToCoverTarget:j}),C&&function(e,t){var r;let{container:o,overflowBoundary:n,overflowBoundaryPadding:l,isRtl:a}=t;return{name:"size",options:r={...l&&{padding:oo(l,a)},...n&&{altBoundary:!0,boundary:or(o,n)},apply(t){let{availableHeight:r,availableWidth:o,elements:n,rects:l}=t,a=(e,t,r)=>{if(e&&(n.floating.style.setProperty("box-sizing","border-box"),n.floating.style.setProperty("max-".concat(t),"".concat(r,"px")),l.floating[t]>r)){n.floating.style.setProperty(t,"".concat(r,"px"));let e="width"===t?"x":"y";n.floating.style.getPropertyValue("overflow-".concat(e))||n.floating.style.setProperty("overflow-".concat(e),"auto")}},{applyMaxWidth:i,applyMaxHeight:s}=e;a(i,"width",o),a(s,"height",r)}},async fn(e){var t,o;let n,l,{placement:a,rects:i,platform:s,elements:c}=e,{apply:u=()=>{},...d}=rt(r,e),f=await rb(e,d),p=rr(a),m=ro(a),g="y"===ri(a),{width:v,height:h}=i.floating;"top"===p||"bottom"===p?(n=p,l=m===(await (null==s.isRTL?void 0:s.isRTL(c.floating))?"start":"end")?"left":"right"):(l=p,n="end"===m?"top":"bottom");let b=h-f.top-f.bottom,y=v-f.left-f.right,x=t4(h-f[n],b),w=t4(v-f[l],y),k=!e.middlewareData.shift,j=x,B=w;if(null!=(t=e.middlewareData.shift)&&t.enabled.x&&(B=y),null!=(o=e.middlewareData.shift)&&o.enabled.y&&(j=b),k&&!m){let e=t6(f.left,0),t=t6(f.right,0),r=t6(f.top,0),o=t6(f.bottom,0);g?B=v-2*(0!==e||0!==t?e+t:t6(f.left,f.right)):j=h-2*(0!==r||0!==o?r+o:t6(f.top,f.bottom))}await u({...e,availableWidth:B,availableHeight:j});let C=await s.getDimensions(c.floating);return v!==C.width||h!==C.height?{reset:{rects:!0}}:{}}}}(C,{container:e,overflowBoundary:m,overflowBoundaryPadding:v,isRtl:l}),{name:"intersectionObserver",fn:async e=>{let t=e.rects.floating,r=await rb(e,{altBoundary:!0}),o=r.top0,n=r.bottom0;return{data:{intersecting:o||n}}}},t&&{name:"arrow",options:o={element:t,padding:y},async fn(e){let{x:t,y:r,placement:n,rects:l,platform:a,elements:i,middlewareData:s}=e,{element:c,padding:u=0}=rt(o,e)||{};if(null==c)return{};let d=rm(u),f={x:t,y:r},p=rn(ri(n)),m=rl(p),g=await a.getDimensions(c),v="y"===p,h=v?"clientHeight":"clientWidth",b=l.reference[m]+l.reference[p]-f[p]-l.floating[m],y=f[p]-l.reference[p],x=await (null==a.getOffsetParent?void 0:a.getOffsetParent(c)),w=x?x[h]:0;w&&await (null==a.isElement?void 0:a.isElement(x))||(w=i.floating[h]||l.floating[m]);let k=w/2-g[m]/2-1,j=t4(d[v?"top":"left"],k),B=t4(d[v?"bottom":"right"],k),C=w-g[m]-B,S=w/2-g[m]/2+(b/2-y/2),N=t6(j,t4(S,C)),z=!s.arrow&&null!=ro(n)&&S!==N&&l.reference[m]/2-(S{var e;t.current&&t.current.dispose(),t.current=null;let r=null!=(e=n.current)?e:o.current;i&&(0,tQ.canUseDOM)()&&r&&l.current&&(t.current=function(e){var t,r;let o,n=!1,{container:l,target:a,arrow:i,strategy:s,middleware:c,placement:u,useTransform:d=!0,disableUpdateOnResize:f=!1}=e,p=l.ownerDocument.defaultView;if(!a||!l||!p)return{updatePosition:()=>void 0,dispose:()=>void 0};let m=f?null:(t=e=>{e.every(e=>e.contentRect.width>0&&e.contentRect.height>0)&&h()},new p.ResizeObserver(t)),g=!0,v=new Set;Object.assign(l.style,{position:"fixed",left:0,top:0,margin:0});let h=(r=()=>void(!n&&(g&&(ot(l).forEach(e=>v.add(e)),(0,eI.isHTMLElement)(a)&&ot(a).forEach(e=>v.add(e)),v.forEach(e=>{e.addEventListener("scroll",h,{passive:!0})}),null==m||m.observe(l),(0,eI.isHTMLElement)(a)&&(null==m||m.observe(a)),g=!1),Object.assign(l.style,{position:s}),((e,t,r)=>{let o=new Map,n={platform:r9,...r},l={...n.platform,_c:o};return rh(e,t,{...n,platform:l})})(a,l,{placement:u,middleware:c,strategy:s}).then(e=>{let{x:t,y:r,middlewareData:o,placement:a}=e;n||(!function(e){let{arrow:t,middlewareData:r}=e;if(!r.arrow||!t)return;let{x:o,y:n}=r.arrow;Object.assign(t.style,{left:null!=o?"".concat(o,"px"):"",top:null!=n?"".concat(n,"px"):""})}({arrow:i,middlewareData:o}),function(e){var t,r,o;let{container:n,placement:l,middlewareData:a,strategy:i,lowPPI:s,coordinates:c,useTransform:u=!0}=e;if(!n)return;n.setAttribute("data-popper-placement",l),n.removeAttribute(t0),a.intersectionObserver.intersecting&&n.setAttribute(t0,""),n.removeAttribute(t1),(null==(t=a.hide)?void 0:t.escaped)&&n.setAttribute(t1,""),n.removeAttribute(t5),(null==(r=a.hide)?void 0:r.referenceHidden)&&n.setAttribute(t5,"");let d=(null==(o=n.ownerDocument.defaultView)?void 0:o.devicePixelRatio)||1,f=Math.round(c.x*d)/d,p=Math.round(c.y*d)/d;if(Object.assign(n.style,{position:i}),u)return Object.assign(n.style,{transform:s?"translate(".concat(f,"px, ").concat(p,"px)"):"translate3d(".concat(f,"px, ").concat(p,"px, 0)")});Object.assign(n.style,{left:"".concat(f,"px"),top:"".concat(p,"px")})}({container:l,middlewareData:o,placement:a,coordinates:{x:t,y:r},lowPPI:1>=((null==p?void 0:p.devicePixelRatio)||1),strategy:s,useTransform:d}),l.dispatchEvent(new CustomEvent(t2)))}).catch(e=>{}))),()=>(o||(o=new Promise(e=>{Promise.resolve().then(()=>{o=void 0,e(r())})})),o));return p&&(p.addEventListener("scroll",h,{passive:!0}),p.addEventListener("resize",h)),h(),{updatePosition:h,dispose:()=>{n=!0,p&&(p.removeEventListener("scroll",h),p.removeEventListener("resize",h)),v.forEach(e=>{e.removeEventListener("scroll",h)}),v.clear(),null==m||m.disconnect()}}}({container:l.current,target:r,arrow:a.current,...s(l.current,a.current)}))},[i,s]),u=(0,G.useEventCallback)(e=>{n.current=e,c()});r.useImperativeHandle(e.positioningRef,()=>({updatePosition:()=>{var e;return null==(e=t.current)?void 0:e.updatePosition()},setTarget:e=>{u(e)}}),[e.target,u]),(0,ed.useIsomorphicLayoutEffect)(()=>{var t;u(null!=(t=e.target)?t:null)},[e.target,u]),(0,ed.useIsomorphicLayoutEffect)(()=>{c()},[c]);let d=oc(null,e=>{o.current!==e&&(o.current=e,c())}),f=(0,G.useEventCallback)(()=>{var t;return null==(t=e.onPositioningEnd)?void 0:t.call(e)});return{targetRef:d,containerRef:oc(null,e=>{if(l.current!==e){var t;null==(t=l.current)||t.removeEventListener(t2,f),null==e||e.addEventListener(t2,f),l.current=e,c()}}),arrowRef:oc(null,e=>{a.current!==e&&(a.current=e,c())})}}({position:"below",align:"start",offset:{crossAxis:0,mainAxis:2},fallbackPositions:["above","after","after-top","before","before-top"],matchTargetSize:"width",autoSize:!0,...t$(t)});return[n,o]}(e),j=r.useRef(null),B=function(e,t,r){let{state:{multiselect:o},triggerRef:n,defaultProps:l}=r,a=(0,p.useId)("fluent-listbox",(0,oz.isResolvedShorthand)(e)?e.id:void 0),i=m.slot.optional(e,{renderByDefault:!0,elementType:oN,defaultProps:{id:a,multiselect:o,tabIndex:void 0,...l}}),s=(0,tT.useFieldControlProps_unstable)({id:a},{supportsLabelFor:!0});i&&!i["aria-label"]&&!i["aria-labelledby"]&&s["aria-labelledby"]&&(i["aria-labelledby"]=s["aria-labelledby"]);let c=(0,G.useEventCallback)((0,tV.mergeCallbacks)(e=>{e.preventDefault()},null==i?void 0:i.onMouseDown)),u=(0,G.useEventCallback)((0,tV.mergeCallbacks)(e=>{var t;e.preventDefault(),null==(t=n.current)||t.focus()},null==i?void 0:i.onClick)),d=(0,Z.useMergedRefs)(null==i?void 0:i.ref,t);return i&&(i.ref=d,i.onMouseDown=c,i.onClick=u),i}(e.listbox,(0,Z.useMergedRefs)(w,l),{state:s,triggerRef:j,defaultProps:{children:e.children}}),{targetDocument:C}=(0,ea.useFluent_unstable)();(e=>{let{targetDocument:t}=(0,ea.useFluent_unstable)(),o=null==t?void 0:t.defaultView,{refs:n,callback:l,element:a,disabled:i,disabledFocusOnIframe:s,contains:c=tX}=e,u=r.useRef(void 0);(e=>{let{disabled:t,element:o,callback:n,contains:l=tX,pollDuration:a=100,refs:i}=e,s=r.useRef(),c=(0,G.useEventCallback)(e=>{i.every(t=>!l(t.current||null,e.target))&&!t&&n(e)});r.useEffect(()=>{if(!t)return null==o||o.addEventListener(tU,c,!0),()=>{null==o||o.removeEventListener(tU,c,!0)}},[o,t,c]),r.useEffect(()=>{var e;if(!t)return s.current=null==o||null==(e=o.defaultView)?void 0:e.setInterval(()=>{let e=null==o?void 0:o.activeElement;if((null==e?void 0:e.tagName)==="IFRAME"||(null==e?void 0:e.tagName)==="WEBVIEW"){let t=new CustomEvent(tU,{bubbles:!0});e.dispatchEvent(t)}},a),()=>{var e;null==o||null==(e=o.defaultView)||e.clearTimeout(s.current)}},[o,t,a])})({element:a,disabled:s||i,callback:l,refs:n,contains:c});let d=r.useRef(!1),f=(0,G.useEventCallback)(e=>{if(d.current){d.current=!1;return}let t=e.composedPath()[0];n.every(e=>!c(e.current||null,t))&&!i&&l(e)}),p=(0,G.useEventCallback)(e=>{d.current=n.some(t=>c(t.current||null,e.target))});r.useEffect(()=>{if(i)return;let e=(e=>{if(e){var t,r,o;return"object"==typeof e.window&&e.window===e?e.event:null!=(o=null==(r=e.ownerDocument)||null==(t=r.defaultView)?void 0:t.event)?o:void 0}})(o),t=t=>{if(t===e){e=void 0;return}f(t)};return null==a||a.addEventListener("click",t,!0),null==a||a.addEventListener("touchstart",t,!0),null==a||a.addEventListener("contextmenu",t,!0),null==a||a.addEventListener("mousedown",p,!0),u.current=null==o?void 0:o.setTimeout(()=>{e=void 0},1),()=>{null==a||a.removeEventListener("click",t,!0),null==a||a.removeEventListener("touchstart",t,!0),null==a||a.removeEventListener("contextmenu",t,!0),null==a||a.removeEventListener("mousedown",p,!0),null==o||o.clearTimeout(u.current),e=void 0}},[f,a,i,p,o])})({element:C,callback:e=>b(e,!1),refs:[j,w,k],disabled:!v});let S=function(e,t,o){let{state:{open:n,setOpen:l,getOptionById:a},defaultProps:i,activeDescendantController:s}=o,c=r.useRef(""),[u,d]=(0,oE.useTimeout)(),f=function(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{startFromNext:!1},{startFromNext:r}=t,o=s.active(),n=s.find(t=>{let r=a(t);return!!r&&e(r.text)},{startFrom:r?s.next({passive:!0}):o});return n||s.find(t=>{let r=a(t);return!!r&&e(r.text)})},p=function(e,t,o){let{state:{open:n,setOpen:l,setHasFocus:a},defaultProps:i,elementType:s,activeDescendantController:c}=o,u=m.slot.always(e,{defaultProps:{type:"text","aria-expanded":n,role:"combobox",..."object"==typeof i&&i},elementType:s}),d=r.useRef(null);return u.ref=(0,Z.useMergedRefs)(d,u.ref,t),u.onBlur=(0,tV.mergeCallbacks)(e=>{l(e,!1),a(!1)},u.onBlur),u.onFocus=(0,tV.mergeCallbacks)(e=>{e.target===e.currentTarget&&a(!0)},u.onFocus),u.onClick=(0,tV.mergeCallbacks)(e=>{l(e,!n)},u.onClick),u.onKeyDown=(0,tV.mergeCallbacks)(function(e){let{activeDescendantController:t,getOptionById:o,setOpen:n,selectOption:l,multiselect:a,open:i}=e,s=r.useCallback(()=>{let e=t.active();return e?o(e):void 0},[t,o]),c=function(){let e=(0,tA.useKeyborgRef)();return r.useCallback(t=>{var r;null==(r=e.current)||r.setVal(t)},[e])}();return(0,G.useEventCallback)(e=>{let r=ov(e,{open:i,multiselect:a}),o=s();switch(r){case"First":case"Last":case"Next":case"Previous":case"PageDown":case"PageUp":case"Open":case"Close":case"CloseSelect":case"Select":e.preventDefault()}switch(c(!0),r){case"First":t.first();break;case"Last":t.last();break;case"Next":o?t.next():t.first();break;case"Previous":o?t.prev():t.first();break;case"PageDown":for(let e=0;e<10;e++)t.next();break;case"PageUp":for(let e=0;e<10;e++)t.prev();break;case"Open":n(e,!0);break;case"Close":e.stopPropagation(),n(e,!1);break;case"CloseSelect":a||(null==o?void 0:o.disabled)||n(e,!1);case"Select":o&&l(e,o);break;case"Tab":!a&&o&&l(e,o)}})}({activeDescendantController:c,...o.state}),u.onKeyDown),u}(e,t,{state:o.state,defaultProps:i,elementType:"button",activeDescendantController:s});return p.onKeyDown=(0,tV.mergeCallbacks)(e=>{d(),"Type"===ov(e)&&(c.current+=e.key.toLowerCase(),u(()=>{c.current=""},500),n&&!f(e=>0===e.toLocaleLowerCase().indexOf(c.current),{startFromNext:1===c.current.length})&&(function(e){for(let t=1;t0===e.toLocaleLowerCase().indexOf(c.current[0]),{startFromNext:!0})||s.blur()),n||l(e,!0))},p.onKeyDown),p}(null!=(n=e.button)?n:{},(0,Z.useMergedRefs)(j,a,t),{state:s,defaultProps:{type:"button",tabIndex:y.disabled?void 0:0,children:s.value||e.placeholder,"aria-controls":v?null==B?void 0:B.id:void 0,...y},activeDescendantController:i}),N=m.slot.always(e.root,{defaultProps:{"aria-owns":!e.inlinePopup&&v?null==B?void 0:B.id:void 0,children:e.children,...x},elementType:"div"});N.ref=(0,Z.useMergedRefs)(N.ref,k);let z=h.length>0&&!d&&c&&!g,E={components:{root:"div",button:"button",clearButton:"button",expandIcon:"span",listbox:oN},root:N,button:S,listbox:v||f?B:void 0,clearButton:m.slot.optional(e.clearButton,{defaultProps:{"aria-label":"Clear selection",children:r.createElement(D.DismissRegular,null),tabIndex:z?0:void 0,type:"button"},elementType:"button",renderByDefault:!0}),expandIcon:m.slot.optional(e.expandIcon,{renderByDefault:!0,defaultProps:{children:r.createElement(D.ChevronDownRegular,null)},elementType:"span"}),placeholderVisible:!s.value&&!!e.placeholder,showClearButton:z,activeDescendantController:i,...s},I=(0,G.useEventCallback)((0,tV.mergeCallbacks)(null==(o=E.clearButton)?void 0:o.onClick,e=>{var t;u(e),null==(t=j.current)||t.focus()}));return E.clearButton&&(E.clearButton.onClick=I),g&&(E.clearButton=void 0),E})(e,t),n=function(e){let{appearance:t,open:o,getOptionById:n,getOptionsMatchingValue:l,registerOption:a,selectedOptions:i,selectOption:s,setOpen:c,size:u,activeDescendantController:d,onOptionClick:f,onActiveDescendantChange:p}=e;return{combobox:{activeOption:void 0,appearance:t,focusVisible:!1,open:o,registerOption:a,selectedOptions:i,selectOption:s,setActiveOption:()=>null,setOpen:c,size:u},activeDescendant:r.useMemo(()=>({controller:d}),[d]),listbox:{activeOption:void 0,focusVisible:!1,getOptionById:n,getOptionsMatchingValue:l,registerOption:a,selectedOptions:i,selectOption:s,setActiveOption:()=>null,onOptionClick:f,onActiveDescendantChange:p}}}(o);return(e=>{let{appearance:t,open:r,placeholderVisible:o,showClearButton:n,size:l}=e,a="true"==="".concat(e.button["aria-invalid"]),i=e.button.disabled,s=oO(),c=oW(),u=oV();return e.root.className=(0,g.mergeClasses)(oH.root,s.root,s[t],!i&&"outline"===t&&s.outlineInteractive,a&&"underline"!==t&&s.invalid,a&&"underline"===t&&s.invalidUnderline,i&&s.disabled,e.root.className),e.button.className=(0,g.mergeClasses)(oH.button,s.button,s[l],o&&s.placeholder,i&&s.disabledText,e.button.className),e.listbox&&(e.listbox.className=(0,g.mergeClasses)(oH.listbox,s.listbox,e.inlinePopup&&s.inlineListbox,!r&&s.listboxCollapsed,e.listbox.className)),e.expandIcon&&(e.expandIcon.className=(0,g.mergeClasses)(oH.expandIcon,c.icon,c[l],i&&c.disabled,n&&s.hidden,e.expandIcon.className)),e.clearButton&&(e.clearButton.className=(0,g.mergeClasses)(oH.clearButton,u,c.icon,c[l],i&&c.disabled,!n&&s.hidden,e.clearButton.className))})(o),(0,w.useCustomStyleHook_unstable)("useDropdownStyles_unstable")(o),((e,t)=>((0,d.assertSlots)(e),(0,u.jsx)(e.root,{children:(0,u.jsx)(om,{value:t.activeDescendant,children:(0,u.jsx)(ok.Provider,{value:t.listbox,children:(0,u.jsxs)(oF.Provider,{value:t.combobox,children:[(0,u.jsxs)(e.button,{children:[e.button.children,e.expandIcon&&(0,u.jsx)(e.expandIcon,{})]}),e.clearButton&&(0,u.jsx)(e.clearButton,{}),e.listbox&&(e.inlinePopup?(0,u.jsx)(e.listbox,{}):(0,u.jsx)(oM,{mountNode:e.mountNode,children:(0,u.jsx)(e.listbox,{})}))]})})})})))(o,n)});oX.displayName="Dropdown";var oU=e.i(25063);let oG=r.forwardRef((e,t)=>{let o=((e,t)=>{let{children:o,disabled:n,text:l,value:a}=e,i=r.useRef(null),s=function(e,t){if(void 0!==e)return e;let o="",n=!1;return r.Children.forEach(t,e=>{"string"==typeof e?o+=e:n=!0}),n&&console.warn("Provide a `text` prop to Option components when they contain non-string children."),o}(l,o),c=null!=a?a:s,u=(0,p.useId)("fluent-option",e.id),d=r.useMemo(()=>({id:u,disabled:n,text:s,value:c}),[u,n,s,c]),{controller:g}=og(),v=oj(e=>e.multiselect),h=oj(e=>e.registerOption),b=oj(e=>{let t=e.selectedOptions;return void 0!==c&&void 0!==t.find(e=>e===c)}),y=oj(e=>e.selectOption),x=oj(e=>e.onOptionClick),w=r.createElement(D.CheckmarkFilled,null);return v&&(w=b?r.createElement(oU.Checkmark12Filled,null):""),r.useEffect(()=>{if(u&&i.current)return h(d,i.current)},[u,d,h]),{components:{root:"div",checkIcon:"span"},root:m.slot.always((0,f.getIntrinsicElementProps)("div",{ref:(0,Z.useMergedRefs)(t,i),"aria-disabled":n?"true":void 0,id:u,...v?{role:"menuitemcheckbox","aria-checked":b}:{role:"option","aria-selected":b},...e,onClick:t=>{var r;if(n)return void t.preventDefault();g.focus(u),y(t,d),x(t),null==(r=e.onClick)||r.call(e,t)}}),{elementType:"div"}),checkIcon:m.slot.optional(e.checkIcon,{renderByDefault:!0,defaultProps:{"aria-hidden":"true",children:w},elementType:"span"}),disabled:n,multiselect:v,selected:b,focusVisible:!1,active:!1}})(e,t);return(e=>{let{disabled:t,multiselect:r,selected:o}=e,n=ob();return e.root.className=(0,g.mergeClasses)(oh.root,n.root,n.active,t&&n.disabled,o&&n.selected,e.root.className),e.checkIcon&&(e.checkIcon.className=(0,g.mergeClasses)(oh.checkIcon,n.checkIcon,r&&n.multiselectCheck,o&&n.selectedCheck,o&&r&&n.selectedMultiselectCheck,t&&n.checkDisabled,t&&r&&n.multiselectCheckDisabled,e.checkIcon.className))})(o),(0,w.useCustomStyleHook_unstable)("useOptionStyles_unstable")(o),(e=>((0,d.assertSlots)(e),(0,u.jsxs)(e.root,{children:[e.checkIcon&&(0,u.jsx)(e.checkIcon,{}),e.root.children]})))(o)});oG.displayName="Option";var oZ=e.i(59066);let oK=(0,j.createFluentIcon)("ErrorCircle12Filled","12",["M6 11A5 5 0 1 0 6 1a5 5 0 0 0 0 10Zm-.75-2.75a.75.75 0 1 1 1.5 0 .75.75 0 0 1-1.5 0Zm.26-4.84a.5.5 0 0 1 .98 0l.01.09v2.59a.5.5 0 0 1-1 0V3.41Z"]),oY=(0,j.createFluentIcon)("Filter20Regular","20",["M7.5 13h5a.5.5 0 0 1 .09 1H7.5a.5.5 0 0 1-.09-1h5.09-5Zm-2-4h9a.5.5 0 0 1 .09 1H5.5a.5.5 0 0 1-.09-1h9.09-9Zm-2-4h13a.5.5 0 0 1 .09 1H3.5a.5.5 0 0 1-.09-1H16.5h-13Z"]);var oJ=e.i(47171),o$=e.i(31131);let oQ=(0,o.makeStyles)({container:{display:"flex",flexDirection:"column",height:"100%",backgroundColor:n.tokens.colorNeutralBackground1},header:{padding:"16px 24px",borderBottom:"1px solid ".concat(n.tokens.colorNeutralStroke1),backgroundColor:n.tokens.colorNeutralBackground1},titleRow:{display:"flex",alignItems:"center",gap:"12px",marginBottom:"12px"},title:{fontSize:n.tokens.fontSizeBase500,fontWeight:n.tokens.fontWeightSemibold},viewSwitcher:{minWidth:"200px"},toolbar:{marginBottom:"8px"},content:{flex:1,overflow:"auto",padding:"16px 24px"},loadingContainer:{display:"flex",justifyContent:"center",alignItems:"center",height:"100%"},errorContainer:{padding:"24px",color:n.tokens.colorPaletteRedForeground1},emptyContainer:{padding:"24px",textAlign:"center",color:n.tokens.colorNeutralForeground3},dataGrid:{minWidth:"100%"},recordCount:{marginTop:"12px",color:n.tokens.colorNeutralForeground3}});function o0(e){var o;let{entityName:n,entityPluralName:a,displayName:i,appModuleId:s,initialViewId:c}=e,u=oQ(),[d,f]=(0,r.useState)([]),[p,m]=(0,r.useState)(!0),[g,v]=(0,r.useState)(null),[h,b]=(0,r.useState)([]),[y,x]=(0,r.useState)([]),[w,k]=(0,r.useState)(c||null),[j,B]=(0,r.useState)(!0);(0,r.useEffect)(()=>{x([]),k(null),C()},[n,s]),(0,r.useEffect)(()=>{w&&S()},[w,a]);let C=async()=>{B(!0);try{let e="returnedtypecode eq '".concat(n,"'");if(s)try{let t=await o$.dataverseClient.fetchEntities("appmodulecomponents",{filter:"appmoduleidunique eq ".concat(s," and componenttype eq 26"),select:["objectid"]});if(t.value.length>0){let r=t.value.map(e=>e.objectid).filter(e=>e);if(r.length>0){let t=r.map(e=>"savedqueryid eq ".concat(e)).join(" or ");e="(".concat(e,") and (").concat(t,")")}}}catch(e){console.warn("Failed to load app module components, showing all views:",e)}let t=(await o$.dataverseClient.fetchEntities("savedqueries",{filter:e,select:["savedqueryid","name","returnedtypecode","fetchxml","layoutxml","isdefault"],orderby:"isdefault desc,name asc"})).value;if(x(t),t.length>0){let e;c&&(e=t.find(e=>e.savedqueryid===c)),e||(e=t.find(e=>e.isdefault)||t[0]),k(e.savedqueryid)}}catch(e){console.error("Error loading views:",e),x([]),k(null)}finally{B(!1)}},S=async()=>{m(!0),v(null);try{let e,t,r=y.find(e=>e.savedqueryid===w),o=[];if((null==r?void 0:r.layoutxml)&&(o=N(r.layoutxml)),null==r?void 0:r.fetchxml){let o=z(r.fetchxml);e=o.filter,t=o.orderby}let l={top:50,count:!0};if(o.length>0){let e=n+"id";o.includes(e)?l.select=o:l.select=[e,...o]}e&&(l.filter=e),t&&(l.orderby=t);let i=await o$.dataverseClient.fetchEntities(a,l);if(f(i.value),i.value.length>0){let e,t=[];if(o.length>0)e=o;else{let t=i.value[0];e=Object.keys(t).filter(e=>!e.startsWith("@")&&!e.startsWith("_")).slice(0,6)}e.forEach(e=>{t.push(function(e){let{columnId:t,renderCell:r=ty,renderHeaderCell:o=tx,compare:n=tb}=e;return{columnId:t,renderCell:r,renderHeaderCell:o,compare:n}}({columnId:e,compare:(t,r)=>{let o=String(t[e]||""),n=String(r[e]||"");return o.localeCompare(n)},renderHeaderCell:()=>E(e),renderCell:t=>{let r=t[e];return null==r?"":"object"==typeof r?r.Name?r.Name:void 0!==r.Value?String(r.Value):JSON.stringify(r):String(r)}}))}),b(t)}}catch(e){v(e instanceof Error?e.message:"Failed to load records"),console.error("Error loading records:",e)}finally{m(!1)}},N=e=>{try{let t=new DOMParser().parseFromString(e,"text/xml").getElementsByTagName("cell"),r=[];for(let e=0;e{try{let t=new DOMParser().parseFromString(e,"text/xml"),r={},o=t.getElementsByTagName("filter")[0];if(o){let e=o.getElementsByTagName("condition"),t=[];for(let r=0;r0&&(r.filter=t.join(" ".concat(n," ")))}let n=t.getElementsByTagName("order");if(n.length>0){let e=[];for(let t=0;t0&&(r.orderby=e.join(","))}return r}catch(e){return console.error("Error parsing FetchXML:",e),{}}},E=e=>(e.endsWith("id")&&(e=e.substring(0,e.length-2)),e.replace(/([A-Z])/g," $1").replace(/^./,e=>e.toUpperCase()).trim());return(0,t.jsxs)("div",{className:u.container,children:[(0,t.jsxs)("div",{className:u.header,children:[(0,t.jsxs)("div",{className:u.titleRow,children:[(0,t.jsx)("div",{className:u.title,children:i||n}),j?(0,t.jsx)(l.Spinner,{size:"tiny"}):y.length>0&&(0,t.jsx)(oX,{className:u.viewSwitcher,value:(null==(o=y.find(e=>e.savedqueryid===w))?void 0:o.name)||"",selectedOptions:w?[w]:[],onOptionSelect:(e,t)=>(e=>{if(k(e),s){let t=new URLSearchParams(window.location.search);t.set("viewid",e);let r="".concat(window.location.pathname,"?").concat(t.toString());window.history.pushState({},"",r)}})(t.optionValue),placeholder:"Select view",children:y.map(e=>(0,t.jsx)(oG,{value:e.savedqueryid,children:e.name},e.savedqueryid))})]}),(0,t.jsxs)(tC,{className:u.toolbar,children:[(0,t.jsx)(tI,{icon:(0,t.jsx)(oZ.ArrowSyncCircle20Regular,{}),onClick:S,disabled:p||!w,children:"Refresh"}),(0,t.jsx)(tI,{icon:(0,t.jsx)(oJ.Add20Regular,{}),onClick:()=>{{let e=new URLSearchParams(window.location.search);e.set("pagetype","entityrecord"),e.set("etn",n),e.delete("id");let t="".concat(window.location.pathname,"?").concat(e.toString());window.history.pushState({},"",t),window.dispatchEvent(new Event("urlchange"))}},children:"New"}),(0,t.jsx)(tI,{icon:(0,t.jsx)(oY,{}),disabled:!0,children:"Filter"})]})]}),(0,t.jsxs)("div",{className:u.content,children:[p&&(0,t.jsx)("div",{className:u.loadingContainer,children:(0,t.jsx)(l.Spinner,{label:"Loading records..."})}),g&&!p&&(0,t.jsxs)("div",{className:u.errorContainer,children:[(0,t.jsx)("strong",{children:"Error:"})," ",g]}),!p&&!g&&!w&&0===y.length&&(0,t.jsx)("div",{className:u.emptyContainer,children:"No views available for this entity"}),!p&&!g&&0===d.length&&w&&(0,t.jsx)("div",{className:u.emptyContainer,children:"No records found"}),!p&&!g&&d.length>0&&(0,t.jsxs)(t.Fragment,{children:[(0,t.jsxs)(eV,{items:d,columns:h,sortable:!0,getRowId:e=>e[n+"id"]||JSON.stringify(e),className:u.dataGrid,children:[(0,t.jsx)(ts,{children:(0,t.jsx)(to,{children:e=>{let{renderHeaderCell:r}=e;return(0,t.jsx)(tp,{children:r()})}})}),(0,t.jsx)(e$,{children:e=>{let{item:r,rowId:o}=e;return(0,t.jsx)(to,{onClick:()=>{let e=r[n+"id"];if(e&&1){let t=new URLSearchParams(window.location.search);t.set("pagetype","entityrecord"),t.set("etn",n),t.set("id",e);let r="".concat(window.location.pathname,"?").concat(t.toString());window.history.pushState({},"",r),window.dispatchEvent(new Event("urlchange"))}},style:{cursor:"pointer"},children:e=>{let{renderCell:o}=e;return(0,t.jsx)(th,{children:o(r)})}},o)}})]}),(0,t.jsxs)(t_.Caption1,{className:u.recordCount,children:["Showing ",d.length," records"]})]})]})]})}var o1=e.i(86907),o5=e.i(34263);let o2=(0,j.createFluentIcon)("Warning12Filled","12",["M5.21 1.46a.9.9 0 0 1 1.58 0l4.09 7.17a.92.92 0 0 1-.79 1.37H1.91a.92.92 0 0 1-.79-1.37l4.1-7.17ZM5.5 4.5v1a.5.5 0 0 0 1 0v-1a.5.5 0 0 0-1 0ZM6 6.75a.75.75 0 1 0 0 1.5.75.75 0 0 0 0-1.5Z"]);var o3=e.i(7527);let o4={error:r.createElement(oK,null),warning:r.createElement(o2,null),success:r.createElement(oU.CheckmarkCircle12Filled,null),none:void 0},o6={root:"fui-Field",label:"fui-Field__label",validationMessage:"fui-Field__validationMessage",validationMessageIcon:"fui-Field__validationMessageIcon",hint:"fui-Field__hint"},o9=(0,v.__styles)({base:{mc9l5x:"f13qh94s"},horizontal:{Budl1dq:"f2wwaib",wkccdc:"f1645dqt"},horizontalNoLabel:{uwmqm3:["f15jqgz8","fggqkej"],Budl1dq:"f1c2z91y"}},{d:[".f13qh94s{display:grid;}",".f2wwaib{grid-template-columns:33% 1fr;}",".f1645dqt{grid-template-rows:auto auto auto 1fr;}",".f15jqgz8{padding-left:33%;}",".fggqkej{padding-right:33%;}",".f1c2z91y{grid-template-columns:1fr;}"]}),o7=(0,v.__styles)({vertical:{z8tnut:"fclwglc",Byoj8tv:"fywfov9",jrapky:"fyacil5"},verticalLarge:{z8tnut:"f1sl3k7w",Byoj8tv:"f1brlhvm",jrapky:"f8l5zjj"},horizontal:{z8tnut:"fp2oml8",Byoj8tv:"f1tdddsa",t21cq0:["fkujibs","f199hnxi"],Ijaq50:"f16hsg94",nk6f5a:"f1nzqi2z"},horizontalSmall:{z8tnut:"f1ywm7hm",Byoj8tv:"f14wxoun"},horizontalLarge:{z8tnut:"f1hqyr95",Byoj8tv:"fm4hlj0"}},{d:[".fclwglc{padding-top:var(--spacingVerticalXXS);}",".fywfov9{padding-bottom:var(--spacingVerticalXXS);}",".fyacil5{margin-bottom:var(--spacingVerticalXXS);}",".f1sl3k7w{padding-top:1px;}",".f1brlhvm{padding-bottom:1px;}",".f8l5zjj{margin-bottom:var(--spacingVerticalXS);}",".fp2oml8{padding-top:var(--spacingVerticalSNudge);}",".f1tdddsa{padding-bottom:var(--spacingVerticalSNudge);}",".fkujibs{margin-right:var(--spacingHorizontalM);}",".f199hnxi{margin-left:var(--spacingHorizontalM);}",".f16hsg94{grid-row-start:1;}",".f1nzqi2z{grid-row-end:-1;}",".f1ywm7hm{padding-top:var(--spacingVerticalXS);}",".f14wxoun{padding-bottom:var(--spacingVerticalXS);}",".f1hqyr95{padding-top:9px;}",".fm4hlj0{padding-bottom:9px;}"]}),o8=(0,oL.__resetStyles)("r5c4z9l",null,[".r5c4z9l{margin-top:var(--spacingVerticalXXS);color:var(--colorNeutralForeground3);font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase200);font-weight:var(--fontWeightRegular);line-height:var(--lineHeightBase200);}"]),ne=(0,v.__styles)({error:{sj55zd:"f1hcrxcs"},withIcon:{uwmqm3:["frawy03","fg4c52"]}},{d:[".f1hcrxcs{color:var(--colorPaletteRedForeground1);}",".frawy03{padding-left:calc(12px + var(--spacingHorizontalXS));}",".fg4c52{padding-right:calc(12px + var(--spacingHorizontalXS));}"]}),nt=(0,oL.__resetStyles)("ra7h1uk","r1rh6bd7",[".ra7h1uk{display:inline-block;font-size:12px;margin-left:calc(-12px - var(--spacingHorizontalXS));margin-right:var(--spacingHorizontalXS);line-height:0;vertical-align:-1px;}",".r1rh6bd7{display:inline-block;font-size:12px;margin-right:calc(-12px - var(--spacingHorizontalXS));margin-left:var(--spacingHorizontalXS);line-height:0;vertical-align:-1px;}"]),nr=(0,v.__styles)({error:{sj55zd:"f1hcrxcs"},warning:{sj55zd:"f1k5f75o"},success:{sj55zd:"ffmvakt"}},{d:[".f1hcrxcs{color:var(--colorPaletteRedForeground1);}",".f1k5f75o{color:var(--colorPaletteDarkOrangeForeground1);}",".ffmvakt{color:var(--colorPaletteGreenForeground1);}"]}),no=r.forwardRef((e,t)=>{let o=((e,t)=>{let{children:r,orientation:o="vertical",required:n=!1,validationState:l=e.validationMessage?"error":"none",size:a="medium"}=e,i=(0,p.useId)("field-"),s=i+"__control",c=m.slot.always((0,f.getIntrinsicElementProps)("div",{...e,ref:t},["children"]),{elementType:"div"}),u=m.slot.optional(e.label,{defaultProps:{htmlFor:s,id:i+"__label",required:n,size:a},elementType:o3.Label}),d=m.slot.optional(e.validationMessage,{defaultProps:{id:i+"__validationMessage",role:"error"===l||"warning"===l?"alert":void 0},elementType:"div"}),g=m.slot.optional(e.hint,{defaultProps:{id:i+"__hint"},elementType:"div"}),v=o4[l],h=m.slot.optional(e.validationMessageIcon,{renderByDefault:!!v,defaultProps:{children:v},elementType:"span"});return{children:r,generatedControlId:s,orientation:o,required:n,size:a,validationState:l,components:{root:"div",label:o3.Label,validationMessage:"div",validationMessageIcon:"span",hint:"div"},root:c,label:u,validationMessageIcon:h,validationMessage:d,hint:g}})(e,t);(e=>{let{validationState:t,size:r}=e,o="horizontal"===e.orientation,n=o9();e.root.className=(0,g.mergeClasses)(o6.root,n.base,o&&n.horizontal,o&&!e.label&&n.horizontalNoLabel,e.root.className);let l=o7();e.label&&(e.label.className=(0,g.mergeClasses)(o6.label,o&&l.horizontal,o&&"small"===r&&l.horizontalSmall,o&&"large"===r&&l.horizontalLarge,!o&&l.vertical,!o&&"large"===r&&l.verticalLarge,e.label.className));let a=nt(),i=nr();e.validationMessageIcon&&(e.validationMessageIcon.className=(0,g.mergeClasses)(o6.validationMessageIcon,a,"none"!==t&&i[t],e.validationMessageIcon.className));let s=o8(),c=ne();return e.validationMessage&&(e.validationMessage.className=(0,g.mergeClasses)(o6.validationMessage,s,"error"===t&&c.error,!!e.validationMessageIcon&&c.withIcon,e.validationMessage.className)),e.hint&&(e.hint.className=(0,g.mergeClasses)(o6.hint,s,e.hint.className))})(o),(0,w.useCustomStyleHook_unstable)("useFieldStyles_unstable")(o);let n=(e=>{var t,o,n,l;let{generatedControlId:a,orientation:i,required:s,size:c,validationState:u}=e,d=null==(t=e.label)?void 0:t.htmlFor,f=null==(o=e.label)?void 0:o.id,p=null==(n=e.validationMessage)?void 0:n.id,m=null==(l=e.hint)?void 0:l.id;return{field:r.useMemo(()=>({generatedControlId:a,hintId:m,labelFor:d,labelId:f,orientation:i,required:s,size:c,validationMessageId:p,validationState:u}),[a,m,d,f,i,s,c,p,u])}})(o);return((e,t)=>{(0,d.assertSlots)(e);let{children:r}=e;return"function"==typeof r&&(r=r((0,tT.getFieldControlProps)(t.field)||{})),(0,u.jsx)(o5.FieldContextProvider,{value:null==t?void 0:t.field,children:(0,u.jsxs)(e.root,{children:[e.label&&(0,u.jsx)(e.label,{}),r,e.validationMessage&&(0,u.jsxs)(e.validationMessage,{children:[e.validationMessageIcon&&(0,u.jsx)(e.validationMessageIcon,{}),e.validationMessage.children]}),e.hint&&(0,u.jsx)(e.hint,{})]})})})(o,n)});no.displayName="Field";var nn=e.i(51345),nl=e.i(85182);let na=(0,j.createFluentIcon)("Dismiss20Regular","20",["m4.09 4.22.06-.07a.5.5 0 0 1 .63-.06l.07.06L10 9.29l5.15-5.14a.5.5 0 0 1 .63-.06l.07.06c.18.17.2.44.06.63l-.06.07L10.71 10l5.14 5.15c.18.17.2.44.06.63l-.06.07a.5.5 0 0 1-.63.06l-.07-.06L10 10.71l-5.15 5.14a.5.5 0 0 1-.63.06l-.07-.06a.5.5 0 0 1-.06-.63l.06-.07L9.29 10 4.15 4.85a.5.5 0 0 1-.06-.63l.06-.07-.06.07Z"]);var ni=e.i(99749);class ns{registerAttribute(e){if(!this.attributes.has(e)){let t=new nc(e,this);this.attributes.set(e,t)}}registerControl(e,t){if(!this.controls.has(e)){let r=new nu(e,(t?this.attributes.get(t):null)||null);this.controls.set(e,r)}}getAttributeValue(e){return this.recordData[e]}setAttributeValue(e,t){this.recordData[e]=t,this.isDirty=!0,this.fireOnChange(e)}fireOnChange(e){let t=this.onChangeHandlers.get(e);t&&t.forEach(t=>{try{t()}catch(t){console.error("Error in onChange handler for ".concat(e,":"),t)}})}addOnChange(e,t){this.onChangeHandlers.has(e)||this.onChangeHandlers.set(e,new Set),this.onChangeHandlers.get(e).add(t)}removeOnChange(e,t){let r=this.onChangeHandlers.get(e);r&&r.delete(t)}async save(){let e=this.recordData["".concat(this.entityName,"id")];try{if(e)await o$.dataverseClient.updateEntity(this.entityPluralName,e,this.recordData);else{let e=await o$.dataverseClient.createEntity(this.entityPluralName,this.recordData);this.recordData["".concat(this.entityName,"id")]=e}this.isDirty=!1,this.onSaveCallback&&this.onSaveCallback(this.recordData["".concat(this.entityName,"id")])}catch(e){throw console.error("Error saving record:",e),e}}createXrmApi(){let e=this.createFormContext();return{Page:this.createXrmPage(e),Utility:this.createXrmUtility(),WebApi:this.createXrmWebApi(),Navigation:{openAlertDialog:async e=>{alert(e.text)},openConfirmDialog:async e=>({confirmed:confirm(e.text)}),openErrorDialog:async e=>{alert("Error: ".concat(e.message).concat(e.details?"\n\n"+e.details:""))},openForm:async e=>{console.log("openForm called:",e)},openUrl:(e,t)=>{(null==t?void 0:t.newWindow)?window.open(e,"_blank"):window.location.href=e}}}}createFormContext(){return{data:{entity:{getId:()=>this.recordData["".concat(this.entityName,"id")]||"",getEntityName:()=>this.entityName,getPrimaryAttributeValue:()=>this.recordData.name||this.recordData.firstname||"",getIsDirty:()=>this.isDirty,save:async()=>await this.save(),attributes:{get:e=>e?this.attributes.get(e)||null:Array.from(this.attributes.values())}},save:async()=>await this.save(),refresh:async e=>{e&&await this.save();let t=this.recordData["".concat(this.entityName,"id")];if(t){let e=await o$.dataverseClient.fetchEntity(this.entityPluralName,t);this.recordData=e}}},ui:{tabs:{get:e=>e?null:[]},controls:{get:e=>e?this.controls.get(e)||null:Array.from(this.controls.values())},setFormNotification:(e,t,r)=>{this.notifications.set(r,{message:e,level:t}),console.log("[".concat(t,"] ").concat(e))},clearFormNotification:e=>{this.notifications.delete(e)}},getEventArgs:()=>null}}createXrmPage(e){return{data:e.data,ui:e.ui,context:{getUserId:()=>"00000000-0000-0000-0000-000000000000",getUserName:()=>"Test User",getOrgUniqueName:()=>"fake4dataverse",getOrgLcid:()=>1033,getUserLcid:()=>1033},getAttribute:e=>e?this.attributes.get(e)||null:Array.from(this.attributes.values()),getControl:e=>e?this.controls.get(e)||null:Array.from(this.controls.values())}}createXrmUtility(){return{alertDialog:(e,t)=>{alert(e),t&&t()},confirmDialog:(e,t,r)=>{let o=confirm(e);o&&t?t():!o&&r&&r()},showProgressIndicator:e=>{console.log("Progress:",e)},closeProgressIndicator:()=>{},openEntityForm:async(e,t,r)=>{console.log("openEntityForm:",e,t,r)},refreshParentGrid:e=>{console.log("refreshParentGrid:",e)}}}createXrmWebApi(){return{retrieveRecord:async(e,t,r)=>await o$.dataverseClient.fetchEntity(e+"s",t),retrieveMultipleRecords:async(e,t,r)=>{let o=await o$.dataverseClient.fetchEntities(e+"s",{top:r||50});return{entities:o.value,nextLink:o["@odata.nextLink"]}},createRecord:async(e,t)=>({id:await o$.dataverseClient.createEntity(e+"s",t)}),updateRecord:async(e,t,r)=>(await o$.dataverseClient.updateEntity(e+"s",t,r),{id:t}),deleteRecord:async(e,t)=>(await o$.dataverseClient.deleteEntity(e+"s",t),{id:t})}}constructor(e,t,r,o){(0,ni._)(this,"entityName",void 0),(0,ni._)(this,"entityPluralName",void 0),(0,ni._)(this,"recordData",void 0),(0,ni._)(this,"isDirty",!1),(0,ni._)(this,"attributes",new Map),(0,ni._)(this,"controls",new Map),(0,ni._)(this,"onChangeHandlers",new Map),(0,ni._)(this,"onSaveCallback",void 0),(0,ni._)(this,"notifications",new Map),this.entityName=e,this.entityPluralName=t,this.recordData={...r},this.onSaveCallback=o}}class nc{getName(){return this.name}getValue(){return this.xrmApi.getAttributeValue(this.name)}setValue(e){this.xrmApi.setAttributeValue(this.name,e)}getRequiredLevel(){return this.requiredLevel}setRequiredLevel(e){this.requiredLevel=e}addOnChange(e){this.xrmApi.addOnChange(this.name,e)}removeOnChange(e){this.xrmApi.removeOnChange(this.name,e)}fireOnChange(){this.xrmApi.fireOnChange(this.name)}constructor(e,t){(0,ni._)(this,"name",void 0),(0,ni._)(this,"xrmApi",void 0),(0,ni._)(this,"requiredLevel","none"),this.name=e,this.xrmApi=t}}class nu{getName(){return this.name}getDisabled(){return this.disabled}setDisabled(e){this.disabled=e}getVisible(){return this.visible}setVisible(e){this.visible=e}getLabel(){return this.label}setLabel(e){this.label=e}getAttribute(){return this.attribute}setFocus(){}constructor(e,t){(0,ni._)(this,"name",void 0),(0,ni._)(this,"attribute",void 0),(0,ni._)(this,"disabled",!1),(0,ni._)(this,"visible",!0),(0,ni._)(this,"label",""),this.name=e,this.attribute=t}}async function nd(e,t,r){for(var o=arguments.length,n=Array(o>3?o-3:0),l=3;l{b()},[o,n]);let b=async()=>{c(!0),d(null);try{let e=await o$.dataverseClient.fetchEntityAuditRecords(o,n);p(e.value)}catch(e){console.error("Error loading audit history:",e),d(e instanceof Error?e.message:"Failed to load audit history")}finally{c(!1)}},y=async e=>{if(!(m.has(e)||v.has(e))){h(t=>new Set(t).add(e));try{let t=await o$.dataverseClient.fetchAuditDetails(e);g(r=>new Map(r).set(e,t))}catch(e){console.error("Error loading audit details:",e)}finally{h(t=>{let r=new Set(t);return r.delete(e),r})}}},x=e=>null==e?"(empty)":"object"==typeof e?e.logicalName&&e.id?e.name||"".concat(e.logicalName," (").concat(e.id.substring(0,8),"...)"):void 0!==e.value?String(e.value):JSON.stringify(e):String(e),w=e=>Array.from(new Set([...Object.keys(e.oldValue||{}),...Object.keys(e.newValue||{})])).filter(e=>!e.endsWith("id")&&"statecode"!==e&&"statuscode"!==e);return s?(0,t.jsxs)("div",{className:i.container,children:[(0,t.jsxs)("div",{className:i.header,children:[(0,t.jsx)(S.History20Regular,{}),(0,t.jsx)("div",{className:i.title,children:"Audit History"})]}),(0,t.jsx)("div",{className:i.loadingContainer,children:(0,t.jsx)(l.Spinner,{label:"Loading audit history..."})})]}):u?(0,t.jsxs)("div",{className:i.container,children:[(0,t.jsxs)("div",{className:i.header,children:[(0,t.jsx)(S.History20Regular,{}),(0,t.jsx)("div",{className:i.title,children:"Audit History"})]}),(0,t.jsx)("div",{className:i.content,children:(0,t.jsxs)("div",{className:i.errorContainer,children:[(0,t.jsx)("h3",{children:"Error Loading Audit History"}),(0,t.jsx)("p",{children:u})]})})]}):(0,t.jsxs)("div",{className:i.container,children:[(0,t.jsxs)("div",{className:i.header,children:[(0,t.jsx)(S.History20Regular,{}),(0,t.jsx)("div",{className:i.title,children:"Audit History"}),(0,t.jsx)(a.Button,{appearance:"subtle",icon:(0,t.jsx)(oJ.ArrowClockwise20Regular,{}),onClick:b,children:"Refresh"})]}),(0,t.jsx)("div",{className:i.content,children:0===f.length?(0,t.jsxs)("div",{className:i.emptyContainer,children:[(0,t.jsx)("h3",{children:"No Audit Records"}),(0,t.jsx)("p",{children:"No audit history found for this record."})]}):(0,t.jsx)(nf.Accordion,{collapsible:!0,children:f.map(e=>{let r,o=m.get(e.auditid),n=v.has(e.auditid);return(0,t.jsxs)(np.AccordionItem,{value:e.auditid,className:i.auditItem,children:[(0,t.jsx)(nm.AccordionHeader,{expandIconPosition:"end",onClick:()=>y(e.auditid),children:(0,t.jsxs)("div",{className:i.auditHeader,children:[(0,t.jsx)(nv.Badge,{appearance:"filled",color:nk[e.action]||"informative",className:i.actionBadge,children:nw[r=e.action]||"Action ".concat(r)}),(0,t.jsxs)(ny,{children:[e.operation," by ",e.userid.name||"System"]}),(0,t.jsx)(t_.Caption1,{children:(e=>{try{return new Date(e).toLocaleString()}catch(t){return e}})(e.createdon)})]})}),(0,t.jsx)(ng.AccordionPanel,{children:n?(0,t.jsx)(l.Spinner,{size:"small",label:"Loading details..."}):o?(0,t.jsx)("div",{className:i.changesList,children:0===w(o).length?(0,t.jsx)(t_.Caption1,{children:"No attribute changes recorded"}):w(o).map(e=>{var r,n;return(0,t.jsxs)("div",{className:i.changeItem,children:[(0,t.jsx)("div",{className:i.changeLabel,children:e}),(0,t.jsx)("div",{className:i.oldValue,children:x(null==(r=o.oldValue)?void 0:r[e])}),(0,t.jsx)("div",{className:i.newValue,children:x(null==(n=o.newValue)?void 0:n[e])})]},e)})}):(0,t.jsx)(t_.Caption1,{children:"No details available"})})]},e.auditid)})})})]})}let nB=(0,o.makeStyles)({container:{display:"flex",flexDirection:"column",height:"100%",backgroundColor:n.tokens.colorNeutralBackground1},header:{display:"flex",alignItems:"center",gap:"12px",padding:"16px 24px",borderBottom:"1px solid ".concat(n.tokens.colorNeutralStroke1),backgroundColor:n.tokens.colorNeutralBackground1},title:{flex:1,fontSize:n.tokens.fontSizeBase500,fontWeight:n.tokens.fontWeightSemibold},content:{flex:1,overflow:"auto",padding:"24px"},loadingContainer:{display:"flex",justifyContent:"center",alignItems:"center",height:"100%"},errorContainer:{padding:"16px",color:n.tokens.colorPaletteRedForeground1,backgroundColor:n.tokens.colorPaletteRedBackground1,borderRadius:n.tokens.borderRadiusMedium},tabList:{marginBottom:"24px"},section:{marginBottom:"32px"},sectionTitle:{fontSize:n.tokens.fontSizeBase400,fontWeight:n.tokens.fontWeightSemibold,marginBottom:"16px",color:n.tokens.colorNeutralForeground1},formRow:{display:"grid",gridTemplateColumns:"repeat(auto-fit, minmax(300px, 1fr))",gap:"16px",marginBottom:"12px"},field:{width:"100%"}});function nC(e){let{entityName:o,entityPluralName:n,recordId:i,displayName:s,appModuleId:c,onClose:u,onSave:d}=e,f=nB(),[p,m]=(0,r.useState)(!0),[g,v]=(0,r.useState)(!1),[h,b]=(0,r.useState)(null),[y,x]=(0,r.useState)(null),[w,k]=(0,r.useState)(null),[j,B]=(0,r.useState)({}),[S,N]=(0,r.useState)(""),[z,E]=(0,r.useState)(!1),[I,_]=(0,r.useState)(null),[T,A]=(0,r.useState)(!1);(0,r.useEffect)(()=>{P()},[o,i]),(0,r.useEffect)(()=>{w&&!T&&q()},[w,j]);let q=async()=>{try{let e=new ns(o,n,j,e=>{d&&d(e)});w&&w.tabs.forEach(t=>{t.sections.forEach(t=>{t.rows.forEach(t=>{t.cells.forEach(t=>{var r;(null==(r=t.control)?void 0:r.datafieldname)&&(e.registerAttribute(t.control.datafieldname),e.registerControl(t.control.id,t.control.datafieldname))})})})});let t=e.createXrmApi();_(t),(null==w?void 0:w.formLibraries)&&w.formLibraries.length>0&&await R(w,t),(null==w?void 0:w.events)&&D(w.events.filter(e=>"onload"===e.name),t),A(!0)}catch(e){console.error("Error initializing Xrm API:",e)}},R=async(e,t)=>{try{for(let r of e.formLibraries)try{let e=await o$.dataverseClient.fetchEntities("webresources",{filter:"name eq '".concat(r.name,"'"),select:["webresourceid","name","content","webresourcetype"],top:1});if(e.value.length>0){let o=e.value[0];if(3===o.webresourcetype&&o.content){let e=atob(o.content);await nd(e,t),console.log("Loaded form script: ".concat(r.name))}}}catch(e){console.warn("Failed to load webresource ".concat(r.name,":"),e)}}catch(e){console.error("Error loading form scripts:",e)}},D=(e,t)=>{e.forEach(e=>{if(e.active&&e.functionName)try{let r=window[e.functionName];"function"==typeof r?r({getFormContext:()=>t.Page,getEventSource:()=>null,getDepth:()=>1}):console.warn("Function ".concat(e.functionName," not found for event ").concat(e.name))}catch(t){console.error("Error executing ".concat(e.name," event handler ").concat(e.functionName,":"),t)}})},P=async()=>{m(!0),b(null);try{let e="objecttypecode eq '".concat(o,"' and type eq 2");if(c)try{let t=(await o$.dataverseClient.fetchEntities("appmodulecomponents",{filter:"appmoduleidunique eq ".concat(c," and componenttype eq 60"),select:["objectid"]})).value.map(e=>e.objectid).filter(e=>e);if(t.length>0){let r=t.map(e=>"formid eq ".concat(e)).join(" or ");e="(".concat(e,") and (").concat(r,")")}}catch(e){console.warn("Failed to load app module form components:",e)}let t=await o$.dataverseClient.fetchEntities("systemforms",{filter:e,select:["formid","name","objecttypecode","type","formxml","isdefault"],orderby:"isdefault desc,name asc",top:1});if(0===t.value.length)throw Error("No form found for entity: ".concat(o));let r=t.value[0];if(x(r),r.formxml){let e=function(e){try{let t=new DOMParser().parseFromString(e,"text/xml").getElementsByTagName("form")[0];if(!t)return console.warn("No form element found in FormXML"),{tabs:[],formLibraries:[],events:[]};let r=function(e){let t=[],r=e.getElementsByTagName("formLibraries")[0];if(!r)return t;let o=r.getElementsByTagName("Library");for(let e=0;ee.trim()):[];t.push({name:n,application:l,active:a,attribute:i,functionName:o,libraryName:c,parameters:d})}}return t}(t),n=t.getElementsByTagName("tabs")[0];if(!n)return{tabs:[],formLibraries:r,events:o};let l=[],a=n.getElementsByTagName("tab");for(let e=0;e0&&(n=e[0].getAttribute("description")||r)}let a=[],i=e.getElementsByTagName("columns")[0];if(i){let e=i.getElementsByTagName("column");for(let t=0;t0&&(n=e[0].getAttribute("description")||r)}let a=[],i=e.getElementsByTagName("rows")[0];if(i){let e=i.getElementsByTagName("row");for(let t=0;t0){let r=n[0],o="",l=e.getElementsByTagName("labels")[0];if(l){let e=l.getElementsByTagName("label");e.length>0&&(o=e[0].getAttribute("description")||"")}t={id:r.getAttribute("id")||"",datafieldname:r.getAttribute("datafieldname")||void 0,classid:r.getAttribute("classid")||"",label:o||void 0,disabled:"true"===r.getAttribute("disabled")}}return{control:t,colspan:r,rowspan:o}}(r[e]);t.push(o)}return{cells:t}}(e[t]);a.push(r)}}return{id:t,name:r,label:n,visible:o,rows:a}}(e[t]);a.push(r)}}}}return{id:t,name:r,label:n,visible:o,sections:a}}(t);l.push(r)}return{tabs:l,formLibraries:r,events:o}}catch(e){return console.error("Error parsing FormXML:",e),{tabs:[],formLibraries:[],events:[]}}}(r.formxml);k(e),e.tabs.length>0&&N(e.tabs[0].id)}if(i){let e=await o$.dataverseClient.fetchEntities(n,{filter:"".concat(o,"id eq ").concat(i),top:1});e.value.length>0&&B(e.value[0])}}catch(e){console.error("Error loading form:",e),b(e instanceof Error?e.message:"Failed to load form")}finally{m(!1)}},M=async()=>{v(!0),b(null);try{let e=i;i?await o$.dataverseClient.updateEntity(n,i,j):e=await o$.dataverseClient.createEntity(n,j),E(!1),d&&e&&d(e)}catch(e){console.error("Error saving record:",e),b(e instanceof Error?e.message:"Failed to save record")}finally{v(!1)}};if(p)return(0,t.jsx)("div",{className:f.container,children:(0,t.jsx)("div",{className:f.loadingContainer,children:(0,t.jsx)(l.Spinner,{label:"Loading form..."})})});if(h)return(0,t.jsxs)("div",{className:f.container,children:[(0,t.jsx)("div",{className:f.header,children:(0,t.jsx)(a.Button,{appearance:"subtle",icon:(0,t.jsx)(oZ.ArrowLeft20Regular,{}),onClick:u,children:"Back"})}),(0,t.jsx)("div",{className:f.content,children:(0,t.jsxs)("div",{className:f.errorContainer,children:[(0,t.jsx)("strong",{children:"Error:"})," ",h]})})]});if(!w)return(0,t.jsxs)("div",{className:f.container,children:[(0,t.jsx)("div",{className:f.header,children:(0,t.jsx)(a.Button,{appearance:"subtle",icon:(0,t.jsx)(oZ.ArrowLeft20Regular,{}),onClick:u,children:"Back"})}),(0,t.jsx)("div",{className:f.content,children:(0,t.jsx)("div",{className:f.errorContainer,children:"No form definition available"})})]});let F=w.tabs.filter(e=>e.visible),L=F.find(e=>e.id===S),H=void 0!==i,O="__audit_history__";return(0,t.jsxs)("div",{className:f.container,children:[(0,t.jsxs)("div",{className:f.header,children:[(0,t.jsx)(a.Button,{appearance:"subtle",icon:(0,t.jsx)(oZ.ArrowLeft20Regular,{}),onClick:u,children:"Back"}),(0,t.jsxs)("div",{className:f.title,children:[s||o," - ",i?"Edit":"New"]}),(0,t.jsx)(a.Button,{appearance:"primary",icon:(0,t.jsx)(C.Save20Regular,{}),onClick:M,disabled:!z||g,children:g?"Saving...":"Save"}),(0,t.jsx)(a.Button,{appearance:"subtle",icon:(0,t.jsx)(na,{}),onClick:u,children:"Close"})]}),(0,t.jsxs)("div",{className:f.content,children:[(F.length>1||H)&&(0,t.jsxs)(nl.TabList,{selectedValue:S,onTabSelect:(e,t)=>{N(t.value)},className:f.tabList,children:[F.map(e=>(0,t.jsx)(nn.Tab,{value:e.id,children:e.label},e.id)),H&&(0,t.jsx)(nn.Tab,{value:O,children:"Audit History"},O)]}),S===O&&H?(0,t.jsx)(nj,{entityName:o,recordId:i}):L&&(L.visible?(0,t.jsx)("div",{children:L.sections.map(e=>e.visible?(0,t.jsxs)("div",{className:f.section,children:[(0,t.jsx)("div",{className:f.sectionTitle,children:e.label}),e.rows.map((e,r)=>(0,t.jsx)("div",{className:f.formRow,children:e.cells.map((e,r)=>e.control?(0,t.jsx)("div",{children:(e=>{if(!e||!e.datafieldname)return null;let r=e.datafieldname,o=j[r]||"";return(0,t.jsx)(no,{label:e.label||r,className:f.field,children:(0,t.jsx)(o1.Input,{value:String(o),onChange:e=>{var t;return t=e.target.value,void(B(e=>({...e,[r]:t})),E(!0))},disabled:e.disabled})},e.id)})(e.control)},r):(0,t.jsx)("div",{},r))},r))]},e.id):null)},L.id):null)]})]})}let nS=(0,o.makeStyles)({container:{display:"flex",height:"100vh",overflow:"hidden"},main:{flex:1,display:"flex",flexDirection:"column",overflow:"hidden"},loadingContainer:{display:"flex",justifyContent:"center",alignItems:"center",height:"100vh",backgroundColor:n.tokens.colorNeutralBackground1},errorContainer:{padding:"24px",color:n.tokens.colorPaletteRedForeground1,backgroundColor:n.tokens.colorNeutralBackground1},welcomeContainer:{padding:"24px",backgroundColor:n.tokens.colorNeutralBackground1}}),nN={account:"accounts",contact:"contacts",opportunity:"opportunities",lead:"leads",incident:"incidents",knowledgearticle:"knowledgearticles",systemuser:"systemusers",team:"teams"},nz={account:"Accounts",contact:"Contacts",opportunity:"Opportunities",lead:"Leads",incident:"Cases",knowledgearticle:"Knowledge Articles",systemuser:"Users",team:"Teams"};function nE(){let e=new URLSearchParams(window.location.search);return{appid:e.get("appid")||void 0,pagetype:e.get("pagetype")||void 0,etn:e.get("etn")||void 0,viewid:e.get("viewid")||void 0,id:e.get("id")||void 0}}function nI(){let e=nS(),[o,n]=(0,r.useState)(null),[a,i]=(0,r.useState)(!0),[s,c]=(0,r.useState)(null),[u,d]=(0,r.useState)(null),[f,p]=(0,r.useState)(null),[m,g]=(0,r.useState)(void 0),[v,h]=(0,r.useState)(void 0),[b,y]=(0,r.useState)(void 0),[x,w]=(0,r.useState)([]);(0,r.useEffect)(()=>{k();let e=()=>{let e=nE(),t=e.pagetype,r=e.etn||null,o=e.id,n=e.viewid;"entityrecord"===t&&o&&u&&"entityrecord"!==v&&w(e=>[...e,{entity:u,viewId:m,pageType:v}]),h(t),d(r),y(o),g(n)};return window.addEventListener("urlchange",e),window.addEventListener("popstate",e),()=>{window.removeEventListener("urlchange",e),window.removeEventListener("popstate",e)}},[]);let k=async()=>{i(!0),c(null);try{let e=nE(),t=await o$.dataverseClient.fetchEntities("appmodules",{top:1,select:["appmoduleid","name"],...e.appid&&{filter:"appmoduleid eq ".concat(e.appid)}});if(t.value.length>0){let r=t.value[0];p(r.appmoduleid);let o=await o$.dataverseClient.fetchEntities("sitemaps",{filter:"appmoduleid eq ".concat(r.appmoduleid),select:["sitemapid","sitemapxml"],top:1});if(o.value.length>0){let t=o.value[0];if(t.sitemapxml){let r=function(e){try{let t=new DOMParser().parseFromString(e,"text/xml"),r=[];return t.querySelectorAll("SiteMap > Area").forEach(e=>{let t={id:e.getAttribute("Id")||"",title:e.getAttribute("Title")||e.getAttribute("Id")||"Untitled",icon:e.getAttribute("Icon")||void 0,groups:[]};e.querySelectorAll(":scope > Group").forEach(e=>{let r={id:e.getAttribute("Id")||"",title:e.getAttribute("Title")||e.getAttribute("Id")||"Untitled",subareas:[]};e.querySelectorAll(":scope > SubArea").forEach(e=>{let t={id:e.getAttribute("Id")||"",title:e.getAttribute("Title")||e.getAttribute("Id")||"Untitled",entity:e.getAttribute("Entity")||void 0,url:e.getAttribute("Url")||void 0,icon:e.getAttribute("Icon")||void 0};r.subareas.push(t)}),t.groups.push(r)}),r.push(t)}),{areas:r}}catch(e){return console.error("Error parsing sitemap XML:",e),{areas:[]}}}(t.sitemapxml);if(n(r),e.etn)d(e.etn),g(e.viewid),h(e.pagetype),y(e.id);else if(r.areas.length>0){let e=r.areas[0];if(e.groups.length>0){let t=e.groups[0];if(t.subareas.length>0){let e=t.subareas[0];e.entity&&d(e.entity)}}}}}else c("No sitemap found for the app. Please initialize MDA data.")}else c("No app module found. Please initialize MDA data using the CLI service.")}catch(e){console.error("Error loading sitemap:",e),c(e instanceof Error?e.message:"Failed to load sitemap")}finally{i(!1)}},j=()=>{if(x.length>0){let e=x[x.length-1];if(w(e=>e.slice(0,-1)),d(e.entity),g(e.viewId),h(e.pageType),y(e.recordId),f){let t=new URLSearchParams;t.set("appid",f),e.pageType?t.set("pagetype",e.pageType):t.set("pagetype","entitylist"),t.set("etn",e.entity),e.viewId&&t.set("viewid",e.viewId),e.recordId&&t.set("id",e.recordId);let r="".concat(window.location.pathname,"?").concat(t.toString());window.history.pushState({},"",r)}}else{h(void 0),y(void 0);{let e=new URLSearchParams(window.location.search);e.delete("pagetype"),e.delete("id");let t="".concat(window.location.pathname,"?").concat(e.toString());window.history.pushState({},"",t)}}};return a?(0,t.jsx)("div",{className:e.loadingContainer,children:(0,t.jsx)(l.Spinner,{label:"Loading Model-Driven App..."})}):s?(0,t.jsxs)("div",{className:e.errorContainer,children:[(0,t.jsx)("h2",{children:"Error Loading App"}),(0,t.jsx)("p",{children:s}),(0,t.jsx)("p",{children:"Make sure the Fake4Dataverse service is running and has initialized MDA metadata."})]}):o&&0!==o.areas.length?(0,t.jsxs)("div",{className:e.container,children:[(0,t.jsx)(W,{areas:o.areas,selectedEntity:u||void 0,onNavigate:e=>{if(w([]),d(e),g(void 0),h(void 0),y(void 0),f){let t=new URLSearchParams;t.set("appid",f),t.set("pagetype","entitylist"),t.set("etn",e);let r="".concat(window.location.pathname,"?").concat(t.toString());window.history.pushState({},"",r)}}}),(0,t.jsx)("main",{className:e.main,children:u&&"entityrecord"===v?(0,t.jsx)(nC,{entityName:u,entityPluralName:nN[u]||u+"s",displayName:nz[u],recordId:b,appModuleId:f||void 0,onClose:()=>{j()},onSave:e=>{console.log("Record saved:",e),j()}}):u?(0,t.jsx)(o0,{entityName:u,entityPluralName:nN[u]||u+"s",displayName:nz[u],appModuleId:f||void 0,initialViewId:m}):(0,t.jsx)("div",{className:e.welcomeContainer,children:(0,t.jsx)("h2",{children:"Select an entity from the navigation"})})})]}):(0,t.jsxs)("div",{className:e.welcomeContainer,children:[(0,t.jsx)("h2",{children:"Welcome to Fake4Dataverse Model-Driven App"}),(0,t.jsx)("p",{children:"No sitemap configured. Please initialize MDA data."})]})}}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/09eaee552d2e4a13.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/09eaee552d2e4a13.js new file mode 100644 index 00000000..30086c60 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/09eaee552d2e4a13.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,75570,e=>{"use strict";e.s(["default",()=>Y],75570);var a=e.i(43476),l=e.i(71645),t=e.i(76166),i=e.i(83831),o=e.i(77790),r=e.i(50637),n=e.i(90885),s=e.i(87452),c=e.i(47427),d=e.i(84862),m=e.i(39806);let u=(0,m.createFluentIcon)("Folder20Regular","20",["M4.5 3A2.5 2.5 0 0 0 2 5.5v9A2.5 2.5 0 0 0 4.5 17h11a2.5 2.5 0 0 0 2.5-2.5v-7A2.5 2.5 0 0 0 15.5 5H9.7L8.23 3.51A1.75 1.75 0 0 0 6.98 3H4.5ZM3 5.5C3 4.67 3.67 4 4.5 4h2.48c.2 0 .4.08.53.22L8.8 5.5 7.44 6.85a.5.5 0 0 1-.35.15H3V5.5ZM3 8h4.09c.4 0 .78-.16 1.06-.44L9.7 6h5.79c.83 0 1.5.67 1.5 1.5v7c0 .83-.67 1.5-1.5 1.5h-11A1.5 1.5 0 0 1 3 14.5V8Z"]),h=(0,m.createFluentIcon)("FolderOpen20Regular","20",["M3 5.5v6.6l1.5-2.6A3 3 0 0 1 7.1 8H15v-.5c0-.83-.67-1.5-1.5-1.5h-4a.5.5 0 0 1-.35-.15l-1.71-1.7A.5.5 0 0 0 7.09 4H4.5C3.67 4 3 4.67 3 5.5Zm1.28 10.48.22.02h9.4a2 2 0 0 0 1.73-1l2.17-3.75A1.5 1.5 0 0 0 16.5 9H7.1a2 2 0 0 0-1.73 1L3.2 13.75a1.5 1.5 0 0 0 1.08 2.23ZM2 14.46V5.5A2.5 2.5 0 0 1 4.5 3h2.59c.4 0 .78.16 1.06.44L9.7 5h3.79A2.5 2.5 0 0 1 16 7.5V8h.5a2.5 2.5 0 0 1 2.16 3.75L16.5 15.5a3 3 0 0 1-2.6 1.5H4.5a2.54 2.54 0 0 1-1.62-.6A2.5 2.5 0 0 1 2 14.46Z"],{flipInRtl:!0}),p=(0,m.createFluentIcon)("Table20Regular","20",["M17 5.5A2.5 2.5 0 0 0 14.5 3h-9A2.5 2.5 0 0 0 3 5.5v9A2.5 2.5 0 0 0 5.5 17h9a2.5 2.5 0 0 0 2.5-2.5v-9Zm-13 9V13h3v3H5.36A1.5 1.5 0 0 1 4 14.5Zm8-1.5v3H8v-3h4Zm2.5 3H13v-3h3V14.64A1.5 1.5 0 0 1 14.5 16ZM12 8v4H8V8h4Zm1 0h3v4h-3V8Zm-1-4v3H8V4h4Zm1 0H14.64A1.5 1.5 0 0 1 16 5.5V7h-3V4ZM7 4v3H4V5.36A1.5 1.5 0 0 1 5.5 4H7Zm0 4v4H4V8h3Z"]),x=(0,t.makeStyles)({nav:{width:"300px",height:"100vh",backgroundColor:i.tokens.colorNeutralBackground3,borderRight:"1px solid ".concat(i.tokens.colorNeutralStroke1),display:"flex",flexDirection:"column",overflow:"hidden"},header:{padding:"16px",borderBottom:"1px solid ".concat(i.tokens.colorNeutralStroke1),fontWeight:i.tokens.fontWeightSemibold,fontSize:i.tokens.fontSizeBase400},scrollArea:{flex:1,overflow:"auto",padding:"8px"},tableItem:{cursor:"pointer"},selectedTableItem:{backgroundColor:i.tokens.colorNeutralBackground1Selected}});function b(e){let{solutions:t,tables:i,selectedTable:o,onTableSelect:r}=e,n=x(),[m,b]=(0,l.useState)(new Set),N=[{solutionid:"fd140aaf-4df4-11dd-bd17-0019b9312238",uniquename:"Active",friendlyname:"Active",ismanaged:!1,isvisible:!0},...t];return(0,a.jsxs)("div",{className:n.nav,children:[(0,a.jsx)("div",{className:n.header,children:"Solutions & Tables"}),(0,a.jsx)("div",{className:n.scrollArea,children:(0,a.jsx)(s.Tree,{"aria-label":"Solutions and tables",openItems:m,onOpenChange:(e,a)=>{b(a.openItems)},children:N.map(e=>(0,a.jsxs)(c.TreeItem,{itemType:"branch",value:e.solutionid,children:[(0,a.jsxs)(d.TreeItemLayout,{iconBefore:m.has(e.solutionid)?(0,a.jsx)(h,{}):(0,a.jsx)(u,{}),children:[e.friendlyname||e.uniquename,"Active"===e.uniquename&&" (All Components)"]}),(0,a.jsx)(s.Tree,{children:i.map(l=>{var t,i;return(0,a.jsx)(c.TreeItem,{itemType:"leaf",value:"".concat(e.solutionid,"-").concat(l.LogicalName),children:(0,a.jsx)(d.TreeItemLayout,{iconBefore:(0,a.jsx)(p,{}),className:o===l.LogicalName?"".concat(n.tableItem," ").concat(n.selectedTableItem):n.tableItem,onClick:()=>{r(l.LogicalName)},children:(null==(i=l.DisplayName)||null==(t=i.UserLocalizedLabel)?void 0:t.Label)||l.SchemaName||l.LogicalName})},"".concat(e.solutionid,"-").concat(l.LogicalName))})})]},e.solutionid))})})]})}var N=e.i(86907),g=e.i(22053),v=e.i(46036),f=e.i(38120),j=e.i(82267),y=e.i(68748),C=e.i(84019),L=e.i(54902);let S=(0,t.makeStyles)({container:{display:"flex",flexDirection:"column",height:"100%",padding:"16px",overflow:"hidden"},header:{marginBottom:"16px"},title:{fontSize:i.tokens.fontSizeBase500,fontWeight:i.tokens.fontWeightSemibold,marginBottom:"8px"},searchBox:{maxWidth:"400px"},tableContainer:{flex:1,overflow:"auto",border:"1px solid ".concat(i.tokens.colorNeutralStroke1),borderRadius:i.tokens.borderRadiusMedium},tableRow:{cursor:"pointer","&:hover":{backgroundColor:i.tokens.colorNeutralBackground1Hover}}});function k(e){let{tables:t,onTableSelect:i}=e,o=S(),[r,n]=(0,l.useState)(""),s=(0,l.useMemo)(()=>{if(!r.trim())return t;let e=r.toLowerCase();return t.filter(a=>{var l,t,i,o;let r=(null==(i=a.DisplayName)||null==(t=i.UserLocalizedLabel)||null==(l=t.Label)?void 0:l.toLowerCase())||"",n=a.LogicalName.toLowerCase(),s=(null==(o=a.SchemaName)?void 0:o.toLowerCase())||"";return r.includes(e)||n.includes(e)||s.includes(e)})},[t,r]);return(0,a.jsxs)("div",{className:o.container,children:[(0,a.jsxs)("div",{className:o.header,children:[(0,a.jsx)("div",{className:o.title,children:"Tables"}),(0,a.jsx)(N.Input,{className:o.searchBox,contentBefore:(0,a.jsx)(L.Search20Regular,{}),placeholder:"Search tables...",value:r,onChange:(e,a)=>n(a.value)})]}),(0,a.jsx)("div",{className:o.tableContainer,children:(0,a.jsxs)(g.Table,{size:"small",children:[(0,a.jsx)(y.TableHeader,{children:(0,a.jsxs)(j.TableRow,{children:[(0,a.jsx)(C.TableHeaderCell,{children:"Display Name"}),(0,a.jsx)(C.TableHeaderCell,{children:"Logical Name"}),(0,a.jsx)(C.TableHeaderCell,{children:"Schema Name"}),(0,a.jsx)(C.TableHeaderCell,{children:"Plural Name"}),(0,a.jsx)(C.TableHeaderCell,{children:"Custom"})]})}),(0,a.jsx)(v.TableBody,{children:s.map(e=>{var l,t,r,n;return(0,a.jsxs)(j.TableRow,{className:o.tableRow,onClick:()=>i(e.LogicalName),children:[(0,a.jsx)(f.TableCell,{children:(null==(t=e.DisplayName)||null==(l=t.UserLocalizedLabel)?void 0:l.Label)||e.SchemaName||e.LogicalName}),(0,a.jsx)(f.TableCell,{children:e.LogicalName}),(0,a.jsx)(f.TableCell,{children:e.SchemaName||""}),(0,a.jsx)(f.TableCell,{children:(null==(n=e.DisplayCollectionName)||null==(r=n.UserLocalizedLabel)?void 0:r.Label)||""}),(0,a.jsx)(f.TableCell,{children:e.IsCustomEntity?"Yes":"No"})]},e.LogicalName)})})]})})]})}var T=e.i(85182),A=e.i(51345),I=e.i(59066),w=e.i(31131);let B=(0,t.makeStyles)({tableContainer:{border:"1px solid ".concat(i.tokens.colorNeutralStroke1),borderRadius:i.tokens.borderRadiusMedium,overflow:"auto"},propertyName:{fontWeight:i.tokens.fontWeightSemibold,width:"40%",backgroundColor:i.tokens.colorNeutralBackground3},propertyValue:{width:"60%"},emptyValue:{fontStyle:"italic",color:i.tokens.colorNeutralForeground3}});function D(e){let{properties:l}=e,t=B();return(0,a.jsx)("div",{className:t.tableContainer,children:(0,a.jsxs)(g.Table,{size:"small",children:[(0,a.jsx)(y.TableHeader,{children:(0,a.jsxs)(j.TableRow,{children:[(0,a.jsx)(C.TableHeaderCell,{className:t.propertyName,children:"Property"}),(0,a.jsx)(C.TableHeaderCell,{className:t.propertyValue,children:"Value"})]})}),(0,a.jsx)(v.TableBody,{children:Object.entries(l).map(e=>{let[l,i]=e;return(0,a.jsxs)(j.TableRow,{children:[(0,a.jsx)(f.TableCell,{className:t.propertyName,children:l}),(0,a.jsx)(f.TableCell,{className:t.propertyValue,children:i||(0,a.jsx)("span",{className:t.emptyValue,children:"(empty)"})})]},l)})})]})})}var H=e.i(87194),R=e.i(40454),V=e.i(88544),P=e.i(40894),z=e.i(98358);let E=(0,t.makeStyles)({container:{display:"flex",flexDirection:"column",gap:"8px"},columnHeader:{display:"flex",alignItems:"center",gap:"8px"},badge:{marginLeft:"8px"}});function Z(e){let{columns:l}=e,t=E();return(0,a.jsx)("div",{className:t.container,children:(0,a.jsx)(H.Accordion,{multiple:!0,collapsible:!0,children:l.map(e=>{var l,i,o,r,n,s,c,d;return(0,a.jsxs)(R.AccordionItem,{value:e.LogicalName,children:[(0,a.jsx)(V.AccordionHeader,{children:(0,a.jsxs)("div",{className:t.columnHeader,children:[(0,a.jsx)("span",{children:(null==(i=e.DisplayName)||null==(l=i.UserLocalizedLabel)?void 0:l.Label)||e.SchemaName||e.LogicalName}),e.IsCustomAttribute&&(0,a.jsx)(z.Badge,{appearance:"filled",color:"brand",className:t.badge,children:"Custom"}),e.IsPrimaryId&&(0,a.jsx)(z.Badge,{appearance:"filled",color:"important",className:t.badge,children:"Primary ID"}),e.IsPrimaryName&&(0,a.jsx)(z.Badge,{appearance:"filled",color:"informative",className:t.badge,children:"Primary Name"})]})}),(0,a.jsx)(P.AccordionPanel,{children:(0,a.jsx)(D,{properties:{"Logical Name":e.LogicalName,"Schema Name":e.SchemaName||"","Display Name":(null==(r=e.DisplayName)||null==(o=r.UserLocalizedLabel)?void 0:o.Label)||"",Description:(null==(s=e.Description)||null==(n=s.UserLocalizedLabel)?void 0:n.Label)||"","Attribute Type":(null==(c=e.AttributeTypeName)?void 0:c.Value)||e.AttributeType||"","Is Custom":e.IsCustomAttribute?"Yes":"No","Is Primary ID":e.IsPrimaryId?"Yes":"No","Is Primary Name":e.IsPrimaryName?"Yes":"No","Required Level":(null==(d=e.RequiredLevel)?void 0:d.Value)||""}})})]},e.LogicalName)})})})}let M=(0,t.makeStyles)({container:{display:"flex",flexDirection:"column",gap:"8px"},formHeader:{display:"flex",alignItems:"center",gap:"8px"},badge:{marginLeft:"8px"}}),F={0:"Dashboard",1:"AppointmentBook",2:"Main",4:"Quick Create",5:"Quick View Read-Only",6:"Quick View",7:"Dialog",8:"Task Flow",9:"InteractionCentric",11:"Card",12:"Main - Interactive experience"};function U(e){let{forms:l}=e,t=M(),i=e=>F[e]||"Type ".concat(e);return(0,a.jsx)("div",{className:t.container,children:(0,a.jsx)(H.Accordion,{multiple:!0,collapsible:!0,children:l.map(e=>{var l;return(0,a.jsxs)(R.AccordionItem,{value:e.formid,children:[(0,a.jsx)(V.AccordionHeader,{children:(0,a.jsxs)("div",{className:t.formHeader,children:[(0,a.jsx)("span",{children:e.name}),(0,a.jsx)(z.Badge,{appearance:"outline",className:t.badge,children:i(e.type)}),e.isdefault&&(0,a.jsx)(z.Badge,{appearance:"filled",color:"success",className:t.badge,children:"Default"})]})}),(0,a.jsx)(P.AccordionPanel,{children:(0,a.jsx)(D,{properties:{"Form ID":e.formid,Name:e.name,Type:i(e.type),Description:e.description||"","Is Default":e.isdefault?"Yes":"No",Entity:e.objecttypecode,State:0===e.statecode?"Active":"Inactive",Status:(null==(l=e.statuscode)?void 0:l.toString())||""}})})]},e.formid)})})})}let O=(0,t.makeStyles)({container:{display:"flex",flexDirection:"column",height:"100%",overflow:"hidden"},toolbar:{display:"flex",alignItems:"center",gap:"12px",padding:"16px",borderBottom:"1px solid ".concat(i.tokens.colorNeutralStroke1)},title:{fontSize:i.tokens.fontSizeBase500,fontWeight:i.tokens.fontWeightSemibold},tabs:{padding:"0 16px",borderBottom:"1px solid ".concat(i.tokens.colorNeutralStroke1)},content:{flex:1,overflow:"auto",padding:"16px"},loadingContainer:{display:"flex",justifyContent:"center",alignItems:"center",height:"100%"},errorContainer:{padding:"24px",color:i.tokens.colorPaletteRedForeground1}});function W(e){var t,i,n,s,c,d,m,u,h;let{logicalName:p,onBack:x}=e,b=O(),[N,g]=(0,l.useState)(!0),[v,f]=(0,l.useState)(null),[j,y]=(0,l.useState)(null),[C,L]=(0,l.useState)([]),[S,k]=(0,l.useState)([]),[B,H]=(0,l.useState)("properties");(0,l.useEffect)(()=>{R()},[p]);let R=async()=>{try{g(!0),f(null);let e=await w.dataverseClient.fetchEntityDefinition(p,{expand:["Attributes"]});y(e),L(e.Attributes||[]);let a=await w.dataverseClient.fetchEntities("systemforms",{filter:"objecttypecode eq '".concat(p,"'"),select:["formid","name","type","description","isdefault"],orderby:"name asc"});k(a.value),g(!1)}catch(e){console.error("Error loading table details:",e),f(e instanceof Error?e.message:"Failed to load table details"),g(!1)}};return N?(0,a.jsx)("div",{className:b.loadingContainer,children:(0,a.jsx)(o.Spinner,{size:"large",label:"Loading table details..."})}):v?(0,a.jsxs)("div",{className:b.errorContainer,children:[(0,a.jsx)("h2",{children:"Error"}),(0,a.jsx)("p",{children:v}),(0,a.jsx)(r.Button,{onClick:x,children:"Back to Tables"})]}):(0,a.jsxs)("div",{className:b.container,children:[(0,a.jsxs)("div",{className:b.toolbar,children:[(0,a.jsx)(r.Button,{icon:(0,a.jsx)(I.ArrowLeft20Regular,{}),appearance:"subtle",onClick:x,children:"Back"}),(0,a.jsx)("div",{className:b.title,children:j&&((null==(i=j.DisplayName)||null==(t=i.UserLocalizedLabel)?void 0:t.Label)||j.SchemaName)||p})]}),(0,a.jsx)("div",{className:b.tabs,children:(0,a.jsxs)(T.TabList,{selectedValue:B,onTabSelect:(e,a)=>H(a.value),children:[(0,a.jsx)(A.Tab,{value:"properties",children:"Properties"}),(0,a.jsxs)(A.Tab,{value:"columns",children:["Columns (",C.length,")"]}),(0,a.jsxs)(A.Tab,{value:"forms",children:["Forms (",S.length,")"]})]})}),(0,a.jsxs)("div",{className:b.content,children:["properties"===B&&(0,a.jsx)(D,{properties:j?{"Logical Name":j.LogicalName||"","Schema Name":j.SchemaName||"","Display Name":(null==(s=j.DisplayName)||null==(n=s.UserLocalizedLabel)?void 0:n.Label)||"","Plural Name":(null==(d=j.DisplayCollectionName)||null==(c=d.UserLocalizedLabel)?void 0:c.Label)||"",Description:(null==(u=j.Description)||null==(m=u.UserLocalizedLabel)?void 0:m.Label)||"","Entity Set Name":j.EntitySetName||"","Primary ID Attribute":j.PrimaryIdAttribute||"","Primary Name Attribute":j.PrimaryNameAttribute||"","Object Type Code":(null==(h=j.ObjectTypeCode)?void 0:h.toString())||"","Is Custom Entity":j.IsCustomEntity?"Yes":"No","Is Activity":j.IsActivity?"Yes":"No","Ownership Type":j.OwnershipType||""}:{}}),"columns"===B&&(0,a.jsx)(Z,{columns:C}),"forms"===B&&(0,a.jsx)(U,{forms:S})]})]})}let q=(0,t.makeStyles)({container:{display:"flex",height:"100vh",overflow:"hidden"},main:{flex:1,display:"flex",flexDirection:"column",overflow:"hidden"},toolbar:{display:"flex",alignItems:"center",gap:"12px",padding:"8px 16px",borderBottom:"1px solid ".concat(i.tokens.colorNeutralStroke1),backgroundColor:i.tokens.colorNeutralBackground3},loadingContainer:{display:"flex",justifyContent:"center",alignItems:"center",height:"100vh",backgroundColor:i.tokens.colorNeutralBackground1},errorContainer:{padding:"24px",color:i.tokens.colorPaletteRedForeground1,backgroundColor:i.tokens.colorNeutralBackground1}});function Y(){let e=q(),[t,i]=(0,l.useState)([]),[s,c]=(0,l.useState)([]),[d,m]=(0,l.useState)(!0),[u,h]=(0,l.useState)(null),[p,x]=(0,l.useState)(null),[N,g]=(0,l.useState)("browser");(0,l.useEffect)(()=>{v()},[]);let v=async()=>{try{m(!0);let e=await w.dataverseClient.fetchEntities("solutions",{select:["solutionid","uniquename","friendlyname","version","ismanaged"],orderby:"friendlyname asc"});i(e.value);let a=await w.dataverseClient.fetchEntityDefinitions({select:["MetadataId","LogicalName","SchemaName","DisplayName","DisplayCollectionName","EntitySetName","IsCustomEntity"]});c(a.value||[]),m(!1)}catch(e){console.error("Error loading make data:",e),h(e instanceof Error?e.message:"Failed to load data"),m(!1)}},f=e=>{x(e),g("detail")};return d?(0,a.jsx)("div",{className:e.loadingContainer,children:(0,a.jsx)(o.Spinner,{size:"large",label:"Loading solutions and tables..."})}):u?(0,a.jsxs)("div",{className:e.errorContainer,children:[(0,a.jsx)("h2",{children:"Error"}),(0,a.jsx)("p",{children:u})]}):(0,a.jsxs)("div",{className:e.container,children:[(0,a.jsx)(b,{solutions:t,tables:s,selectedTable:p,onTableSelect:f}),(0,a.jsxs)("main",{className:e.main,children:[(0,a.jsx)("div",{className:e.toolbar,children:(0,a.jsx)(r.Button,{appearance:"subtle",icon:(0,a.jsx)(n.Home20Regular,{}),onClick:()=>{window.location.href="/"},children:"Back to App"})}),"browser"===N&&(0,a.jsx)(k,{tables:s,onTableSelect:f}),"detail"===N&&p&&(0,a.jsx)(W,{logicalName:p,onBack:()=>{g("browser"),x(null)}})]})]})}}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/16542d6034315be1.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/16542d6034315be1.js new file mode 100644 index 00000000..b0269f98 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/16542d6034315be1.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,77830,(e,t,r)=>{"use strict";function o(e,t){var r=e.length;for(e.push(t);0>>1,i=e[o];if(0>>1;oa(s,r))ua(c,s)?(e[o]=c,e[u]=r,o=u):(e[o]=s,e[l]=r,o=l);else if(ua(c,r))e[o]=c,e[u]=r,o=u;else break}}return t}function a(e,t){var r=e.sortIndex-t.sortIndex;return 0!==r?r:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var l,s=performance;r.unstable_now=function(){return s.now()}}else{var u=Date,c=u.now();r.unstable_now=function(){return u.now()-c}}var d=[],f=[],h=1,v=null,p=3,b=!1,m=!1,g=!1,_="function"==typeof setTimeout?setTimeout:null,y="function"==typeof clearTimeout?clearTimeout:null,k="undefined"!=typeof setImmediate?setImmediate:null;function w(e){for(var t=i(f);null!==t;){if(null===t.callback)n(f);else if(t.startTime<=e)n(f),t.sortIndex=t.expirationTime,o(d,t);else break;t=i(f)}}function x(e){if(g=!1,w(e),!m)if(null!==i(d))m=!0,j(T);else{var t=i(f);null!==t&&R(x,t.startTime-e)}}function T(e,t){m=!1,g&&(g=!1,y(E),E=-1),b=!0;var o=p;try{for(w(t),v=i(d);null!==v&&(!(v.expirationTime>t)||e&&!F());){var a=v.callback;if("function"==typeof a){v.callback=null,p=v.priorityLevel;var l=a(v.expirationTime<=t);t=r.unstable_now(),"function"==typeof l?v.callback=l:v===i(d)&&n(d),w(t)}else n(d);v=i(d)}if(null!==v)var s=!0;else{var u=i(f);null!==u&&R(x,u.startTime-t),s=!1}return s}finally{v=null,p=o,b=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var z=!1,B=null,E=-1,C=5,I=-1;function F(){return!(r.unstable_now()-Ie||125a?(e.sortIndex=n,o(f,e),null===i(d)&&e===i(f)&&(g?(y(E),E=-1):g=!0,R(x,n-a))):(e.sortIndex=l,o(d,e),m||b||(m=!0,j(T))),e},r.unstable_shouldYield=F,r.unstable_wrapCallback=function(e){var t=p;return function(){var r=p;p=t;try{return e.apply(this,arguments)}finally{p=r}}}},72375,(e,t,r)=>{"use strict";t.exports=e.r(77830)},87452,84179,99749,77261,59947,54369,65987,24830,23917,48920,47427,63350,25063,8517,36283,56626,73564,66710,84862,e=>{"use strict";let t;e.s(["Tree",()=>tJ],87452);var r=e.i(71645);e.i(47167);var o=e.i(17664),i=e.i(51701);e.s(["useControllableState",()=>n],84179);let n=e=>{let[t,o]=r.useState(()=>void 0===e.defaultState?e.initialState:"function"==typeof e.defaultState?e.defaultState():e.defaultState),i=r.useRef(e.state);r.useEffect(()=>{i.current=e.state},[e.state]);let n=r.useCallback(e=>{"function"==typeof e&&e(i.current)},[]);return a(e.state)?[e.state,n]:[t,o]},a=e=>{let[t]=r.useState(()=>void 0!==e);return t};function l(e,t,r){return t in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}e.s(["_",()=>l],99749);let s=Symbol("#internalSet");class u{static dangerouslyGetInternalSet(e){return e[s]}static copy(e){return new u(new Set(e[s]))}static from(e){return void 0===e?this.empty:e instanceof this?e:new this(new Set(e))}static[Symbol.hasInstance](e){return!!("object"==typeof e&&e&&s in e)}add(e){if(this.has(e))return this;let t=u.copy(this);return t[s].add(e),t}delete(e){if(!this.has(e))return this;let t=u.copy(this);return t[s].delete(e),t}has(e){return this[s].has(e)}[Symbol.iterator](){return this[s].values()}constructor(e){l(this,"size",void 0),l(this,s,void 0),this[s]=e,this.size=this[s].size}}function c(e,t){return e.open?t.add(e.value):t.delete(e.value)}l(u,"empty",new u(new Set));let d=Symbol("#internalMap");class f{static dangerouslyGetInternalMap(e){return e[d]}static copy(e){return this.from(e[d])}static from(e,t){if(void 0===e)return this.empty;if(!t)return e instanceof this?e:new this(new Map(e));let r=new Map;for(let o of e)r.set(...t(o));return new this(r)}static[Symbol.hasInstance](e){return!!("object"==typeof e&&e&&d in e)}delete(e){if(!this.has(e))return this;let t=f.copy(this);return t[d].delete(e),t}get(e){return this[d].get(e)}has(e){return this[d].has(e)}set(e,t){if(this.get(e)===t)return this;let r=f.copy(this);return r[d].set(e,t),r}[Symbol.iterator](){return this[d].entries()}constructor(e){l(this,"size",void 0),l(this,d,void 0),this[d]=e,this.size=this[d].size}}l(f,"empty",new f(new Map));let h=e=>Array.isArray(e)?e:[e,!0],v=e=>f.from(e,h),p={level:0,contextType:"subtree"},b=r.createContext(void 0),m=()=>{var e;return null!=(e=r.useContext(b))?e:p};var g=e.i(56720),_=e.i(77074);e.s(["Collapse",()=>U],54369),e.s(["curves",()=>k,"durations",()=>y,"motionTokens",()=>w],77261);let y={durationUltraFast:50,durationFaster:100,durationFast:150,durationNormal:200,durationGentle:250,durationSlow:300,durationSlower:400,durationUltraSlow:500},k={curveAccelerateMax:"cubic-bezier(0.9,0.1,1,0.2)",curveAccelerateMid:"cubic-bezier(1,0,1,1)",curveAccelerateMin:"cubic-bezier(0.8,0,0.78,1)",curveDecelerateMax:"cubic-bezier(0.1,0.9,0.2,1)",curveDecelerateMid:"cubic-bezier(0,0,0,1)",curveDecelerateMin:"cubic-bezier(0.33,0,0.1,1)",curveEasyEaseMax:"cubic-bezier(0.8,0,0.2,1)",curveEasyEase:"cubic-bezier(0.33,0,0.67,1)",curveLinear:"cubic-bezier(0,0,1,1)"},w={...y,...k};function x(){let e=r.useRef(!0);return r.useEffect(()=>{e.current&&(e.current=!1)},[]),e.current}e.s(["useFirstMount",()=>x],59947);var T=e.i(52911);let z=r.createContext(void 0);z.Provider;let B={fill:"forwards"},E={duration:1};function C(){var e;let t="undefined"!=typeof window&&"function"==typeof(null==(e=window.Animation)?void 0:e.prototype.persist);return r.useCallback((e,r,o)=>{let i=Array.isArray(r)?r:[r],{isReducedMotion:n}=o,a=i.map(r=>{let{keyframes:o,reducedMotion:i=E,...a}=r,{keyframes:l=o,...s}=i,u=n?l:o,c={...B,...a,...n&&s};try{let r=e.animate(u,c);if(t)null==r||r.persist();else{var d;let t=u[u.length-1];Object.assign(null!=(d=e.style)?d:{},t)}return r}catch(e){return null}}).filter(e=>!!e);return{set playbackRate(rate){a.forEach(e=>{e.playbackRate=rate})},setMotionEndCallbacks(e,t){Promise.all(a.map(e=>new Promise((t,r)=>{e.onfinish=()=>t(),e.oncancel=()=>r()}))).then(()=>{e()}).catch(()=>{t()})},isRunning:()=>a.some(e=>(function(e){if("running"===e.playState){var t,r,o,i;if(void 0!==e.overallProgress){let t=null!=(r=e.overallProgress)?r:0;return t>0&&t<1}let n=Number(null!=(o=e.currentTime)?o:0),a=Number(null!=(i=null==(t=e.effect)?void 0:t.getTiming().duration)?i:0);return n>0&&n{a.forEach(e=>{e.cancel()})},pause:()=>{a.forEach(e=>{e.pause()})},play:()=>{a.forEach(e=>{e.play()})},finish:()=>{a.forEach(e=>{e.finish()})},reverse:()=>{a.forEach(e=>{e.reverse()})}}},[t])}function I(e){let t=r.useRef(void 0);return r.useImperativeHandle(e,()=>({setPlayState:e=>{var r,o;"running"===e&&(null==(r=t.current)||r.play()),"paused"===e&&(null==(o=t.current)||o.pause())},setPlaybackRate:e=>{t.current&&(t.current.playbackRate=e)}})),t}var F=e.i(1327);function S(){var e;let{targetDocument:t}=(0,F.useFluent_unstable)(),o=null!=(e=null==t?void 0:t.defaultView)?e:null,i=r.useRef(!1),n=r.useCallback(()=>i.current,[]);return(0,T.useIsomorphicLayoutEffect)(()=>{if(null===o||"function"!=typeof o.matchMedia)return;let e=o.matchMedia("screen and (prefers-reduced-motion: reduce)");e.matches&&(i.current=!0);let t=e=>{i.current=e.matches};return e.addEventListener("change",t),()=>{e.removeEventListener("change",t)}},[o]),n}let N=parseInt(r.version,10)>=19;function q(e){let t=!(arguments.length>1)||void 0===arguments[1]||arguments[1],o=r.useRef(null);r.useEffect(()=>{},[t]);try{let t=r.Children.only(e);if(r.isValidElement(t))return[r.cloneElement(t,{ref:(0,i.useMergedRefs)(o,function(e){if(e)return N?e.props.ref:e.ref}(t))}),o]}catch(e){}throw Error("@fluentui/react-motion: Invalid child element.\nMotion factories require a single child element to be passed. That element element should support ref forwarding i.e. it should be either an intrinsic element (e.g. div) or a component that uses React.forwardRef().")}let j=r.createContext(void 0);j.Provider;let R=()=>{var e;return null!=(e=r.useContext(j))?e:"default"},P=Symbol("MOTION_DEFINITION");function M(e){return Object.assign(t=>{let{children:i,imperativeRef:n,onMotionFinish:a,onMotionStart:l,onMotionCancel:s,...u}=t,[c,d]=q(i),f=I(n),h="skip"===R(),v=r.useRef({skipMotions:h,params:u}),p=C(),b=S(),m=(0,o.useEventCallback)(()=>{null==l||l(null)}),g=(0,o.useEventCallback)(()=>{null==a||a(null)}),_=(0,o.useEventCallback)(()=>{null==s||s(null)});return(0,T.useIsomorphicLayoutEffect)(()=>{v.current={skipMotions:h,params:u}}),(0,T.useIsomorphicLayoutEffect)(()=>{let t=d.current;if(t){let r="function"==typeof e?e({element:t,...v.current.params}):e;m();let o=p(t,r,{isReducedMotion:b()});return f.current=o,o.setMotionEndCallbacks(g,_),v.current.skipMotions&&o.finish(),()=>{o.cancel()}}},[p,d,f,b,g,m,_]),c},{[P]:"function"==typeof e?e:()=>e})}let D=Symbol("PRESENCE_MOTION_DEFINITION"),A=Symbol.for("interruptablePresence");function O(e){return Object.assign(t=>{let i={...r.useContext(z),...t},n="skip"===R(),{appear:a,children:l,imperativeRef:s,onExit:u,onMotionFinish:c,onMotionStart:d,onMotionCancel:f,visible:h,unmountOnExit:v,...p}=i,[b,m]=function(){let e=arguments.length>0&&void 0!==arguments[0]&&arguments[0],t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],o=r.useRef(!t||e),i=r.useReducer(e=>e+1,0)[1],n=r.useCallback(e=>{o.current!==e&&(o.current=e,i())},[i]);return r.useEffect(()=>{e&&(o.current=e)}),[e||o.current,n]}(h,v),[g,_]=q(l,b),y=I(s),k=r.useRef({appear:a,params:p,skipMotions:n}),w=C(),B=x(),E=S(),F=(0,o.useEventCallback)(e=>{null==d||d(null,{direction:e})}),N=(0,o.useEventCallback)(e=>{null==c||c(null,{direction:e}),"exit"===e&&v&&(m(!1),null==u||u())}),j=(0,o.useEventCallback)(e=>{null==f||f(null,{direction:e})});return((0,T.useIsomorphicLayoutEffect)(()=>{k.current={appear:a,params:p,skipMotions:n}}),(0,T.useIsomorphicLayoutEffect)(()=>{let t,r=_.current;if(!r)return;function o(){t&&(n&&t.isRunning()||(t.cancel(),y.current=void 0))}let i="function"==typeof e?e({element:r,...k.current.params}):e,n=i[A];if(n&&(t=y.current)&&t.isRunning())return t.reverse(),o;let a=h?i.enter:i.exit,l=h?"enter":"exit",s=!k.current.appear&&B,u=k.current.skipMotions;return(s||F(l),t=w(r,a,{isReducedMotion:E()}),s)?t.finish():(y.current=t,t.setMotionEndCallbacks(()=>N(l),()=>j(l)),u&&t.finish()),o},[w,_,y,E,N,F,j,h]),b)?g:null},{[D]:"function"==typeof e?e:()=>e},{In:M("function"==typeof e?function(){for(var t=arguments.length,r=Array(t),o=0;or({...t,...e})))}let L=(e,t)=>{let r="horizontal"===e?t.scrollWidth:t.scrollHeight;return{sizeName:"horizontal"===e?"maxWidth":"maxHeight",overflowName:"horizontal"===e?"overflowX":"overflowY",toSize:"".concat(r,"px")}},W=e=>{let{direction:t,orientation:r,duration:o,easing:i,delay:n=0}=e,{paddingStart:a,paddingEnd:l,marginStart:s,marginEnd:u}="horizontal"===r?{paddingStart:"paddingInlineStart",paddingEnd:"paddingInlineEnd",marginStart:"marginInlineStart",marginEnd:"marginInlineEnd"}:{paddingStart:"paddingBlockStart",paddingEnd:"paddingBlockEnd",marginStart:"marginBlockStart",marginEnd:"marginBlockEnd"};return{keyframes:[{[a]:"0",[l]:"0",[s]:"0",[u]:"0",offset:+("enter"!==t)}],duration:o,easing:i,delay:n,fill:"both"}},V=e=>{let{direction:t,duration:r,easing:o=w.curveLinear,delay:i=0,fromOpacity:n=0}=e,a=[{opacity:n},{opacity:1}];return"exit"===t&&a.reverse(),{keyframes:a,duration:r,easing:o,delay:i,fill:"both"}},U=O(e=>{let{element:t,duration:r=w.durationNormal,exitDuration:o=r,sizeDuration:i=r,opacityDuration:n=i,exitSizeDuration:a=o,exitOpacityDuration:l=a,easing:s=w.curveEasyEaseMax,delay:u=0,exitEasing:c=s,exitDelay:d=u,staggerDelay:f=0,exitStaggerDelay:h=f,animateOpacity:v=!0,orientation:p="vertical",fromSize:b="0px"}=e,m=[(e=>{let{orientation:t,duration:r,easing:o,element:i,fromSize:n="0",delay:a=0}=e,{sizeName:l,overflowName:s,toSize:u}=L(t,i);return{keyframes:[{[l]:n,[s]:"hidden"},{[l]:u,offset:.9999,[s]:"hidden"},{[l]:"unset",[s]:"unset"}],duration:r,easing:o,delay:a,fill:"both"}})({orientation:p,duration:i,easing:s,element:t,fromSize:b,delay:u}),W({direction:"enter",orientation:p,duration:i,easing:s,delay:u})];v&&m.push(V({direction:"enter",duration:n,easing:s,delay:u+f}));let g=[];return v&&g.push(V({direction:"exit",duration:l,easing:c,delay:d})),g.push((e=>{let{orientation:t,duration:r,easing:o,element:i,delay:n=0,fromSize:a="0"}=e,{sizeName:l,overflowName:s,toSize:u}=L(t,i);return{keyframes:[{[l]:u,[s]:"hidden"},{[l]:a,[s]:"hidden"}],duration:r,easing:o,delay:n,fill:"both"}})({orientation:p,duration:a,easing:c,element:t,delay:d+h,fromSize:b}),W({direction:"exit",orientation:p,duration:a,easing:c,delay:d+h})),{enter:m,exit:g}});H(U,{duration:w.durationFast}),H(U,{duration:w.durationSlower}),H(U,{sizeDuration:w.durationNormal,opacityDuration:w.durationSlower,staggerDelay:w.durationNormal,exitSizeDuration:w.durationNormal,exitOpacityDuration:w.durationSlower,exitStaggerDelay:w.durationSlower,easing:w.curveEasyEase,exitEasing:w.curveEasyEase});var G=e.i(18015);let K={ArrowLeft:G.ArrowLeft,ArrowRight:G.ArrowRight,Enter:G.Enter,Click:"Click",ExpandIconClick:"ExpandIconClick",End:G.End,Home:G.Home,ArrowUp:G.ArrowUp,ArrowDown:G.ArrowDown,TypeAhead:"TypeAhead",Change:"Change"};var X=e.i(72375);let J=e=>{var t;let o=r.createContext({value:{current:e},version:{current:-1},listeners:[]});return t=o.Provider,o.Provider=e=>{let o=r.useRef(e.value),i=r.useRef(0),n=r.useRef();return n.current||(n.current={value:o,version:i,listeners:[]}),(0,T.useIsomorphicLayoutEffect)(()=>{o.current=e.value,i.current+=1,(0,X.unstable_runWithPriority)(X.unstable_NormalPriority,()=>{n.current.listeners.forEach(t=>{t([i.current,e.value])})})},[e.value]),r.createElement(t,{value:n.current},e.children)},delete o.Consumer,o},Z=(e,t)=>{let{value:{current:i},version:{current:n},listeners:a}=r.useContext(e),l=t(i),[s,u]=r.useState([i,l]),c=e=>{u(r=>{if(!e)return[i,l];if(e[0]<=n)return Object.is(r[1],l)?r:[i,l];try{if(Object.is(r[0],e[1]))return r;let o=t(e[1]);if(Object.is(r[1],o))return r;return[e[1],o]}catch(e){}return[r[0],r[1]]})};Object.is(s[1],l)||c(void 0);let d=(0,o.useEventCallback)(c);return(0,T.useIsomorphicLayoutEffect)(()=>(a.push(d),()=>{let e=a.indexOf(d);a.splice(e,1)}),[d,a]),s[1]},Y={value:"__fuiHeadlessTreeRoot",selectionRef:r.createRef(),layoutRef:r.createRef(),treeItemRef:r.createRef(),subtreeRef:r.createRef(),actionsRef:r.createRef(),expandIconRef:r.createRef(),isActionsVisible:!1,isAsideVisible:!1,itemType:"leaf",open:!1,checked:!1},Q=J(void 0),{Provider:$}=Q,ee=e=>Z(Q,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:Y;return e(t)});e.s(["presenceMotionSlot",()=>er],65987);var et=e.i(64186);function er(e,t){let{as:o,children:i,...n}=null!=e?e:{};if(null===e){let e=!t.defaultProps.visible&&t.defaultProps.unmountOnExit;return{[et.SLOT_RENDER_FUNCTION_SYMBOL]:(t,o)=>e?null:r.createElement(r.Fragment,null,o.children),[et.SLOT_ELEMENT_TYPE_SYMBOL]:t.elementType}}let a={...t.defaultProps,...n,[et.SLOT_ELEMENT_TYPE_SYMBOL]:t.elementType};return"function"==typeof i&&(a[et.SLOT_RENDER_FUNCTION_SYMBOL]=i),a}e.s(["GroupperMoveFocusActions",()=>ed,"GroupperMoveFocusEvent",()=>ez,"GroupperTabbabilities",()=>ec,"MoverDirections",()=>es,"MoverKeys",()=>eu,"MoverMoveFocusEvent",()=>eT,"TABSTER_ATTRIBUTE_NAME",()=>ei,"createTabster",()=>tf,"disposeTabster",()=>tp,"getGroupper",()=>th,"getMover",()=>tv,"getTabsterAttribute",()=>e0],24830);var eo=e.i(87950);let ei="data-tabster",en="a[href], button:not([disabled]), input:not([disabled]), select:not([disabled]), textarea:not([disabled]), *[tabindex], *[contenteditable], details > summary, audio[controls], video[controls]",ea={EscapeGroupper:1,Restorer:2,Deloser:3},el={Invisible:0,PartiallyVisible:1,Visible:2},es={Both:0,Vertical:1,Horizontal:2,Grid:3,GridLinear:4},eu={ArrowUp:1,ArrowDown:2,ArrowLeft:3,ArrowRight:4,PageUp:5,PageDown:6,Home:7,End:8},ec={Unlimited:0,Limited:1,LimitedTrapFocus:2},ed={Enter:1,Escape:2},ef={Outside:2};function eh(e,t){var r;return null==(r=e.storageEntry(t))?void 0:r.tabster}function ev(e,t,r){var o,i;let n,a=r||e._noop?void 0:t.getAttribute(ei),l=e.storageEntry(t);if(a)if(a===(null==(o=null==l?void 0:l.attr)?void 0:o.string))return;else try{let e=JSON.parse(a);if("object"!=typeof e)throw Error("Value is not a JSON object, got '".concat(a,"'."));n={string:a,object:e}}catch(e){}else if(!l)return;l||(l=e.storageEntry(t,!0)),l.tabster||(l.tabster={});let s=l.tabster||{},u=(null==(i=l.attr)?void 0:i.object)||{},c=(null==n?void 0:n.object)||{};for(let r of Object.keys(u))if(!c[r]){if("root"===r){let t=s[r];t&&e.root.onRoot(t,!0)}switch(r){case"deloser":case"root":case"groupper":case"modalizer":case"restorer":case"mover":let o=s[r];o&&(o.dispose(),delete s[r]);break;case"observed":delete s[r],e.observedElement&&e.observedElement.onObservedElementUpdate(t);break;case"focusable":case"outline":case"uncontrolled":case"sys":delete s[r]}}for(let r of Object.keys(c)){let o=c.sys;switch(r){case"deloser":s.deloser?s.deloser.setProps(c.deloser):e.deloser&&(s.deloser=e.deloser.createDeloser(t,c.deloser));break;case"root":s.root?s.root.setProps(c.root):s.root=e.root.createRoot(t,c.root,o),e.root.onRoot(s.root);break;case"modalizer":s.modalizer?s.modalizer.setProps(c.modalizer):e.modalizer&&(s.modalizer=e.modalizer.createModalizer(t,c.modalizer,o));break;case"restorer":s.restorer?s.restorer.setProps(c.restorer):e.restorer&&c.restorer&&(s.restorer=e.restorer.createRestorer(t,c.restorer));break;case"focusable":s.focusable=c.focusable;break;case"groupper":s.groupper?s.groupper.setProps(c.groupper):e.groupper&&(s.groupper=e.groupper.createGroupper(t,c.groupper,o));break;case"mover":s.mover?s.mover.setProps(c.mover):e.mover&&(s.mover=e.mover.createMover(t,c.mover,o));break;case"observed":e.observedElement&&(s.observed=c.observed,e.observedElement.onObservedElementUpdate(t));break;case"uncontrolled":s.uncontrolled=c.uncontrolled;break;case"outline":e.outline&&(s.outline=c.outline);break;case"sys":s.sys=c.sys;break;default:console.error("Unknown key '".concat(r,"' in data-tabster attribute value."))}}n?l.attr=n:(0===Object.keys(s).length&&(delete l.tabster,delete l.attr),e.storageEntry(t,!1))}let ep="tabster:mover:movefocus",eb="tabster:mover:memorized-element",em="tabster:groupper:movefocus",eg="undefined"!=typeof CustomEvent?CustomEvent:function(){};class e_ extends eg{constructor(e,t){super(e,{bubbles:!0,cancelable:!0,composed:!0,detail:t}),this.details=t}}class ey extends e_{constructor(e){super("tabster:focusin",e)}}class ek extends e_{constructor(e){super("tabster:focusout",e)}}class ew extends e_{constructor(e){super("tabster:movefocus",e)}}class ex extends e_{constructor(e){super("tabster:mover:state",e)}}class eT extends e_{constructor(e){super(ep,e)}}class ez extends e_{constructor(e){super(em,e)}}class eB extends e_{constructor(e){super("tabster:root:focus",e)}}class eE extends e_{constructor(e){super("tabster:root:blur",e)}}let eC={createMutationObserver:e=>new MutationObserver(e),createTreeWalker:(e,t,r,o)=>e.createTreeWalker(t,r,o),getParentNode:e=>e?e.parentNode:null,getParentElement:e=>e?e.parentElement:null,nodeContains:(e,t)=>!!(t&&(null==e?void 0:e.contains(t))),getActiveElement:e=>e.activeElement,querySelector:(e,t)=>e.querySelector(t),querySelectorAll:(e,t)=>Array.prototype.slice.call(e.querySelectorAll(t),0),getElementById:(e,t)=>e.getElementById(t),getFirstChild:e=>(null==e?void 0:e.firstChild)||null,getLastChild:e=>(null==e?void 0:e.lastChild)||null,getNextSibling:e=>(null==e?void 0:e.nextSibling)||null,getPreviousSibling:e=>(null==e?void 0:e.previousSibling)||null,getFirstElementChild:e=>(null==e?void 0:e.firstElementChild)||null,getLastElementChild:e=>(null==e?void 0:e.lastElementChild)||null,getNextElementSibling:e=>(null==e?void 0:e.nextElementSibling)||null,getPreviousElementSibling:e=>(null==e?void 0:e.previousElementSibling)||null,appendChild:(e,t)=>e.appendChild(t),insertBefore:(e,t,r)=>e.insertBefore(t,r),getSelection:e=>{var t;return(null==(t=e.ownerDocument)?void 0:t.getSelection())||null},getElementsByName:(e,t)=>e.ownerDocument.getElementsByName(t)},eI="undefined"!=typeof DOMRect?DOMRect:class{constructor(e,t,r,o){this.left=e||0,this.top=t||0,this.right=(e||0)+(r||0),this.bottom=(t||0)+(o||0)}},eF=0;try{document.createTreeWalker(document,NodeFilter.SHOW_ELEMENT),t=!1}catch(e){t=!0}function eS(e){let t=e(),r=t.__tabsterInstanceContext;return r||(r={elementByUId:{},basics:{Promise:t.Promise||void 0,WeakRef:t.WeakRef||void 0},containerBoundingRectCache:{},lastContainerBoundingRectCacheId:0,fakeWeakRefs:[],fakeWeakRefsStarted:!1},t.__tabsterInstanceContext=r),r}class eN{deref(){return this._target}static cleanup(e,t){return!e._target||!(!t&&eL(e._target.ownerDocument,e._target))&&(delete e._target,!0)}constructor(e){this._target=e}}class eq{get(){let e,t=this._ref;return t&&((e=t.deref())||delete this._ref),e}getData(){return this._data}constructor(e,t,r){let o,i=eS(e);i.WeakRef?o=new i.WeakRef(t):(o=new eN(t),i.fakeWeakRefs.push(o)),this._ref=o,this._data=r}}function ej(e,t){let r=eS(e);r.fakeWeakRefs=r.fakeWeakRefs.filter(e=>!eN.cleanup(e,t))}function eR(e,r,o){if(r.nodeType!==Node.ELEMENT_NODE)return;let i=t?o:{acceptNode:o};return eC.createTreeWalker(e,r,NodeFilter.SHOW_ELEMENT,i,!1)}function eP(e,t){let r=t.__tabsterCacheId,o=eS(e),i=r?o.containerBoundingRectCache[r]:void 0;if(i)return i.rect;let n=t.ownerDocument&&t.ownerDocument.documentElement;if(!n)return new eI;let a=0,l=0,s=n.clientWidth,u=n.clientHeight;if(t!==n){let e=t.getBoundingClientRect();a=Math.max(a,e.left),l=Math.max(l,e.top),s=Math.min(s,e.right),u=Math.min(u,e.bottom)}let c=new eI(a{for(let e of(o.containerBoundingRectCacheTimer=void 0,Object.keys(o.containerBoundingRectCache)))delete o.containerBoundingRectCache[e].element.__tabsterCacheId;o.containerBoundingRectCache={}},50)),c}function eM(e,t,r){let o=eD(t);if(!o)return!1;let i=eP(e,o),n=t.getBoundingClientRect(),a=n.height*(1-r),l=Math.max(0,i.top-n.top)+Math.max(0,n.bottom-i.bottom);return 0===l||l<=a}function eD(e){let t=e.ownerDocument;if(t){for(let t=eC.getParentElement(e);t;t=eC.getParentElement(t))if(t.scrollWidth>t.clientWidth||t.scrollHeight>t.clientHeight)return t;return t.documentElement}return null}function eA(e){return!!e.__shouldIgnoreFocus}function eO(e,t){let r=eS(e),o=t.__tabsterElementUID;return o||(o=t.__tabsterElementUID=function(e){let t=new Uint32Array(4);if(e.crypto&&e.crypto.getRandomValues)e.crypto.getRandomValues(t);else if(e.msCrypto&&e.msCrypto.getRandomValues)e.msCrypto.getRandomValues(t);else for(let e=0;e{if(this._fixedTarget){let e=this._fixedTarget.get();e&&(0,eo.nativeFocus)(e);return}let t=this.input;if(this.onFocusIn&&t){let r=e.relatedTarget;this.onFocusIn(this,this._isBackward(!0,t,r),r)}},this._focusOut=e=>{if(this._fixedTarget)return;this.useDefaultAction=!1;let t=this.input;if(this.onFocusOut&&t){let r=e.relatedTarget;this.onFocusOut(this,this._isBackward(!1,t,r),r)}};let a=e(),l=a.document.createElement("i");l.tabIndex=0,l.setAttribute("role","none"),l.setAttribute("data-tabster-dummy",""),l.setAttribute("aria-hidden","true");let s=l.style;s.position="fixed",s.width=s.height="1px",s.opacity="0.001",s.zIndex="-1",s.setProperty("content-visibility","hidden"),l.__shouldIgnoreFocus=!0,this.input=l,this.isFirst=r.isFirst,this.isOutside=t,this._isPhantom=null!=(n=r.isPhantom)&&n,this._fixedTarget=i,l.addEventListener("focusin",this._focusIn),l.addEventListener("focusout",this._focusOut),l.__tabsterDummyContainer=o,this._isPhantom&&(this._disposeTimer=a.setTimeout(()=>{delete this._disposeTimer,this.dispose()},0),this._clearDisposeTimeout=()=>{this._disposeTimer&&(a.clearTimeout(this._disposeTimer),delete this._disposeTimer),delete this._clearDisposeTimeout})}}let eK={Root:1,Mover:3,Groupper:4};class eX{_setHandlers(e,t){this._onFocusIn=e,this._onFocusOut=t}moveOut(e){var t;null==(t=this._instance)||t.moveOut(e)}moveOutWithDefaultAction(e,t){var r;null==(r=this._instance)||r.moveOutWithDefaultAction(e,t)}getHandler(e){return e?this._onFocusIn:this._onFocusOut}setTabbable(e){var t;null==(t=this._instance)||t.setTabbable(this,e)}dispose(){this._instance&&(this._instance.dispose(this),delete this._instance),delete this._onFocusIn,delete this._onFocusOut}static moveWithPhantomDummy(e,t,r,o,i){let n=new eG(e.getWindow,!0,{isPhantom:!0,isFirst:!0}).input;if(n){let a,l;if("BODY"===t.tagName)a=t,l=r&&o||!r&&!o?eC.getFirstElementChild(t):null;else{let i,n;r&&(!o||o&&!e.focusable.isFocusable(t,!1,!0,!0))?(a=t,l=o?t.firstElementChild:null):(a=eC.getParentElement(t),l=r&&o||!r&&!o?t:eC.getNextElementSibling(t));do(n=e$(i=r&&o||!r&&!o?eC.getPreviousElementSibling(l):l))===t?l=r&&o||!r&&!o?i:eC.getNextElementSibling(i):n=null;while(n)}(null==a?void 0:a.dispatchEvent(new ew({by:"root",owner:a,next:null,relatedEvent:i})))&&(eC.insertBefore(a,n,l),(0,eo.nativeFocus)(n))}}static addPhantomDummyWithTarget(e,t,r,o){let i=new eG(e.getWindow,!0,{isPhantom:!0,isFirst:!0},void 0,new eq(e.getWindow,o)).input;if(i){let e,o;!t.querySelector(en)||r?(e=eC.getParentElement(t),o=r?t:eC.getNextElementSibling(t)):(e=t,o=eC.getFirstElementChild(t)),e&&eC.insertBefore(e,i,o)}}constructor(e,t,r,o,i,n){this._element=t,this._instance=new eZ(e,t,this,r,o,i,n)}}class eJ{add(e,t){!this._dummyCallbacks.has(e)&&this._win&&(this._dummyElements.push(new eq(this._win,e)),this._dummyCallbacks.set(e,t),this.domChanged=this._domChanged)}remove(e){this._dummyElements=this._dummyElements.filter(t=>{let r=t.get();return r&&r!==e}),this._dummyCallbacks.delete(e),0===this._dummyElements.length&&delete this.domChanged}dispose(){var e;let t=null==(e=this._win)?void 0:e.call(this);this._updateTimer&&(null==t||t.clearTimeout(this._updateTimer),delete this._updateTimer),this._updateDummyInputsTimer&&(null==t||t.clearTimeout(this._updateDummyInputsTimer),delete this._updateDummyInputsTimer),this._changedParents=new WeakSet,this._dummyCallbacks=new WeakMap,this._dummyElements=[],this._updateQueue.clear(),delete this.domChanged,delete this._win}updatePositions(e){this._win&&(this._updateQueue.add(e),this._lastUpdateQueueTime=Date.now(),this._scheduledUpdatePositions())}_scheduledUpdatePositions(){var e;this._updateTimer||(this._updateTimer=null==(e=this._win)?void 0:e.call(this).setTimeout(()=>{if(delete this._updateTimer,this._lastUpdateQueueTime+100<=Date.now()){let e=new Map,t=[];for(let r of this._updateQueue)t.push(r(e));for(let e of(this._updateQueue.clear(),t))e();e.clear()}else this._scheduledUpdatePositions()},100))}constructor(e){this._updateQueue=new Set,this._lastUpdateQueueTime=0,this._changedParents=new WeakSet,this._dummyElements=[],this._dummyCallbacks=new WeakMap,this._domChanged=e=>{var t;!this._changedParents.has(e)&&(this._changedParents.add(e),this._updateDummyInputsTimer||(this._updateDummyInputsTimer=null==(t=this._win)?void 0:t.call(this).setTimeout(()=>{for(let e of(delete this._updateDummyInputsTimer,this._dummyElements)){let t=e.get();if(t){let e=this._dummyCallbacks.get(t);if(e){let r=eC.getParentNode(t);(!r||this._changedParents.has(r))&&e()}}}this._changedParents=new WeakSet},100)))},this._win=e}}class eZ{dispose(e,t){var r,o,i,n;if(0===(this._wrappers=this._wrappers.filter(r=>r.manager!==e&&!t)).length){for(let e of(delete(null==(r=this._element)?void 0:r.get()).__tabsterDummy,this._transformElements))e.removeEventListener("scroll",this._addTransformOffsets);this._transformElements.clear();let e=this._getWindow();this._addTimer&&(e.clearTimeout(this._addTimer),delete this._addTimer);let t=null==(o=this._firstDummy)?void 0:o.input;t&&this._tabster._dummyObserver.remove(t),null==(i=this._firstDummy)||i.dispose(),null==(n=this._lastDummy)||n.dispose()}}_onFocus(e,t,r,o){var i;let n=this._getCurrent();n&&(!t.useDefaultAction||this._callForDefaultAction)&&(null==(i=n.manager.getHandler(e))||i(t,r,o))}_getCurrent(){return this._wrappers.sort((e,t)=>e.tabbable!==t.tabbable?e.tabbable?-1:1:e.priority-t.priority),this._wrappers[0]}_ensurePosition(){var e,t,r;let o=null==(e=this._element)?void 0:e.get(),i=null==(t=this._firstDummy)?void 0:t.input,n=null==(r=this._lastDummy)?void 0:r.input;if(o&&i&&n)if(this._isOutside){let e=eC.getParentNode(o);if(e){let t=eC.getNextSibling(o);t!==n&&eC.insertBefore(e,n,t),eC.getPreviousElementSibling(o)!==i&&eC.insertBefore(e,i,o)}}else{eC.getLastElementChild(o)!==n&&eC.appendChild(o,n);let e=eC.getFirstElementChild(o);e&&e!==i&&e.parentNode&&eC.insertBefore(e.parentNode,i,e)}}constructor(e,t,r,o,i,n,a){this._wrappers=[],this._isOutside=!1,this._transformElements=new Set,this._onFocusIn=(e,t,r)=>{this._onFocus(!0,e,t,r)},this._onFocusOut=(e,t,r)=>{this._onFocus(!1,e,t,r)},this.moveOut=e=>{var t;let r=this._firstDummy,o=this._lastDummy;if(r&&o){this._ensurePosition();let i=r.input,n=o.input,a=null==(t=this._element)?void 0:t.get();if(i&&n&&a){let t;e?(i.tabIndex=0,t=i):(n.tabIndex=0,t=n),t&&(0,eo.nativeFocus)(t)}}},this.moveOutWithDefaultAction=(e,t)=>{var r;let o=this._firstDummy,i=this._lastDummy;if(o&&i){this._ensurePosition();let n=o.input,a=i.input,l=null==(r=this._element)?void 0:r.get();if(n&&a&&l){let r;e?!o.isOutside&&this._tabster.focusable.isFocusable(l,!0,!0,!0)?r=l:(o.useDefaultAction=!0,n.tabIndex=0,r=n):(i.useDefaultAction=!0,a.tabIndex=0,r=a),r&&l.dispatchEvent(new ew({by:"root",owner:l,next:null,relatedEvent:t}))&&(0,eo.nativeFocus)(r)}}},this.setTabbable=(e,t)=>{var r,o;for(let r of this._wrappers)if(r.manager===e){r.tabbable=t;break}let i=this._getCurrent();if(i){let e=i.tabbable?0:-1,t=null==(r=this._firstDummy)?void 0:r.input;t&&(t.tabIndex=e),(t=null==(o=this._lastDummy)?void 0:o.input)&&(t.tabIndex=e)}},this._addDummyInputs=()=>{this._addTimer||(this._addTimer=this._getWindow().setTimeout(()=>{delete this._addTimer,this._ensurePosition(),this._addTransformOffsets()},0))},this._addTransformOffsets=()=>{this._tabster._dummyObserver.updatePositions(this._computeTransformOffsets)},this._computeTransformOffsets=e=>{var t,r;let o=(null==(t=this._firstDummy)?void 0:t.input)||(null==(r=this._lastDummy)?void 0:r.input),i=this._transformElements,n=new Set,a=0,l=0,s=this._getWindow();for(let t=o;t&&t.nodeType===Node.ELEMENT_NODE;t=eC.getParentElement(t)){let r=e.get(t);if(void 0===r){let o=s.getComputedStyle(t).transform;o&&"none"!==o&&(r={scrollTop:t.scrollTop,scrollLeft:t.scrollLeft}),e.set(t,r||null)}r&&(n.add(t),i.has(t)||t.addEventListener("scroll",this._addTransformOffsets),a+=r.scrollTop,l+=r.scrollLeft)}for(let e of i)n.has(e)||e.removeEventListener("scroll",this._addTransformOffsets);return this._transformElements=n,()=>{var e,t;null==(e=this._firstDummy)||e.setTopLeft(a,l),null==(t=this._lastDummy)||t.setTopLeft(a,l)}};let l=t.get();if(!l)throw Error("No element");this._tabster=e,this._getWindow=e.getWindow,this._callForDefaultAction=a;let s=l.__tabsterDummy;if((s||this)._wrappers.push({manager:r,priority:o,tabbable:!0}),s)return s;l.__tabsterDummy=this;let u=null==i?void 0:i.dummyInputsPosition,c=l.tagName;this._isOutside=u?u===ef.Outside:(n||"UL"===c||"OL"===c||"TABLE"===c)&&"LI"!==c&&"TD"!==c&&"TH"!==c,this._firstDummy=new eG(this._getWindow,this._isOutside,{isFirst:!0},t),this._lastDummy=new eG(this._getWindow,this._isOutside,{isFirst:!1},t);let d=this._firstDummy.input;d&&e._dummyObserver.add(d,this._addDummyInputs),this._firstDummy.onFocusIn=this._onFocusIn,this._firstDummy.onFocusOut=this._onFocusOut,this._lastDummy.onFocusIn=this._onFocusIn,this._lastDummy.onFocusOut=this._onFocusOut,this._element=t,this._addDummyInputs()}}function eY(e){let t=null;for(let r=eC.getLastElementChild(e);r;r=eC.getLastElementChild(r))t=r;return t||void 0}function eQ(e){return"INPUT"===e.tagName&&!!e.name&&"radio"===e.type}function e$(e){var t;return(null==(t=null==e?void 0:e.__tabsterDummyContainer)?void 0:t.get())||null}function e0(e,t){let r=JSON.stringify(e);return!0===t?r:{[ei]:r}}class e1 extends eX{constructor(e,t,r,o){super(e,t,eK.Root,o,void 0,!0),this._onDummyInputFocus=e=>{var t;if(e.useDefaultAction)this._setFocused(!1);else{this._tabster.keyboardNavigation.setNavigatingWithKeyboard(!0);let r=this._element.get();if(r){this._setFocused(!0);let t=this._tabster.focusedElement.getFirstOrLastTabbable(e.isFirst,{container:r,ignoreAccessibility:!0});if(t)return void(0,eo.nativeFocus)(t)}null==(t=e.input)||t.blur()}},this._setHandlers(this._onDummyInputFocus),this._tabster=e,this._setFocused=r}}class e5 extends eU{addDummyInputs(){this._dummyManager||(this._dummyManager=new e1(this._tabster,this._element,this._setFocused,this._sys))}dispose(){var e;this._onDispose(this);let t=this._tabster.getWindow(),r=t.document;r.removeEventListener(eo.KEYBORG_FOCUSIN,this._onFocusIn),r.removeEventListener(eo.KEYBORG_FOCUSOUT,this._onFocusOut),this._setFocusedTimer&&(t.clearTimeout(this._setFocusedTimer),delete this._setFocusedTimer),null==(e=this._dummyManager)||e.dispose(),this._remove()}moveOutWithDefaultAction(e,t){let r=this._dummyManager;if(r)r.moveOutWithDefaultAction(e,t);else{let r=this.getElement();r&&e1.moveWithPhantomDummy(this._tabster,r,!0,e,t)}}_add(){}_remove(){}constructor(e,t,r,o,i){super(e,t,o),this._isFocused=!1,this._setFocused=e=>{var t;if(this._setFocusedTimer&&(this._tabster.getWindow().clearTimeout(this._setFocusedTimer),delete this._setFocusedTimer),this._isFocused===e)return;let r=this._element.get();r&&(e?(this._isFocused=!0,null==(t=this._dummyManager)||t.setTabbable(!1),r.dispatchEvent(new eB({element:r}))):this._setFocusedTimer=this._tabster.getWindow().setTimeout(()=>{var e;delete this._setFocusedTimer,this._isFocused=!1,null==(e=this._dummyManager)||e.setTabbable(!0),r.dispatchEvent(new eE({element:r}))},0))},this._onFocusIn=e=>{let t=this._tabster.getParent,r=this._element.get(),o=e.composedPath()[0];do{if(o===r)return void this._setFocused(!0);o=o&&t(o)}while(o)},this._onFocusOut=()=>{this._setFocused(!1)},this._onDispose=r;let n=e.getWindow;this.uid=eO(n,t),this._sys=i,(e.controlTab||e.rootDummyInputs)&&this.addDummyInputs();let a=n().document;a.addEventListener(eo.KEYBORG_FOCUSIN,this._onFocusIn),a.addEventListener(eo.KEYBORG_FOCUSOUT,this._onFocusOut),this._add()}}class e2{_autoRootUnwait(e){e.removeEventListener("readystatechange",this._autoRootCreate),this._autoRootWaiting=!1}dispose(){let e=this._win();this._autoRootUnwait(e.document),delete this._autoRoot,Object.keys(this._roots).forEach(e=>{this._roots[e]&&(this._roots[e].dispose(),delete this._roots[e])}),this.rootById={}}createRoot(e,t,r){let o=new e5(this._tabster,e,this._onRootDispose,t,r);return this._roots[o.id]=o,this._forceDummy&&o.addDummyInputs(),o}addDummyInputs(){this._forceDummy=!0;let e=this._roots;for(let t of Object.keys(e))e[t].addDummyInputs()}static getRootByUId(e,t){let r=e().__tabsterInstance;return r&&r.root.rootById[t]}static getTabsterContext(e,t,r){var o,i,n,a;let l,s,u,c,d,f,h,v;if(void 0===r&&(r={}),!t.ownerDocument)return;let{checkRtl:p,referenceElement:b}=r,m=e.getParent;e.drainInitQueue();let g=!1,_=b||t,y={};for(;_&&(!l||p);){let r=eh(e,_);if(p&&void 0===h){let e=_.dir;e&&(h="rtl"===e.toLowerCase())}if(!r){_=m(_);continue}let a=_.tagName;(r.uncontrolled||"IFRAME"===a||"WEBVIEW"===a)&&e.focusable.isVisible(_)&&(v=_),!c&&(null==(o=r.focusable)?void 0:o.excludeFromMover)&&!u&&(g=!0);let b=r.modalizer,k=r.groupper,w=r.mover;!s&&b&&(s=b),!u&&k&&(!s||b)&&(s?(!k.isActive()&&k.getProps().tabbability&&s.userId!==(null==(i=e.modalizer)?void 0:i.activeId)&&(s=void 0,u=k),f=k):u=k),!c&&w&&(!s||b)&&(!k||_!==t)&&_.contains(t)&&(c=w,d=!!u&&u!==k),r.root&&(l=r.root),(null==(n=r.focusable)?void 0:n.ignoreKeydown)&&Object.assign(y,r.focusable.ignoreKeydown),_=m(_)}if(!l){let r=e.root;r._autoRoot&&(null==(a=t.ownerDocument)?void 0:a.body)&&(l=r._autoRootCreate())}return u&&!c&&(d=!0),l?{root:l,modalizer:s,groupper:u,mover:c,groupperBeforeMover:d,modalizerInGroupper:f,rtl:p?!!h:void 0,uncontrolled:v,excludedFromMover:g,ignoreKeydown:e=>!!y[e.key]}:void 0}static getRoot(e,t){var r;let o=e.getParent;for(let i=t;i;i=o(i)){let t=null==(r=eh(e,i))?void 0:r.root;if(t)return t}}onRoot(e,t){t?delete this.rootById[e.uid]:this.rootById[e.uid]=e}constructor(e,t){this._autoRootWaiting=!1,this._roots={},this._forceDummy=!1,this.rootById={},this._autoRootCreate=()=>{var e;let t=this._win().document,r=t.body;if(r){this._autoRootUnwait(t);let o=this._autoRoot;if(o)return!function(e,t,r){let o;if(r){let t=e.getAttribute(ei);if(t)try{o=JSON.parse(t)}catch(e){}}o||(o={});var i=o;for(let e of Object.keys(t)){let r=t[e];r?i[e]=r:delete i[e]}Object.keys(o).length>0?e.setAttribute(ei,e0(o,!0)):e.removeAttribute(ei)}(r,{root:o},!0),ev(this._tabster,r),null==(e=eh(this._tabster,r))?void 0:e.root}else this._autoRootWaiting||(this._autoRootWaiting=!0,t.addEventListener("readystatechange",this._autoRootCreate))},this._onRootDispose=e=>{delete this._roots[e.id]},this._tabster=e,this._win=e.getWindow,this._autoRoot=t,e.queueInit(()=>{this._autoRoot&&this._autoRootCreate()})}}class e4{dispose(){this._callbacks=[],delete this._val}subscribe(e){let t=this._callbacks;0>t.indexOf(e)&&t.push(e)}subscribeFirst(e){let t=this._callbacks,r=t.indexOf(e);r>=0&&t.splice(r,1),t.unshift(e)}unsubscribe(e){let t=this._callbacks.indexOf(e);t>=0&&this._callbacks.splice(t,1)}setVal(e,t){this._val!==e&&(this._val=e,this._callCallbacks(e,t))}getVal(){return this._val}trigger(e,t){this._callCallbacks(e,t)}_callCallbacks(e,t){this._callbacks.forEach(r=>r(e,t))}constructor(){this._callbacks=[]}}class e6{dispose(){}getProps(e){let t=eh(this._tabster,e);return t&&t.focusable||{}}isFocusable(e,t,r,o){return!!eW(e,en)&&(!!t||-1!==e.tabIndex)&&(r||this.isVisible(e))&&(o||this.isAccessible(e))}isVisible(e){if(!e.ownerDocument||e.nodeType!==Node.ELEMENT_NODE||function(e){var t,r;let o=e.ownerDocument,i=null==(t=o.defaultView)?void 0:t.getComputedStyle(e);return null===e.offsetParent&&o.body!==e&&(null==i?void 0:i.position)!=="fixed"||(null==i?void 0:i.visibility)==="hidden"||(null==i?void 0:i.position)==="fixed"&&("none"===i.display||(null==(r=e.parentElement)?void 0:r.offsetParent)===null&&o.body!==e.parentElement)||!1}(e))return!1;let t=e.ownerDocument.body.getBoundingClientRect();return 0!==t.width||0!==t.height}isAccessible(e){var t;for(let r=e;r;r=eC.getParentElement(r)){let e=eh(this._tabster,r);if(this._isHidden(r)||!(null==(t=null==e?void 0:e.focusable)?void 0:t.ignoreAriaDisabled)&&this._isDisabled(r))return!1}return!0}_isDisabled(e){return e.hasAttribute("disabled")}_isHidden(e){var t;let r=e.getAttribute("aria-hidden");return!(!r||"true"!==r.toLowerCase()||(null==(t=this._tabster.modalizer)?void 0:t.isAugmented(e)))}findFirst(e,t){return this.findElement({...e},t)}findLast(e,t){return this.findElement({isBackward:!0,...e},t)}findNext(e,t){return this.findElement({...e},t)}findPrev(e,t){return this.findElement({...e,isBackward:!0},t)}findDefault(e,t){return this.findElement({...e,acceptCondition:t=>this.isFocusable(t,e.includeProgrammaticallyFocusable)&&!!this.getProps(t).isDefault},t)||null}findAll(e){return this._findElements(!0,e)||[]}findElement(e,t){let r=this._findElements(!1,e,t);return r?r[0]:r}_findElements(e,t,r){var o,i,n;let{container:a,currentElement:l=null,includeProgrammaticallyFocusable:s,useActiveModalizer:u,ignoreAccessibility:c,modalizerId:d,isBackward:f,onElement:h}=t;r||(r={});let v=[],{acceptCondition:p}=t,b=!!p;if(!a)return null;p||(p=e=>this.isFocusable(e,s,!1,c));let m={container:a,modalizerUserId:void 0===d&&u?null==(o=this._tabster.modalizer)?void 0:o.activeId:d||(null==(n=null==(i=e2.getTabsterContext(this._tabster,a))?void 0:i.modalizer)?void 0:n.userId),from:l||a,isBackward:f,isFindAll:e,acceptCondition:p,hasCustomCondition:b,includeProgrammaticallyFocusable:s,ignoreAccessibility:c,cachedGrouppers:{},cachedRadioGroups:{}},g=eR(a.ownerDocument,a,e=>this._acceptElement(e,m));if(!g)return null;let _=t=>{var o,i;let n=null!=(o=m.foundElement)?o:m.foundBackward;return(n&&v.push(n),e)?(!n||(m.found=!1,delete m.foundElement,delete m.foundBackward,delete m.fromCtx,m.from=n,!h||!!h(n)))&&!!(n||t):(n&&r&&(r.uncontrolled=null==(i=e2.getTabsterContext(this._tabster,n))?void 0:i.uncontrolled),!!(t&&!n))};if(l||(r.outOfDOMOrder=!0),l&&eC.nodeContains(a,l))g.currentNode=l;else if(f){let e=eY(a);if(!e)return null;if(this._acceptElement(e,m)===NodeFilter.FILTER_ACCEPT&&!_(!0))return m.skippedFocusable&&(r.outOfDOMOrder=!0),v;g.currentNode=e}do f?g.previousNode():g.nextNode();while(_())return m.skippedFocusable&&(r.outOfDOMOrder=!0),v.length?v:null}_acceptElement(e,t){var r,o,i;let n;if(t.found)return NodeFilter.FILTER_ACCEPT;let a=t.foundBackward;if(a&&(e===a||!eC.nodeContains(a,e)))return t.found=!0,t.foundElement=a,NodeFilter.FILTER_ACCEPT;let l=t.container;if(e===l)return NodeFilter.FILTER_SKIP;if(!eC.nodeContains(l,e)||e$(e)||eC.nodeContains(t.rejectElementsFrom,e))return NodeFilter.FILTER_REJECT;let s=t.currentCtx=e2.getTabsterContext(this._tabster,e);if(!s)return NodeFilter.FILTER_SKIP;if(eA(e))return this.isFocusable(e,void 0,!0,!0)&&(t.skippedFocusable=!0),NodeFilter.FILTER_SKIP;if(!t.hasCustomCondition&&("IFRAME"===e.tagName||"WEBVIEW"===e.tagName))if(this.isVisible(e)&&(null==(r=s.modalizer)?void 0:r.userId)===(null==(o=this._tabster.modalizer)?void 0:o.activeId))return t.found=!0,t.rejectElementsFrom=t.foundElement=e,NodeFilter.FILTER_ACCEPT;else return NodeFilter.FILTER_REJECT;if(!t.ignoreAccessibility&&!this.isAccessible(e))return this.isFocusable(e,!1,!0,!0)&&(t.skippedFocusable=!0),NodeFilter.FILTER_REJECT;let u=t.fromCtx;u||(u=t.fromCtx=e2.getTabsterContext(this._tabster,t.from));let c=null==u?void 0:u.mover,d=s.groupper,f=s.mover;if(void 0!==(n=null==(i=this._tabster.modalizer)?void 0:i.acceptElement(e,t))&&(t.skippedFocusable=!0),void 0===n&&(d||f||c)){let r=null==d?void 0:d.getElement(),o=null==c?void 0:c.getElement(),i=null==f?void 0:f.getElement();if(i&&eC.nodeContains(o,i)&&eC.nodeContains(l,o)&&(!r||!f||eC.nodeContains(o,r))&&(f=c,i=o),r)if(r!==l&&eC.nodeContains(l,r)){if(!eC.nodeContains(r,e))return NodeFilter.FILTER_REJECT}else d=void 0;if(i)if(eC.nodeContains(l,i)){if(!eC.nodeContains(i,e))return NodeFilter.FILTER_REJECT}else f=void 0;d&&f&&(i&&r&&!eC.nodeContains(r,i)?f=void 0:d=void 0),d&&(n=d.acceptElement(e,t)),f&&(n=f.acceptElement(e,t))}if(void 0===n&&(n=t.acceptCondition(e)?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_SKIP)===NodeFilter.FILTER_SKIP&&this.isFocusable(e,!1,!0,!0)&&(t.skippedFocusable=!0),n===NodeFilter.FILTER_ACCEPT&&!t.found){if(!t.isFindAll&&eQ(e)&&!e.checked){let r=e.name,o=t.cachedRadioGroups[r];if(!o&&(o=function(e){let t;if(!eQ(e))return;let r=e.name,o=Array.from(eC.getElementsByName(e,r));return{name:r,buttons:new Set(o=o.filter(e=>!!eQ(e)&&(e.checked&&(t=e),!0))),checked:t}}(e))&&(t.cachedRadioGroups[r]=o),(null==o?void 0:o.checked)&&o.checked!==e)return NodeFilter.FILTER_SKIP}t.isBackward?(t.foundBackward=e,n=NodeFilter.FILTER_SKIP):(t.found=!0,t.foundElement=e)}return n}constructor(e){this._tabster=e}}let e3={Tab:"Tab",Enter:"Enter",Escape:"Escape",PageUp:"PageUp",PageDown:"PageDown",End:"End",Home:"Home",ArrowLeft:"ArrowLeft",ArrowUp:"ArrowUp",ArrowRight:"ArrowRight",ArrowDown:"ArrowDown"},e7={[ea.Restorer]:0,[ea.Deloser]:1,[ea.EscapeGroupper]:2};class e8 extends e4{dispose(){super.dispose();let e=this._win(),t=e.document;t.removeEventListener(eo.KEYBORG_FOCUSIN,this._onFocusIn,!0),t.removeEventListener(eo.KEYBORG_FOCUSOUT,this._onFocusOut,!0),e.removeEventListener("keydown",this._onKeyDown,!0),this.unsubscribe(this._onChanged);let r=this._asyncFocus;r&&(e.clearTimeout(r.timeout),delete this._asyncFocus),delete e8._lastResetElement,delete this._nextVal,delete this._lastVal}static forgetMemorized(e,t){var r,o;let i=e8._lastResetElement,n=i&&i.get();n&&eC.nodeContains(t,n)&&delete e8._lastResetElement,(n=null==(o=null==(r=e._nextVal)?void 0:r.element)?void 0:o.get())&&eC.nodeContains(t,n)&&delete e._nextVal,(n=(i=e._lastVal)&&i.get())&&eC.nodeContains(t,n)&&delete e._lastVal}getFocusedElement(){return this.getVal()}getLastFocusedElement(){var e;let t=null==(e=this._lastVal)?void 0:e.get();return t&&(!t||eL(t.ownerDocument,t))||(this._lastVal=t=void 0),t}focus(e,t,r,o){return!!this._tabster.focusable.isFocusable(e,t,!1,r)&&(e.focus({preventScroll:o}),!0)}focusDefault(e){let t=this._tabster.focusable.findDefault({container:e});return!!t&&(this._tabster.focusedElement.focus(t),!0)}getFirstOrLastTabbable(e,t){var r;let o,{container:i,ignoreAccessibility:n}=t;if(i){let t=e2.getTabsterContext(this._tabster,i);t&&(o=null==(r=e8.findNextTabbable(this._tabster,t,i,void 0,void 0,!e,n))?void 0:r.element)}return o&&!eC.nodeContains(i,o)&&(o=void 0),o||void 0}_focusFirstOrLast(e,t){let r=this.getFirstOrLastTabbable(e,t);return!!r&&(this.focus(r,!1,!0),!0)}focusFirst(e){return this._focusFirstOrLast(!0,e)}focusLast(e){return this._focusFirstOrLast(!1,e)}resetFocus(e){if(!this._tabster.focusable.isVisible(e))return!1;if(this._tabster.focusable.isFocusable(e,!0,!0,!0))this.focus(e);else{let t=e.getAttribute("tabindex"),r=e.getAttribute("aria-hidden");e.tabIndex=-1,e.setAttribute("aria-hidden","true"),e8._lastResetElement=new eq(this._win,e),this.focus(e,!0,!0),this._setOrRemoveAttribute(e,"tabindex",t),this._setOrRemoveAttribute(e,"aria-hidden",r)}return!0}requestAsyncFocus(e,t,r){let o=this._tabster.getWindow(),i=this._asyncFocus;if(i){if(e7[e]>e7[i.source])return;o.clearTimeout(i.timeout)}this._asyncFocus={source:e,callback:t,timeout:o.setTimeout(()=>{this._asyncFocus=void 0,t()},r)}}cancelAsyncFocus(e){let t=this._asyncFocus;(null==t?void 0:t.source)===e&&(this._tabster.getWindow().clearTimeout(t.timeout),this._asyncFocus=void 0)}_setOrRemoveAttribute(e,t,r){null===r?e.removeAttribute(t):e.setAttribute(t,r)}_setFocusedElement(e,t,r){var o,i;if(this._tabster._noop)return;let n={relatedTarget:t};if(e){let t=null==(o=e8._lastResetElement)?void 0:o.get();if(e8._lastResetElement=void 0,t===e||eA(e))return;n.isFocusedProgrammatically=r;let a=e2.getTabsterContext(this._tabster,e),l=null==(i=null==a?void 0:a.modalizer)?void 0:i.userId;l&&(n.modalizerId=l)}let a=this._nextVal={element:e?new eq(this._win,e):void 0,detail:n};e&&e!==this._val&&this._validateFocusedElement(e),this._nextVal===a&&this.setVal(e,n),this._nextVal=void 0}setVal(e,t){super.setVal(e,t),e&&(this._lastVal=new eq(this._win,e))}static findNextTabbable(e,t,r,o,i,n,a){let l=r||t.root.getElement();if(!l)return null;let s=null,u=e8._isTabbingTimer,c=e.getWindow();u&&c.clearTimeout(u),e8.isTabbing=!0,e8._isTabbingTimer=c.setTimeout(()=>{delete e8._isTabbingTimer,e8.isTabbing=!1},0);let d=t.modalizer,f=t.groupper,h=t.mover,v=t=>{if(s=t.findNextTabbable(o,i,n,a),o&&!(null==s?void 0:s.element)){let i=t!==d&&eC.getParentElement(t.getElement());if(i){let l=e2.getTabsterContext(e,o,{referenceElement:i});if(l){let o=t.getElement(),u=n?o:o&&eY(o)||o;u&&(s=e8.findNextTabbable(e,l,r,u,i,n,a))&&(s.outOfDOMOrder=!0)}}}};if(f&&h)v(t.groupperBeforeMover?f:h);else if(f)v(f);else if(h)v(h);else if(d)v(d);else{let t={};s={element:e.focusable[n?"findPrev":"findNext"]({container:l,currentElement:o,referenceElement:i,ignoreAccessibility:a,useActiveModalizer:!0},t),outOfDOMOrder:t.outOfDOMOrder,uncontrolled:t.uncontrolled}}return s}constructor(e,t){super(),this._init=()=>{let e=this._win(),t=e.document;t.addEventListener(eo.KEYBORG_FOCUSIN,this._onFocusIn,!0),t.addEventListener(eo.KEYBORG_FOCUSOUT,this._onFocusOut,!0),e.addEventListener("keydown",this._onKeyDown,!0);let r=eC.getActiveElement(t);r&&r!==t.body&&this._setFocusedElement(r),this.subscribe(this._onChanged)},this._onFocusIn=e=>{let t=e.composedPath()[0];t&&this._setFocusedElement(t,e.detail.relatedTarget,e.detail.isFocusedProgrammatically)},this._onFocusOut=e=>{var t;this._setFocusedElement(void 0,null==(t=e.detail)?void 0:t.originalEvent.relatedTarget)},this._validateFocusedElement=e=>{},this._onKeyDown=e=>{if(e.key!==e3.Tab||e.ctrlKey)return;let t=this.getVal();if(!t||!t.ownerDocument||"true"===t.contentEditable)return;let r=this._tabster,o=r.controlTab,i=e2.getTabsterContext(r,t);if(!i||i.ignoreKeydown(e))return;let n=e.shiftKey,a=e8.findNextTabbable(r,i,void 0,t,void 0,n,!0),l=i.root.getElement();if(!l)return;let s=null==a?void 0:a.element,u=function(e,t){var r;let o=e.getParent,i=t;do{let t=null==(r=eh(e,i))?void 0:r.uncontrolled;if(t&&e.uncontrolled.isUncontrolledCompletely(i,!!t.completely))return i;i=o(i)}while(i)}(r,t);if(s){let c=a.uncontrolled;if(i.uncontrolled||eC.nodeContains(c,t)){if(!a.outOfDOMOrder&&c===i.uncontrolled||u&&!eC.nodeContains(u,s))return;eX.addPhantomDummyWithTarget(r,t,n,s);return}if(c&&r.focusable.isVisible(c)||"IFRAME"===s.tagName&&r.focusable.isVisible(s)){l.dispatchEvent(new ew({by:"root",owner:l,next:s,relatedEvent:e}))&&eX.moveWithPhantomDummy(r,null!=c?c:s,!1,n,e);return}(o||(null==a?void 0:a.outOfDOMOrder))&&l.dispatchEvent(new ew({by:"root",owner:l,next:s,relatedEvent:e}))&&(e.preventDefault(),e.stopImmediatePropagation(),(0,eo.nativeFocus)(s))}else!u&&l.dispatchEvent(new ew({by:"root",owner:l,next:null,relatedEvent:e}))&&i.root.moveOutWithDefaultAction(n,e)},this._onChanged=(e,t)=>{var r,o;if(e)e.dispatchEvent(new ey(t));else{let e=null==(r=this._lastVal)?void 0:r.get();if(e){let r={...t},i=e2.getTabsterContext(this._tabster,e),n=null==(o=null==i?void 0:i.modalizer)?void 0:o.userId;n&&(r.modalizerId=n),e.dispatchEvent(new ek(r))}}},this._tabster=e,this._win=t,e.queueInit(this._init)}}e8.isTabbing=!1;class e9 extends eX{constructor(e,t,r,o){super(r,e,eK.Groupper,o,!0),this._setHandlers((o,i,n)=>{var a,l;let s=e.get(),u=o.input;if(s&&u){let e=e2.getTabsterContext(r,u);if(e){let c;(c=null==(a=t.findNextTabbable(n||void 0,void 0,i,!0))?void 0:a.element)||(c=null==(l=e8.findNextTabbable(r,e,void 0,o.isOutside?u:function(e,t){let r=e,o=null;for(;r&&!o;)o=t?eC.getPreviousElementSibling(r):eC.getNextElementSibling(r),r=eC.getParentElement(r);return o||void 0}(s,!i),void 0,i,!0))?void 0:l.element),c&&(0,eo.nativeFocus)(c)}}})}}class te extends eU{dispose(){var e;this._onDispose(this),this._element.get(),null==(e=this.dummyManager)||e.dispose(),delete this.dummyManager,delete this._first}findNextTabbable(e,t,r,o){let i,n=this.getElement();if(!n)return null;let a=e$(e)===n;if(!this._shouldTabInside&&e&&eC.nodeContains(n,e)&&!a)return{element:void 0,outOfDOMOrder:!0};let l=this.getFirst(!0);if(!e||!eC.nodeContains(n,e)||a)return{element:l,outOfDOMOrder:!0};let s=this._tabster,u=null,c=!1;if(this._shouldTabInside&&l){let a={};u=s.focusable[r?"findPrev":"findNext"]({container:n,currentElement:e,referenceElement:t,ignoreAccessibility:o,useActiveModalizer:!0},a),c=!!a.outOfDOMOrder,u||this._props.tabbability!==ec.LimitedTrapFocus||(u=s.focusable[r?"findLast":"findFirst"]({container:n,ignoreAccessibility:o,useActiveModalizer:!0},a),c=!0),i=a.uncontrolled}return{element:u,uncontrolled:i,outOfDOMOrder:c}}makeTabbable(e){this._shouldTabInside=e||!this._props.tabbability}isActive(e){var t;let r=this.getElement()||null,o=!0;for(let e=eC.getParentElement(r);e;e=eC.getParentElement(e)){let r=null==(t=eh(this._tabster,e))?void 0:t.groupper;r&&!r._shouldTabInside&&(o=!1)}let i=o?!!this._props.tabbability&&this._shouldTabInside:void 0;if(i&&e){let e=this._tabster.focusedElement.getFocusedElement();e&&(i=e!==this.getFirst(!0))}return i}getFirst(e){var t;let r,o=this.getElement();if(o){if(e&&this._tabster.focusable.isFocusable(o))return o;!(r=null==(t=this._first)?void 0:t.get())&&(r=this._tabster.focusable.findFirst({container:o,useActiveModalizer:!0})||void 0)&&this.setFirst(r)}return r}setFirst(e){e?this._first=new eq(this._tabster.getWindow,e):delete this._first}acceptElement(e,t){let r,o=t.cachedGrouppers,i=eC.getParentElement(this.getElement()),n=i&&e2.getTabsterContext(this._tabster,i),a=null==n?void 0:n.groupper,l=(null==n?void 0:n.groupperBeforeMover)?a:void 0,s=e=>{let t,r=o[e.id];return r?t=r.isActive:(t=this.isActive(!0),r=o[e.id]={isActive:t}),t};if(l&&(r=l.getElement(),!s(l)&&r&&t.container!==r&&eC.nodeContains(t.container,r)))return t.skippedFocusable=!0,NodeFilter.FILTER_REJECT;let u=s(this),c=this.getElement();if(c&&!0!==u){let i;if(c===e&&a&&(r||(r=a.getElement()),r&&!s(a)&&eC.nodeContains(t.container,r)&&r!==t.container)||c!==e&&eC.nodeContains(c,e))return t.skippedFocusable=!0,NodeFilter.FILTER_REJECT;let n=o[this.id];if((i="first"in n?n.first:n.first=this.getFirst(!0))&&t.acceptCondition(i))return(t.rejectElementsFrom=c,t.skippedFocusable=!0,i!==t.from)?(t.found=!0,t.foundElement=i,NodeFilter.FILTER_ACCEPT):NodeFilter.FILTER_REJECT}}constructor(e,t,r,o,i){super(e,t,o),this._shouldTabInside=!1,this.makeTabbable(!1),this._onDispose=r,e.controlTab||(this.dummyManager=new e9(this._element,this,e,i))}}class tt{dispose(){let e=this._win();this._tabster.focusedElement.cancelAsyncFocus(ea.EscapeGroupper),this._current={},this._updateTimer&&(e.clearTimeout(this._updateTimer),delete this._updateTimer),this._tabster.focusedElement.unsubscribe(this._onFocus),e.document.removeEventListener("mousedown",this._onMouseDown,!0),e.removeEventListener("keydown",this._onKeyDown,!0),e.removeEventListener(em,this._onMoveFocus),Object.keys(this._grouppers).forEach(e=>{this._grouppers[e]&&(this._grouppers[e].dispose(),delete this._grouppers[e])})}createGroupper(e,t,r){let o=this._tabster,i=new te(o,e,this._onGroupperDispose,t,r);this._grouppers[i.id]=i;let n=o.focusedElement.getFocusedElement();return n&&eC.nodeContains(e,n)&&!this._updateTimer&&(this._updateTimer=this._win().setTimeout(()=>{delete this._updateTimer,n===o.focusedElement.getFocusedElement()&&this._updateCurrent(n)},0)),i}forgetCurrentGrouppers(){this._current={}}_updateCurrent(e){var t;this._updateTimer&&(this._win().clearTimeout(this._updateTimer),delete this._updateTimer);let r=this._tabster,o={};for(let i=r.getParent(e);i;i=r.getParent(i)){let n=null==(t=eh(r,i))?void 0:t.groupper;if(n){o[n.id]=!0,this._current[n.id]=n;let t=n.isActive()||e!==i&&(!n.getProps().delegated||n.getFirst(!1)!==e);n.makeTabbable(t)}}for(let e of Object.keys(this._current)){let t=this._current[e];t.id in o||(t.makeTabbable(!1),t.setFirst(void 0),delete this._current[e])}}_enterGroupper(e,t){let r=this._tabster,o=e2.getTabsterContext(r,e),i=(null==o?void 0:o.groupper)||(null==o?void 0:o.modalizerInGroupper),n=null==i?void 0:i.getElement();if(i&&n&&(e===n||i.getProps().delegated&&e===i.getFirst(!1))){let o=r.focusable.findNext({container:n,currentElement:e,useActiveModalizer:!0});if(o&&(!t||t&&n.dispatchEvent(new ew({by:"groupper",owner:n,next:o,relatedEvent:t}))))return t&&(t.preventDefault(),t.stopImmediatePropagation()),o.focus(),o}return null}_escapeGroupper(e,t,r){let o=this._tabster,i=e2.getTabsterContext(o,e),n=(null==i?void 0:i.groupper)||(null==i?void 0:i.modalizerInGroupper),a=null==n?void 0:n.getElement();if(n&&a&&eC.nodeContains(a,e)){let i;if(e!==a||r)i=n.getFirst(!0);else{let e=eC.getParentElement(a),t=e?e2.getTabsterContext(o,e):void 0;i=null==(n=null==t?void 0:t.groupper)?void 0:n.getFirst(!0)}if(i&&(!t||t&&a.dispatchEvent(new ew({by:"groupper",owner:a,next:i,relatedEvent:t}))))return n&&n.makeTabbable(!1),i.focus(),i}return null}moveFocus(e,t){return t===ed.Enter?this._enterGroupper(e):this._escapeGroupper(e)}handleKeyPress(e,t,r){let o=this._tabster,i=e2.getTabsterContext(o,e);if(i&&((null==i?void 0:i.groupper)||(null==i?void 0:i.modalizerInGroupper))){if(o.focusedElement.cancelAsyncFocus(ea.EscapeGroupper),i.ignoreKeydown(t))return;if(t.key===e3.Enter)this._enterGroupper(e,t);else if(t.key===e3.Escape){let i=o.focusedElement.getFocusedElement();o.focusedElement.requestAsyncFocus(ea.EscapeGroupper,()=>{(i===o.focusedElement.getFocusedElement()||(!r||i)&&r)&&this._escapeGroupper(e,t,r)},0)}}}constructor(e,t){this._current={},this._grouppers={},this._init=()=>{let e=this._win();this._tabster.focusedElement.subscribeFirst(this._onFocus);let t=e.document,r=eC.getActiveElement(t);r&&this._onFocus(r),t.addEventListener("mousedown",this._onMouseDown,!0),e.addEventListener("keydown",this._onKeyDown,!0),e.addEventListener(em,this._onMoveFocus)},this._onGroupperDispose=e=>{delete this._grouppers[e.id]},this._onFocus=e=>{e&&this._updateCurrent(e)},this._onMouseDown=e=>{let t=e.target;for(;t&&!this._tabster.focusable.isFocusable(t);)t=this._tabster.getParent(t);t&&this._updateCurrent(t)},this._onKeyDown=e=>{if(e.key!==e3.Enter&&e.key!==e3.Escape||e.ctrlKey||e.altKey||e.shiftKey||e.metaKey)return;let t=this._tabster.focusedElement.getFocusedElement();t&&this.handleKeyPress(t,e)},this._onMoveFocus=e=>{var t;let r=e.composedPath()[0],o=null==(t=e.detail)?void 0:t.action;r&&void 0!==o&&!e.defaultPrevented&&(o===ed.Enter?this._enterGroupper(r):this._escapeGroupper(r),e.stopImmediatePropagation())},this._tabster=e,this._win=t,e.queueInit(this._init)}}class tr extends e4{dispose(){super.dispose(),this._keyborg&&(this._keyborg.unsubscribe(this._onChange),(0,eo.disposeKeyborg)(this._keyborg),delete this._keyborg)}setNavigatingWithKeyboard(e){var t;null==(t=this._keyborg)||t.setVal(e)}isNavigatingWithKeyboard(){var e;return!!(null==(e=this._keyborg)?void 0:e.isNavigatingWithKeyboard())}constructor(e){super(),this._onChange=e=>{this.setVal(e,void 0)},this._keyborg=(0,eo.createKeyborg)(e()),this._keyborg.subscribe(this._onChange)}}class to extends eX{constructor(e,t,r,o){super(t,e,eK.Mover,o),this._onFocusDummyInput=e=>{var t,r;let o=this._element.get(),i=e.input;if(o&&i){let n,a=e2.getTabsterContext(this._tabster,o);a&&(n=null==(t=e8.findNextTabbable(this._tabster,a,void 0,i,void 0,!e.isFirst,!0))?void 0:t.element);let l=null==(r=this._getMemorized())?void 0:r.get();l&&this._tabster.focusable.isFocusable(l)&&(n=l),n&&(0,eo.nativeFocus)(n)}},this._tabster=t,this._getMemorized=r,this._setHandlers(this._onFocusDummyInput)}}class ti extends eU{dispose(){var e;this._onDispose(this),this._intersectionObserver&&(this._intersectionObserver.disconnect(),delete this._intersectionObserver),delete this._current,delete this._fullyVisible,delete this._allElements,delete this._updateQueue,this._unobserve&&(this._unobserve(),delete this._unobserve);let t=this._win();this._setCurrentTimer&&(t.clearTimeout(this._setCurrentTimer),delete this._setCurrentTimer),this._updateTimer&&(t.clearTimeout(this._updateTimer),delete this._updateTimer),null==(e=this.dummyManager)||e.dispose(),delete this.dummyManager}setCurrent(e){e?this._current=new eq(this._win,e):this._current=void 0,(this._props.trackState||this._props.visibilityAware)&&!this._setCurrentTimer&&(this._setCurrentTimer=this._win().setTimeout(()=>{var e;delete this._setCurrentTimer;let t=[];for(let r of(this._current!==this._prevCurrent&&(t.push(this._current),t.push(this._prevCurrent),this._prevCurrent=this._current),t)){let t=null==r?void 0:r.get();if(t&&(null==(e=this._allElements)?void 0:e.get(t))===this){let e=this._props;if(t&&(void 0!==e.visibilityAware||e.trackState)){let e=this.getState(t);e&&t.dispatchEvent(new ex(e))}}}}))}getCurrent(){var e;return(null==(e=this._current)?void 0:e.get())||null}findNextTabbable(e,t,r,o){let i,n=this.getElement(),a=n&&e$(e)===n;if(!n)return null;let l=null,s=!1;if(this._props.tabbable||a||e&&!eC.nodeContains(n,e)){let a={};l=this._tabster.focusable[r?"findPrev":"findNext"]({currentElement:e,referenceElement:t,container:n,ignoreAccessibility:o,useActiveModalizer:!0},a),s=!!a.outOfDOMOrder,i=a.uncontrolled}return{element:l,uncontrolled:i,outOfDOMOrder:s}}acceptElement(e,t){var r,o;if(!e8.isTabbing)return(null==(r=t.currentCtx)?void 0:r.excludedFromMover)?NodeFilter.FILTER_REJECT:void 0;let{memorizeCurrent:i,visibilityAware:n,hasDefault:a=!0}=this._props,l=this.getElement();if(l&&(i||n||a)&&(!eC.nodeContains(l,t.from)||e$(t.from)===l)){let e;if(i){let r=null==(o=this._current)?void 0:o.get();r&&t.acceptCondition(r)&&(e=r)}if(!e&&a&&(e=this._tabster.focusable.findDefault({container:l,useActiveModalizer:!0})),!e&&n&&(e=this._tabster.focusable.findElement({container:l,useActiveModalizer:!0,isBackward:t.isBackward,acceptCondition:e=>{var r;let o=eO(this._win,e),i=this._visible[o];return l!==e&&!!(null==(r=this._allElements)?void 0:r.get(e))&&t.acceptCondition(e)&&(i===el.Visible||i===el.PartiallyVisible&&(n===el.PartiallyVisible||!this._fullyVisible))}})),e)return t.found=!0,t.foundElement=e,t.rejectElementsFrom=l,t.skippedFocusable=!0,NodeFilter.FILTER_ACCEPT}}_observeState(){let e=this.getElement();if(this._unobserve||!e||"undefined"==typeof MutationObserver)return;let t=this._win(),r=this._allElements=new WeakMap,o=this._tabster.focusable,i=this._updateQueue=[],n=eC.createMutationObserver(e=>{for(let t of e){let e=t.target,r=t.removedNodes,o=t.addedNodes;if("attributes"===t.type)"tabindex"===t.attributeName&&i.push({element:e,type:2});else{for(let e=0;e{var o,i;let n=r.get(e);n&&t&&(null==(o=this._intersectionObserver)||o.unobserve(e),r.delete(e)),n||t||(r.set(e,this),null==(i=this._intersectionObserver)||i.observe(e))},l=e=>{let t=o.isFocusable(e);r.get(e)?t||a(e,!0):t&&a(e)},s=e=>{let{mover:r}=d(e);if(r&&r!==this)if(!(r.getElement()===e&&o.isFocusable(e)))return;else a(e);let i=eR(t.document,e,e=>{let{mover:t,groupper:r}=d(e);if(t&&t!==this)return NodeFilter.FILTER_REJECT;let i=null==r?void 0:r.getFirst(!0);return r&&r.getElement()!==e&&i&&i!==e?NodeFilter.FILTER_REJECT:(o.isFocusable(e)&&a(e),NodeFilter.FILTER_SKIP)});if(i)for(i.currentNode=e;i.nextNode(););},u=e=>{r.get(e)&&a(e,!0);for(let t=eC.getFirstElementChild(e);t;t=eC.getNextElementSibling(t))u(t)},c=()=>{!this._updateTimer&&i.length&&(this._updateTimer=t.setTimeout(()=>{for(let{element:e,type:t}of(delete this._updateTimer,i))switch(t){case 2:l(e);break;case 1:s(e);break;case 3:u(e)}i=this._updateQueue=[]},0))},d=e=>{let t={};for(let r=e;r;r=eC.getParentElement(r)){let e=eh(this._tabster,r);if(e&&(e.groupper&&!t.groupper&&(t.groupper=e.groupper),e.mover)){t.mover=e.mover;break}}return t};i.push({element:e,type:1}),c(),n.observe(e,{childList:!0,subtree:!0,attributes:!0,attributeFilter:["tabindex"]}),this._unobserve=()=>{n.disconnect()}}getState(e){let t=eO(this._win,e);if(t in this._visible){let r=this._visible[t]||el.Invisible;return{isCurrent:this._current?this._current.get()===e:void 0,visibility:r}}}constructor(e,t,r,o,i){var n;super(e,t,o),this._visible={},this._onIntersection=e=>{for(let t of e){let e,r=t.target,o=eO(this._win,r),i=this._fullyVisible;if(t.intersectionRatio>=.25?(e=t.intersectionRatio>=.75?el.Visible:el.PartiallyVisible)===el.Visible&&(i=o):e=el.Invisible,this._visible[o]!==e){void 0===e?(delete this._visible[o],i===o&&delete this._fullyVisible):(this._visible[o]=e,this._fullyVisible=i);let t=this.getState(r);t&&r.dispatchEvent(new ex(t))}}},this._win=e.getWindow,this.visibilityTolerance=null!=(n=o.visibilityTolerance)?n:.8,(this._props.trackState||this._props.visibilityAware)&&(this._intersectionObserver=new IntersectionObserver(this._onIntersection,{threshold:[0,.25,.5,.75,1]}),this._observeState()),this._onDispose=r;let a=()=>o.memorizeCurrent?this._current:void 0;e.controlTab||(this.dummyManager=new to(this._element,e,a,i))}}class tn{dispose(){var e;let t=this._win();this._tabster.focusedElement.unsubscribe(this._onFocus),null==(e=this._ignoredInputResolve)||e.call(this,!1),this._ignoredInputTimer&&(t.clearTimeout(this._ignoredInputTimer),delete this._ignoredInputTimer),t.removeEventListener("keydown",this._onKeyDown,!0),t.removeEventListener(ep,this._onMoveFocus),t.removeEventListener(eb,this._onMemorizedElement),Object.keys(this._movers).forEach(e=>{this._movers[e]&&(this._movers[e].dispose(),delete this._movers[e])})}createMover(e,t,r){let o=new ti(this._tabster,e,this._onMoverDispose,t,r);return this._movers[o.id]=o,o}moveFocus(e,t){return this._moveFocus(e,t)}_moveFocus(e,t,r){var o,i;let n,a,l,s=this._tabster,u=e2.getTabsterContext(s,e,{checkRtl:!0});if(!u||!u.mover||u.excludedFromMover||r&&u.ignoreKeydown(r))return null;let c=u.mover,d=c.getElement();if(u.groupperBeforeMover){let e=u.groupper;if(!e||e.isActive(!0))return null;for(let t=eC.getParentElement(e.getElement());t&&t!==d;t=eC.getParentElement(t))if(null==(i=null==(o=eh(s,t))?void 0:o.groupper)?void 0:i.isActive(!0))return null}if(!d)return null;let f=s.focusable,h=c.getProps(),v=h.direction||es.Both,p=v===es.Both,b=p||v===es.Vertical,m=p||v===es.Horizontal,g=v===es.GridLinear,_=g||v===es.Grid,y=h.cyclic,k=0,w=0;if(_&&(k=Math.ceil((l=e.getBoundingClientRect()).left),w=Math.floor(l.right)),u.rtl&&(t===eu.ArrowRight?t=eu.ArrowLeft:t===eu.ArrowLeft&&(t=eu.ArrowRight)),t===eu.ArrowDown&&b||t===eu.ArrowRight&&(m||_))if((n=f.findNext({currentElement:e,container:d,useActiveModalizer:!0}))&&_){let e=Math.ceil(n.getBoundingClientRect().left);!g&&w>e&&(n=void 0)}else!n&&y&&(n=f.findFirst({container:d,useActiveModalizer:!0}));else if(t===eu.ArrowUp&&b||t===eu.ArrowLeft&&(m||_))if((n=f.findPrev({currentElement:e,container:d,useActiveModalizer:!0}))&&_){let e=Math.floor(n.getBoundingClientRect().right);!g&&e>k&&(n=void 0)}else!n&&y&&(n=f.findLast({container:d,useActiveModalizer:!0}));else if(t===eu.Home)_?f.findElement({container:d,currentElement:e,useActiveModalizer:!0,isBackward:!0,acceptCondition:t=>{var r;if(!f.isFocusable(t))return!1;let o=Math.ceil(null!=(r=t.getBoundingClientRect().left)?r:0);return t!==e&&k<=o||(n=t,!1)}}):n=f.findFirst({container:d,useActiveModalizer:!0});else if(t===eu.End)_?f.findElement({container:d,currentElement:e,useActiveModalizer:!0,acceptCondition:t=>{var r;if(!f.isFocusable(t))return!1;let o=Math.ceil(null!=(r=t.getBoundingClientRect().left)?r:0);return t!==e&&k>=o||(n=t,!1)}}):n=f.findLast({container:d,useActiveModalizer:!0});else if(t===eu.PageUp){if(f.findElement({currentElement:e,container:d,useActiveModalizer:!0,isBackward:!0,acceptCondition:e=>!!f.isFocusable(e)&&(!eM(this._win,e,c.visibilityTolerance)||(n=e,!1))}),_&&n){let e=Math.ceil(n.getBoundingClientRect().left);f.findElement({currentElement:n,container:d,useActiveModalizer:!0,acceptCondition:t=>{if(!f.isFocusable(t))return!1;let r=Math.ceil(t.getBoundingClientRect().left);return k=r||(n=t,!1)}})}a=!1}else if(t===eu.PageDown){if(f.findElement({currentElement:e,container:d,useActiveModalizer:!0,acceptCondition:e=>!!f.isFocusable(e)&&(!eM(this._win,e,c.visibilityTolerance)||(n=e,!1))}),_&&n){let e=Math.ceil(n.getBoundingClientRect().left);f.findElement({currentElement:n,container:d,useActiveModalizer:!0,isBackward:!0,acceptCondition:t=>{if(!f.isFocusable(t))return!1;let r=Math.ceil(t.getBoundingClientRect().left);return k>r||e<=r||(n=t,!1)}})}a=!0}else if(_){let r,o,i=t===eu.ArrowUp,a=k,s=Math.ceil(l.top),u=w,c=Math.floor(l.bottom),h=0;f.findAll({container:d,currentElement:e,isBackward:i,onElement:e=>{let t=e.getBoundingClientRect(),n=Math.ceil(t.left),l=Math.ceil(t.top),d=Math.floor(t.right),f=Math.floor(t.bottom);if(i&&sl)return!0;let v=Math.ceil(Math.min(u,d))-Math.floor(Math.max(a,n)),p=Math.ceil(Math.min(u-a,d-n));if(v>0&&p>=v){let t=v/p;t>h&&(r=e,h=t)}else if(0===h){let t=function(e,t,r,o,i,n,a,l){let s=r0)return!1;return!0}}),n=r}return n&&(!r||r&&d.dispatchEvent(new ew({by:"mover",owner:d,next:n,relatedEvent:r})))?(void 0!==a&&function(e,t,r){let o=eD(t);if(o){let i=eP(e,o),n=t.getBoundingClientRect();r?o.scrollTop+=n.top-i.top:o.scrollTop+=n.bottom-i.bottom}}(this._win,n,a),r&&(r.preventDefault(),r.stopImmediatePropagation()),(0,eo.nativeFocus)(n),n):null}async _isIgnoredInput(e,t){if("true"===e.getAttribute("aria-expanded")&&e.hasAttribute("aria-activedescendant"))return!0;if(eW(e,"input, textarea, *[contenteditable]")){let r,o=0,i=0,n=0;if("INPUT"===e.tagName||"TEXTAREA"===e.tagName){let r=e.type;if(n=(e.value||"").length,"email"===r||"number"===r){if(n){let r=eC.getSelection(e);if(r){let e=r.toString().length,o=t===e3.ArrowLeft||t===e3.ArrowUp;if(r.modify("extend",o?"backward":"forward","character"),e!==r.toString().length)return r.modify("extend",o?"forward":"backward","character"),!0;n=0}}}else{let t=e.selectionStart;if(null===t)return"hidden"===r;o=t||0,i=e.selectionEnd||0}}else"true"===e.contentEditable&&(r=new(function(e){let t=eS(e);if(t.basics.Promise)return t.basics.Promise;throw Error("No Promise defined.")}(this._win))(t=>{this._ignoredInputResolve=e=>{delete this._ignoredInputResolve,t(e)};let r=this._win();this._ignoredInputTimer&&r.clearTimeout(this._ignoredInputTimer);let{anchorNode:a,focusNode:l,anchorOffset:s,focusOffset:u}=eC.getSelection(e)||{};this._ignoredInputTimer=r.setTimeout(()=>{var t,r,c;delete this._ignoredInputTimer;let{anchorNode:d,focusNode:f,anchorOffset:h,focusOffset:v}=eC.getSelection(e)||{};if(d!==a||f!==l||h!==s||v!==u){null==(t=this._ignoredInputResolve)||t.call(this,!1);return}if(o=h||0,i=v||0,n=(null==(r=e.textContent)?void 0:r.length)||0,d&&f&&eC.nodeContains(e,d)&&eC.nodeContains(e,f)&&d!==e){let t=!1,r=e=>{if(e===d)t=!0;else if(e===f)return!0;let n=e.textContent;if(n&&!eC.getFirstChild(e)){let e=n.length;t?f!==d&&(i+=e):(o+=e,i+=e)}let a=!1;for(let t=eC.getFirstChild(e);t&&!a;t=t.nextSibling)a=r(t);return a};r(e)}null==(c=this._ignoredInputResolve)||c.call(this,!0)},0)}));if(r&&!await r||o!==i||o>0&&(t===e3.ArrowLeft||t===e3.ArrowUp||t===e3.Home)||o{let e=this._win();e.addEventListener("keydown",this._onKeyDown,!0),e.addEventListener(ep,this._onMoveFocus),e.addEventListener(eb,this._onMemorizedElement),this._tabster.focusedElement.subscribe(this._onFocus)},this._onMoverDispose=e=>{delete this._movers[e.id]},this._onFocus=e=>{var t;let r=e,o=e;for(let i=eC.getParentElement(e);i;i=eC.getParentElement(i)){let e=null==(t=eh(this._tabster,i))?void 0:t.mover;e&&(e.setCurrent(o),r=void 0),!r&&this._tabster.focusable.isFocusable(i)&&(r=o=i)}},this._onKeyDown=async e=>{var t;let r;if(this._ignoredInputTimer&&(this._win().clearTimeout(this._ignoredInputTimer),delete this._ignoredInputTimer),null==(t=this._ignoredInputResolve)||t.call(this,!1),e.ctrlKey||e.altKey||e.shiftKey||e.metaKey)return;let o=e.key;if(o===e3.ArrowDown?r=eu.ArrowDown:o===e3.ArrowRight?r=eu.ArrowRight:o===e3.ArrowUp?r=eu.ArrowUp:o===e3.ArrowLeft?r=eu.ArrowLeft:o===e3.PageDown?r=eu.PageDown:o===e3.PageUp?r=eu.PageUp:o===e3.Home?r=eu.Home:o===e3.End&&(r=eu.End),!r)return;let i=this._tabster.focusedElement.getFocusedElement();!i||await this._isIgnoredInput(i,o)||this._moveFocus(i,r,e)},this._onMoveFocus=e=>{var t;let r=e.composedPath()[0],o=null==(t=e.detail)?void 0:t.key;r&&void 0!==o&&!e.defaultPrevented&&(this._moveFocus(r,o),e.stopImmediatePropagation())},this._onMemorizedElement=e=>{var t;let r=e.composedPath()[0],o=null==(t=e.detail)?void 0:t.memorizedElement;if(r){let t=e2.getTabsterContext(this._tabster,r),i=null==t?void 0:t.mover;i&&(o&&!eC.nodeContains(i.getElement(),o)&&(o=void 0),i.setCurrent(o),e.stopImmediatePropagation())}},this._tabster=e,this._win=t,this._movers={},e.queueInit(this._init)}}class ta{isUncontrolledCompletely(e,t){var r;let o=null==(r=this._isUncontrolledCompletely)?void 0:r.call(this,e,t);return void 0===o?t:o}constructor(e){this._isUncontrolledCompletely=e}}class tl{push(e){var t;(null==(t=this._stack[this._stack.length-1])?void 0:t.get())!==e&&(this._stack.length>tl.DEPTH&&this._stack.shift(),this._stack.push(new eq(this._getWindow,e)))}pop(e){var t;void 0===e&&(e=()=>!0);let r=this._getWindow().document;for(let o=this._stack.length-1;o>=0;o--){let o=null==(t=this._stack.pop())?void 0:t.get();if(o&&eC.nodeContains(r.body,eC.getParentElement(o))&&e(o))return o}}constructor(e){this._stack=[],this._getWindow=e}}function ts(e,t){var r,o;if(!e||!t)return!1;let i=t;for(;i;){if(i===e)return!0;i="function"!=typeof i.assignedElements&&(null==(r=i.assignedSlot)?void 0:r.parentNode)?null==(o=i.assignedSlot)?void 0:o.parentNode:i.nodeType===document.DOCUMENT_FRAGMENT_NODE?i.host:i.parentNode}return!1}tl.DEPTH=10;class tu{static _overrideAttachShadow(e){let t=e.Element.prototype.attachShadow;t.__origAttachShadow||(Element.prototype.attachShadow=function(e){let r=t.call(this,e);for(let e of tu._shadowObservers)e._addSubObserver(r);return r},Element.prototype.attachShadow.__origAttachShadow=t)}_addSubObserver(e){if(!(!this._options||!this._callback||this._subObservers.has(e))&&this._options.subtree&&ts(this._root,e)){let t=new MutationObserver(this._callbackWrapper);this._subObservers.set(e,t),this._isObserving&&t.observe(e,this._options),this._walkShadows(e)}}disconnect(){for(let e of(this._isObserving=!1,delete this._options,tu._shadowObservers.delete(this),this._subObservers.values()))e.disconnect();this._subObservers.clear(),this._observer.disconnect()}observe(e,t){let r=e.nodeType===Node.DOCUMENT_NODE?e:e.ownerDocument,o=null==r?void 0:r.defaultView;r&&o&&(tu._overrideAttachShadow(o),tu._shadowObservers.add(this),this._root=e,this._options=t,this._isObserving=!0,this._observer.observe(e,t),this._walkShadows(e))}_walkShadows(e,t){let r=e.nodeType===Node.DOCUMENT_NODE?e:e.ownerDocument;if(r){if(e===r)e=r.body;else{let t=e.shadowRoot;if(t)return void this._addSubObserver(t)}r.createTreeWalker(e,NodeFilter.SHOW_ELEMENT,{acceptNode:e=>{if(e.nodeType===Node.ELEMENT_NODE)if(t){let t=this._subObservers.get(e);t&&(t.disconnect(),this._subObservers.delete(e))}else{let t=e.shadowRoot;t&&this._addSubObserver(t)}return NodeFilter.FILTER_SKIP}}).nextNode()}}takeRecords(){let e=this._observer.takeRecords();for(let t of this._subObservers.values())e.push(...t.takeRecords());return e}constructor(e){this._isObserving=!1,this._callbackWrapper=(e,t)=>{for(let t of e)if("childList"===t.type){let e=t.removedNodes,r=t.addedNodes;for(let t=0;t{delete this._forgetMemorizedTimer;for(let e=this._forgetMemorizedElements.shift();e;e=this._forgetMemorizedElements.shift())eH(this.getWindow,e),e8.forgetMemorized(this.focusedElement,e)},0),ej(this.getWindow,!0)))}queueInit(e){var t;this._win&&(this._initQueue.push(e),this._initTimer||(this._initTimer=null==(t=this._win)?void 0:t.setTimeout(()=>{delete this._initTimer,this.drainInitQueue()},0)))}drainInitQueue(){if(!this._win)return;let e=this._initQueue;this._initQueue=[],e.forEach(e=>e())}constructor(e,t){var r,o;this._forgetMemorizedElements=[],this._wrappers=new Set,this._initQueue=[],this._version="8.5.6",this._noop=!1,this.getWindow=()=>{if(!this._win)throw Error("Using disposed Tabster.");return this._win},this._storage=function(e){let t=e.__tabsterInstanceContext;return new((null==t?void 0:t.basics.WeakMap)||WeakMap)}(e),this._win=e;let i=this.getWindow;(null==t?void 0:t.DOMAPI)&&function(e){for(let t of Object.keys(e))eC[t]=e[t]}({...t.DOMAPI}),this.keyboardNavigation=new tr(i),this.focusedElement=new e8(this,i),this.focusable=new e6(this),this.root=new e2(this,null==t?void 0:t.autoRoot),this.uncontrolled=new ta((null==t?void 0:t.checkUncontrolledCompletely)||(null==t?void 0:t.checkUncontrolledTrappingFocus)),this.controlTab=null==(r=null==t?void 0:t.controlTab)||r,this.rootDummyInputs=!!(null==t?void 0:t.rootDummyInputs),this._dummyObserver=new eJ(i),this.getParent=null!=(o=null==t?void 0:t.getParent)?o:eC.getParentNode,this.internal={stopObserver:()=>{this._unobserve&&(this._unobserve(),delete this._unobserve)},resumeObserver:e=>{if(!this._unobserve){let t=i().document;this._unobserve=function(e,t,r,o){let i;if("undefined"==typeof MutationObserver)return()=>{};let n=t.getWindow;function a(t,r){i||(i=eS(n).elementByUId),l(t,r);let o=eR(e,t,e=>l(e,r));if(o)for(;o.nextNode(););}function l(e,o){if(!e.getAttribute)return NodeFilter.FILTER_SKIP;let a=e.__tabsterElementUID;return a&&i&&(o?delete i[a]:null!=i[a]||(i[a]=new eq(n,e))),(eh(t,e)||e.hasAttribute(ei))&&r(t,e,o),NodeFilter.FILTER_SKIP}let s=eC.createMutationObserver(e=>{var o,i,n,l,s;let u=new Set;for(let s of e){let e=s.target,c=s.removedNodes,d=s.addedNodes;if("attributes"===s.type)s.attributeName!==ei||u.has(e)||r(t,e);else{for(let r=0;r{s.disconnect()}}(t,this,ev,e)}}},function e(t){let r=eS(t);r.fakeWeakRefsStarted||(r.fakeWeakRefsStarted=!0,r.WeakRef=r.basics.WeakRef),r.fakeWeakRefsTimer||(r.fakeWeakRefsTimer=t().setTimeout(()=>{r.fakeWeakRefsTimer=void 0,ej(t),e(t)},12e4))}(i),this.queueInit(()=>{this.internal.resumeObserver(!0)})}}function tf(e,t){let r=e.__tabsterInstance;return r?r.createTabster(!1,t):(r=new td(e,t),e.__tabsterInstance=r,r.createTabster())}function th(e){let t=e.core;return t.groupper||(t.groupper=new tt(t,t.getWindow)),t.groupper}function tv(e){let t=e.core;return t.mover||(t.mover=new tn(t,t.getWindow)),t.mover}function tp(e,t){e.core.disposeTabster(e,t)}function tb(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(!e)return null;if(!t.skipVirtual){let t=e&&!!e._virtual&&e._virtual.parent||null;if(t)return t}let r=e.parentNode;return r&&r.nodeType===Node.DOCUMENT_FRAGMENT_NODE?r.host:r}e.s(["createTabsterWithConfig",()=>tg,"useTabster",()=>t_],23917);let tm=e=>e;function tg(e){let t=(null==e?void 0:e.defaultView)||void 0,r=null==t?void 0:t.__tabsterShadowDOMAPI;if(t)return tf(t,{autoRoot:{},controlTab:!1,getParent:tb,checkUncontrolledCompletely:e=>{var t;return(null==(t=e.firstElementChild)?void 0:t.hasAttribute("data-is-focus-trap-zone-bumper"))===!0||void 0},DOMAPI:r})}function t_(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:tm,{targetDocument:t}=(0,F.useFluent_unstable)(),o=r.useRef(null);return(0,T.useIsomorphicLayoutEffect)(()=>{let r=tg(t);if(r)return o.current=e(r),()=>{tp(r),o.current=null}},[t,e]),o}var ty=e.i(72554);let tk=e=>"treeitem"===e.getAttribute("role")?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_SKIP;var tw=e.i(21982),tx=e.i(69024),tT=e.i(32778);let tz={level:0,contextType:"root",treeType:"nested",selectionMode:"none",openItems:u.empty,checkedItems:f.empty,requestTreeResponse:tB,forceUpdateRovingTabIndex:tB,appearance:"subtle",size:"medium",navigationMode:"tree"};function tB(){}let tE=J(void 0),tC=e=>Z(tE,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:tz;return e(t)}),tI={root:"fui-TreeItemLayout",iconBefore:"fui-TreeItemLayout__iconBefore",main:"fui-TreeItemLayout__main",iconAfter:"fui-TreeItemLayout__iconAfter",expandIcon:"fui-TreeItemLayout__expandIcon",aside:"fui-TreeItemLayout__aside",actions:"fui-TreeItemLayout__actions",selector:"fui-TreeItemLayout__selector"},tF=(0,tw.__resetStyles)("ryb8khq",null,[".ryb8khq{display:flex;align-items:center;min-height:32px;box-sizing:border-box;grid-area:layout;}",".ryb8khq:hover{color:var(--colorNeutralForeground2Hover);background-color:var(--colorSubtleBackgroundHover);}",".ryb8khq:hover .fui-TreeItemLayout__expandIcon{color:var(--colorNeutralForeground3Hover);}",".ryb8khq:active{color:var(--colorNeutralForeground2Pressed);background-color:var(--colorSubtleBackgroundPressed);}",".ryb8khq:active .fui-TreeItemLayout__expandIcon{color:var(--colorNeutralForeground3Pressed);}"]),tS=(0,tx.__styles)({leaf:{uwmqm3:["f1k1erfc","faevyjx"]},branch:{uwmqm3:["fo100m9","f6yw3pu"]},medium:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},small:{sshi5w:"f1pha7fy",Bahqtrf:"fk6fouc",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm"},subtle:{},"subtle-alpha":{Jwef8y:"f146ro5n",ecr2s2:"fkam630"},transparent:{De3pzq:"f1c21dwh",Jwef8y:"fjxutwb",ecr2s2:"fophhak"}},{d:[".f1k1erfc{padding-left:calc(var(--fluent-TreeItem--level, 1) * var(--spacingHorizontalXXL));}",".faevyjx{padding-right:calc(var(--fluent-TreeItem--level, 1) * var(--spacingHorizontalXXL));}",".fo100m9{padding-left:calc((var(--fluent-TreeItem--level, 1) - 1) * var(--spacingHorizontalXXL));}",".f6yw3pu{padding-right:calc((var(--fluent-TreeItem--level, 1) - 1) * var(--spacingHorizontalXXL));}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".f1pha7fy{min-height:24px;}",".fy9rknc{font-size:var(--fontSizeBase200);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".f1c21dwh{background-color:var(--colorTransparentBackground);}"],h:[".f146ro5n:hover{background-color:var(--colorSubtleBackgroundLightAlphaHover);}",".fjxutwb:hover{background-color:var(--colorTransparentBackgroundHover);}"],a:[".fkam630:active{background-color:var(--colorSubtleBackgroundLightAlphaPressed);}",".fophhak:active{background-color:var(--colorTransparentBackgroundPressed);}"]}),tN=(0,tw.__resetStyles)("rzvs2in","r17h8a29",[".rzvs2in{display:flex;margin-left:auto;position:relative;z-index:1;grid-area:aside;padding:0 var(--spacingHorizontalS);}",".r17h8a29{display:flex;margin-right:auto;position:relative;z-index:1;grid-area:aside;padding:0 var(--spacingHorizontalS);}"]),tq=(0,tw.__resetStyles)("r1825u21","rezy0yk",[".r1825u21{display:flex;margin-left:auto;align-items:center;z-index:0;grid-area:aside;padding:0 var(--spacingHorizontalM);gap:var(--spacingHorizontalXS);}",".rezy0yk{display:flex;margin-right:auto;align-items:center;z-index:0;grid-area:aside;padding:0 var(--spacingHorizontalM);gap:var(--spacingHorizontalXS);}"]),tj=(0,tw.__resetStyles)("rh4pu5o",null,[".rh4pu5o{display:flex;align-items:center;justify-content:center;min-width:24px;box-sizing:border-box;color:var(--colorNeutralForeground3);flex:0 0 auto;padding:var(--spacingVerticalXS) 0;}"]),tR=(0,tw.__resetStyles)("rklbe47",null,[".rklbe47{padding:0 var(--spacingHorizontalXXS);}"]),tP=(0,tw.__resetStyles)("rphzgg1",null,[".rphzgg1{display:flex;align-items:center;color:var(--colorNeutralForeground2);line-height:var(--lineHeightBase500);font-size:var(--fontSizeBase500);}"]),tM=(0,tx.__styles)({medium:{z189sj:["f7x41pl","fruq291"]},small:{z189sj:["ffczdla","fgiv446"]}},{d:[".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fruq291{padding-left:var(--spacingHorizontalXS);}",".ffczdla{padding-right:var(--spacingHorizontalXXS);}",".fgiv446{padding-left:var(--spacingHorizontalXXS);}"]}),tD=(0,tx.__styles)({medium:{uwmqm3:["fruq291","f7x41pl"]},small:{uwmqm3:["fgiv446","ffczdla"]}},{d:[".fruq291{padding-left:var(--spacingHorizontalXS);}",".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fgiv446{padding-left:var(--spacingHorizontalXXS);}",".ffczdla{padding-right:var(--spacingHorizontalXXS);}"]});e.s(["useFocusFinders",()=>tA],48920);let tA=()=>{let e=t_(),{targetDocument:t}=(0,F.useFluent_unstable)(),o=r.useCallback((t,r)=>{var o;return t&&(null==(o=e.current)?void 0:o.focusable.findAll({container:t,acceptCondition:r}))||[]},[e]),i=r.useCallback(t=>{var r;return t&&(null==(r=e.current)?void 0:r.focusable.findFirst({container:t}))},[e]),n=r.useCallback(t=>{var r;return t&&(null==(r=e.current)?void 0:r.focusable.findLast({container:t}))},[e]);return{findAllFocusable:o,findFirstFocusable:i,findLastFocusable:n,findNextFocusable:r.useCallback(function(r){let o=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(!e.current||!t||!r)return null;let{container:i=t.body}=o;return e.current.focusable.findNext({currentElement:r,container:i})},[e,t]),findPrevFocusable:r.useCallback(function(r){let o=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(!e.current||!t||!r)return null;let{container:i=t.body}=o;return e.current.focusable.findPrev({currentElement:r,container:i})},[e,t])}},tO=e=>e.querySelector(":scope > .".concat(tI.root," > .").concat(tI.actions)),tH={root:"fui-Tree"},tL=(0,tw.__resetStyles)("rnv2ez3",null,[".rnv2ez3{display:flex;flex-direction:column;row-gap:var(--spacingVerticalXXS);}"]),tW=(0,tx.__styles)({subtree:{z8tnut:"fclwglc"}},{d:[".fclwglc{padding-top:var(--spacingVerticalXXS);}"]});var tV=e.i(97906),tU=e.i(46163);let tG={level:1,contextType:"subtree"},tK=e=>"subtree"===e.value.contextType?r.createElement(b.Provider,{value:e.value},e.children):r.createElement(tE.Provider,{value:e.value},r.createElement(b.Provider,{value:tG},e.children));tK.displayName="TreeProvider";var tX=e.i(96019);let tJ=r.forwardRef((e,t)=>{let a=((e,t)=>void 0===r.useContext(b)?function(e,t){let[a,l]=n({state:r.useMemo(()=>e.openItems&&u.from(e.openItems),[e.openItems]),defaultState:e.defaultOpenItems&&(()=>u.from(e.defaultOpenItems)),initialState:u.empty}),s=r.useMemo(()=>v(e.checkedItems),[e.checkedItems]),d=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"tree",{rove:t,initialize:n,forceUpdate:a}=function(){let e=r.useRef(null),t=r.useRef(null),{targetDocument:i}=(0,F.useFluent_unstable)(),{targetDocument:n}=(0,F.useFluent_unstable)(),a=(0,o.useEventCallback)(e=>{if((null==e?void 0:e.getAttribute("role"))==="treeitem"&&t.current&&t.current.root.contains(e)){let r=(e=>{let t=e.parentElement;for(;t&&"tree"!==t.getAttribute("role");)t=t.parentElement;return t})(e);t.current.root===r&&s(e)}});r.useEffect(()=>{let e=tg(n);if(e)return e.focusedElement.subscribe(a),()=>{e.focusedElement.unsubscribe(a),tp(e)}},[a,n]);let l=r.useCallback(r=>{t.current=r,r.currentElement=r.root;let o=r.firstChild(e=>0===e.tabIndex?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_SKIP);if(r.currentElement=r.root,null!=o||(o=r.firstChild()),!o)return;o.tabIndex=0,e.current=o;let i=null;for(;(i=r.nextElement())&&i!==o;)i.tabIndex=-1},[]),s=r.useCallback((t,r)=>{e.current&&(e.current.tabIndex=-1,t.tabIndex=0,t.focus(r),e.current=t)},[]),u=r.useCallback(()=>{null!==e.current&&(null==i?void 0:i.body.contains(e.current))||!t.current||l(t.current)},[i,l]);return{rove:s,initialize:l,forceUpdate:u}}(),{findFirstFocusable:l}=tA(),{walkerRef:s,rootRef:u}=function(){let{targetDocument:e}=(0,F.useFluent_unstable)(),t=r.useRef(void 0),o=r.useCallback(r=>{t.current=e&&r?function(e,t){let r,o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:()=>NodeFilter.FILTER_ACCEPT,i=t.createTreeWalker(e,NodeFilter.SHOW_ELEMENT,{acceptNode(e){var t;if(!(0,ty.isHTMLElement)(e))return NodeFilter.FILTER_REJECT;let i=o(e);return i===NodeFilter.FILTER_ACCEPT&&null!=(t=null==r?void 0:r(e))?t:i}});return{get root(){return i.root},get currentElement(){return i.currentNode},set currentElement(element){i.currentNode=element},firstChild:e=>{r=e;let t=i.firstChild();return r=void 0,t},lastChild:e=>{r=e;let t=i.lastChild();return r=void 0,t},nextElement:e=>{r=e;let t=i.nextNode();return r=void 0,t},nextSibling:e=>{r=e;let t=i.nextSibling();return r=void 0,t},parentElement:e=>{r=e;let t=i.parentNode();return r=void 0,t},previousElement:e=>{r=e;let t=i.previousNode();return r=void 0,t},previousSibling:e=>{r=e;let t=i.previousSibling();return r=void 0,t}}}(r,e,tk):void 0},[e]);return{walkerRef:t,rootRef:o}}(),c=r.useCallback(e=>{e&&s.current&&n(s.current)},[s,n]);return{navigate:function(r,o){let i=(t=>{if(!s.current)return null;switch(t.type){case K.Click:return t.target;case K.TypeAhead:return s.current.currentElement=t.target,function(e,t){let r=t.toLowerCase(),o=e=>{var t;return(null==(t=e.textContent)?void 0:t.trim().charAt(0).toLowerCase())===r?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_SKIP},i=e.nextElement(o);return i||(e.currentElement=e.root,i=e.nextElement(o)),i}(s.current,t.event.key);case K.ArrowLeft:{let r=tO(t.target);if("treegrid"===e&&(null==r?void 0:r.contains(t.target.ownerDocument.activeElement)))return t.target;return s.current.currentElement=t.target,s.current.parentElement()}case K.ArrowRight:if("treegrid"===e){let e=tO(t.target);if(e){var r;null==(r=l(e))||r.focus()}return null}return s.current.currentElement=t.target,s.current.firstChild();case K.End:return s.current.currentElement=s.current.root,function(e){let t=null,r=null;for(;r=e.lastChild();)t=r;return t}(s.current);case K.Home:return s.current.currentElement=s.current.root,s.current.firstChild();case K.ArrowDown:return s.current.currentElement=t.target,s.current.nextElement();case K.ArrowUp:return s.current.currentElement=t.target,s.current.previousElement()}})(r);return i&&t(i,o),i},treeRef:(0,i.useMergedRefs)(u,c),forceUpdateRovingTabIndex:a}}(e.navigationMode);return Object.assign(function(e,t){var i;let{appearance:n="subtle",size:a="medium",selectionMode:l="none"}=e,s=r.useMemo(()=>u.from(e.openItems),[e.openItems]),d=r.useMemo(()=>v(e.checkedItems),[e.checkedItems]),h=(0,o.useEventCallback)(t=>{switch(t.requestType){case"navigate":var r,o,i;let n=!1;switch(null==(i=e.onNavigation)||i.call(e,t.event,{...t,preventScroll:()=>{n=!0},isScrollPrevented:()=>n}),t.type){case K.ArrowDown:case K.ArrowUp:case K.Home:case K.End:t.event.preventDefault()}return;case"open":return void(null==(r=e.onOpenChange)||r.call(e,t.event,{...t,openItems:u.dangerouslyGetInternalSet(c(t,s))}));case"selection":return void("none"!==l&&(null==(o=e.onCheckedChange)||o.call(e,t.event,{...t,selectionMode:l,checkedItems:f.dangerouslyGetInternalMap(d)})))}});return{components:{root:"div",collapseMotion:U},contextType:"root",selectionMode:l,navigationMode:null!=(i=e.navigationMode)?i:"tree",open:!0,appearance:n,size:a,level:1,openItems:s,checkedItems:d,requestTreeResponse:h,forceUpdateRovingTabIndex:()=>{},root:_.slot.always((0,g.getIntrinsicElementProps)("div",{ref:t,role:"tree","aria-multiselectable":"multiselect"===l||void 0,...e}),{elementType:"div"}),collapseMotion:void 0}}({...e,openItems:a,checkedItems:s,onOpenChange:(0,o.useEventCallback)((t,r)=>{var o;let i=c(r,a);null==(o=e.onOpenChange)||o.call(e,t,{...r,openItems:u.dangerouslyGetInternalSet(i)}),l(i)}),onNavigation:(0,o.useEventCallback)((t,r)=>{var o;null==(o=e.onNavigation)||o.call(e,t,r),t.isDefaultPrevented()||d.navigate(r,{preventScroll:r.isScrollPrevented()})}),onCheckedChange:(0,o.useEventCallback)((t,r)=>{var o;let i="single"===r.selectionMode?f.from([[r.value,r.checked]]):"multiselect"===r.selectionMode?s.set(r.value,r.checked):s;null==(o=e.onCheckedChange)||o.call(e,t,{...r,checkedItems:f.dangerouslyGetInternalMap(i)})})},(0,i.useMergedRefs)(t,d.treeRef)),{treeType:"nested",forceUpdateRovingTabIndex:d.forceUpdateRovingTabIndex})}(e,t):function(e,t){let r=ee(e=>e.subtreeRef),{level:o}=m(),n=ee(e=>e.open);return{contextType:"subtree",open:n,components:{root:"div",collapseMotion:U},level:o+1,root:_.slot.always((0,g.getIntrinsicElementProps)("div",{ref:(0,i.useMergedRefs)(t,r),role:"group",...e}),{elementType:"div"}),collapseMotion:er(e.collapseMotion,{elementType:U,defaultProps:{visible:n,unmountOnExit:!0}})}}(e,t))(e,t),l=function(e){if("root"===e.contextType){let{openItems:t,level:r,contextType:o,treeType:i,checkedItems:n,selectionMode:a,navigationMode:l,appearance:s,size:u,requestTreeResponse:c,forceUpdateRovingTabIndex:d}=e;return{tree:{treeType:i,size:u,openItems:t,appearance:s,checkedItems:n,selectionMode:a,navigationMode:l,contextType:o,level:r,requestTreeResponse:c,forceUpdateRovingTabIndex:d}}}return{tree:r.useMemo(()=>({level:e.level,contextType:"subtree"}),[e.level])}}(a);return(e=>{let t=tL(),r=tW(),o=e.level>1;return e.root.className=(0,tT.mergeClasses)(tH.root,t,o&&r.subtree,e.root.className)})(a),(0,tX.useCustomStyleHook_unstable)("useTreeStyles_unstable")(a),((e,t)=>((0,tU.assertSlots)(e),(0,tV.jsx)(tK,{value:t.tree,children:e.collapseMotion?(0,tV.jsx)(e.collapseMotion,{children:(0,tV.jsx)(e.root,{})}):(0,tV.jsx)(e.root,{})})))(a,l)});tJ.displayName="Tree",e.s(["TreeItem",()=>t5],47427);var tZ=e.i(74080),tY=e.i(90312);function tQ(e,t){if(!e||!t)return!1;if(e===t)return!0;{let r=new WeakSet;for(;t;){let o=tb(t,{skipVirtual:r.has(t)});if(r.add(t),o===e)return!0;t=o}}return!1}let t$={root:"fui-TreeItem"},t0=(0,tw.__resetStyles)("r15xhw3a","r2f6k57",[".r15xhw3a{position:relative;cursor:pointer;display:flex;flex-direction:column;box-sizing:border-box;background-color:var(--colorSubtleBackground);color:var(--colorNeutralForeground2);padding-right:var(--spacingHorizontalNone);}",".r15xhw3a:focus{outline-style:none;}",".r15xhw3a:focus-visible{outline-style:none;}",".r15xhw3a[data-fui-focus-visible]>.fui-TreeItemLayout,.r15xhw3a[data-fui-focus-visible]>.fui-TreeItemPersonaLayout{border-radius:var(--borderRadiusMedium);outline-color:var(--colorStrokeFocus2);outline-radius:var(--borderRadiusMedium);outline-width:2px;outline-style:solid;}",".r2f6k57{position:relative;cursor:pointer;display:flex;flex-direction:column;box-sizing:border-box;background-color:var(--colorSubtleBackground);color:var(--colorNeutralForeground2);padding-left:var(--spacingHorizontalNone);}",".r2f6k57:focus{outline-style:none;}",".r2f6k57:focus-visible{outline-style:none;}",".r2f6k57[data-fui-focus-visible]>.fui-TreeItemLayout,.r2f6k57[data-fui-focus-visible]>.fui-TreeItemPersonaLayout{border-radius:var(--borderRadiusMedium);outline-color:var(--colorStrokeFocus2);outline-radius:var(--borderRadiusMedium);outline-width:2px;outline-style:solid;}"]),t1=(0,tx.__styles)({level1:{iytv0q:"f10bgyvd"},level2:{iytv0q:"f1h0rod3"},level3:{iytv0q:"fgoqafk"},level4:{iytv0q:"f75dvuh"},level5:{iytv0q:"fqk7yw6"},level6:{iytv0q:"f1r3z17b"},level7:{iytv0q:"f1hrpd1h"},level8:{iytv0q:"f1iy65d0"},level9:{iytv0q:"ftg42e5"},level10:{iytv0q:"fyat3t"}},{d:[".f10bgyvd{--fluent-TreeItem--level:1;}",".f1h0rod3{--fluent-TreeItem--level:2;}",".fgoqafk{--fluent-TreeItem--level:3;}",".f75dvuh{--fluent-TreeItem--level:4;}",".fqk7yw6{--fluent-TreeItem--level:5;}",".f1r3z17b{--fluent-TreeItem--level:6;}",".f1hrpd1h{--fluent-TreeItem--level:7;}",".f1iy65d0{--fluent-TreeItem--level:8;}",".ftg42e5{--fluent-TreeItem--level:9;}",".fyat3t{--fluent-TreeItem--level:10;}"]}),t5=r.forwardRef((e,t)=>{let n=function(e,t){var n;tC(e=>e.treeType);let a=tC(e=>e.requestTreeResponse),l=tC(e=>{var t;return null!=(t=e.navigationMode)?t:"tree"}),s=tC(e=>e.forceUpdateRovingTabIndex),{level:u}=m(),c=ee(t=>{var r;return null!=(r=e.parentValue)?r:t.value}),d=(0,tY.useId)("fuiTreeItemValue-"),f=null!=(n=e.value)?n:d,{onClick:h,onKeyDown:v,onChange:p,as:b="div",itemType:y="leaf","aria-level":k=u,"aria-selected":w,"aria-expanded":x,...T}=e,z=r.useRef(null),B=r.useRef(null),E=r.useRef(null),C=r.useRef(null),I=r.useRef(null),F=r.useRef(null);r.useEffect(()=>{null==s||s();let e=F.current;return()=>{e&&0===e.tabIndex&&(null==s||s())}},[s]);let S=tC(t=>{var r;return null!=(r=e.open)?r:t.openItems.has(f)}),N=()=>"branch"===y?!S:S,q=tC(e=>e.selectionMode),j=tC(e=>{var t;return null!=(t=e.checkedItems.get(f))&&t}),R=(0,o.useEventCallback)(t=>{var r,o;let i=null==(r=B.current)?void 0:r.contains(t.target);!(z.current&&tQ(z.current,t.target)||C.current&&tQ(C.current,t.target)||(null==(o=I.current)?void 0:o.contains(t.target)))&&(i||null==h||h(t),t.isDefaultPrevented()||tZ.unstable_batchedUpdates(()=>{let r={event:t,value:f,open:N(),target:t.currentTarget,type:i?K.ExpandIconClick:K.Click};if("leaf"!==y){var o;null==(o=e.onOpenChange)||o.call(e,t,r),a({...r,itemType:y,requestType:"open"})}a({...r,itemType:y,parentValue:c,requestType:"navigate",type:K.Click})}))}),P=(0,o.useEventCallback)(t=>{var r,o,i;if(null==v||v(t),t.isDefaultPrevented()||!F.current)return;let n=t.currentTarget===t.target,s=z.current&&z.current.contains(t.target);switch(t.key){case G.Space:if(!n)return;"none"!==q&&(null==(r=I.current)||r.click(),t.preventDefault());return;case K.Enter:if(!n)return;return t.currentTarget.click();case K.End:case K.Home:case K.ArrowUp:if(!n&&!s)return;return a({requestType:"navigate",event:t,value:f,itemType:y,parentValue:c,type:t.key,target:t.currentTarget});case K.ArrowDown:if(!n&&!s||s&&(!(0,ty.isHTMLElement)(t.target)||t.target.hasAttribute("aria-haspopup")))return;return a({requestType:"navigate",event:t,value:f,itemType:y,parentValue:c,type:t.key,target:t.currentTarget});case K.ArrowLeft:{if(t.altKey)return;let r={value:f,event:t,open:N(),type:t.key,itemType:y,parentValue:c,target:t.currentTarget};if(s&&"treegrid"===l)return void a({...r,requestType:"navigate"});if(!n||1===k&&!S)return;S&&(null==(o=e.onOpenChange)||o.call(e,t,r)),a({...r,requestType:S?"open":"navigate"});return}case K.ArrowRight:{if(!n||t.altKey)return;let r={value:f,event:t,open:N(),type:t.key,target:t.currentTarget};"branch"!==y||S?a({...r,itemType:y,parentValue:c,requestType:"navigate"}):(null==(i=e.onOpenChange)||i.call(e,t,r),a({...r,itemType:y,requestType:"open"}));return}}n&&1===t.key.length&&t.key.match(/\w/)&&!t.altKey&&!t.ctrlKey&&!t.metaKey&&a({requestType:"navigate",event:t,target:t.currentTarget,value:f,itemType:y,type:K.TypeAhead,parentValue:c})}),M=(0,o.useEventCallback)(e=>{null==p||p(e),!e.isDefaultPrevented()&&(C.current&&tQ(C.current,e.target)||a({requestType:"selection",event:e,value:f,itemType:y,type:"Change",target:e.currentTarget,checked:"mixed"===j||!j}))});return{value:f,open:S,checked:j,subtreeRef:C,layoutRef:E,selectionRef:I,expandIconRef:B,treeItemRef:F,actionsRef:z,itemType:y,level:k,components:{root:"div"},isAsideVisible:!1,isActionsVisible:!1,root:_.slot.always((0,g.getIntrinsicElementProps)(b,{tabIndex:-1,"data-fui-tree-item-value":f,role:"treeitem",...T,ref:(0,i.useMergedRefs)(t,F),"aria-level":k,"aria-checked":"multiselect"===q?j:void 0,"aria-selected":void 0!==w?w:"single"===q?!!j:void 0,"aria-expanded":void 0!==x?x:"branch"===y?S:void 0,onClick:R,onKeyDown:P,onChange:M}),{elementType:"div"})}}(e,t);(e=>{let t=t0(),r=t1(),{level:o}=e;return e.root.className=(0,tT.mergeClasses)(t$.root,t,function(e){return e>=1&&e<=10}(o)&&r["level".concat(o)],e.root.className)})(n),(0,tX.useCustomStyleHook_unstable)("useTreeItemStyles_unstable")(n);let a=function(e){let{value:t,itemType:r,layoutRef:o,subtreeRef:i,open:n,expandIconRef:a,actionsRef:l,treeItemRef:s,isActionsVisible:u,isAsideVisible:c,selectionRef:d,checked:f}=e;return{treeItem:{value:t,checked:f,itemType:r,layoutRef:o,subtreeRef:i,open:n,selectionRef:d,isActionsVisible:u,isAsideVisible:c,actionsRef:l,treeItemRef:s,expandIconRef:a}}}(n);return((e,t)=>((0,tU.assertSlots)(e),(0,tV.jsx)(e.root,{children:(0,tV.jsx)($,{value:t.treeItem,children:e.root.children})})))(n,a)});function t2(e){return null!==e&&"object"==typeof e&&!Array.isArray(e)&&!r.isValidElement(e)}t5.displayName="TreeItem",e.s(["TreeItemLayout",()=>rq],84862),e.s(["isResolvedShorthand",()=>t2],63350),e.s(["Checkbox",()=>rv],8517);var t4=e.i(24330),t6=e.i(67999);e.s(["Checkmark12Filled",()=>t7,"Checkmark16Filled",()=>t8,"CheckmarkCircle12Filled",()=>t9,"ChevronRight12Regular",()=>re],25063);var t3=e.i(39806);let t7=(0,t3.createFluentIcon)("Checkmark12Filled","12",["M9.76 3.2c.3.29.32.76.04 1.06l-4.25 4.5a.75.75 0 0 1-1.08.02L2.22 6.53a.75.75 0 0 1 1.06-1.06l1.7 1.7L8.7 3.24a.75.75 0 0 1 1.06-.04Z"]),t8=(0,t3.createFluentIcon)("Checkmark16Filled","16",["M14.05 3.49c.28.3.27.77-.04 1.06l-7.93 7.47A.85.85 0 0 1 4.9 12L2.22 9.28a.75.75 0 1 1 1.06-1.06l2.24 2.27 7.47-7.04a.75.75 0 0 1 1.06.04Z"]),t9=(0,t3.createFluentIcon)("CheckmarkCircle12Filled","12",["M1 6a5 5 0 1 1 10 0A5 5 0 0 1 1 6Zm7.35-.9a.5.5 0 1 0-.7-.7L5.5 6.54 4.35 5.4a.5.5 0 1 0-.7.7l1.5 1.5c.2.2.5.2.7 0l2.5-2.5Z"]),re=(0,t3.createFluentIcon)("ChevronRight12Regular","12",["M4.65 2.15a.5.5 0 0 0 0 .7L7.79 6 4.65 9.15a.5.5 0 1 0 .7.7l3.5-3.5a.5.5 0 0 0 0-.7l-3.5-3.5a.5.5 0 0 0-.7 0Z"]),rt=(0,t3.createFluentIcon)("Square12Filled","12",["M2 4c0-1.1.9-2 2-2h4a2 2 0 0 1 2 2v4a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V4Z"]),rr=(0,t3.createFluentIcon)("Square16Filled","16",["M2 4.5A2.5 2.5 0 0 1 4.5 2h7A2.5 2.5 0 0 1 14 4.5v7a2.5 2.5 0 0 1-2.5 2.5h-7A2.5 2.5 0 0 1 2 11.5v-7Z"]);var ro=e.i(39617),ri=e.i(7527),rn=e.i(52536);let ra={root:"fui-Checkbox",label:"fui-Checkbox__label",input:"fui-Checkbox__input",indicator:"fui-Checkbox__indicator"},rl=(0,tw.__resetStyles)("r1q22k1j","r18ze4k2",{r:[".r1q22k1j{position:relative;display:inline-flex;cursor:pointer;vertical-align:middle;color:var(--colorNeutralForeground3);}",".r1q22k1j:focus{outline-style:none;}",".r1q22k1j:focus-visible{outline-style:none;}",".r1q22k1j[data-fui-focus-within]:focus-within{border-top-color:transparent;border-right-color:transparent;border-bottom-color:transparent;border-left-color:transparent;}",'.r1q22k1j[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);right:calc(2px * -1);bottom:calc(2px * -1);left:calc(2px * -1);}',".r18ze4k2{position:relative;display:inline-flex;cursor:pointer;vertical-align:middle;color:var(--colorNeutralForeground3);}",".r18ze4k2:focus{outline-style:none;}",".r18ze4k2:focus-visible{outline-style:none;}",".r18ze4k2[data-fui-focus-within]:focus-within{border-top-color:transparent;border-left-color:transparent;border-bottom-color:transparent;border-right-color:transparent;}",'.r18ze4k2[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);left:calc(2px * -1);bottom:calc(2px * -1);right:calc(2px * -1);}'],s:["@media (forced-colors: active){.r1q22k1j[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-right-color:Highlight;border-bottom-color:Highlight;border-left-color:Highlight;}}","@media (forced-colors: active){.r18ze4k2[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-left-color:Highlight;border-bottom-color:Highlight;border-right-color:Highlight;}}"]}),rs=(0,tx.__styles)({unchecked:{Bi91k9c:"f3p8bqa",pv5h1i:"fium13f",lj723h:"f1r2dosr",Hnthvo:"f1729es6"},checked:{sj55zd:"f19n0e5",wkncrt:"f35ds98",zxk7z7:"f12mnkne",Hmsnfy:"fei9a8h",e6czan:"fix56y3",pv5h1i:"f1bcv2js",qbydtz:"f7dr4go",Hnthvo:"f1r5cpua"},mixed:{sj55zd:"f19n0e5",Hmsnfy:"f1l27tf0",zxk7z7:"fcilktj",pv5h1i:"f1lphd54",Bunfa6h:"f1obkvq7",Hnthvo:"f2gmbuh",B15ykmv:"f1oy4fa1"},disabled:{Bceei9c:"f158kwzp",sj55zd:"f1s2aq7o",Hmsnfy:"f1w7mfl5",zxk7z7:"fcoafq6",Bbusuzp:"f1dcs8yz",mrqfp9:"fxb3eh3"}},{h:[".f3p8bqa:hover{color:var(--colorNeutralForeground2);}",".fium13f:hover{--fui-Checkbox__indicator--borderColor:var(--colorNeutralStrokeAccessibleHover);}",".fix56y3:hover{--fui-Checkbox__indicator--backgroundColor:var(--colorCompoundBrandBackgroundHover);}",".f1bcv2js:hover{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandBackgroundHover);}",".f1lphd54:hover{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandStrokeHover);}",".f1obkvq7:hover{--fui-Checkbox__indicator--color:var(--colorCompoundBrandForeground1Hover);}"],a:[".f1r2dosr:active{color:var(--colorNeutralForeground1);}",".f1729es6:active{--fui-Checkbox__indicator--borderColor:var(--colorNeutralStrokeAccessiblePressed);}",".f7dr4go:active{--fui-Checkbox__indicator--backgroundColor:var(--colorCompoundBrandBackgroundPressed);}",".f1r5cpua:active{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandBackgroundPressed);}",".f2gmbuh:active{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandStrokePressed);}",".f1oy4fa1:active{--fui-Checkbox__indicator--color:var(--colorCompoundBrandForeground1Pressed);}"],d:[".f19n0e5{color:var(--colorNeutralForeground1);}",".f35ds98{--fui-Checkbox__indicator--backgroundColor:var(--colorCompoundBrandBackground);}",".f12mnkne{--fui-Checkbox__indicator--color:var(--colorNeutralForegroundInverted);}",".fei9a8h{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandBackground);}",".f1l27tf0{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandStroke);}",".fcilktj{--fui-Checkbox__indicator--color:var(--colorCompoundBrandForeground1);}",".f158kwzp{cursor:default;}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f1w7mfl5{--fui-Checkbox__indicator--borderColor:var(--colorNeutralStrokeDisabled);}",".fcoafq6{--fui-Checkbox__indicator--color:var(--colorNeutralForegroundDisabled);}"],m:[["@media (forced-colors: active){.f1dcs8yz{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fxb3eh3{--fui-Checkbox__indicator--color:GrayText;}}",{m:"(forced-colors: active)"}]]}),ru=(0,tw.__resetStyles)("ruo9svu",null,[".ruo9svu{box-sizing:border-box;cursor:inherit;height:100%;margin:0;opacity:0;position:absolute;top:0;width:calc(16px + 2 * var(--spacingHorizontalS));}"]),rc=(0,tx.__styles)({before:{j35jbq:["f1e31b4d","f1vgc2s3"]},after:{oyh7mz:["f1vgc2s3","f1e31b4d"]},large:{a9b677:"f1mq5jt6"}},{d:[".f1e31b4d{right:0;}",".f1vgc2s3{left:0;}",".f1mq5jt6{width:calc(20px + 2 * var(--spacingHorizontalS));}"]}),rd=(0,tw.__resetStyles)("rl7ci6d",null,[".rl7ci6d{align-self:flex-start;box-sizing:border-box;flex-shrink:0;display:flex;align-items:center;justify-content:center;overflow:hidden;color:var(--fui-Checkbox__indicator--color);background-color:var(--fui-Checkbox__indicator--backgroundColor);border-color:var(--fui-Checkbox__indicator--borderColor, var(--colorNeutralStrokeAccessible));border-style:solid;border-width:var(--strokeWidthThin);border-radius:var(--borderRadiusSmall);margin:var(--spacingVerticalS) var(--spacingHorizontalS);fill:currentColor;pointer-events:none;font-size:12px;height:16px;width:16px;}"]),rf=(0,tx.__styles)({large:{Be2twd7:"f4ybsrx",Bqenvij:"fjamq6b",a9b677:"f64fuq3"},circular:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f44lkw9"}},{d:[".f4ybsrx{font-size:16px;}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",[".f44lkw9{border-radius:var(--borderRadiusCircular);}",{p:-1}]]}),rh=(0,tx.__styles)({base:{qb2dma:"f7nlbp4",sj55zd:"f1ym3bx4",Bceei9c:"fpo1scq",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1f5q0n8"},before:{z189sj:["f7x41pl","fruq291"]},after:{uwmqm3:["fruq291","f7x41pl"]},medium:{B6of3ja:"fjzwpt6",jrapky:"fh6j2fo"},large:{B6of3ja:"f1xlvstr",jrapky:"f49ad5g"}},{d:[".f7nlbp4{align-self:center;}",".f1ym3bx4{color:inherit;}",".fpo1scq{cursor:inherit;}",[".f1f5q0n8{padding:var(--spacingVerticalS) var(--spacingHorizontalS);}",{p:-1}],".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fruq291{padding-left:var(--spacingHorizontalXS);}",".fjzwpt6{margin-top:calc((16px - var(--lineHeightBase300)) / 2);}",".fh6j2fo{margin-bottom:calc((16px - var(--lineHeightBase300)) / 2);}",".f1xlvstr{margin-top:calc((20px - var(--lineHeightBase300)) / 2);}",".f49ad5g{margin-bottom:calc((20px - var(--lineHeightBase300)) / 2);}"]}),rv=r.forwardRef((e,t)=>{let a=((e,t)=>{let a,{disabled:l=!1,required:s,shape:u="square",size:c="medium",labelPosition:d="after",onChange:f}=e=(0,t4.useFieldControlProps_unstable)(e,{supportsLabelFor:!0,supportsRequired:!0}),[h,v]=n({defaultState:e.defaultChecked,state:e.checked,initialState:!1}),p=(0,t6.getPartitionedNativeProps)({props:e,primarySlotTagName:"input",excludedPropNames:["checked","defaultChecked","size","onChange"]}),b="mixed"===h,m=(0,tY.useId)("checkbox-",p.primary.id);b?a="circular"===u?r.createElement(ro.CircleFilled,null):"large"===c?r.createElement(rr,null):r.createElement(rt,null):h&&(a="large"===c?r.createElement(t8,null):r.createElement(t7,null));let g={shape:u,checked:h,disabled:l,size:c,labelPosition:d,components:{root:"span",input:"input",indicator:"div",label:ri.Label},root:_.slot.always(e.root,{defaultProps:{ref:(0,rn.useFocusWithin)(),...p.root},elementType:"span"}),input:_.slot.always(e.input,{defaultProps:{type:"checkbox",id:m,ref:t,checked:!0===h,...p.primary},elementType:"input"}),label:_.slot.optional(e.label,{defaultProps:{htmlFor:m,disabled:l,required:s,size:"medium"},elementType:ri.Label}),indicator:_.slot.optional(e.indicator,{renderByDefault:!0,defaultProps:{"aria-hidden":!0,children:a},elementType:"div"})};g.input.onChange=(0,o.useEventCallback)(e=>{let t=e.currentTarget.indeterminate?"mixed":e.currentTarget.checked;null==f||f(e,{checked:t}),v(t)});let y=(0,i.useMergedRefs)(g.input.ref);return g.input.ref=y,(0,T.useIsomorphicLayoutEffect)(()=>{y.current&&(y.current.indeterminate=b)},[y,b]),g})(e,t);return(e=>{let{checked:t,disabled:r,labelPosition:o,shape:i,size:n}=e,a=rl(),l=rs();e.root.className=(0,tT.mergeClasses)(ra.root,a,r?l.disabled:"mixed"===t?l.mixed:t?l.checked:l.unchecked,e.root.className);let s=ru(),u=rc();e.input.className=(0,tT.mergeClasses)(ra.input,s,"large"===n&&u.large,u[o],e.input.className);let c=rd(),d=rf();e.indicator&&(e.indicator.className=(0,tT.mergeClasses)(ra.indicator,c,"large"===n&&d.large,"circular"===i&&d.circular,e.indicator.className));let f=rh();return e.label&&(e.label.className=(0,tT.mergeClasses)(ra.label,f.base,f[n],f[o],e.label.className))})(a),(0,tX.useCustomStyleHook_unstable)("useCheckboxStyles_unstable")(a),(e=>((0,tU.assertSlots)(e),(0,tV.jsxs)(e.root,{children:[(0,tV.jsx)(e.input,{}),"before"===e.labelPosition&&e.label&&(0,tV.jsx)(e.label,{}),e.indicator&&(0,tV.jsx)(e.indicator,{}),"after"===e.labelPosition&&e.label&&(0,tV.jsx)(e.label,{})]})))(a)});rv.displayName="Checkbox",e.s(["Radio",()=>rz],36283);var rp=e.i(9485);let rb=r.createContext(void 0),rm={};rb.Provider;let rg={root:"fui-Radio",indicator:"fui-Radio__indicator",input:"fui-Radio__input",label:"fui-Radio__label"},r_=(0,tw.__resetStyles)("r1siqwd8","rmnplyc",{r:[".r1siqwd8{display:inline-flex;position:relative;}",".r1siqwd8:focus{outline-style:none;}",".r1siqwd8:focus-visible{outline-style:none;}",".r1siqwd8[data-fui-focus-within]:focus-within{border-top-color:transparent;border-right-color:transparent;border-bottom-color:transparent;border-left-color:transparent;}",'.r1siqwd8[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);right:calc(2px * -1);bottom:calc(2px * -1);left:calc(2px * -1);}',".rmnplyc{display:inline-flex;position:relative;}",".rmnplyc:focus{outline-style:none;}",".rmnplyc:focus-visible{outline-style:none;}",".rmnplyc[data-fui-focus-within]:focus-within{border-top-color:transparent;border-left-color:transparent;border-bottom-color:transparent;border-right-color:transparent;}",'.rmnplyc[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);left:calc(2px * -1);bottom:calc(2px * -1);right:calc(2px * -1);}'],s:["@media (forced-colors: active){.r1siqwd8[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-right-color:Highlight;border-bottom-color:Highlight;border-left-color:Highlight;}}","@media (forced-colors: active){.rmnplyc[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-left-color:Highlight;border-bottom-color:Highlight;border-right-color:Highlight;}}"]}),ry=(0,tx.__styles)({vertical:{Beiy3e4:"f1vx9l62",Bt984gj:"f122n59"}},{d:[".f1vx9l62{flex-direction:column;}",".f122n59{align-items:center;}"]}),rk=(0,tw.__resetStyles)("rg1upok","rzwdzb4",{r:[".rg1upok{position:absolute;left:0;top:0;width:calc(16px + 2 * var(--spacingHorizontalS));height:100%;box-sizing:border-box;margin:0;opacity:0;}",".rg1upok:enabled{cursor:pointer;}",".rg1upok:enabled~.fui-Radio__label{cursor:pointer;}",".rg1upok:enabled:not(:checked)~.fui-Radio__label{color:var(--colorNeutralForeground3);}",".rg1upok:enabled:not(:checked)~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessible);}",".rg1upok:enabled:not(:checked):hover~.fui-Radio__label{color:var(--colorNeutralForeground2);}",".rg1upok:enabled:not(:checked):hover~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessibleHover);}",".rg1upok:enabled:not(:checked):hover:active~.fui-Radio__label{color:var(--colorNeutralForeground1);}",".rg1upok:enabled:not(:checked):hover:active~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessiblePressed);}",".rg1upok:enabled:checked~.fui-Radio__label{color:var(--colorNeutralForeground1);}",".rg1upok:enabled:checked~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStroke);color:var(--colorCompoundBrandForeground1);}",".rg1upok:enabled:checked:hover~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStrokeHover);color:var(--colorCompoundBrandForeground1Hover);}",".rg1upok:enabled:checked:hover:active~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStrokePressed);color:var(--colorCompoundBrandForeground1Pressed);}",".rg1upok:disabled~.fui-Radio__label{color:var(--colorNeutralForegroundDisabled);cursor:default;}",".rg1upok:disabled~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeDisabled);color:var(--colorNeutralForegroundDisabled);}",".rzwdzb4{position:absolute;right:0;top:0;width:calc(16px + 2 * var(--spacingHorizontalS));height:100%;box-sizing:border-box;margin:0;opacity:0;}",".rzwdzb4:enabled{cursor:pointer;}",".rzwdzb4:enabled~.fui-Radio__label{cursor:pointer;}",".rzwdzb4:enabled:not(:checked)~.fui-Radio__label{color:var(--colorNeutralForeground3);}",".rzwdzb4:enabled:not(:checked)~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessible);}",".rzwdzb4:enabled:not(:checked):hover~.fui-Radio__label{color:var(--colorNeutralForeground2);}",".rzwdzb4:enabled:not(:checked):hover~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessibleHover);}",".rzwdzb4:enabled:not(:checked):hover:active~.fui-Radio__label{color:var(--colorNeutralForeground1);}",".rzwdzb4:enabled:not(:checked):hover:active~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessiblePressed);}",".rzwdzb4:enabled:checked~.fui-Radio__label{color:var(--colorNeutralForeground1);}",".rzwdzb4:enabled:checked~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStroke);color:var(--colorCompoundBrandForeground1);}",".rzwdzb4:enabled:checked:hover~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStrokeHover);color:var(--colorCompoundBrandForeground1Hover);}",".rzwdzb4:enabled:checked:hover:active~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStrokePressed);color:var(--colorCompoundBrandForeground1Pressed);}",".rzwdzb4:disabled~.fui-Radio__label{color:var(--colorNeutralForegroundDisabled);cursor:default;}",".rzwdzb4:disabled~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeDisabled);color:var(--colorNeutralForegroundDisabled);}"],s:["@media (forced-colors: active){.rg1upok:enabled:not(:checked)~.fui-Radio__indicator{border-color:ButtonBorder;}}","@media (forced-colors: active){.rg1upok:enabled:checked~.fui-Radio__indicator{border-color:Highlight;color:Highlight;}.rg1upok:enabled:checked~.fui-Radio__indicator::after{background-color:Highlight;}}","@media (forced-colors: active){.rg1upok:disabled~.fui-Radio__label{color:GrayText;}}","@media (forced-colors: active){.rg1upok:disabled~.fui-Radio__indicator{border-color:GrayText;color:GrayText;}.rg1upok:disabled~.fui-Radio__indicator::after{background-color:GrayText;}}","@media (forced-colors: active){.rzwdzb4:enabled:not(:checked)~.fui-Radio__indicator{border-color:ButtonBorder;}}","@media (forced-colors: active){.rzwdzb4:enabled:checked~.fui-Radio__indicator{border-color:Highlight;color:Highlight;}.rzwdzb4:enabled:checked~.fui-Radio__indicator::after{background-color:Highlight;}}","@media (forced-colors: active){.rzwdzb4:disabled~.fui-Radio__label{color:GrayText;}}","@media (forced-colors: active){.rzwdzb4:disabled~.fui-Radio__indicator{border-color:GrayText;color:GrayText;}.rzwdzb4:disabled~.fui-Radio__indicator::after{background-color:GrayText;}}"]}),rw=(0,tx.__styles)({below:{a9b677:"fly5x3f",Bqenvij:"f1je6zif"},defaultIndicator:{Blbys7f:"f9ma1gx"},customIndicator:{Bj53wkj:"f12zxao0"}},{d:[".fly5x3f{width:100%;}",".f1je6zif{height:calc(16px + 2 * var(--spacingVerticalS));}",'.f9ma1gx:checked~.fui-Radio__indicator::after{content:"";}',".f12zxao0:not(:checked)~.fui-Radio__indicator>*{opacity:0;}"]}),rx=(0,tw.__resetStyles)("rwtekvw",null,[".rwtekvw{position:relative;width:16px;height:16px;font-size:12px;box-sizing:border-box;flex-shrink:0;display:flex;align-items:center;justify-content:center;overflow:hidden;border:var(--strokeWidthThin) solid;border-radius:var(--borderRadiusCircular);margin:var(--spacingVerticalS) var(--spacingHorizontalS);fill:currentColor;pointer-events:none;}",".rwtekvw::after{position:absolute;width:16px;height:16px;border-radius:var(--borderRadiusCircular);transform:scale(0.625);background-color:currentColor;}"]),rT=(0,tx.__styles)({base:{qb2dma:"f7nlbp4",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1f5q0n8"},after:{uwmqm3:["fruq291","f7x41pl"],B6of3ja:"fjzwpt6",jrapky:"fh6j2fo"},below:{z8tnut:"f1ywm7hm",fsow6f:"f17mccla"}},{d:[".f7nlbp4{align-self:center;}",[".f1f5q0n8{padding:var(--spacingVerticalS) var(--spacingHorizontalS);}",{p:-1}],".fruq291{padding-left:var(--spacingHorizontalXS);}",".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fjzwpt6{margin-top:calc((16px - var(--lineHeightBase300)) / 2);}",".fh6j2fo{margin-bottom:calc((16px - var(--lineHeightBase300)) / 2);}",".f1ywm7hm{padding-top:var(--spacingVerticalXS);}",".f17mccla{text-align:center;}"]}),rz=r.forwardRef((e,t)=>{let o=((e,t)=>{let o=r.useContext(rb)||rm,{name:i=o.name,checked:n=void 0!==o.value?o.value===e.value:void 0,defaultChecked:a=void 0!==o.defaultValue?o.defaultValue===e.value:void 0,labelPosition:l="horizontal-stacked"===o.layout?"below":"after",disabled:s=o.disabled,required:u=o.required,"aria-describedby":c=o["aria-describedby"],onChange:d}=e,f=(0,t6.getPartitionedNativeProps)({props:e,primarySlotTagName:"input",excludedPropNames:["checked","defaultChecked","onChange"]}),h=_.slot.always(e.root,{defaultProps:{ref:(0,rn.useFocusWithin)(),...f.root},elementType:"span"}),v=_.slot.always(e.input,{defaultProps:{ref:t,type:"radio",id:(0,tY.useId)("radio-",f.primary.id),name:i,checked:n,defaultChecked:a,disabled:s,required:u,"aria-describedby":c,...f.primary},elementType:"input"});v.onChange=(0,rp.mergeCallbacks)(v.onChange,e=>null==d?void 0:d(e,{value:e.currentTarget.value}));let p=_.slot.optional(e.label,{defaultProps:{htmlFor:v.id,disabled:v.disabled},elementType:ri.Label}),b=_.slot.always(e.indicator,{defaultProps:{"aria-hidden":!0},elementType:"div"});return{labelPosition:l,components:{root:"span",input:"input",label:ri.Label,indicator:"div"},root:h,input:v,label:p,indicator:b}})(e,t);return(e=>{let{labelPosition:t}=e,r=r_(),o=ry();e.root.className=(0,tT.mergeClasses)(rg.root,r,"below"===t&&o.vertical,e.root.className);let i=rk(),n=rw();e.input.className=(0,tT.mergeClasses)(rg.input,i,"below"===t&&n.below,e.indicator.children?n.customIndicator:n.defaultIndicator,e.input.className);let a=rx();e.indicator.className=(0,tT.mergeClasses)(rg.indicator,a,e.indicator.className);let l=rT();return e.label&&(e.label.className=(0,tT.mergeClasses)(rg.label,l.base,l[t],e.label.className))})(o),(0,tX.useCustomStyleHook_unstable)("useRadioStyles_unstable")(o),(e=>((0,tU.assertSlots)(e),(0,tV.jsxs)(e.root,{children:[(0,tV.jsx)(e.input,{}),(0,tV.jsx)(e.indicator,{}),e.label&&(0,tV.jsx)(e.label,{})]})))(o)});rz.displayName="Radio";let rB=r.memo(()=>{let e=ee(e=>e.open),{dir:t}=(0,F.useFluent_unstable)();return r.createElement(re,{style:{...rE[e?90:180*("rtl"===t)],transition:"transform ".concat(y.durationNormal,"ms ").concat(k.curveEasyEaseMax)}})});rB.displayName="TreeItemChevron";let rE={90:{transform:"rotate(90deg)"},0:{transform:"rotate(0deg)"},180:{transform:"rotate(180deg)"}};e.s(["useArrowNavigationGroup",()=>rI],73564),e.s(["useTabsterAttributes",()=>rC],56626);let rC=e=>{t_();let t=e0(e,!0);return r.useMemo(()=>({[ei]:t}),[t])},rI=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},{circular:t,axis:r,memorizeCurrent:o=!0,tabbable:i,ignoreDefaultKeydown:n,unstable_hasDefault:a}=e;return t_(tv),rC({mover:{cyclic:!!t,direction:function(e){switch(e){case"horizontal":return es.Horizontal;case"grid":return es.Grid;case"grid-linear":return es.GridLinear;case"both":return es.Both;default:return es.Vertical}}(null!=r?r:"vertical"),memorizeCurrent:o,tabbable:i,hasDefault:a},...n&&{focusable:{ignoreKeydown:n}}})};function rF(){let{targetDocument:e}=(0,F.useFluent_unstable)(),t=r.useRef(null);return r.useEffect(()=>{let r=null==e?void 0:e.defaultView;if(r){let e=(0,eo.createKeyborg)(r);return t.current=e,()=>{(0,eo.disposeKeyborg)(e),t.current=null}}},[e]),t}function rS(e){}e.s(["useKeyborgRef",()=>rF],66710);var rN=e.i(12853);let rq=r.forwardRef((e,t)=>{let a=((e,t)=>{let{main:a,iconAfter:l,iconBefore:s}=e,u=ee(e=>e.layoutRef),c=tC(e=>e.selectionMode),d=tC(e=>{var t;return null!=(t=e.navigationMode)?t:"tree"}),[f,h]=t2(e.actions)?[e.actions.visible,e.actions.onVisibilityChange]:[void 0,void 0],[v,p]=n({state:f,initialState:!1}),b=ee(e=>e.selectionRef),m=ee(e=>e.expandIconRef),y=ee(e=>e.actionsRef),k=r.useRef(null),w=ee(e=>e.treeItemRef),x=ee(e=>e.subtreeRef),T=ee(e=>e.checked),z=ee(e=>"branch"===e.itemType);rS(w),rS(x);let B=r.useCallback(e=>{!(x.current&&tQ(x.current,e.target))&&(null==h||h(e,{visible:!0,event:e,type:e.type}),e.defaultPrevented||p(!0))},[x,p,h]),{targetDocument:E}=(0,F.useFluent_unstable)(),C=function(){let e=rF();return r.useCallback(()=>{var t,r;return null!=(r=null==(t=e.current)?void 0:t.isNavigatingWithKeyboard())&&r},[e])}(),I=r.useCallback(e=>{if(k.current&&tQ(k.current,e.relatedTarget)){if(null==h||h(e,{visible:!0,event:e,type:e.type}),e.defaultPrevented)return;p(!0);return}!((()=>{var t;return!!(null==(t=k.current)?void 0:t.contains(e.target))})()&&w.current&&tQ(w.current,e.relatedTarget)||"mouseout"===e.type&&C()&&((null==E?void 0:E.activeElement)===w.current||tQ(k.current,null==E?void 0:E.activeElement)))&&(null==h||h(e,{visible:!1,event:e,type:e.type}),e.defaultPrevented||p(!1))},[p,h,w,C,E]),S=_.slot.optional(e.expandIcon,{renderByDefault:z,defaultProps:{children:r.createElement(rB,null),"aria-hidden":!0},elementType:"div"}),N=(0,i.useMergedRefs)(null==S?void 0:S.ref,m);S&&(S.ref=N);let q=rI({circular:"tree"===d,axis:"horizontal"}),j=v?_.slot.optional(e.actions,{defaultProps:{...q,role:"toolbar"},elementType:"div"}):void 0;null==j||delete j.visible,null==j||delete j.onVisibilityChange;let R=(0,i.useMergedRefs)(null==j?void 0:j.ref,y,k),P=(0,o.useEventCallback)(t=>{if(t2(e.actions)){var r,o;null==(r=(o=e.actions).onBlur)||r.call(o,t)}let i=!!tQ(t.currentTarget,t.relatedTarget);null==h||h(t,{visible:i,event:t,type:t.type}),p(i)});j&&(j.ref=R,j.onBlur=P);let M=!!e.actions;return r.useEffect(()=>{if(w.current&&M){let e=w.current;return e.addEventListener("mouseover",B),e.addEventListener("mouseout",I),e.addEventListener("focus",B),e.addEventListener("blur",I),()=>{e.removeEventListener("mouseover",B),e.removeEventListener("mouseout",I),e.removeEventListener("focus",B),e.removeEventListener("blur",I)}}},[M,w,B,I]),{components:{root:"div",expandIcon:"div",iconBefore:"div",main:"div",iconAfter:"div",actions:"div",aside:"div",selector:"multiselect"===c?rv:rz},buttonContextValue:{size:"small"},root:_.slot.always((0,g.getIntrinsicElementProps)("div",{...e,ref:(0,i.useMergedRefs)(t,u)}),{elementType:"div"}),iconBefore:_.slot.optional(s,{elementType:"div"}),main:_.slot.always(a,{elementType:"div"}),iconAfter:_.slot.optional(l,{elementType:"div"}),aside:v?void 0:_.slot.optional(e.aside,{elementType:"div"}),actions:j,expandIcon:S,selector:_.slot.optional(e.selector,{renderByDefault:"none"!==c,defaultProps:{checked:T,tabIndex:-1,"aria-hidden":!0,ref:b},elementType:"multiselect"===c?rv:rz})}})(e,t);return(e=>{let{main:t,iconAfter:r,iconBefore:o,expandIcon:i,root:n,aside:a,actions:l,selector:s}=e,u=tS(),c=tF(),d=tN(),f=tq(),h=tR(),v=tj(),p=tP(),b=tM(),m=tD(),g=tC(e=>e.size),_=tC(e=>e.appearance),y=ee(e=>e.itemType);return n.className=(0,tT.mergeClasses)(tI.root,c,u[_],u[g],u[y],n.className),t.className=(0,tT.mergeClasses)(tI.main,h,t.className),i&&(i.className=(0,tT.mergeClasses)(tI.expandIcon,v,i.className)),o&&(o.className=(0,tT.mergeClasses)(tI.iconBefore,p,b[g],o.className)),r&&(r.className=(0,tT.mergeClasses)(tI.iconAfter,p,m[g],r.className)),l&&(l.className=(0,tT.mergeClasses)(tI.actions,d,l.className)),a&&(a.className=(0,tT.mergeClasses)(tI.aside,f,a.className)),s&&(s.className=(0,tT.mergeClasses)(tI.selector,s.className))})(a),(0,tX.useCustomStyleHook_unstable)("useTreeItemLayoutStyles_unstable")(a),(e=>((0,tU.assertSlots)(e),(0,tV.jsxs)(e.root,{children:[e.expandIcon&&(0,tV.jsx)(e.expandIcon,{}),e.selector&&(0,tV.jsx)(e.selector,{}),e.iconBefore&&(0,tV.jsx)(e.iconBefore,{}),(0,tV.jsx)(e.main,{children:e.root.children}),e.iconAfter&&(0,tV.jsx)(e.iconAfter,{}),(0,tV.jsxs)(rN.ButtonContextProvider,{value:e.buttonContextValue,children:[e.actions&&(0,tV.jsx)(e.actions,{}),e.aside&&(0,tV.jsx)(e.aside,{})]})]})))(a)});rq.displayName="TreeItemLayout"},54902,e=>{"use strict";e.s(["Save20Regular",()=>r,"Search20Regular",()=>o,"Settings20Regular",()=>i]);var t=e.i(39806);let r=(0,t.createFluentIcon)("Save20Regular","20",["M3 5c0-1.1.9-2 2-2h8.38a2 2 0 0 1 1.41.59l1.62 1.62A2 2 0 0 1 17 6.62V15a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V5Zm2-1a1 1 0 0 0-1 1v10a1 1 0 0 0 1 1v-4.5c0-.83.67-1.5 1.5-1.5h7c.83 0 1.5.67 1.5 1.5V16a1 1 0 0 0 1-1V6.62a1 1 0 0 0-.3-.7L14.1 4.28a1 1 0 0 0-.71-.29H13v2.5c0 .83-.67 1.5-1.5 1.5h-4A1.5 1.5 0 0 1 6 6.5V4H5Zm2 0v2.5c0 .28.22.5.5.5h4a.5.5 0 0 0 .5-.5V4H7Zm7 12v-4.5a.5.5 0 0 0-.5-.5h-7a.5.5 0 0 0-.5.5V16h8Z"]),o=(0,t.createFluentIcon)("Search20Regular","20",["M13.73 14.44a6.5 6.5 0 1 1 .7-.7l3.42 3.4a.5.5 0 0 1-.63.77l-.07-.06-3.42-3.41Zm-.71-.71A5.54 5.54 0 0 0 15 9.5a5.5 5.5 0 1 0-1.98 4.23Z"]),i=(0,t.createFluentIcon)("Settings20Regular","20",["M1.91 7.38A8.5 8.5 0 0 1 3.7 4.3a.5.5 0 0 1 .54-.13l1.92.68a1 1 0 0 0 1.32-.76l.36-2a.5.5 0 0 1 .4-.4 8.53 8.53 0 0 1 3.55 0c.2.04.35.2.38.4l.37 2a1 1 0 0 0 1.32.76l1.92-.68a.5.5 0 0 1 .54.13 8.5 8.5 0 0 1 1.78 3.08c.06.2 0 .4-.15.54l-1.56 1.32a1 1 0 0 0 0 1.52l1.56 1.32a.5.5 0 0 1 .15.54 8.5 8.5 0 0 1-1.78 3.08.5.5 0 0 1-.54.13l-1.92-.68a1 1 0 0 0-1.32.76l-.37 2a.5.5 0 0 1-.38.4 8.53 8.53 0 0 1-3.56 0 .5.5 0 0 1-.39-.4l-.36-2a1 1 0 0 0-1.32-.76l-1.92.68a.5.5 0 0 1-.54-.13 8.5 8.5 0 0 1-1.78-3.08.5.5 0 0 1 .15-.54l1.56-1.32a1 1 0 0 0 0-1.52L2.06 7.92a.5.5 0 0 1-.15-.54Zm1.06 0 1.3 1.1a2 2 0 0 1 0 3.04l-1.3 1.1c.3.79.72 1.51 1.25 2.16l1.6-.58a2 2 0 0 1 2.63 1.53l.3 1.67a7.56 7.56 0 0 0 2.5 0l.3-1.67a2 2 0 0 1 2.64-1.53l1.6.58a7.5 7.5 0 0 0 1.24-2.16l-1.3-1.1a2 2 0 0 1 0-3.04l1.3-1.1a7.5 7.5 0 0 0-1.25-2.16l-1.6.58a2 2 0 0 1-2.63-1.53l-.3-1.67a7.55 7.55 0 0 0-2.5 0l-.3 1.67A2 2 0 0 1 5.81 5.8l-1.6-.58a7.5 7.5 0 0 0-1.24 2.16ZM7.5 10a2.5 2.5 0 1 1 5 0 2.5 2.5 0 0 1-5 0Zm1 0a1.5 1.5 0 1 0 3 0 1.5 1.5 0 0 0-3 0Z"])},77569,e=>{"use strict";e.s(["useAnimationFrame",()=>n]);var t=e.i(63060),r=e.i(1327);let o=e=>(e(0),0),i=e=>e;function n(){let{targetDocument:e}=(0,r.useFluent_unstable)(),n=null==e?void 0:e.defaultView,a=n?n.requestAnimationFrame:o,l=n?n.cancelAnimationFrame:i;return(0,t.useBrowserTimer)(a,l)}},59066,e=>{"use strict";e.s(["ArrowLeft20Regular",()=>r,"ArrowSyncCircle20Regular",()=>o]);var t=e.i(39806);let r=(0,t.createFluentIcon)("ArrowLeft20Regular","20",["M9.16 16.87a.5.5 0 1 0 .67-.74L3.67 10.5H17.5a.5.5 0 0 0 0-1H3.67l6.16-5.63a.5.5 0 0 0-.67-.74L2.24 9.44a.75.75 0 0 0 0 1.11l6.92 6.32Z"]),o=(0,t.createFluentIcon)("ArrowSyncCircle20Regular","20",["M10 3a7 7 0 1 1 0 14 7 7 0 0 1 0-14Zm8 7a8 8 0 1 0-16 0 8 8 0 0 0 16 0Zm-8-2.5c1.02 0 1.9.62 2.3 1.5h-.8a.5.5 0 1 0 0 1h2a.5.5 0 0 0 .5-.5v-2a.5.5 0 0 0-1 0v.7a3.5 3.5 0 0 0-5.6-.53.5.5 0 0 0 .74.66A2.5 2.5 0 0 1 10 7.5Zm-3 4.3v.7a.5.5 0 0 1-1 0v-2c0-.28.22-.5.5-.5h2a.5.5 0 0 1 0 1h-.8a2.5 2.5 0 0 0 4.16.67.5.5 0 0 1 .75.66A3.5 3.5 0 0 1 7 11.8Z"],{flipInRtl:!0})},86907,e=>{"use strict";e.s(["Input",()=>w],86907);var t=e.i(71645);e.i(47167);var r=e.i(24330),o=e.i(67999),i=e.i(84179),n=e.i(17664),a=e.i(77074),l=e.i(29878),s=e.i(97906),u=e.i(46163),c=e.i(83831),d=e.i(21982),f=e.i(69024),h=e.i(32778);let v={root:"fui-Input",input:"fui-Input__input",contentBefore:"fui-Input__contentBefore",contentAfter:"fui-Input__contentAfter"};c.tokens.spacingHorizontalSNudge,c.tokens.spacingHorizontalMNudge,c.tokens.spacingHorizontalM,c.tokens.spacingHorizontalXXS,c.tokens.spacingHorizontalXXS,c.tokens.spacingHorizontalSNudge,c.tokens.spacingHorizontalS,c.tokens.spacingHorizontalM,"calc(".concat(c.tokens.spacingHorizontalM," + ").concat(c.tokens.spacingHorizontalSNudge,")");let p=(0,d.__resetStyles)("r1oeeo9n","r9sxh5",{r:[".r1oeeo9n{display:inline-flex;align-items:center;flex-wrap:nowrap;gap:var(--spacingHorizontalXXS);border-radius:var(--borderRadiusMedium);position:relative;box-sizing:border-box;vertical-align:middle;min-height:32px;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase300);font-weight:var(--fontWeightRegular);line-height:var(--lineHeightBase300);background-color:var(--colorNeutralBackground1);border:1px solid var(--colorNeutralStroke1);border-bottom-color:var(--colorNeutralStrokeAccessible);}",'.r1oeeo9n::after{box-sizing:border-box;content:"";position:absolute;left:-1px;bottom:-1px;right:-1px;height:max(2px, var(--borderRadiusMedium));border-bottom-left-radius:var(--borderRadiusMedium);border-bottom-right-radius:var(--borderRadiusMedium);border-bottom:2px solid var(--colorCompoundBrandStroke);clip-path:inset(calc(100% - 2px) 0 0 0);transform:scaleX(0);transition-property:transform;transition-duration:var(--durationUltraFast);transition-delay:var(--curveAccelerateMid);}',".r1oeeo9n:focus-within::after{transform:scaleX(1);transition-property:transform;transition-duration:var(--durationNormal);transition-delay:var(--curveDecelerateMid);}",".r1oeeo9n:focus-within:active::after{border-bottom-color:var(--colorCompoundBrandStrokePressed);}",".r1oeeo9n:focus-within{outline:2px solid transparent;}",".r9sxh5{display:inline-flex;align-items:center;flex-wrap:nowrap;gap:var(--spacingHorizontalXXS);border-radius:var(--borderRadiusMedium);position:relative;box-sizing:border-box;vertical-align:middle;min-height:32px;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase300);font-weight:var(--fontWeightRegular);line-height:var(--lineHeightBase300);background-color:var(--colorNeutralBackground1);border:1px solid var(--colorNeutralStroke1);border-bottom-color:var(--colorNeutralStrokeAccessible);}",'.r9sxh5::after{box-sizing:border-box;content:"";position:absolute;right:-1px;bottom:-1px;left:-1px;height:max(2px, var(--borderRadiusMedium));border-bottom-right-radius:var(--borderRadiusMedium);border-bottom-left-radius:var(--borderRadiusMedium);border-bottom:2px solid var(--colorCompoundBrandStroke);clip-path:inset(calc(100% - 2px) 0 0 0);transform:scaleX(0);transition-property:transform;transition-duration:var(--durationUltraFast);transition-delay:var(--curveAccelerateMid);}',".r9sxh5:focus-within::after{transform:scaleX(1);transition-property:transform;transition-duration:var(--durationNormal);transition-delay:var(--curveDecelerateMid);}",".r9sxh5:focus-within:active::after{border-bottom-color:var(--colorCompoundBrandStrokePressed);}",".r9sxh5:focus-within{outline:2px solid transparent;}"],s:["@media screen and (prefers-reduced-motion: reduce){.r1oeeo9n::after{transition-duration:0.01ms;transition-delay:0.01ms;}}","@media screen and (prefers-reduced-motion: reduce){.r1oeeo9n:focus-within::after{transition-duration:0.01ms;transition-delay:0.01ms;}}","@media screen and (prefers-reduced-motion: reduce){.r9sxh5::after{transition-duration:0.01ms;transition-delay:0.01ms;}}","@media screen and (prefers-reduced-motion: reduce){.r9sxh5:focus-within::after{transition-duration:0.01ms;transition-delay:0.01ms;}}"]}),b=(0,f.__styles)({small:{sshi5w:"f1pha7fy",Bahqtrf:"fk6fouc",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm"},medium:{},large:{sshi5w:"f1w5jphr",Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"figsok6",Bg96gwp:"faaz57k",i8kkvl:0,Belr9w4:0,rmohyg:"f1eyhf9v"},outline:{},outlineInteractive:{Bgoe8wy:"fvcxoqz",Bwzppfd:["f1ub3y4t","f1m52nbi"],oetu4i:"f1l4zc64",gg5e9n:["f1m52nbi","f1ub3y4t"],Drbcw7:"f8vnjqi",udz0bu:["fz1etlk","f1hc16gm"],Be8ivqh:"f1klwx88",ofdepl:["f1hc16gm","fz1etlk"]},underline:{De3pzq:"f1c21dwh",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"fokr779",icvyot:"f1ern45e",vrafjx:["f1n71otn","f1deefiw"],wvpqe5:["f1deefiw","f1n71otn"],Eqx8gd:["f1n6gb5g","f15yvnhg"],B1piin3:["f15yvnhg","f1n6gb5g"]},underlineInteractive:{oetu4i:"f1l4zc64",Be8ivqh:"f1klwx88",d9w3h3:0,B3778ie:0,B4j8arr:0,Bl18szs:0,Blrzh8d:"f2ale1x"},filled:{g2u3we:"fghlq4f",h3c5rm:["f1gn591s","fjscplz"],B9xav0g:"fb073pr",zhjwy3:["fjscplz","f1gn591s"]},filledInteractive:{q7v0qe:"ftmjh5b",kmh5ft:["f17blpuu","fsrcdbj"],nagaa4:"f1tpwn32",B1yhkcb:["fsrcdbj","f17blpuu"]},invalid:{tvckwq:"fs4k3qj",gk2u95:["fcee079","fmyw78r"],hhx65j:"f1fgmyf4",Bxowmz0:["fmyw78r","fcee079"]},"filled-darker":{De3pzq:"f16xq7d1"},"filled-lighter":{De3pzq:"fxugw4r"},"filled-darker-shadow":{De3pzq:"f16xq7d1",E5pizo:"fyed02w"},"filled-lighter-shadow":{De3pzq:"fxugw4r",E5pizo:"fyed02w"},disabled:{Bceei9c:"fdrzuqr",De3pzq:"f1c21dwh",g2u3we:"f1jj8ep1",h3c5rm:["f15xbau","fy0fskl"],B9xav0g:"f4ikngz",zhjwy3:["fy0fskl","f15xbau"],Bjwas2f:"fg455y9",Bn1d65q:["f1rvyvqg","f14g86mu"],Bxeuatn:"f1cwzwz",n51gp8:["f14g86mu","f1rvyvqg"],Bsft5z2:"fhr9occ",Bduesf4:"f99w1ws"},smallWithContentBefore:{uwmqm3:["fk8j09s","fdw0yi8"]},smallWithContentAfter:{z189sj:["fdw0yi8","fk8j09s"]},mediumWithContentBefore:{uwmqm3:["f1ng84yb","f11gcy0p"]},mediumWithContentAfter:{z189sj:["f11gcy0p","f1ng84yb"]},largeWithContentBefore:{uwmqm3:["f1uw59to","fw5db7e"]},largeWithContentAfter:{z189sj:["fw5db7e","f1uw59to"]}},{d:[".f1pha7fy{min-height:24px;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fy9rknc{font-size:var(--fontSizeBase200);}",".figsok6{font-weight:var(--fontWeightRegular);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".f1w5jphr{min-height:40px;}",".fod5ikn{font-size:var(--fontSizeBase400);}",".faaz57k{line-height:var(--lineHeightBase400);}",[".f1eyhf9v{gap:var(--spacingHorizontalSNudge);}",{p:-1}],".f1c21dwh{background-color:var(--colorTransparentBackground);}",[".fokr779{border-radius:0;}",{p:-1}],".f1ern45e{border-top-style:none;}",".f1n71otn{border-right-style:none;}",".f1deefiw{border-left-style:none;}",".f1n6gb5g::after{left:0;}",".f15yvnhg::after{right:0;}",[".f2ale1x::after{border-radius:0;}",{p:-1}],".fghlq4f{border-top-color:var(--colorTransparentStroke);}",".f1gn591s{border-right-color:var(--colorTransparentStroke);}",".fjscplz{border-left-color:var(--colorTransparentStroke);}",".fb073pr{border-bottom-color:var(--colorTransparentStroke);}",".fs4k3qj:not(:focus-within),.fs4k3qj:hover:not(:focus-within){border-top-color:var(--colorPaletteRedBorder2);}",".fcee079:not(:focus-within),.fcee079:hover:not(:focus-within){border-right-color:var(--colorPaletteRedBorder2);}",".fmyw78r:not(:focus-within),.fmyw78r:hover:not(:focus-within){border-left-color:var(--colorPaletteRedBorder2);}",".f1fgmyf4:not(:focus-within),.f1fgmyf4:hover:not(:focus-within){border-bottom-color:var(--colorPaletteRedBorder2);}",".f16xq7d1{background-color:var(--colorNeutralBackground3);}",".fxugw4r{background-color:var(--colorNeutralBackground1);}",".fyed02w{box-shadow:var(--shadow2);}",".fdrzuqr{cursor:not-allowed;}",".f1jj8ep1{border-top-color:var(--colorNeutralStrokeDisabled);}",".f15xbau{border-right-color:var(--colorNeutralStrokeDisabled);}",".fy0fskl{border-left-color:var(--colorNeutralStrokeDisabled);}",".f4ikngz{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".fhr9occ::after{content:unset;}",".fk8j09s{padding-left:var(--spacingHorizontalSNudge);}",".fdw0yi8{padding-right:var(--spacingHorizontalSNudge);}",".f1ng84yb{padding-left:var(--spacingHorizontalMNudge);}",".f11gcy0p{padding-right:var(--spacingHorizontalMNudge);}",".f1uw59to{padding-left:var(--spacingHorizontalM);}",".fw5db7e{padding-right:var(--spacingHorizontalM);}"],h:[".fvcxoqz:hover{border-top-color:var(--colorNeutralStroke1Hover);}",".f1ub3y4t:hover{border-right-color:var(--colorNeutralStroke1Hover);}",".f1m52nbi:hover{border-left-color:var(--colorNeutralStroke1Hover);}",".f1l4zc64:hover{border-bottom-color:var(--colorNeutralStrokeAccessibleHover);}",".ftmjh5b:hover,.ftmjh5b:focus-within{border-top-color:var(--colorTransparentStrokeInteractive);}",".f17blpuu:hover,.f17blpuu:focus-within{border-right-color:var(--colorTransparentStrokeInteractive);}",".fsrcdbj:hover,.fsrcdbj:focus-within{border-left-color:var(--colorTransparentStrokeInteractive);}",".f1tpwn32:hover,.f1tpwn32:focus-within{border-bottom-color:var(--colorTransparentStrokeInteractive);}"],a:[".f8vnjqi:active,.f8vnjqi:focus-within{border-top-color:var(--colorNeutralStroke1Pressed);}",".fz1etlk:active,.fz1etlk:focus-within{border-right-color:var(--colorNeutralStroke1Pressed);}",".f1hc16gm:active,.f1hc16gm:focus-within{border-left-color:var(--colorNeutralStroke1Pressed);}",".f1klwx88:active,.f1klwx88:focus-within{border-bottom-color:var(--colorNeutralStrokeAccessiblePressed);}"],m:[["@media (forced-colors: active){.fg455y9{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f14g86mu{border-left-color:GrayText;}.f1rvyvqg{border-right-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1cwzwz{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}]],w:[".f99w1ws:focus-within{outline-style:none;}"]}),m=(0,d.__resetStyles)("r12stul0",null,[".r12stul0{align-self:stretch;box-sizing:border-box;flex-grow:1;min-width:0;border-style:none;padding:0 var(--spacingHorizontalM);color:var(--colorNeutralForeground1);background-color:transparent;outline-style:none;font-family:inherit;font-size:inherit;font-weight:inherit;line-height:inherit;}",".r12stul0::-webkit-input-placeholder{color:var(--colorNeutralForeground4);opacity:1;}",".r12stul0::-moz-placeholder{color:var(--colorNeutralForeground4);opacity:1;}",".r12stul0::placeholder{color:var(--colorNeutralForeground4);opacity:1;}"]),g=(0,f.__styles)({small:{uwmqm3:["f1f5gg8d","f1vdfbxk"],z189sj:["f1vdfbxk","f1f5gg8d"]},medium:{},large:{uwmqm3:["fnphzt9","flt1dlf"],z189sj:["flt1dlf","fnphzt9"]},smallWithContentBefore:{uwmqm3:["fgiv446","ffczdla"]},smallWithContentAfter:{z189sj:["ffczdla","fgiv446"]},mediumWithContentBefore:{uwmqm3:["fgiv446","ffczdla"]},mediumWithContentAfter:{z189sj:["ffczdla","fgiv446"]},largeWithContentBefore:{uwmqm3:["fk8j09s","fdw0yi8"]},largeWithContentAfter:{z189sj:["fdw0yi8","fk8j09s"]},disabled:{sj55zd:"f1s2aq7o",De3pzq:"f1c21dwh",Bceei9c:"fdrzuqr",yvdlaj:"fahhnxm"}},{d:[".f1f5gg8d{padding-left:var(--spacingHorizontalS);}",".f1vdfbxk{padding-right:var(--spacingHorizontalS);}",".fnphzt9{padding-left:calc(var(--spacingHorizontalM) + var(--spacingHorizontalSNudge));}",".flt1dlf{padding-right:calc(var(--spacingHorizontalM) + var(--spacingHorizontalSNudge));}",".fgiv446{padding-left:var(--spacingHorizontalXXS);}",".ffczdla{padding-right:var(--spacingHorizontalXXS);}",".fk8j09s{padding-left:var(--spacingHorizontalSNudge);}",".fdw0yi8{padding-right:var(--spacingHorizontalSNudge);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f1c21dwh{background-color:var(--colorTransparentBackground);}",".fdrzuqr{cursor:not-allowed;}",".fahhnxm::-webkit-input-placeholder{color:var(--colorNeutralForegroundDisabled);}",".fahhnxm::-moz-placeholder{color:var(--colorNeutralForegroundDisabled);}"]}),_=(0,d.__resetStyles)("r1572tok",null,[".r1572tok{box-sizing:border-box;color:var(--colorNeutralForeground3);display:flex;}",".r1572tok>svg{font-size:20px;}"]),y=(0,f.__styles)({disabled:{sj55zd:"f1s2aq7o"},small:{Duoase:"f3qv9w"},medium:{},large:{Duoase:"f16u2scb"}},{d:[".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f3qv9w>svg{font-size:16px;}",".f16u2scb>svg{font-size:24px;}"]});var k=e.i(96019);let w=t.forwardRef((e,t)=>{let c=((e,t)=>{var s;e=(0,r.useFieldControlProps_unstable)(e,{supportsLabelFor:!0,supportsRequired:!0,supportsSize:!0});let u=(0,l.useOverrides_unstable)(),{size:c="medium",appearance:d=null!=(s=u.inputDefaultAppearance)?s:"outline",onChange:f}=e,[h,v]=(0,i.useControllableState)({state:e.value,defaultState:e.defaultValue,initialState:""}),p=(0,o.getPartitionedNativeProps)({props:e,primarySlotTagName:"input",excludedPropNames:["size","onChange","value","defaultValue"]}),b={size:c,appearance:d,components:{root:"span",input:"input",contentBefore:"span",contentAfter:"span"},input:a.slot.always(e.input,{defaultProps:{type:"text",ref:t,...p.primary},elementType:"input"}),contentAfter:a.slot.optional(e.contentAfter,{elementType:"span"}),contentBefore:a.slot.optional(e.contentBefore,{elementType:"span"}),root:a.slot.always(e.root,{defaultProps:p.root,elementType:"span"})};return b.input.value=h,b.input.onChange=(0,n.useEventCallback)(e=>{let t=e.target.value;null==f||f(e,{value:t}),v(t)}),b})(e,t);return(e=>{let{size:t,appearance:r}=e,o=e.input.disabled,i="true"==="".concat(e.input["aria-invalid"]),n=r.startsWith("filled"),a=b(),l=g(),s=y();e.root.className=(0,h.mergeClasses)(v.root,p(),a[t],e.contentBefore&&a["".concat(t,"WithContentBefore")],e.contentAfter&&a["".concat(t,"WithContentAfter")],a[r],!o&&"outline"===r&&a.outlineInteractive,!o&&"underline"===r&&a.underlineInteractive,!o&&n&&a.filledInteractive,n&&a.filled,!o&&i&&a.invalid,o&&a.disabled,e.root.className),e.input.className=(0,h.mergeClasses)(v.input,m(),l[t],e.contentBefore&&l["".concat(t,"WithContentBefore")],e.contentAfter&&l["".concat(t,"WithContentAfter")],o&&l.disabled,e.input.className);let u=[_(),o&&s.disabled,s[t]];return e.contentBefore&&(e.contentBefore.className=(0,h.mergeClasses)(v.contentBefore,...u,e.contentBefore.className)),e.contentAfter&&(e.contentAfter.className=(0,h.mergeClasses)(v.contentAfter,...u,e.contentAfter.className))})(c),(0,k.useCustomStyleHook_unstable)("useInputStyles_unstable")(c),(e=>((0,u.assertSlots)(e),(0,s.jsxs)(e.root,{children:[e.contentBefore&&(0,s.jsx)(e.contentBefore,{}),(0,s.jsx)(e.input,{}),e.contentAfter&&(0,s.jsx)(e.contentAfter,{})]})))(c)});w.displayName="Input"},95420,e=>{"use strict";function t(e,t){let r={};for(let o in e)-1===t.indexOf(o)&&e.hasOwnProperty(o)&&(r[o]=e[o]);return r}e.s(["omit",()=>t])},13536,(e,t,r)=>{"use strict";function o(e,t){var r=e.length;for(e.push(t);0>>1,i=e[o];if(0>>1;oa(s,r))ua(c,s)?(e[o]=c,e[u]=r,o=u):(e[o]=s,e[l]=r,o=l);else if(ua(c,r))e[o]=c,e[u]=r,o=u;else break}}return t}function a(e,t){var r=e.sortIndex-t.sortIndex;return 0!==r?r:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var l,s=performance;r.unstable_now=function(){return s.now()}}else{var u=Date,c=u.now();r.unstable_now=function(){return u.now()-c}}var d=[],f=[],h=1,v=null,p=3,b=!1,m=!1,g=!1,_="function"==typeof setTimeout?setTimeout:null,y="function"==typeof clearTimeout?clearTimeout:null,k="undefined"!=typeof setImmediate?setImmediate:null;function w(e){for(var t=i(f);null!==t;){if(null===t.callback)n(f);else if(t.startTime<=e)n(f),t.sortIndex=t.expirationTime,o(d,t);else break;t=i(f)}}function x(e){if(g=!1,w(e),!m)if(null!==i(d))m=!0,j(T);else{var t=i(f);null!==t&&R(x,t.startTime-e)}}function T(e,t){m=!1,g&&(g=!1,y(E),E=-1),b=!0;var o=p;try{for(w(t),v=i(d);null!==v&&(!(v.expirationTime>t)||e&&!F());){var a=v.callback;if("function"==typeof a){v.callback=null,p=v.priorityLevel;var l=a(v.expirationTime<=t);t=r.unstable_now(),"function"==typeof l?v.callback=l:v===i(d)&&n(d),w(t)}else n(d);v=i(d)}if(null!==v)var s=!0;else{var u=i(f);null!==u&&R(x,u.startTime-t),s=!1}return s}finally{v=null,p=o,b=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var z=!1,B=null,E=-1,C=5,I=-1;function F(){return!(r.unstable_now()-Ie||125a?(e.sortIndex=n,o(f,e),null===i(d)&&e===i(f)&&(g?(y(E),E=-1):g=!0,R(x,n-a))):(e.sortIndex=l,o(d,e),m||b||(m=!0,j(T))),e},r.unstable_shouldYield=F,r.unstable_wrapCallback=function(e){var t=p;return function(){var r=p;p=t;try{return e.apply(this,arguments)}finally{p=r}}}},25683,(e,t,r)=>{"use strict";t.exports=e.r(13536)},66246,e=>{"use strict";e.s(["TabListProvider",()=>l,"useTabListContext_unstable",()=>s],66246),e.i(47167);var t=e.i(52911),r=e.i(71645),o=e.i(25683),i=e.i(17664);let n={appearance:"transparent",reserveSelectedTabSpace:!0,selectTabOnFocus:!1,disabled:!1,selectedValue:void 0,onRegister:()=>{},onUnregister:()=>{},onSelect:()=>{},getRegisteredTabs:()=>({registeredTabs:{}}),size:"medium",vertical:!1},a=(e=>{var i;let n=r.createContext({value:{current:e},version:{current:-1},listeners:[]});return i=n.Provider,n.Provider=e=>{let n=r.useRef(e.value),a=r.useRef(0),l=r.useRef();return l.current||(l.current={value:n,version:a,listeners:[]}),(0,t.useIsomorphicLayoutEffect)(()=>{n.current=e.value,a.current+=1,(0,o.unstable_runWithPriority)(o.unstable_NormalPriority,()=>{l.current.listeners.forEach(t=>{t([a.current,e.value])})})},[e.value]),r.createElement(i,{value:l.current},e.children)},delete n.Consumer,n})(void 0),l=a.Provider,s=e=>((e,o)=>{let{value:{current:n},version:{current:a},listeners:l}=r.useContext(e),s=o(n),[u,c]=r.useState([n,s]),d=e=>{c(t=>{if(!e)return[n,s];if(e[0]<=a)return Object.is(t[1],s)?t:[n,s];try{if(Object.is(t[0],e[1]))return t;let r=o(e[1]);if(Object.is(t[1],r))return t;return[e[1],r]}catch(e){}return[t[0],t[1]]})};Object.is(u[1],s)||d(void 0);let f=(0,i.useEventCallback)(d);return(0,t.useIsomorphicLayoutEffect)(()=>(l.push(f),()=>{let e=l.indexOf(f);l.splice(e,1)}),[f,l]),u[1]})(a,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:n;return e(t)})},17899,49113,e=>{"use strict";e.s(["useTab_unstable",()=>c],17899);var t=e.i(71645),r=e.i(56626),o=e.i(56720),i=e.i(9485),n=e.i(17664),a=e.i(51701),l=e.i(77074),s=e.i(95420),u=e.i(66246);let c=(e,c)=>{let{content:d,disabled:f=!1,icon:h,onClick:v,onFocus:p,value:b}=e,m=(0,u.useTabListContext_unstable)(e=>e.appearance),g=(0,u.useTabListContext_unstable)(e=>e.reserveSelectedTabSpace),_=(0,u.useTabListContext_unstable)(e=>e.selectTabOnFocus),y=(0,u.useTabListContext_unstable)(e=>e.disabled),k=(0,u.useTabListContext_unstable)(e=>e.selectedValue===b),w=(0,u.useTabListContext_unstable)(e=>e.onRegister),x=(0,u.useTabListContext_unstable)(e=>e.onUnregister),T=(0,u.useTabListContext_unstable)(e=>e.onSelect),z=(0,u.useTabListContext_unstable)(e=>e.size),B=(0,u.useTabListContext_unstable)(e=>!!e.vertical),E=y||f,C=t.useRef(null),I=e=>T(e,{value:b}),F=(0,n.useEventCallback)((0,i.mergeCallbacks)(v,I)),S=(0,n.useEventCallback)((0,i.mergeCallbacks)(p,I)),N=(0,r.useTabsterAttributes)({focusable:{isDefault:k}});t.useEffect(()=>(w({value:b,ref:C}),()=>{x({value:b,ref:C})}),[w,x,C,b]);let q=l.slot.optional(h,{elementType:"span"}),j=l.slot.always(d,{defaultProps:{children:e.children},elementType:"span"}),R=d&&"object"==typeof d?(0,s.omit)(d,["ref"]):d,P=!!((null==q?void 0:q.children)&&!j.children);return{components:{root:"button",icon:"span",content:"span",contentReservedSpace:"span"},root:l.slot.always((0,o.getIntrinsicElementProps)("button",{ref:(0,a.useMergedRefs)(c,C),role:"tab",type:"button","aria-selected":E?void 0:"".concat(k),...N,...e,disabled:E,onClick:F,onFocus:_?S:p}),{elementType:"button"}),icon:q,iconOnly:P,content:j,contentReservedSpace:l.slot.optional(R,{renderByDefault:!k&&!P&&g,defaultProps:{children:e.children},elementType:"span"}),appearance:m,disabled:E,selected:k,size:z,value:b,vertical:B}};e.s(["renderTab_unstable",()=>h],49113);var d=e.i(97906),f=e.i(46163);let h=e=>((0,f.assertSlots)(e),(0,d.jsxs)(e.root,{children:[e.icon&&(0,d.jsx)(e.icon,{}),!e.iconOnly&&(0,d.jsx)(e.content,{}),e.contentReservedSpace&&(0,d.jsx)(e.contentReservedSpace,{})]}))},51345,e=>{"use strict";e.s(["Tab",()=>w],51345);var t=e.i(71645),r=e.i(17899),o=e.i(49113),i=e.i(69024),n=e.i(32778),a=e.i(66246),l=e.i(77569);let s={offsetVar:"--fui-Tab__indicator--offset",scaleVar:"--fui-Tab__indicator--scale"},u=(0,i.__styles)({base:{B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1gl81tg"},animated:{Ba2ppi3:"fhwpy7i",F2fol1:"f6zz20j",B1dyfl9:"f1ai4sc1",B0vmy72:"f9qxlq5",u9bimw:"f1aql376"},horizontal:{sjv3b2:["fug4aj8","f1i5xzg7"],b1kco5:"f1q7ujh"},vertical:{sjv3b2:"f1hqboyk",b1kco5:"f1dxupa6"}},{d:[[".f1gl81tg{overflow:visible;}",{p:-1}],".fhwpy7i::after{transition-property:transform;}",".f6zz20j::after{transition-duration:var(--durationSlow);}",".f1ai4sc1::after{transition-timing-function:var(--curveDecelerateMax);}",".fug4aj8::after{transform-origin:left;}",".f1i5xzg7::after{transform-origin:right;}",".f1q7ujh::after{transform:translateX(var(--fui-Tab__indicator--offset)) scaleX(var(--fui-Tab__indicator--scale));}",".f1hqboyk::after{transform-origin:top;}",".f1dxupa6::after{transform:translateY(var(--fui-Tab__indicator--offset)) scaleY(var(--fui-Tab__indicator--scale));}"],m:[["@media (prefers-reduced-motion: reduce){.f9qxlq5::after{transition-property:none;}}",{m:"(prefers-reduced-motion: reduce)"}],["@media (prefers-reduced-motion: reduce){.f1aql376::after{transition-duration:0.01ms;}}",{m:"(prefers-reduced-motion: reduce)"}]]}),c=(e,t)=>{var r;let o=d(t)?null==(r=e[JSON.stringify(t)])?void 0:r.ref.current:void 0;return o?(e=>{if(e){var t;let r=(null==(t=e.parentElement)?void 0:t.getBoundingClientRect())||{x:0,y:0,width:0,height:0},o=e.getBoundingClientRect();return{x:o.x-r.x,y:o.y-r.y,width:o.width,height:o.height}}})(o):void 0},d=e=>null!=e,f={root:"fui-Tab",icon:"fui-Tab__icon",content:"fui-Tab__content"},h={content:"fui-Tab__content--reserved-space"},v=(0,i.__styles)({root:{Bt984gj:"f122n59",mc9l5x:"f13qh94s",Bnnss6s:"fi64zpg",Bxotwcr:"f1u07yai",Budl1dq:"frn2hmy",wkccdc:"f1olsevy",oeaueh:"f1s6fcnf",qhf8xq:"f10pi13n"},button:{Bt984gj:"f122n59",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"f3bhgqh",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",Bceei9c:"f1k6fduh",mc9l5x:"f13qh94s",Bnnss6s:"fi64zpg",Bxotwcr:"f1u07yai",Budl1dq:"frn2hmy",wkccdc:"f1olsevy",Bahqtrf:"fk6fouc",Bg96gwp:"f1i3iumi",oeaueh:"f1s6fcnf",qhf8xq:"f10pi13n",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1a3p1vp",B9bfxx9:"f1cxpek8"},horizontal:{Brf1p80:"f4d9j23"},vertical:{Brf1p80:"f1s9ku6b"},smallHorizontal:{i8kkvl:"f14mj54c",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1wmopi4"},smallVertical:{i8kkvl:"f14mj54c",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f12or63q"},mediumHorizontal:{i8kkvl:"f1rjii52",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1w08f2p"},mediumVertical:{i8kkvl:"f1rjii52",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fymxs25"},largeHorizontal:{i8kkvl:"f1rjii52",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1ssfvub"},largeVertical:{i8kkvl:"f1rjii52",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fwkd1rq"},transparent:{De3pzq:"f1c21dwh",B95qlz1:"f9rvdkv",B7xitij:"f1051ucx",Bptxc3x:"fmmjozx",Bwqhzpy:"fqhzt5g",iyk698:"f7l5cgy",cl4aha:"fpkze5g",B0q3jbp:"f1iywnoi",Be9ayug:"f9n45c4"},subtle:{De3pzq:"fhovq9v",B95qlz1:"f1bifk9c",B7xitij:"fo6hitd",Bptxc3x:"fmmjozx",Bwqhzpy:"fqhzt5g",iyk698:"f7l5cgy",cl4aha:"fpkze5g",B0q3jbp:"f1iywnoi",Be9ayug:"f9n45c4"},disabledCursor:{Bceei9c:"fdrzuqr"},disabled:{De3pzq:"f1c21dwh",Bptxc3x:"fato7r6",cl4aha:"fao1bnu"},selected:{Bptxc3x:"f1cadz5z",Bwqhzpy:"fwhdxxj",iyk698:"fintccb",cl4aha:"ffplhdr",B0q3jbp:"fjo17wb",Be9ayug:"f148789c"}},{d:[".f122n59{align-items:center;}",".f13qh94s{display:grid;}",".fi64zpg{flex-shrink:0;}",".f1u07yai{grid-auto-flow:column;}",".frn2hmy{grid-template-columns:auto;}",".f1olsevy{grid-template-rows:auto;}",".f1s6fcnf{outline-style:none;}",".f10pi13n{position:relative;}",[".f3bhgqh{border:none;}",{p:-2}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f1k6fduh{cursor:pointer;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",[".f1a3p1vp{overflow:hidden;}",{p:-1}],".f1cxpek8{text-transform:none;}",".f4d9j23{justify-content:center;}",".f1s9ku6b{justify-content:start;}",".f14mj54c{column-gap:var(--spacingHorizontalXXS);}",[".f1wmopi4{padding:var(--spacingVerticalSNudge) var(--spacingHorizontalSNudge);}",{p:-1}],[".f12or63q{padding:var(--spacingVerticalXXS) var(--spacingHorizontalSNudge);}",{p:-1}],".f1rjii52{column-gap:var(--spacingHorizontalSNudge);}",[".f1w08f2p{padding:var(--spacingVerticalM) var(--spacingHorizontalMNudge);}",{p:-1}],[".fymxs25{padding:var(--spacingVerticalSNudge) var(--spacingHorizontalMNudge);}",{p:-1}],[".f1ssfvub{padding:var(--spacingVerticalL) var(--spacingHorizontalMNudge);}",{p:-1}],[".fwkd1rq{padding:var(--spacingVerticalS) var(--spacingHorizontalMNudge);}",{p:-1}],".f1c21dwh{background-color:var(--colorTransparentBackground);}",".f9rvdkv:enabled:hover{background-color:var(--colorTransparentBackgroundHover);}",".f1051ucx:enabled:active{background-color:var(--colorTransparentBackgroundPressed);}",".fmmjozx .fui-Tab__icon{color:var(--colorNeutralForeground2);}",".fqhzt5g:enabled:hover .fui-Tab__icon{color:var(--colorNeutralForeground2Hover);}",".f7l5cgy:enabled:active .fui-Tab__icon{color:var(--colorNeutralForeground2Pressed);}",".fpkze5g .fui-Tab__content{color:var(--colorNeutralForeground2);}",".f1iywnoi:enabled:hover .fui-Tab__content{color:var(--colorNeutralForeground2Hover);}",".f9n45c4:enabled:active .fui-Tab__content{color:var(--colorNeutralForeground2Pressed);}",".fhovq9v{background-color:var(--colorSubtleBackground);}",".f1bifk9c:enabled:hover{background-color:var(--colorSubtleBackgroundHover);}",".fo6hitd:enabled:active{background-color:var(--colorSubtleBackgroundPressed);}",".fdrzuqr{cursor:not-allowed;}",".fato7r6 .fui-Tab__icon{color:var(--colorNeutralForegroundDisabled);}",".fao1bnu .fui-Tab__content{color:var(--colorNeutralForegroundDisabled);}",".f1cadz5z .fui-Tab__icon{color:var(--colorCompoundBrandForeground1);}",".fwhdxxj:enabled:hover .fui-Tab__icon{color:var(--colorCompoundBrandForeground1Hover);}",".fintccb:enabled:active .fui-Tab__icon{color:var(--colorCompoundBrandForeground1Pressed);}",".ffplhdr .fui-Tab__content{color:var(--colorNeutralForeground1);}",".fjo17wb:enabled:hover .fui-Tab__content{color:var(--colorNeutralForeground1Hover);}",".f148789c:enabled:active .fui-Tab__content{color:var(--colorNeutralForeground1Pressed);}"]}),p=(0,i.__styles)({base:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f44lkw9",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"fp7rvkm",Bptxc3x:"ftorr8m",cl4aha:"f16lqpmv"},small:{Dbcxam:0,rjzwhg:0,Bblux5w:"fzklhed"},medium:{Dbcxam:0,rjzwhg:0,Bblux5w:"f1j721cc"},large:{Dbcxam:0,rjzwhg:0,Bblux5w:"frx9knr"},subtle:{De3pzq:"fhovq9v",sj55zd:"fkfq4zb",B95qlz1:"f1bifk9c",Eo63ln:0,r9osk6:0,Itrz8y:0,zeg6vx:0,l65xgk:0,Bw4olcx:0,Folb0i:0,I2h8y4:0,Bgxgoyi:0,Bvlkotb:0,Fwyncl:0,Byh5edv:0,Becqvjq:0,uumbiq:0,B73q3dg:0,Bblwbaf:0,B0ezav:"ft57sj0",r4wkhp:"f1fcoy83",B7xitij:"fo6hitd",d3wsvi:0,Hdqn7s:0,zu5y1p:0,owqphb:0,g9c53k:0,Btmu08z:0,Bthxvy6:0,gluvuq:0,tb88gp:0,wns6jk:0,kdfdk4:0,Bbw008l:0,Bayi1ib:0,B1kkfu3:0,J1oqyp:0,kem6az:0,goa3yj:"fhn220o",p743kt:"f15qf7sh",uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f130w16x"},subtleSelected:{De3pzq:"f16xkysk",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"f1c2pc3t",sj55zd:"faj9fo0",B95qlz1:"fsm7zmf",Eo63ln:0,r9osk6:0,Itrz8y:0,zeg6vx:0,l65xgk:0,Bw4olcx:0,Folb0i:0,I2h8y4:0,Bgxgoyi:0,Bvlkotb:0,Fwyncl:0,Byh5edv:0,Becqvjq:0,uumbiq:0,B73q3dg:0,Bblwbaf:0,B0ezav:"f1wo0sfq",r4wkhp:"f1afuynh",B7xitij:"f94ddyl",d3wsvi:0,Hdqn7s:0,zu5y1p:0,owqphb:0,g9c53k:0,Btmu08z:0,Bthxvy6:0,gluvuq:0,tb88gp:0,wns6jk:0,kdfdk4:0,Bbw008l:0,Bayi1ib:0,B1kkfu3:0,J1oqyp:0,kem6az:0,goa3yj:"fmle6oo",p743kt:"f1d3itm4",uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f19qjb1h"},subtleDisabled:{De3pzq:"fhovq9v",sj55zd:"f1s2aq7o"},subtleDisabledSelected:{De3pzq:"f1bg9a2p",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"fegtqic",sj55zd:"f1s2aq7o"},filled:{De3pzq:"f16xq7d1",sj55zd:"fkfq4zb",B95qlz1:"fwwxidx",r4wkhp:"f1fcoy83",B7xitij:"f14i52sd",p743kt:"f15qf7sh",Bw5j0gk:"f159yq2d",Baikq8m:"ful0ncq",B2ndh17:"f2rulcp",w0x64w:"f19p5z4e",Bdzpij4:"fo1bcu3"},filledSelected:{De3pzq:"ffp7eso",sj55zd:"f1phragk",B95qlz1:"f1lm9dni",r4wkhp:"f1mn5ei1",B7xitij:"f1g6ncd0",p743kt:"fl71aob",bml8oc:"f13s88zn",qew46a:"f16zjd40",B84x17g:"f1mr3uue",Jetwu1:"f196ywdt"},filledDisabled:{De3pzq:"f1bg9a2p",sj55zd:"f1s2aq7o"},filledDisabledSelected:{De3pzq:"f1bg9a2p",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"fegtqic",sj55zd:"f1s2aq7o"}},{d:[[".f44lkw9{border-radius:var(--borderRadiusCircular);}",{p:-1}],[".fp7rvkm{border:solid var(--strokeWidthThin) var(--colorTransparentStroke);}",{p:-2}],".ftorr8m .fui-Tab__icon{color:inherit;}",".f16lqpmv .fui-Tab__content{color:inherit;}",[".fzklhed{padding-block:calc(var(--spacingVerticalXXS) - var(--strokeWidthThin));}",{p:-1}],[".f1j721cc{padding-block:calc(var(--spacingVerticalSNudge) - var(--strokeWidthThin));}",{p:-1}],[".frx9knr{padding-block:calc(var(--spacingVerticalS) - var(--strokeWidthThin));}",{p:-1}],".fhovq9v{background-color:var(--colorSubtleBackground);}",".fkfq4zb{color:var(--colorNeutralForeground2);}",".f1bifk9c:enabled:hover{background-color:var(--colorSubtleBackgroundHover);}",[".ft57sj0:enabled:hover{border:solid var(--strokeWidthThin) var(--colorNeutralStroke1Hover);}",{p:-2}],".f1fcoy83:enabled:hover{color:var(--colorNeutralForeground2Hover);}",".fo6hitd:enabled:active{background-color:var(--colorSubtleBackgroundPressed);}",[".fhn220o:enabled:active{border:solid var(--strokeWidthThin) var(--colorNeutralStroke1Pressed);}",{p:-2}],".f15qf7sh:enabled:active{color:var(--colorNeutralForeground2Pressed);}",".f16xkysk{background-color:var(--colorBrandBackground2);}",[".f1c2pc3t{border:solid var(--strokeWidthThin) var(--colorCompoundBrandStroke);}",{p:-2}],".faj9fo0{color:var(--colorBrandForeground2);}",".fsm7zmf:enabled:hover{background-color:var(--colorBrandBackground2Hover);}",[".f1wo0sfq:enabled:hover{border:solid var(--strokeWidthThin) var(--colorCompoundBrandStrokeHover);}",{p:-2}],".f1afuynh:enabled:hover{color:var(--colorBrandForeground2Hover);}",".f94ddyl:enabled:active{background-color:var(--colorBrandBackground2Pressed);}",[".fmle6oo:enabled:active{border:solid var(--strokeWidthThin) var(--colorCompoundBrandStrokePressed);}",{p:-2}],".f1d3itm4:enabled:active{color:var(--colorBrandForeground2Pressed);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f1bg9a2p{background-color:var(--colorNeutralBackgroundDisabled);}",[".fegtqic{border:solid var(--strokeWidthThin) var(--colorNeutralStrokeDisabled);}",{p:-2}],".f16xq7d1{background-color:var(--colorNeutralBackground3);}",".fwwxidx:enabled:hover{background-color:var(--colorNeutralBackground3Hover);}",".f14i52sd:enabled:active{background-color:var(--colorNeutralBackground3Pressed);}",".ffp7eso{background-color:var(--colorBrandBackground);}",".f1phragk{color:var(--colorNeutralForegroundOnBrand);}",".f1lm9dni:enabled:hover{background-color:var(--colorBrandBackgroundHover);}",".f1mn5ei1:enabled:hover{color:var(--colorNeutralForegroundOnBrand);}",".f1g6ncd0:enabled:active{background-color:var(--colorBrandBackgroundPressed);}",".fl71aob:enabled:active{color:var(--colorNeutralForegroundOnBrand);}",[".fegtqic{border:solid var(--strokeWidthThin) var(--colorNeutralStrokeDisabled);}",{p:-2}]],m:[["@media (forced-colors: active){.f130w16x{border:solid var(--strokeWidthThin) Canvas;}}",{p:-2,m:"(forced-colors: active)"}],["@media (forced-colors: active){.f19qjb1h{border:solid var(--strokeWidthThin) Highlight;}}",{p:-2,m:"(forced-colors: active)"}],["@media (forced-colors: active){.f159yq2d:enabled:hover{background-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.ful0ncq:enabled:hover{forced-color-adjust:none;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f2rulcp:enabled:hover .fui-Tab__content{color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f19p5z4e:enabled:hover .fui-Icon-filled{color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fo1bcu3:enabled:hover .fui-Icon-regular{color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f13s88zn:enabled{background-color:ButtonText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f16zjd40:enabled .fui-Tab__content{color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1mr3uue:enabled .fui-Tab__content{forced-color-adjust:none;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f196ywdt:enabled .fui-Tab__icon{color:ButtonFace;}}",{m:"(forced-colors: active)"}]]}),b=(0,i.__styles)({base:{B8q5s1w:"f8hki3x",Bci5o5g:["f1d2448m","ffh67wi"],n8qw10:"f1bjia2o",Bdrgwmp:["ffh67wi","f1d2448m"],Bn4voq9:"f1p7hgxw",Bfpq7zp:"f1way5bb",g9k6zt:"f9znhxp",j6ew2k:["fqa318h","fqa318h"],Bhxq17a:"f1vjpng2"},circular:{B8q5s1w:"f8hki3x",Bci5o5g:["f1d2448m","ffh67wi"],n8qw10:"f1bjia2o",Bdrgwmp:["ffh67wi","f1d2448m"],Bn4voq9:"f1p7hgxw",Bfpq7zp:"f1way5bb",g9k6zt:"f9znhxp",j6ew2k:["fzgyhws","fqxug60"],Bhxq17a:"f1vjpng2"}},{d:[".f8hki3x[data-fui-focus-visible]{border-top-color:transparent;}",".f1d2448m[data-fui-focus-visible]{border-right-color:transparent;}",".ffh67wi[data-fui-focus-visible]{border-left-color:transparent;}",".f1bjia2o[data-fui-focus-visible]{border-bottom-color:transparent;}",".f1p7hgxw[data-fui-focus-visible]{outline-width:var(--strokeWidthThick);}",".f1way5bb[data-fui-focus-visible]{outline-color:transparent;}",".f9znhxp[data-fui-focus-visible]{outline-style:solid;}",".fqa318h[data-fui-focus-visible]{box-shadow:var(--shadow4),0 0 0 var(--strokeWidthThick) var(--colorStrokeFocus2);}",".f1vjpng2[data-fui-focus-visible]{z-index:1;}",".fzgyhws[data-fui-focus-visible]{box-shadow:var(--shadow4),0 0 0 var(--strokeWidthThick) var(--colorStrokeFocus2),0 0 0 var(--strokeWidthThin) var(--colorNeutralStrokeOnBrand) inset;}",".fqxug60[data-fui-focus-visible]{box-shadow:var(--shadow4),0 0 0 var(--strokeWidthThick) var(--colorStrokeFocus2),0 0 0 var(--strokeWidthThin) var(--colorNeutralStrokeOnBrand) inset;}"]}),m=(0,i.__styles)({base:{az7l2e:"fhw179n",vqofr:0,Bv4n3vi:0,Bgqb9hq:0,B0uxbk8:0,Bf3jju6:"fg9j5n4",amg5m6:"f1kmhr4c",zkfqfm:"fl1ydde",Bkydozb:"f1y7maxz",Bka2azo:0,vzq8l0:0,csmgbd:0,Br4ovkg:0,aelrif:"fceyvr4",y36c18:"f16cxu0",B1ctymy:"f1nwgacf",Bgvrrv0:"f15ovonk",ddr6p5:"fvje46l"},disabled:{az7l2e:"f1ut20fw",Bkydozb:"fhrzcfn",Bgvrrv0:"f1v15rkt",ddr6p5:"f3nwrnk"},smallHorizontal:{lawp4y:"fchca7p",Baz25je:"f1r53b5e",Fbdkly:["f1s6rxz5","fo35v8s"],mdwyqc:["fo35v8s","f1s6rxz5"]},smallVertical:{lawp4y:"fze4zud",Fbdkly:["f1fzr1x6","f1f351id"],Bciustq:"fdp32p8",Ccq8qp:"f1aij3q"},mediumHorizontal:{lawp4y:"fchca7p",Baz25je:"f1s2r9ax",Fbdkly:["f1o0nnkk","fxb7rol"],mdwyqc:["fxb7rol","f1o0nnkk"]},mediumVertical:{lawp4y:"f17jracn",Fbdkly:["f1fzr1x6","f1f351id"],Bciustq:"f117lcb2",Ccq8qp:"f1aij3q"},largeHorizontal:{lawp4y:"fchca7p",Baz25je:"f1s2r9ax",Fbdkly:["f1o0nnkk","fxb7rol"],mdwyqc:["fxb7rol","f1o0nnkk"]},largeVertical:{lawp4y:"fel9d3z",Fbdkly:["f1fzr1x6","f1f351id"],Bciustq:"f6vqlre",Ccq8qp:"f1aij3q"}},{h:[".fhw179n:hover::before{background-color:var(--colorNeutralStroke1Hover);}",[".fg9j5n4:hover::before{border-radius:var(--borderRadiusCircular);}",{p:-1}],'.f1kmhr4c:hover::before{content:"";}',".fl1ydde:hover::before{position:absolute;}",".f1ut20fw:hover::before{background-color:var(--colorTransparentStroke);}"],a:[".f1y7maxz:active::before{background-color:var(--colorNeutralStroke1Pressed);}",[".fceyvr4:active::before{border-radius:var(--borderRadiusCircular);}",{p:-1}],'.f16cxu0:active::before{content:"";}',".f1nwgacf:active::before{position:absolute;}",".fhrzcfn:active::before{background-color:var(--colorTransparentStroke);}"],m:[["@media (forced-colors: active){.f15ovonk:hover::before{background-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fvje46l:active::before{background-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1v15rkt:hover::before{background-color:transparent;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f3nwrnk:active::before{background-color:transparent;}}",{m:"(forced-colors: active)"}]],d:[".fchca7p::before{bottom:0;}",".f1r53b5e::before{height:var(--strokeWidthThick);}",".f1s6rxz5::before{left:var(--spacingHorizontalSNudge);}",".fo35v8s::before{right:var(--spacingHorizontalSNudge);}",".fze4zud::before{bottom:var(--spacingVerticalXS);}",".f1fzr1x6::before{left:0;}",".f1f351id::before{right:0;}",".fdp32p8::before{top:var(--spacingVerticalXS);}",".f1aij3q::before{width:var(--strokeWidthThicker);}",".f1s2r9ax::before{height:var(--strokeWidthThicker);}",".f1o0nnkk::before{left:var(--spacingHorizontalM);}",".fxb7rol::before{right:var(--spacingHorizontalM);}",".f17jracn::before{bottom:var(--spacingVerticalS);}",".f117lcb2::before{top:var(--spacingVerticalS);}",".fel9d3z::before{bottom:var(--spacingVerticalMNudge);}",".f6vqlre::before{top:var(--spacingVerticalMNudge);}"]}),g=(0,i.__styles)({base:{Bjyk6c5:"f1rp0jgh",d9w3h3:0,B3778ie:0,B4j8arr:0,Bl18szs:0,Blrzh8d:"f3b9emi",Bsft5z2:"f13zj6fq",E3zdtr:"f1mdlcz9"},selected:{Bjyk6c5:"f1ksivud",Bej4dhw:"f1476jrx",B7wqxwa:"f18q216b",f7digc:"fy7ktjt",Bvuzv5k:"f1033yux",k4sdgo:"fkh9b8o"},disabled:{Bjyk6c5:"f13lkzet"},smallHorizontal:{By385i5:"fo72kxq",Dlnsje:"f9bb2ob",Eqx8gd:["f1q70ajw","f18rbzdx"],B1piin3:["f18rbzdx","f1q70ajw"]},smallVertical:{By385i5:"fqbue9b",Eqx8gd:["f1n6gb5g","f15yvnhg"],bn5sak:"fk1klkt",a2br6o:"f1o25lip"},mediumHorizontal:{By385i5:"fo72kxq",Dlnsje:"f1vx7lu8",Eqx8gd:["fna7m5n","f1oxpfwv"],B1piin3:["f1oxpfwv","fna7m5n"]},mediumVertical:{By385i5:"fipylg0",Eqx8gd:["f1n6gb5g","f15yvnhg"],bn5sak:"fqchiol",a2br6o:"f1o25lip"},largeHorizontal:{By385i5:"fo72kxq",Dlnsje:"f1vx7lu8",Eqx8gd:["fna7m5n","f1oxpfwv"],B1piin3:["f1oxpfwv","fna7m5n"]},largeVertical:{By385i5:"f1w7dm5g",Eqx8gd:["f1n6gb5g","f15yvnhg"],bn5sak:"f1p6em4m",a2br6o:"f1o25lip"}},{d:[".f1rp0jgh::after{background-color:var(--colorTransparentStroke);}",[".f3b9emi::after{border-radius:var(--borderRadiusCircular);}",{p:-1}],'.f13zj6fq::after{content:"";}',".f1mdlcz9::after{position:absolute;}",".f1ksivud::after{background-color:var(--colorCompoundBrandStroke);}",".f1476jrx:enabled:hover::after{background-color:var(--colorCompoundBrandStrokeHover);}",".f18q216b:enabled:active::after{background-color:var(--colorCompoundBrandStrokePressed);}",".f13lkzet::after{background-color:var(--colorNeutralForegroundDisabled);}",".fo72kxq::after{bottom:0;}",".f9bb2ob::after{height:var(--strokeWidthThick);}",".f1q70ajw::after{left:var(--spacingHorizontalSNudge);}",".f18rbzdx::after{right:var(--spacingHorizontalSNudge);}",".fqbue9b::after{bottom:var(--spacingVerticalXS);}",".f1n6gb5g::after{left:0;}",".f15yvnhg::after{right:0;}",".fk1klkt::after{top:var(--spacingVerticalXS);}",".f1o25lip::after{width:var(--strokeWidthThicker);}",".f1vx7lu8::after{height:var(--strokeWidthThicker);}",".fna7m5n::after{left:var(--spacingHorizontalM);}",".f1oxpfwv::after{right:var(--spacingHorizontalM);}",".fipylg0::after{bottom:var(--spacingVerticalS);}",".fqchiol::after{top:var(--spacingVerticalS);}",".f1w7dm5g::after{bottom:var(--spacingVerticalMNudge);}",".f1p6em4m::after{top:var(--spacingVerticalMNudge);}"],m:[["@media (forced-colors: active){.fy7ktjt::after{background-color:ButtonText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1033yux:enabled:hover::after{background-color:ButtonText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fkh9b8o:enabled:active::after{background-color:ButtonText;}}",{m:"(forced-colors: active)"}]]}),_=(0,i.__styles)({base:{Br312pm:"fwpfdsa",Ijaq50:"f16hsg94",Bt984gj:"f122n59",mc9l5x:"ftuwxu6",Brf1p80:"f4d9j23",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1a3p1vp",D0sxk3:"f16u1re",t6yez3:"f8bsbmo"},small:{Be2twd7:"fe5j1ua",Bqenvij:"fjamq6b",a9b677:"f64fuq3"},medium:{Be2twd7:"fe5j1ua",Bqenvij:"fjamq6b",a9b677:"f64fuq3"},large:{Be2twd7:"f1rt2boy",Bqenvij:"frvgh55",a9b677:"fq4mcun"},selected:{D0sxk3:"fxoiby5",t6yez3:"f15q0o9g"}},{d:[".fwpfdsa{grid-column-start:1;}",".f16hsg94{grid-row-start:1;}",".f122n59{align-items:center;}",".ftuwxu6{display:inline-flex;}",".f4d9j23{justify-content:center;}",[".f1a3p1vp{overflow:hidden;}",{p:-1}],".f16u1re .fui-Icon-filled{display:none;}",".f8bsbmo .fui-Icon-regular{display:inline;}",".fe5j1ua{font-size:20px;}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",".f1rt2boy{font-size:24px;}",".frvgh55{height:24px;}",".fq4mcun{width:24px;}",".fxoiby5 .fui-Icon-filled{display:inline;}",".f15q0o9g .fui-Icon-regular{display:none;}"]}),y=(0,i.__styles)({base:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1a3p1vp",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1bwptpd"},selected:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"fl43uef",Bg96gwp:"f1i3iumi"},large:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"figsok6",Bg96gwp:"faaz57k"},largeSelected:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},noIconBefore:{Br312pm:"fwpfdsa",Ijaq50:"f16hsg94"},iconBefore:{Br312pm:"fd46tj4",Ijaq50:"f16hsg94"},placeholder:{Bcdw1i0:"fd7fpy0"}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",[".f1a3p1vp{overflow:hidden;}",{p:-1}],[".f1bwptpd{padding:var(--spacingVerticalNone) var(--spacingHorizontalXXS);}",{p:-1}],".fl43uef{font-weight:var(--fontWeightSemibold);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fwpfdsa{grid-column-start:1;}",".f16hsg94{grid-row-start:1;}",".fd46tj4{grid-column-start:2;}",".fd7fpy0{visibility:hidden;}"]});var k=e.i(96019);let w=t.forwardRef((e,i)=>{let w=(0,r.useTab_unstable)(e,i);return(e=>((e=>{let r=v(),o=m(),i=g(),{appearance:h,disabled:p,selected:b,size:_,vertical:y}=e,k=[f.root,r.root];return"subtle-circular"!==h&&"filled-circular"!==h&&k.push(o.base,"small"===_&&(y?o.smallVertical:o.smallHorizontal),"medium"===_&&(y?o.mediumVertical:o.mediumHorizontal),"large"===_&&(y?o.largeVertical:o.largeHorizontal),p&&o.disabled,b&&i.base,b&&!p&&i.selected,b&&"small"===_&&(y?i.smallVertical:i.smallHorizontal),b&&"medium"===_&&(y?i.mediumVertical:i.mediumHorizontal),b&&"large"===_&&(y?i.largeVertical:i.largeHorizontal),b&&p&&i.disabled),e.root.className=(0,n.mergeClasses)(...k,e.root.className),(e=>{let{disabled:r,selected:o,vertical:i}=e,f=u(),[h,v]=t.useState(),[p,b]=t.useState({offset:0,scale:1}),m=(0,a.useTabListContext_unstable)(e=>e.getRegisteredTabs),[g]=(0,l.useAnimationFrame)();if(o){let{previousSelectedValue:e,selectedValue:t,registeredTabs:r}=m();if(d(e)&&h!==e){let o=c(r,e),n=c(r,t);n&&o&&(b({offset:i?o.y-n.y:o.x-n.x,scale:i?o.height/n.height:o.width/n.width}),v(e),g(()=>b({offset:0,scale:1})))}}else d(h)&&v(void 0);if(r)return;let _=0===p.offset&&1===p.scale;e.root.className=(0,n.mergeClasses)(e.root.className,o&&f.base,o&&_&&f.animated,o&&(i?f.vertical:f.horizontal));let y={[s.offsetVar]:"".concat(p.offset,"px"),[s.scaleVar]:"".concat(p.scale)};return e.root.style={...y,...e.root.style}})(e)})(e),((e,t)=>{let r=v(),o=b(),i=p(),{appearance:a,disabled:l,selected:s,size:u,vertical:c}=e,d="subtle-circular"===a,f="filled-circular"===a,h=d||f,m=[i.base,o.circular,"small"===u&&i.small,"medium"===u&&i.medium,"large"===u&&i.large,d&&i.subtle,s&&d&&i.subtleSelected,l&&d&&i.subtleDisabled,s&&l&&d&&i.subtleDisabledSelected,f&&i.filled,s&&f&&i.filledSelected,l&&f&&i.filledDisabled,s&&l&&f&&i.filledDisabledSelected],g=[o.base,!l&&"subtle"===a&&r.subtle,!l&&"transparent"===a&&r.transparent,!l&&s&&r.selected,l&&r.disabled];return t.className=(0,n.mergeClasses)(r.button,c?r.vertical:r.horizontal,"small"===u&&(c?r.smallVertical:r.smallHorizontal),"medium"===u&&(c?r.mediumVertical:r.mediumHorizontal),"large"===u&&(c?r.largeVertical:r.largeHorizontal),...h?m:g,l&&r.disabledCursor,t.className)})(e,e.root),(e=>{let t=_(),r=y(),{selected:o,size:i}=e;return e.icon&&(e.icon.className=(0,n.mergeClasses)(f.icon,t.base,t[i],o&&t.selected,e.icon.className)),e.contentReservedSpace&&(e.contentReservedSpace.className=(0,n.mergeClasses)(h.content,r.base,"large"===i?r.largeSelected:r.selected,e.icon?r.iconBefore:r.noIconBefore,r.placeholder,e.content.className),e.contentReservedSpaceClassName=e.contentReservedSpace.className),e.content.className=(0,n.mergeClasses)(f.content,r.base,"large"===i&&r.large,o&&("large"===i?r.largeSelected:r.selected),e.icon?r.iconBefore:r.noIconBefore,e.content.className)})(e)))(w),(0,k.useCustomStyleHook_unstable)("useTabStyles_unstable")(w),(0,o.renderTab_unstable)(w)});w.displayName="Tab"},84240,e=>{"use strict";e.s(["useTabList_unstable",()=>s]);var t=e.i(71645),r=e.i(73564),o=e.i(56720),i=e.i(84179),n=e.i(17664),a=e.i(51701),l=e.i(77074);let s=(e,s)=>{let{appearance:u="transparent",reserveSelectedTabSpace:c=!0,disabled:d=!1,onTabSelect:f,selectTabOnFocus:h=!1,size:v="medium",vertical:p=!1}=e,b=t.useRef(null),m=(0,r.useArrowNavigationGroup)({circular:!0,axis:p?"vertical":"horizontal",memorizeCurrent:!1,unstable_hasDefault:!0}),[g,_]=(0,i.useControllableState)({state:e.selectedValue,defaultState:e.defaultSelectedValue,initialState:void 0}),y=t.useRef(void 0),k=t.useRef(void 0);t.useEffect(()=>{k.current=y.current,y.current=g},[g]);let w=(0,n.useEventCallback)((e,t)=>{_(t.value),null==f||f(e,t)}),x=t.useRef({}),T=(0,n.useEventCallback)(e=>{let t=JSON.stringify(e.value);x.current[t]=e}),z=(0,n.useEventCallback)(e=>{delete x.current[JSON.stringify(e.value)]}),B=t.useCallback(()=>({selectedValue:y.current,previousSelectedValue:k.current,registeredTabs:x.current}),[]);return{components:{root:"div"},root:l.slot.always((0,o.getIntrinsicElementProps)("div",{ref:(0,a.useMergedRefs)(s,b),role:"tablist","aria-orientation":p?"vertical":"horizontal",...m,...e}),{elementType:"div"}),appearance:u,reserveSelectedTabSpace:c,disabled:d,selectTabOnFocus:h,selectedValue:g,size:v,vertical:p,onRegister:T,onUnregister:z,onSelect:w,getRegisteredTabs:B}}},85182,e=>{"use strict";e.s(["TabList",()=>d],85182);var t=e.i(71645),r=e.i(84240),o=e.i(97906),i=e.i(46163),n=e.i(66246),a=e.i(69024),l=e.i(32778);let s={root:"fui-TabList"},u=(0,a.__styles)({root:{mc9l5x:"f22iagw",Beiy3e4:"f1063pyq",Bnnss6s:"fi64zpg",Eh141a:"flvyvdh",qhf8xq:"f10pi13n"},horizontal:{Bt984gj:"f1q9h2pe",Beiy3e4:"f1063pyq"},vertical:{Bt984gj:"f1q9h2pe",Beiy3e4:"f1vx9l62"},roundedSmall:{i8kkvl:0,Belr9w4:0,rmohyg:"f1eyhf9v"},rounded:{i8kkvl:0,Belr9w4:0,rmohyg:"faqewft"}},{d:[".f22iagw{display:flex;}",".f1063pyq{flex-direction:row;}",".fi64zpg{flex-shrink:0;}",".flvyvdh{flex-wrap:nowrap;}",".f10pi13n{position:relative;}",".f1q9h2pe{align-items:stretch;}",".f1vx9l62{flex-direction:column;}",[".f1eyhf9v{gap:var(--spacingHorizontalSNudge);}",{p:-1}],[".faqewft{gap:var(--spacingHorizontalS);}",{p:-1}]]});var c=e.i(96019);let d=t.forwardRef((e,t)=>{let a=(0,r.useTabList_unstable)(e,t),d=function(e){let{appearance:t,reserveSelectedTabSpace:r,disabled:o,selectTabOnFocus:i,selectedValue:n,onRegister:a,onUnregister:l,onSelect:s,getRegisteredTabs:u,size:c,vertical:d}=e;return{tabList:{appearance:t,reserveSelectedTabSpace:r,disabled:o,selectTabOnFocus:i,selectedValue:n,onSelect:s,onRegister:a,onUnregister:l,getRegisteredTabs:u,size:c,vertical:d}}}(a);return(e=>{let{appearance:t,vertical:r,size:o}=e,i=u();return e.root.className=(0,l.mergeClasses)(s.root,i.root,r?i.vertical:i.horizontal,("subtle-circular"===t||"filled-circular"===t)&&("small"===o?i.roundedSmall:i.rounded),e.root.className)})(a),(0,c.useCustomStyleHook_unstable)("useTabListStyles_unstable")(a),((e,t)=>((0,i.assertSlots)(e),(0,o.jsx)(e.root,{children:(0,o.jsx)(n.TabListProvider,{value:t.tabList,children:e.root.children})})))(a,d)});d.displayName="TabList"},43753,(e,t,r)=>{"use strict";function o(e,t){var r=e.length;for(e.push(t);0>>1,i=e[o];if(0>>1;oa(s,r))ua(c,s)?(e[o]=c,e[u]=r,o=u):(e[o]=s,e[l]=r,o=l);else if(ua(c,r))e[o]=c,e[u]=r,o=u;else break}}return t}function a(e,t){var r=e.sortIndex-t.sortIndex;return 0!==r?r:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var l,s=performance;r.unstable_now=function(){return s.now()}}else{var u=Date,c=u.now();r.unstable_now=function(){return u.now()-c}}var d=[],f=[],h=1,v=null,p=3,b=!1,m=!1,g=!1,_="function"==typeof setTimeout?setTimeout:null,y="function"==typeof clearTimeout?clearTimeout:null,k="undefined"!=typeof setImmediate?setImmediate:null;function w(e){for(var t=i(f);null!==t;){if(null===t.callback)n(f);else if(t.startTime<=e)n(f),t.sortIndex=t.expirationTime,o(d,t);else break;t=i(f)}}function x(e){if(g=!1,w(e),!m)if(null!==i(d))m=!0,j(T);else{var t=i(f);null!==t&&R(x,t.startTime-e)}}function T(e,t){m=!1,g&&(g=!1,y(E),E=-1),b=!0;var o=p;try{for(w(t),v=i(d);null!==v&&(!(v.expirationTime>t)||e&&!F());){var a=v.callback;if("function"==typeof a){v.callback=null,p=v.priorityLevel;var l=a(v.expirationTime<=t);t=r.unstable_now(),"function"==typeof l?v.callback=l:v===i(d)&&n(d),w(t)}else n(d);v=i(d)}if(null!==v)var s=!0;else{var u=i(f);null!==u&&R(x,u.startTime-t),s=!1}return s}finally{v=null,p=o,b=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var z=!1,B=null,E=-1,C=5,I=-1;function F(){return!(r.unstable_now()-Ie||125a?(e.sortIndex=n,o(f,e),null===i(d)&&e===i(f)&&(g?(y(E),E=-1):g=!0,R(x,n-a))):(e.sortIndex=l,o(d,e),m||b||(m=!0,j(T))),e},r.unstable_shouldYield=F,r.unstable_wrapCallback=function(e){var t=p;return function(){var r=p;p=t;try{return e.apply(this,arguments)}finally{p=r}}}},69960,(e,t,r)=>{"use strict";t.exports=e.r(43753)},87194,40454,88544,40894,e=>{"use strict";e.s(["Accordion",()=>g],87194);var t=e.i(71645),r=e.i(97906),o=e.i(46163);e.i(47167);var i=e.i(52911),n=e.i(69960),a=e.i(17664);let l=(e=>{var r;let o=t.createContext({value:{current:e},version:{current:-1},listeners:[]});return r=o.Provider,o.Provider=e=>{let o=t.useRef(e.value),a=t.useRef(0),l=t.useRef();return l.current||(l.current={value:o,version:a,listeners:[]}),(0,i.useIsomorphicLayoutEffect)(()=>{o.current=e.value,a.current+=1,(0,n.unstable_runWithPriority)(n.unstable_NormalPriority,()=>{l.current.listeners.forEach(t=>{t([a.current,e.value])})})},[e.value]),t.createElement(r,{value:l.current},e.children)},delete o.Consumer,o})(void 0),s={openItems:[],collapsible:!1,multiple:!1,navigation:void 0,requestToggle(){}},{Provider:u}=l,c=e=>((e,r)=>{let{value:{current:o},version:{current:n},listeners:l}=t.useContext(e),s=r(o),[u,c]=t.useState([o,s]),d=e=>{c(t=>{if(!e)return[o,s];if(e[0]<=n)return Object.is(t[1],s)?t:[o,s];try{if(Object.is(t[0],e[1]))return t;let o=r(e[1]);if(Object.is(t[1],o))return t;return[e[1],o]}catch(e){}return[t[0],t[1]]})};Object.is(u[1],s)||d(void 0);let f=(0,a.useEventCallback)(d);return(0,i.useIsomorphicLayoutEffect)(()=>(l.push(f),()=>{let e=l.indexOf(f);l.splice(e,1)}),[f,l]),u[1]})(l,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:s;return e(t)});var d=e.i(56720),f=e.i(84179),h=e.i(77074),v=e.i(73564),p=e.i(96019),b=e.i(32778);let m={root:"fui-Accordion"},g=t.forwardRef((e,i)=>{let n=((e,r)=>{let{openItems:o,defaultOpenItems:i,multiple:n=!1,collapsible:l=!1,onToggle:s,navigation:u,...c}=e,[p,b]=(0,f.useControllableState)({state:t.useMemo(()=>(function(e){if(void 0!==e)return Array.isArray(e)?e:[e]})(o),[o]),defaultState:i&&(()=>(function(e){let{defaultOpenItems:t,multiple:r}=e;return void 0!==t?Array.isArray(t)?r?t:[t[0]]:[t]:[]})({defaultOpenItems:i,multiple:n})),initialState:[]}),m=(0,v.useArrowNavigationGroup)({circular:"circular"===u,tabbable:!0}),g=(0,a.useEventCallback)(e=>{let t=function(e,t,r,o){return r?t.includes(e)?t.length>1||o?t.filter(t=>t!==e):t:[...t,e].sort():t[0]===e&&o?[]:[e]}(e.value,p,n,l);null==s||s(e.event,{value:e.value,openItems:t}),b(t)});return{collapsible:l,multiple:n,navigation:u,openItems:p,requestToggle:g,components:{root:"div"},root:h.slot.always((0,d.getIntrinsicElementProps)("div",{...c,...u?m:void 0,ref:r}),{elementType:"div"})}})(e,i),l=function(e){let{navigation:t,openItems:r,requestToggle:o,multiple:i,collapsible:n}=e;return{accordion:{navigation:t,openItems:r,requestToggle:o,collapsible:n,multiple:i}}}(n);return(e=>e.root.className=(0,b.mergeClasses)(m.root,e.root.className))(n),(0,p.useCustomStyleHook_unstable)("useAccordionStyles_unstable")(n),((e,t)=>((0,o.assertSlots)(e),(0,r.jsx)(e.root,{children:(0,r.jsx)(u,{value:t.accordion,children:e.root.children})})))(n,l)});g.displayName="Accordion",e.s(["AccordionItem",()=>T],40454);let _=t.createContext(void 0),y={open:!1,disabled:!1,value:void 0,onHeaderClick(){}},{Provider:k}=_,w=()=>{var e;return null!=(e=t.useContext(_))?e:y},x={root:"fui-AccordionItem"},T=t.forwardRef((e,i)=>{let n=((e,t)=>{let{value:r,disabled:o=!1}=e,i=c(e=>e.requestToggle),n=c(e=>e.openItems.includes(r)),l=(0,a.useEventCallback)(e=>i({event:e,value:r}));return{open:n,value:r,disabled:o,onHeaderClick:l,components:{root:"div"},root:h.slot.always((0,d.getIntrinsicElementProps)("div",{ref:t,...e}),{elementType:"div"})}})(e,i),l=function(e){let{disabled:r,open:o,value:i,onHeaderClick:n}=e;return{accordionItem:t.useMemo(()=>({disabled:r,open:o,value:i,onHeaderClick:n}),[r,o,i,n])}}(n);return(e=>e.root.className=(0,b.mergeClasses)(x.root,e.root.className))(n),(0,p.useCustomStyleHook_unstable)("useAccordionItemStyles_unstable")(n),((e,t)=>((0,o.assertSlots)(e),(0,r.jsx)(e.root,{children:(0,r.jsx)(k,{value:t.accordionItem,children:e.root.children})})))(n,l)});T.displayName="AccordionItem",e.s(["AccordionHeader",()=>j],88544);var z=e.i(63350),B=e.i(21183),E=e.i(39617),C=e.i(1327),I=e.i(77261);let{Provider:F}=t.createContext(void 0);var S=e.i(69024);let N={root:"fui-AccordionHeader",button:"fui-AccordionHeader__button",expandIcon:"fui-AccordionHeader__expandIcon",icon:"fui-AccordionHeader__icon"},q=(0,S.__styles)({resetButton:{B7ck84d:"f1e4lqlz",De3pzq:"f1u2r49w",sj55zd:"f1ym3bx4",Bahqtrf:"f1mo0ibp",Be2twd7:"fjoy568",Bg96gwp:"fytdu2e",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1gl81tg",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1mk8lai",Bv0vk6g:"f37px4s",fsow6f:"fgusgyc"},focusIndicator:{Brovlpu:"ftqa4ok",B486eqv:"f2hkw1w",B8q5s1w:"f8hki3x",Bci5o5g:["f1d2448m","ffh67wi"],n8qw10:"f1bjia2o",Bdrgwmp:["ffh67wi","f1d2448m"],Bb7d1vk:"f226i61",zhwhgb:["f13kzufm","fsx75g8"],dhy2o1:"flujwa2",Gfyso:["fsx75g8","f13kzufm"],Bm4h7ae:"f15bsgw9",B7ys5i9:"f14e48fq",Busjfv9:"f18yb2kv",Bhk32uz:"fd6o370",f6g5ot:0,Boxcth7:0,Bhdgwq3:0,hgwjuy:0,Bshpdp8:0,Bsom6fd:0,Blkhhs4:0,Bonggc9:0,Ddfuxk:0,i03rao:0,kclons:0,clg4pj:0,Bpqj9nj:0,B6dhp37:0,Bf4ptjt:0,Bqtpl0w:0,i4rwgc:"ffwy5si",Dah5zi:0,B1tsrr9:0,qqdqy8:0,Bkh64rk:0,e3fwne:"f3znvyf",J0r882:"f57olzd",Bule8hv:["f4stah7","fs1por5"],Bjwuhne:"f480a47",Ghsupd:["fs1por5","f4stah7"]},root:{sj55zd:"f19n0e5",De3pzq:"f1c21dwh",jrapky:0,Frg6f3:0,t21cq0:0,B6of3ja:0,B74szlk:"f1s184ao",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5"},rootDisabled:{Bcmaq0h:"fwrgwhw",sj55zd:"f1s2aq7o"},rootInline:{mc9l5x:"f14t3ns0"},button:{qhf8xq:"f10pi13n",a9b677:"fly5x3f",B4j52fo:"fre7gi1",Bekrc4i:["f1358rze","f1rvrf73"],Bn0qgzm:"fqdk4by",ibv6hh:["f1rvrf73","f1358rze"],Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:["f1rmphuq","f26yw9j"],sshi5w:"f5pgtk9",mc9l5x:"f22iagw",Bt984gj:"f122n59",Bceei9c:"f1k6fduh",Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi",B7ck84d:"f1ewtqcl"},buttonSmall:{sshi5w:"f1nxs5xn",Be2twd7:"fy9rknc"},buttonLarge:{Bg96gwp:"faaz57k",Be2twd7:"fod5ikn"},buttonExtraLarge:{Bg96gwp:"f106mvju",Be2twd7:"f1pp30po"},buttonInline:{mc9l5x:"ftuwxu6"},buttonExpandIconEndNoIcon:{uwmqm3:["f1uw59to","fw5db7e"]},buttonExpandIconEnd:{z189sj:["f11gcy0p","f1ng84yb"]},buttonDisabled:{Bceei9c:"fdrzuqr"},expandIcon:{Bqenvij:"f1l02sjl",mc9l5x:"f22iagw",Bt984gj:"f122n59",Bg96gwp:"f106mvju",Be2twd7:"f1pp30po"},expandIconStart:{z189sj:["f1vdfbxk","f1f5gg8d"]},expandIconEnd:{Bh6795r:"fqerorx",Bnnss6s:"f1neuvcm",xawz:"flqd7gy",mc9l5x:"f22iagw",Brf1p80:"f9c4gz4",uwmqm3:["f1f5gg8d","f1vdfbxk"]},icon:{Bqenvij:"f1l02sjl",mc9l5x:"f22iagw",Bt984gj:"f122n59",z189sj:["f1vdfbxk","f1f5gg8d"],Bg96gwp:"f106mvju",Be2twd7:"f1pp30po"}},{d:[".f1e4lqlz{box-sizing:content-box;}",".f1u2r49w{background-color:inherit;}",".f1ym3bx4{color:inherit;}",".f1mo0ibp{font-family:inherit;}",".fjoy568{font-size:inherit;}",".fytdu2e{line-height:normal;}",[".f1gl81tg{overflow:visible;}",{p:-1}],[".f1mk8lai{padding:0;}",{p:-1}],".f37px4s{-webkit-appearance:button;}",".fgusgyc{text-align:unset;}",".f8hki3x[data-fui-focus-visible]{border-top-color:transparent;}",".f1d2448m[data-fui-focus-visible]{border-right-color:transparent;}",".ffh67wi[data-fui-focus-visible]{border-left-color:transparent;}",".f1bjia2o[data-fui-focus-visible]{border-bottom-color:transparent;}",'.f15bsgw9[data-fui-focus-visible]::after{content:"";}',".f14e48fq[data-fui-focus-visible]::after{position:absolute;}",".f18yb2kv[data-fui-focus-visible]::after{pointer-events:none;}",".fd6o370[data-fui-focus-visible]::after{z-index:1;}",[".ffwy5si[data-fui-focus-visible]::after{border:2px solid var(--colorStrokeFocus2);}",{p:-2}],[".f3znvyf[data-fui-focus-visible]::after{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f57olzd[data-fui-focus-visible]::after{top:calc(2px * -1);}",".f4stah7[data-fui-focus-visible]::after{right:calc(2px * -1);}",".fs1por5[data-fui-focus-visible]::after{left:calc(2px * -1);}",".f480a47[data-fui-focus-visible]::after{bottom:calc(2px * -1);}",".f19n0e5{color:var(--colorNeutralForeground1);}",".f1c21dwh{background-color:var(--colorTransparentBackground);}",[".f1s184ao{margin:0;}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fwrgwhw{background-image:none;}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f14t3ns0{display:inline-block;}",".f10pi13n{position:relative;}",".fly5x3f{width:100%;}",".fre7gi1{border-top-width:0;}",".f1358rze{border-right-width:0;}",".f1rvrf73{border-left-width:0;}",".fqdk4by{border-bottom-width:0;}",[".f1rmphuq{padding:0 var(--spacingHorizontalM) 0 var(--spacingHorizontalMNudge);}",{p:-1}],[".f26yw9j{padding:0 var(--spacingHorizontalMNudge) 0 var(--spacingHorizontalM);}",{p:-1}],".f5pgtk9{min-height:44px;}",".f22iagw{display:flex;}",".f122n59{align-items:center;}",".f1k6fduh{cursor:pointer;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".f1ewtqcl{box-sizing:border-box;}",".f1nxs5xn{min-height:32px;}",".fy9rknc{font-size:var(--fontSizeBase200);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".f106mvju{line-height:var(--lineHeightBase500);}",".f1pp30po{font-size:var(--fontSizeBase500);}",".ftuwxu6{display:inline-flex;}",".f1uw59to{padding-left:var(--spacingHorizontalM);}",".fw5db7e{padding-right:var(--spacingHorizontalM);}",".f11gcy0p{padding-right:var(--spacingHorizontalMNudge);}",".f1ng84yb{padding-left:var(--spacingHorizontalMNudge);}",".fdrzuqr{cursor:not-allowed;}",".f1l02sjl{height:100%;}",".f1vdfbxk{padding-right:var(--spacingHorizontalS);}",".f1f5gg8d{padding-left:var(--spacingHorizontalS);}",".fqerorx{flex-grow:1;}",".f1neuvcm{flex-shrink:1;}",".flqd7gy{flex-basis:0%;}",".f9c4gz4{justify-content:flex-end;}"],f:[".ftqa4ok:focus{outline-style:none;}"],i:[".f2hkw1w:focus-visible{outline-style:none;}"],m:[["@media (forced-colors: active){.f226i61[data-fui-focus-visible]::after{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f13kzufm[data-fui-focus-visible]::after{border-right-color:Highlight;}.fsx75g8[data-fui-focus-visible]::after{border-left-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.flujwa2[data-fui-focus-visible]::after{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}]]}),j=t.forwardRef((e,i)=>{let n=((e,r)=>{let o,{icon:i,button:n,expandIcon:l,inline:s=!1,size:u="medium",expandIconPosition:f="start"}=e,{value:v,disabled:p,open:b}=w(),m=c(e=>e.requestToggle),g=c(e=>!e.collapsible&&1===e.openItems.length&&b),{dir:_}=(0,C.useFluent_unstable)();o="end"===f?b?-90:90:b?90:180*("rtl"===_);let y=h.slot.always(n,{elementType:"button",defaultProps:{disabled:p,disabledFocusable:g,"aria-expanded":b,type:"button"}});return y.onClick=(0,a.useEventCallback)(e=>{if((0,z.isResolvedShorthand)(n)){var t;null==(t=n.onClick)||t.call(n,e)}e.defaultPrevented||m({value:v,event:e})}),{disabled:p,open:b,size:u,inline:s,expandIconPosition:f,components:{root:"div",button:"button",expandIcon:"span",icon:"div"},root:h.slot.always((0,d.getIntrinsicElementProps)("div",{ref:r,...e}),{elementType:"div"}),icon:h.slot.optional(i,{elementType:"div"}),expandIcon:h.slot.optional(l,{renderByDefault:!0,defaultProps:{children:t.createElement(E.ChevronRightRegular,{style:{transform:"rotate(".concat(o,"deg)"),transition:"transform ".concat(I.motionTokens.durationNormal,"ms ease-out")}}),"aria-hidden":!0},elementType:"span"}),button:(0,B.useARIAButtonProps)(y.as,y)}})(e,i),l=function(e){let{disabled:r,expandIconPosition:o,open:i,size:n}=e;return{accordionHeader:t.useMemo(()=>({disabled:r,expandIconPosition:o,open:i,size:n}),[r,o,i,n])}}(n);return(e=>{let t=q();return e.root.className=(0,b.mergeClasses)(N.root,t.root,e.inline&&t.rootInline,e.disabled&&t.rootDisabled,e.root.className),e.button.className=(0,b.mergeClasses)(N.button,t.resetButton,t.button,t.focusIndicator,"end"===e.expandIconPosition&&!e.icon&&t.buttonExpandIconEndNoIcon,"end"===e.expandIconPosition&&t.buttonExpandIconEnd,e.inline&&t.buttonInline,"small"===e.size&&t.buttonSmall,"large"===e.size&&t.buttonLarge,"extra-large"===e.size&&t.buttonExtraLarge,e.disabled&&t.buttonDisabled,e.button.className),e.expandIcon&&(e.expandIcon.className=(0,b.mergeClasses)(N.expandIcon,t.expandIcon,"start"===e.expandIconPosition&&t.expandIconStart,"end"===e.expandIconPosition&&t.expandIconEnd,e.expandIcon.className)),e.icon&&(e.icon.className=(0,b.mergeClasses)(N.icon,t.icon,e.icon.className))})(n),(0,p.useCustomStyleHook_unstable)("useAccordionHeaderStyles_unstable")(n),((e,t)=>((0,o.assertSlots)(e),(0,r.jsx)(F,{value:t.accordionHeader,children:(0,r.jsx)(e.root,{children:(0,r.jsxs)(e.button,{children:["start"===e.expandIconPosition&&e.expandIcon&&(0,r.jsx)(e.expandIcon,{}),e.icon&&(0,r.jsx)(e.icon,{}),e.root.children,"end"===e.expandIconPosition&&e.expandIcon&&(0,r.jsx)(e.expandIcon,{})]})})})))(n,l)});j.displayName="AccordionHeader",e.s(["AccordionPanel",()=>O],40894);var R=e.i(56626),P=e.i(65987),M=e.i(54369);let D={root:"fui-AccordionPanel"},A=(0,S.__styles)({root:{jrapky:0,Frg6f3:0,t21cq0:0,B6of3ja:0,B74szlk:"f1axvtxu"}},{d:[[".f1axvtxu{margin:0 var(--spacingHorizontalM);}",{p:-1}]]}),O=t.forwardRef((e,t)=>{let i=((e,t)=>{let{open:r}=w(),o=(0,R.useTabsterAttributes)({focusable:{excludeFromMover:!0}}),i=c(e=>e.navigation);return{open:r,components:{root:"div",collapseMotion:M.Collapse},root:h.slot.always((0,d.getIntrinsicElementProps)("div",{ref:t,...e,...i&&o}),{elementType:"div"}),collapseMotion:(0,P.presenceMotionSlot)(e.collapseMotion,{elementType:M.Collapse,defaultProps:{visible:r,unmountOnExit:!0}})}})(e,t);return(e=>{let t=A();return e.root.className=(0,b.mergeClasses)(D.root,t.root,e.root.className)})(i),(0,p.useCustomStyleHook_unstable)("useAccordionPanelStyles_unstable")(i),(e=>((0,o.assertSlots)(e),e.collapseMotion?(0,r.jsx)(e.collapseMotion,{children:(0,r.jsx)(e.root,{})}):(0,r.jsx)(e.root,{})))(i)});O.displayName="AccordionPanel"}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/17f1d58b00c18060.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/17f1d58b00c18060.js new file mode 100644 index 00000000..4ba450e5 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/17f1d58b00c18060.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,76166,83831,63060,69020,69024,96019,7527,21982,77790,12628,18015,17664,21183,12853,47419,69837,50637,r=>{"use strict";r.s(["makeStyles",()=>rA],76166),r.i(47167),r.i(50519);var e=r.i(49861),o=r.i(82837);function t(r){return r.reduce(function(r,e){var o=e[0],t=e[1];return r[o]=t,r[t]=o,r},{})}function a(r){return"number"==typeof r}function l(r,e){return -1!==r.indexOf(e)}function n(r,e,o,t){return e+(0===parseFloat(o)?o:"-"===o[0]?o.slice(1):"-"+o)+t}function c(r){return r.replace(/ +/g," ").split(" ").map(function(r){return r.trim()}).filter(Boolean).reduce(function(r,e){var o=r.list,t=r.state,a=(e.match(/\(/g)||[]).length,l=(e.match(/\)/g)||[]).length;return t.parensDepth>0?o[o.length-1]=o[o.length-1]+" "+e:o.push(e),t.parensDepth+=a-l,{list:o,state:t}},{list:[],state:{parensDepth:0}}).list}function i(r){var e=c(r);if(e.length<=3||e.length>4)return r;var o=e[0],t=e[1],a=e[2];return[o,e[3],a,t].join(" ")}var d={padding:function(r){var e=r.value;return a(e)?e:i(e)},textShadow:function(r){return(function(r){for(var e=[],o=0,t=0,a=!1;t2||K(X)>3?"":" "}(w);break;case 92:R+=function(r,e){for(var o;--e&&$()&&!(X<48)&&!(X>102)&&(!(X>57)||!(X<65))&&(!(X>70)||!(X<97)););return o=W+(e<6&&32==U()&&32==$()),C(V,r,o)}(W-1,7);continue;case 47:switch(U()){case 42:case 47:L((s=function(r,e){for(;$();)if(r+X===57)break;else if(r+X===84&&47===U())break;return"/*"+C(V,e,W-1)+"*"+T(47===r?r:$())}($(),W),u=o,f=t,g=d,Z(s,u,f,z,T(X),C(s,2,-2),0,g)),d),(5==K(w||1)||5==K(U()||1))&&I(R)&&" "!==C(R,-1,void 0)&&(R+=" ");break;default:R+="/"}break;case 123*y:i[h++]=I(R)*x;case 125*y:case 59:case 0:switch(P){case 0:case 125:S=0;case 59+m:-1==x&&(R=D(R,/\f/g,"")),k>0&&(I(R)-b||0===y&&47===w)&&L(k>32?rt(R+";",a,t,b-1,d):rt(D(R," ","")+";",a,t,b-2,d),d);break;case 59:R+=";";default:if(L(H=ro(R,o,t,h,m,l,i,j,F=[],N=[],b,n),n),123===P)if(0===m)r(R,o,H,H,F,n,b,i,N);else{switch(B){case 99:if(110===A(R,3))break;case 108:if(97===A(R,2))break;default:m=0;case 100:case 109:case 115:}m?r(e,H,H,a&&L(ro(e,H,H,0,0,l,i,j,l,F=[],b,N),N),l,N,b,i,a?F:N):r(R,H,H,H,[""],N,0,i,N)}}h=m=k=0,y=x=1,j=R="",b=c;break;case 58:b=1+I(R),k=w;default:if(y<1){if(123==P)--y;else if(125==P&&0==y++&&125==(X=W>0?A(V,--W):0,M--,10===X&&(M=1,O--),X))continue}switch(R+=T(P),P*y){case 38:x=m>0?1:(R+="\f",-1);break;case 44:i[h++]=(I(R)-1)*x,x=1;break;case 64:45===U()&&(R+=Q($())),B=U(),m=b=I(j=R+=rr(W)),P++;break;case 45:45===w&&2==I(R)&&(y=0)}}return n}("",null,null,null,[""],r=J(r),0,[0],r),V="",e}function ro(r,e,o,t,a,l,n,c,i,d,s,u){for(var f=a-1,g=0===a?l:[""],v=g.length,p=0,h=0,m=0;p0?g[b]+" "+B:D(B,/&\f/g,g[b])).trim())&&(i[m++]=k);return Z(r,e,o,0===a?j:c,i,d,s,u)}function rt(r,e,o,t,a){return Z(r,e,o,F,C(r,0,t),C(r,t+1,-1),t,a)}function ra(r){var e=r.length;return function(o,t,a,l){for(var n="",c=0;c{r.type===j&&"string"!=typeof r.props&&(r.props=r.props.map(r=>-1===r.indexOf(":global(")?r:(function(r){var e;return e=function(r){for(;$();)switch(K(X)){case 0:L(rr(W-1),r);break;case 2:L(Q(X),r);break;default:L(T(X),r)}return r}(J(r)),V="",e})(r).reduce((r,e,o,t)=>{if(""===e)return r;if(":"===e&&"global"===t[o+1]){let e=t[o+2].slice(1,-1)+" ";return r.unshift(e),t[o+1]="",t[o+2]="",r}return r.push(e),r},[]).join("")))};function rc(r,e,o,t){if(r.length>-1&&!r.return)switch(r.type){case F:r.return=function r(e,o,t){switch(45^A(e,0)?(((o<<2^A(e,0))<<2^A(e,1))<<2^A(e,2))<<2^A(e,3):0){case 5103:return P+"print-"+e+e;case 3191:case 6645:case 3005:case 6391:case 5879:case 5623:case 6135:case 4599:case 4855:return P+e+e;case 4215:if(102===A(e,9)||116===A(e,o+1))return P+e+e;break;case 4789:return x+e+e;case 5349:case 4246:case 6968:return P+e+x+e+e;case 6187:if(!R(e,/grab/))return D(D(D(e,/(zoom-|grab)/,P+"$1"),/(image-set)/,P+"$1"),e,"")+e;case 5495:case 3959:return D(e,/(image-set\([^]*)/,P+"$1$`$1");case 4095:case 3583:case 4068:case 2532:return D(e,/(.+)-inline(.+)/,P+"$1$2")+e;case 8116:case 7059:case 5753:case 5535:case 5445:case 5701:case 4933:case 4677:case 5533:case 5789:case 5021:case 4765:if(I(e)-1-o>6)switch(A(e,o+1)){case 102:if(108===A(e,o+3))return D(e,/(.+:)(.+)-([^]+)/,"$1"+P+"$2-$3$1"+x+(108==A(e,o+3)?"$3":"$2-$3"))+e;case 115:return~e.indexOf("stretch",void 0)?r(D(e,"stretch","fill-available"),o)+e:e}}return e}(r.value,r.length);break;case j:if(r.length){var a,l;return a=r.props,l=function(e){switch(R(e,/(::plac\w+|:read-\w+)/)){case":read-only":case":read-write":return _([Y(r,{props:[D(e,/:(read-\w+)/,":"+x+"$1")]})],t);case"::placeholder":return _([Y(r,{props:[D(e,/:(plac\w+)/,":"+P+"input-$1")]}),Y(r,{props:[D(e,/:(plac\w+)/,":"+x+"$1")]})],t)}return""},a.map(l).join("")}}}let ri=r=>{(function(r){switch(r.type){case"@container":case"@media":case"@supports":case N:return!0}return!1})(r)&&Array.isArray(r.children)&&r.children.sort((r,e)=>r.props[0]>e.props[0]?1:-1)};function rd(){}let rs=/,( *[^ &])/g;function ru(r,e,o){let t=e;return o.length>0&&(t=o.reduceRight((r,e)=>"".concat("&"+S(e.replace(rs,",&$1"))," { ").concat(r," }"),e)),"".concat(r,"{").concat(t,"}")}function rf(r,e){let{className:o,selectors:t,property:a,rtlClassName:l,rtlProperty:n,rtlValue:c,value:i}=r,{container:d,layer:s,media:u,supports:f}=e,g=Array.isArray(i)?"".concat(i.map(r=>"".concat(y(a),": ").concat(r)).join(";"),";"):"".concat(y(a),": ").concat(i,";"),v=ru(".".concat(o),g,t);if(n&&l){let r=Array.isArray(c)?"".concat(c.map(r=>"".concat(y(n),": ").concat(r)).join(";"),";"):"".concat(y(n),": ").concat(c,";");v+=ru(".".concat(l),r,t)}u&&(v="@media ".concat(u," { ").concat(v," }")),s&&(v="@layer ".concat(s," { ").concat(v," }")),f&&(v="@supports ".concat(f," { ").concat(v," }")),d&&(v="@container ".concat(d," { ").concat(v," }"));let p=[];return _(re(v),ra([rn,ri,rc,E,rl(r=>p.push(r))])),p}function rg(r){let e="";for(let o in r)e+="".concat(o,"{").concat(function(r){let e="";for(let o in r){let t=r[o];if("string"==typeof t||"number"==typeof t){e+=y(o)+":"+t+";";continue}if(Array.isArray(t))for(let r of t)e+=y(o)+":"+r+";"}return e}(r[o]),"}");return e}function rv(r,e){let o="@keyframes ".concat(r," {").concat(e,"}"),t=[];return _(re(o),ra([E,rc,rl(r=>t.push(r))])),t}let rp={animation:[-1,["animationDelay","animationDirection","animationDuration","animationFillMode","animationIterationCount","animationName","animationPlayState","animationTimeline","animationTimingFunction"]],animationRange:[-1,["animationRangeEnd","animationRangeStart"]],background:[-2,["backgroundAttachment","backgroundClip","backgroundColor","backgroundImage","backgroundOrigin","backgroundPosition","backgroundPositionX","backgroundPositionY","backgroundRepeat","backgroundSize"]],backgroundPosition:[-1,["backgroundPositionX","backgroundPositionY"]],border:[-2,["borderBottom","borderBottomColor","borderBottomStyle","borderBottomWidth","borderLeft","borderLeftColor","borderLeftStyle","borderLeftWidth","borderRight","borderRightColor","borderRightStyle","borderRightWidth","borderTop","borderTopColor","borderTopStyle","borderTopWidth"]],borderBottom:[-1,["borderBottomColor","borderBottomStyle","borderBottomWidth"]],borderImage:[-1,["borderImageOutset","borderImageRepeat","borderImageSlice","borderImageSource","borderImageWidth"]],borderLeft:[-1,["borderLeftColor","borderLeftStyle","borderLeftWidth"]],borderRadius:[-1,["borderBottomLeftRadius","borderBottomRightRadius","borderTopLeftRadius","borderTopRightRadius"]],borderRight:[-1,["borderRightColor","borderRightStyle","borderRightWidth"]],borderTop:[-1,["borderTopColor","borderTopStyle","borderTopWidth"]],caret:[-1,["caretColor","caretShape"]],columnRule:[-1,["columnRuleColor","columnRuleStyle","columnRuleWidth"]],columns:[-1,["columnCount","columnWidth"]],containIntrinsicSize:[-1,["containIntrinsicHeight","containIntrinsicWidth"]],container:[-1,["containerName","containerType"]],flex:[-1,["flexBasis","flexGrow","flexShrink"]],flexFlow:[-1,["flexDirection","flexWrap"]],font:[-1,["fontFamily","fontSize","fontStretch","fontStyle","fontVariant","fontWeight","lineHeight"]],gap:[-1,["columnGap","rowGap"]],grid:[-1,["columnGap","gridAutoColumns","gridAutoFlow","gridAutoRows","gridColumnGap","gridRowGap","gridTemplateAreas","gridTemplateColumns","gridTemplateRows","rowGap"]],gridArea:[-1,["gridColumnEnd","gridColumnStart","gridRowEnd","gridRowStart"]],gridColumn:[-1,["gridColumnEnd","gridColumnStart"]],gridRow:[-1,["gridRowEnd","gridRowStart"]],gridTemplate:[-1,["gridTemplateAreas","gridTemplateColumns","gridTemplateRows"]],inset:[-1,["bottom","left","right","top"]],insetBlock:[-1,["insetBlockEnd","insetBlockStart"]],insetInline:[-1,["insetInlineEnd","insetInlineStart"]],listStyle:[-1,["listStyleImage","listStylePosition","listStyleType"]],margin:[-1,["marginBottom","marginLeft","marginRight","marginTop"]],marginBlock:[-1,["marginBlockEnd","marginBlockStart"]],marginInline:[-1,["marginInlineEnd","marginInlineStart"]],mask:[-1,["maskClip","maskComposite","maskImage","maskMode","maskOrigin","maskPosition","maskRepeat","maskSize"]],maskBorder:[-1,["maskBorderMode","maskBorderOutset","maskBorderRepeat","maskBorderSlice","maskBorderSource","maskBorderWidth"]],offset:[-1,["offsetAnchor","offsetDistance","offsetPath","offsetPosition","offsetRotate"]],outline:[-1,["outlineColor","outlineStyle","outlineWidth"]],overflow:[-1,["overflowX","overflowY"]],overscrollBehavior:[-1,["overscrollBehaviorX","overscrollBehaviorY"]],padding:[-1,["paddingBottom","paddingLeft","paddingRight","paddingTop"]],paddingBlock:[-1,["paddingBlockEnd","paddingBlockStart"]],paddingInline:[-1,["paddingInlineEnd","paddingInlineStart"]],placeContent:[-1,["alignContent","justifyContent"]],placeItems:[-1,["alignItems","justifyItems"]],placeSelf:[-1,["alignSelf","justifySelf"]],scrollMargin:[-1,["scrollMarginBottom","scrollMarginLeft","scrollMarginRight","scrollMarginTop"]],scrollMarginBlock:[-1,["scrollMarginBlockEnd","scrollMarginBlockStart"]],scrollMarginInline:[-1,["scrollMarginInlineEnd","scrollMarginInlineStart"]],scrollPadding:[-1,["scrollPaddingBottom","scrollPaddingLeft","scrollPaddingRight","scrollPaddingTop"]],scrollPaddingBlock:[-1,["scrollPaddingBlockEnd","scrollPaddingBlockStart"]],scrollPaddingInline:[-1,["scrollPaddingInlineEnd","scrollPaddingInlineStart"]],scrollTimeline:[-1,["scrollTimelineAxis","scrollTimelineName"]],textDecoration:[-1,["textDecorationColor","textDecorationLine","textDecorationStyle","textDecorationThickness"]],textEmphasis:[-1,["textEmphasisColor","textEmphasisStyle"]],transition:[-1,["transitionBehavior","transitionDelay","transitionDuration","transitionProperty","transitionTimingFunction"]],viewTimeline:[-1,["viewTimelineAxis","viewTimelineName"]]};function rh(r,e){return 0===r.length?e:"".concat(r," and ").concat(e)}let rm=/^(:|\[|>|&)/,rb={"us-w":"w","us-v":"i",nk:"l",si:"v",cu:"f",ve:"h",ti:"a"};function rB(r,e){if(e.media)return"m";if(e.layer||e.supports)return"t";if(e.container)return"c";if(r.length>0){let e=r[0].trim();if(58===e.charCodeAt(0))return rb[e.slice(4,8)]||rb[e.slice(3,5)]||"d"}return"d"}function rk(r){var e,o,t,a;return((e=r.container)?"c"+e:e)+((o=r.media)?"m"+o:o)+((t=r.layer)?"l"+t:t)+((a=r.supports)?"s"+a:a)}function rw(r,e,t){let a=r+rk(t)+e,l=(0,o.default)(a),n=l.charCodeAt(0);return n>=48&&n<=57?String.fromCharCode(n+17)+l.slice(1):l}function ry(r,e){let{property:t,selector:a,salt:l,value:n}=r;return m.HASH_PREFIX+(0,o.default)(l+a+rk(e)+t+n.trim())}function rS(r){return r.replace(/>\s+/g,">")}function rx(){for(var r=arguments.length,e=Array(r),o=0;o0?[r,Object.fromEntries(e)]:r}function rj(r,e,o,t,a,l){let n=[];0!==l&&n.push(["p",l]),"m"===e&&a&&n.push(["m",a]),null!=r[e]||(r[e]=[]),o&&r[e].push(rz(o,n)),t&&r[e].push(rz(t,n))}var rF=r.i(69016),rN=r.i(11345),rq=r.i(71645);let rT=rq.useInsertionEffect?rq.useInsertionEffect:void 0,rH=()=>{let r={};return function(e,o){if(rT&&(0,rN.canUseDOM)())return void rT(()=>{e.insertCSSRules(o)},[e,o]);void 0===r[e.id]&&(e.insertCSSRules(o),r[e.id]=!0)}};var rR=r.i(91211),rD=r.i(54814);function rA(r){let t=function(r){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e.insertionFactory,a=t(),l=null,n=null,c=null,i=null;return function(e){let{dir:t,renderer:d}=e;null===l&&([l,n]=function(r){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",t={},a={};for(let l in r){let[n,c]=function r(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",a=arguments.length>2&&void 0!==arguments[2]?arguments[2]:[],l=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{container:"",layer:"",media:"",supports:""},n=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},c=arguments.length>5&&void 0!==arguments[5]?arguments[5]:{},i=arguments.length>6?arguments[6]:void 0;for(let u in e){var d,s;if(m.UNSUPPORTED_CSS_PROPERTIES.hasOwnProperty(u)){d=e[u],rx(['@griffel/react: You are using unsupported shorthand CSS property "'.concat(u,'". ')+'Please check your "makeStyles" calls, there *should not* be following:'," ".repeat(2)+"makeStyles({"," ".repeat(4)+"[slot]: { ".concat(u,': "').concat(d,'" }')," ".repeat(2)+"})","\nLearn why CSS shorthands are not supported: https://aka.ms/griffel-css-shorthands"].join("\n"));continue}let f=e[u];if(null!=f){if(f===m.RESET){s=void 0,n[rw(rS(a.join("")),u,l)]=s?[0,s]:0;continue}if("string"==typeof f||"number"==typeof f){let e=rS(a.join("")),o=rp[u];o&&r(Object.fromEntries(o[1].map(r=>[r,m.RESET])),t,a,l,n,c);let d=rw(e,u,l),s=ry({value:f.toString(),salt:t,selector:e,property:u},l),g=i&&{key:u,value:i}||h(u,f),v=g.key!==u||g.value!==f,p=v?ry({value:g.value.toString(),property:g.key,salt:t,selector:e},l):void 0,b=v?{rtlClassName:p,rtlProperty:g.key,rtlValue:g.value}:void 0,B=rB(a,l),[k,w]=rf(Object.assign({className:s,selectors:a,property:u,value:f},b),l);n[d]=p?[s,p]:s,rj(c,B,k,w,l.media,rP(o))}else if("animationName"===u){let e=Array.isArray(f)?f:[f],i=[],d=[];for(let r of e){let e,t=rg(r),a=rg(p(r)),n=m.HASH_PREFIX+(0,o.default)(t),s=rv(n,t),u=[];t===a?e=n:u=rv(e=m.HASH_PREFIX+(0,o.default)(a),a);for(let r=0;r[r,m.RESET])),t,a,l,n,c);let i=rw(e,u,l),d=ry({value:f.map(r=>(null!=r?r:"").toString()).join(";"),salt:t,selector:e,property:u},l),s=f.map(r=>h(u,r));if(s.some(r=>r.key!==s[0].key))continue;let g=s[0].key!==u||s.some((r,e)=>r.value!==f[e]),v=g?ry({value:s.map(r=>{var e;return(null!=(e=null==r?void 0:r.value)?e:"").toString()}).join(";"),salt:t,property:s[0].key,selector:e},l):void 0,p=g?{rtlClassName:v,rtlProperty:s[0].key,rtlValue:s.map(r=>r.value)}:void 0,b=rB(a,l),[B,k]=rf(Object.assign({className:d,selectors:a,property:u,value:f},p),l);n[i]=v?[d,v]:d,rj(c,b,B,k,l.media,rP(o))}else if(null!=f&&"object"==typeof f&&!1===Array.isArray(f))if(rm.test(u))r(f,t,a.concat(S(u)),l,n,c);else if("@media"===u.substr(0,6)){let e=rh(l.media,u.slice(6).trim());r(f,t,a,Object.assign({},l,{media:e}),n,c)}else if("@layer"===u.substr(0,6)){let e=(l.layer?"".concat(l.layer,"."):"")+u.slice(6).trim();r(f,t,a,Object.assign({},l,{layer:e}),n,c)}else if("@supports"===u.substr(0,9)){let e=rh(l.supports,u.slice(9).trim());r(f,t,a,Object.assign({},l,{supports:e}),n,c)}else"@container"===u.substring(0,10)?r(f,t,a,Object.assign({},l,{container:u.slice(10).trim()}),n,c):!function(r,e){rx((()=>{let o=JSON.stringify(e,null,2),t=["@griffel/react: A rule was not resolved to CSS properly. Please check your `makeStyles` or `makeResetStyles` calls for following:"," ".repeat(2)+"makeStyles({"," ".repeat(4)+"[slot]: {"," ".repeat(6)+'"'.concat(r,'": ').concat(o.split("\n").map((r,e)=>" ".repeat(6*(0!==e))+r).join("\n"))," ".repeat(4)+"}"," ".repeat(2)+"})",""];return -1===r.indexOf("&")?(t.push("It looks that you're are using a nested selector, but it is missing an ampersand placeholder where the generated class name should be injected."),t.push('Try to update a property to include it i.e "'.concat(r,'" => "&').concat(r,'".'))):(t.push(""),t.push("If it's not obvious what triggers a problem, please report an issue at https://github.com/microsoft/griffel/issues")),t.join("\n")})())}(u,f)}}return[n,c]}(r[l],e);t[l]=n,Object.keys(c).forEach(r=>{a[r]=(a[r]||[]).concat(c[r])})}return[t,a]}(r,d.classNameHashSalt));let s="ltr"===t;return s?null===c&&(c=(0,rF.reduceToClassNameForSlots)(l,t)):null===i&&(i=(0,rF.reduceToClassNameForSlots)(l,t)),a(d,n),s?c:i}}(r,rH);return function(){return t({dir:(0,rD.useTextDirection)(),renderer:(0,rR.useRenderer)()})}}r.s(["tokens",()=>rC],83831);let rC={colorNeutralForeground1:"var(--colorNeutralForeground1)",colorNeutralForeground1Hover:"var(--colorNeutralForeground1Hover)",colorNeutralForeground1Pressed:"var(--colorNeutralForeground1Pressed)",colorNeutralForeground1Selected:"var(--colorNeutralForeground1Selected)",colorNeutralForeground2:"var(--colorNeutralForeground2)",colorNeutralForeground2Hover:"var(--colorNeutralForeground2Hover)",colorNeutralForeground2Pressed:"var(--colorNeutralForeground2Pressed)",colorNeutralForeground2Selected:"var(--colorNeutralForeground2Selected)",colorNeutralForeground2BrandHover:"var(--colorNeutralForeground2BrandHover)",colorNeutralForeground2BrandPressed:"var(--colorNeutralForeground2BrandPressed)",colorNeutralForeground2BrandSelected:"var(--colorNeutralForeground2BrandSelected)",colorNeutralForeground3:"var(--colorNeutralForeground3)",colorNeutralForeground3Hover:"var(--colorNeutralForeground3Hover)",colorNeutralForeground3Pressed:"var(--colorNeutralForeground3Pressed)",colorNeutralForeground3Selected:"var(--colorNeutralForeground3Selected)",colorNeutralForeground3BrandHover:"var(--colorNeutralForeground3BrandHover)",colorNeutralForeground3BrandPressed:"var(--colorNeutralForeground3BrandPressed)",colorNeutralForeground3BrandSelected:"var(--colorNeutralForeground3BrandSelected)",colorNeutralForeground4:"var(--colorNeutralForeground4)",colorNeutralForegroundDisabled:"var(--colorNeutralForegroundDisabled)",colorBrandForegroundLink:"var(--colorBrandForegroundLink)",colorBrandForegroundLinkHover:"var(--colorBrandForegroundLinkHover)",colorBrandForegroundLinkPressed:"var(--colorBrandForegroundLinkPressed)",colorBrandForegroundLinkSelected:"var(--colorBrandForegroundLinkSelected)",colorNeutralForeground2Link:"var(--colorNeutralForeground2Link)",colorNeutralForeground2LinkHover:"var(--colorNeutralForeground2LinkHover)",colorNeutralForeground2LinkPressed:"var(--colorNeutralForeground2LinkPressed)",colorNeutralForeground2LinkSelected:"var(--colorNeutralForeground2LinkSelected)",colorCompoundBrandForeground1:"var(--colorCompoundBrandForeground1)",colorCompoundBrandForeground1Hover:"var(--colorCompoundBrandForeground1Hover)",colorCompoundBrandForeground1Pressed:"var(--colorCompoundBrandForeground1Pressed)",colorNeutralForegroundOnBrand:"var(--colorNeutralForegroundOnBrand)",colorNeutralForegroundInverted:"var(--colorNeutralForegroundInverted)",colorNeutralForegroundInvertedHover:"var(--colorNeutralForegroundInvertedHover)",colorNeutralForegroundInvertedPressed:"var(--colorNeutralForegroundInvertedPressed)",colorNeutralForegroundInvertedSelected:"var(--colorNeutralForegroundInvertedSelected)",colorNeutralForegroundInverted2:"var(--colorNeutralForegroundInverted2)",colorNeutralForegroundStaticInverted:"var(--colorNeutralForegroundStaticInverted)",colorNeutralForegroundInvertedLink:"var(--colorNeutralForegroundInvertedLink)",colorNeutralForegroundInvertedLinkHover:"var(--colorNeutralForegroundInvertedLinkHover)",colorNeutralForegroundInvertedLinkPressed:"var(--colorNeutralForegroundInvertedLinkPressed)",colorNeutralForegroundInvertedLinkSelected:"var(--colorNeutralForegroundInvertedLinkSelected)",colorNeutralForegroundInvertedDisabled:"var(--colorNeutralForegroundInvertedDisabled)",colorBrandForeground1:"var(--colorBrandForeground1)",colorBrandForeground2:"var(--colorBrandForeground2)",colorBrandForeground2Hover:"var(--colorBrandForeground2Hover)",colorBrandForeground2Pressed:"var(--colorBrandForeground2Pressed)",colorNeutralForeground1Static:"var(--colorNeutralForeground1Static)",colorBrandForegroundInverted:"var(--colorBrandForegroundInverted)",colorBrandForegroundInvertedHover:"var(--colorBrandForegroundInvertedHover)",colorBrandForegroundInvertedPressed:"var(--colorBrandForegroundInvertedPressed)",colorBrandForegroundOnLight:"var(--colorBrandForegroundOnLight)",colorBrandForegroundOnLightHover:"var(--colorBrandForegroundOnLightHover)",colorBrandForegroundOnLightPressed:"var(--colorBrandForegroundOnLightPressed)",colorBrandForegroundOnLightSelected:"var(--colorBrandForegroundOnLightSelected)",colorNeutralBackground1:"var(--colorNeutralBackground1)",colorNeutralBackground1Hover:"var(--colorNeutralBackground1Hover)",colorNeutralBackground1Pressed:"var(--colorNeutralBackground1Pressed)",colorNeutralBackground1Selected:"var(--colorNeutralBackground1Selected)",colorNeutralBackground2:"var(--colorNeutralBackground2)",colorNeutralBackground2Hover:"var(--colorNeutralBackground2Hover)",colorNeutralBackground2Pressed:"var(--colorNeutralBackground2Pressed)",colorNeutralBackground2Selected:"var(--colorNeutralBackground2Selected)",colorNeutralBackground3:"var(--colorNeutralBackground3)",colorNeutralBackground3Hover:"var(--colorNeutralBackground3Hover)",colorNeutralBackground3Pressed:"var(--colorNeutralBackground3Pressed)",colorNeutralBackground3Selected:"var(--colorNeutralBackground3Selected)",colorNeutralBackground4:"var(--colorNeutralBackground4)",colorNeutralBackground4Hover:"var(--colorNeutralBackground4Hover)",colorNeutralBackground4Pressed:"var(--colorNeutralBackground4Pressed)",colorNeutralBackground4Selected:"var(--colorNeutralBackground4Selected)",colorNeutralBackground5:"var(--colorNeutralBackground5)",colorNeutralBackground5Hover:"var(--colorNeutralBackground5Hover)",colorNeutralBackground5Pressed:"var(--colorNeutralBackground5Pressed)",colorNeutralBackground5Selected:"var(--colorNeutralBackground5Selected)",colorNeutralBackground6:"var(--colorNeutralBackground6)",colorNeutralBackgroundInverted:"var(--colorNeutralBackgroundInverted)",colorNeutralBackgroundStatic:"var(--colorNeutralBackgroundStatic)",colorNeutralBackgroundAlpha:"var(--colorNeutralBackgroundAlpha)",colorNeutralBackgroundAlpha2:"var(--colorNeutralBackgroundAlpha2)",colorSubtleBackground:"var(--colorSubtleBackground)",colorSubtleBackgroundHover:"var(--colorSubtleBackgroundHover)",colorSubtleBackgroundPressed:"var(--colorSubtleBackgroundPressed)",colorSubtleBackgroundSelected:"var(--colorSubtleBackgroundSelected)",colorSubtleBackgroundLightAlphaHover:"var(--colorSubtleBackgroundLightAlphaHover)",colorSubtleBackgroundLightAlphaPressed:"var(--colorSubtleBackgroundLightAlphaPressed)",colorSubtleBackgroundLightAlphaSelected:"var(--colorSubtleBackgroundLightAlphaSelected)",colorSubtleBackgroundInverted:"var(--colorSubtleBackgroundInverted)",colorSubtleBackgroundInvertedHover:"var(--colorSubtleBackgroundInvertedHover)",colorSubtleBackgroundInvertedPressed:"var(--colorSubtleBackgroundInvertedPressed)",colorSubtleBackgroundInvertedSelected:"var(--colorSubtleBackgroundInvertedSelected)",colorTransparentBackground:"var(--colorTransparentBackground)",colorTransparentBackgroundHover:"var(--colorTransparentBackgroundHover)",colorTransparentBackgroundPressed:"var(--colorTransparentBackgroundPressed)",colorTransparentBackgroundSelected:"var(--colorTransparentBackgroundSelected)",colorNeutralBackgroundDisabled:"var(--colorNeutralBackgroundDisabled)",colorNeutralBackgroundInvertedDisabled:"var(--colorNeutralBackgroundInvertedDisabled)",colorNeutralStencil1:"var(--colorNeutralStencil1)",colorNeutralStencil2:"var(--colorNeutralStencil2)",colorNeutralStencil1Alpha:"var(--colorNeutralStencil1Alpha)",colorNeutralStencil2Alpha:"var(--colorNeutralStencil2Alpha)",colorBackgroundOverlay:"var(--colorBackgroundOverlay)",colorScrollbarOverlay:"var(--colorScrollbarOverlay)",colorBrandBackground:"var(--colorBrandBackground)",colorBrandBackgroundHover:"var(--colorBrandBackgroundHover)",colorBrandBackgroundPressed:"var(--colorBrandBackgroundPressed)",colorBrandBackgroundSelected:"var(--colorBrandBackgroundSelected)",colorCompoundBrandBackground:"var(--colorCompoundBrandBackground)",colorCompoundBrandBackgroundHover:"var(--colorCompoundBrandBackgroundHover)",colorCompoundBrandBackgroundPressed:"var(--colorCompoundBrandBackgroundPressed)",colorBrandBackgroundStatic:"var(--colorBrandBackgroundStatic)",colorBrandBackground2:"var(--colorBrandBackground2)",colorBrandBackground2Hover:"var(--colorBrandBackground2Hover)",colorBrandBackground2Pressed:"var(--colorBrandBackground2Pressed)",colorBrandBackground3Static:"var(--colorBrandBackground3Static)",colorBrandBackground4Static:"var(--colorBrandBackground4Static)",colorBrandBackgroundInverted:"var(--colorBrandBackgroundInverted)",colorBrandBackgroundInvertedHover:"var(--colorBrandBackgroundInvertedHover)",colorBrandBackgroundInvertedPressed:"var(--colorBrandBackgroundInvertedPressed)",colorBrandBackgroundInvertedSelected:"var(--colorBrandBackgroundInvertedSelected)",colorNeutralCardBackground:"var(--colorNeutralCardBackground)",colorNeutralCardBackgroundHover:"var(--colorNeutralCardBackgroundHover)",colorNeutralCardBackgroundPressed:"var(--colorNeutralCardBackgroundPressed)",colorNeutralCardBackgroundSelected:"var(--colorNeutralCardBackgroundSelected)",colorNeutralCardBackgroundDisabled:"var(--colorNeutralCardBackgroundDisabled)",colorNeutralStrokeAccessible:"var(--colorNeutralStrokeAccessible)",colorNeutralStrokeAccessibleHover:"var(--colorNeutralStrokeAccessibleHover)",colorNeutralStrokeAccessiblePressed:"var(--colorNeutralStrokeAccessiblePressed)",colorNeutralStrokeAccessibleSelected:"var(--colorNeutralStrokeAccessibleSelected)",colorNeutralStroke1:"var(--colorNeutralStroke1)",colorNeutralStroke1Hover:"var(--colorNeutralStroke1Hover)",colorNeutralStroke1Pressed:"var(--colorNeutralStroke1Pressed)",colorNeutralStroke1Selected:"var(--colorNeutralStroke1Selected)",colorNeutralStroke2:"var(--colorNeutralStroke2)",colorNeutralStroke3:"var(--colorNeutralStroke3)",colorNeutralStrokeSubtle:"var(--colorNeutralStrokeSubtle)",colorNeutralStrokeOnBrand:"var(--colorNeutralStrokeOnBrand)",colorNeutralStrokeOnBrand2:"var(--colorNeutralStrokeOnBrand2)",colorNeutralStrokeOnBrand2Hover:"var(--colorNeutralStrokeOnBrand2Hover)",colorNeutralStrokeOnBrand2Pressed:"var(--colorNeutralStrokeOnBrand2Pressed)",colorNeutralStrokeOnBrand2Selected:"var(--colorNeutralStrokeOnBrand2Selected)",colorBrandStroke1:"var(--colorBrandStroke1)",colorBrandStroke2:"var(--colorBrandStroke2)",colorBrandStroke2Hover:"var(--colorBrandStroke2Hover)",colorBrandStroke2Pressed:"var(--colorBrandStroke2Pressed)",colorBrandStroke2Contrast:"var(--colorBrandStroke2Contrast)",colorCompoundBrandStroke:"var(--colorCompoundBrandStroke)",colorCompoundBrandStrokeHover:"var(--colorCompoundBrandStrokeHover)",colorCompoundBrandStrokePressed:"var(--colorCompoundBrandStrokePressed)",colorNeutralStrokeDisabled:"var(--colorNeutralStrokeDisabled)",colorNeutralStrokeInvertedDisabled:"var(--colorNeutralStrokeInvertedDisabled)",colorTransparentStroke:"var(--colorTransparentStroke)",colorTransparentStrokeInteractive:"var(--colorTransparentStrokeInteractive)",colorTransparentStrokeDisabled:"var(--colorTransparentStrokeDisabled)",colorNeutralStrokeAlpha:"var(--colorNeutralStrokeAlpha)",colorNeutralStrokeAlpha2:"var(--colorNeutralStrokeAlpha2)",colorStrokeFocus1:"var(--colorStrokeFocus1)",colorStrokeFocus2:"var(--colorStrokeFocus2)",colorNeutralShadowAmbient:"var(--colorNeutralShadowAmbient)",colorNeutralShadowKey:"var(--colorNeutralShadowKey)",colorNeutralShadowAmbientLighter:"var(--colorNeutralShadowAmbientLighter)",colorNeutralShadowKeyLighter:"var(--colorNeutralShadowKeyLighter)",colorNeutralShadowAmbientDarker:"var(--colorNeutralShadowAmbientDarker)",colorNeutralShadowKeyDarker:"var(--colorNeutralShadowKeyDarker)",colorBrandShadowAmbient:"var(--colorBrandShadowAmbient)",colorBrandShadowKey:"var(--colorBrandShadowKey)",colorPaletteRedBackground1:"var(--colorPaletteRedBackground1)",colorPaletteRedBackground2:"var(--colorPaletteRedBackground2)",colorPaletteRedBackground3:"var(--colorPaletteRedBackground3)",colorPaletteRedBorderActive:"var(--colorPaletteRedBorderActive)",colorPaletteRedBorder1:"var(--colorPaletteRedBorder1)",colorPaletteRedBorder2:"var(--colorPaletteRedBorder2)",colorPaletteRedForeground1:"var(--colorPaletteRedForeground1)",colorPaletteRedForeground2:"var(--colorPaletteRedForeground2)",colorPaletteRedForeground3:"var(--colorPaletteRedForeground3)",colorPaletteRedForegroundInverted:"var(--colorPaletteRedForegroundInverted)",colorPaletteGreenBackground1:"var(--colorPaletteGreenBackground1)",colorPaletteGreenBackground2:"var(--colorPaletteGreenBackground2)",colorPaletteGreenBackground3:"var(--colorPaletteGreenBackground3)",colorPaletteGreenBorderActive:"var(--colorPaletteGreenBorderActive)",colorPaletteGreenBorder1:"var(--colorPaletteGreenBorder1)",colorPaletteGreenBorder2:"var(--colorPaletteGreenBorder2)",colorPaletteGreenForeground1:"var(--colorPaletteGreenForeground1)",colorPaletteGreenForeground2:"var(--colorPaletteGreenForeground2)",colorPaletteGreenForeground3:"var(--colorPaletteGreenForeground3)",colorPaletteGreenForegroundInverted:"var(--colorPaletteGreenForegroundInverted)",colorPaletteDarkOrangeBackground1:"var(--colorPaletteDarkOrangeBackground1)",colorPaletteDarkOrangeBackground2:"var(--colorPaletteDarkOrangeBackground2)",colorPaletteDarkOrangeBackground3:"var(--colorPaletteDarkOrangeBackground3)",colorPaletteDarkOrangeBorderActive:"var(--colorPaletteDarkOrangeBorderActive)",colorPaletteDarkOrangeBorder1:"var(--colorPaletteDarkOrangeBorder1)",colorPaletteDarkOrangeBorder2:"var(--colorPaletteDarkOrangeBorder2)",colorPaletteDarkOrangeForeground1:"var(--colorPaletteDarkOrangeForeground1)",colorPaletteDarkOrangeForeground2:"var(--colorPaletteDarkOrangeForeground2)",colorPaletteDarkOrangeForeground3:"var(--colorPaletteDarkOrangeForeground3)",colorPaletteYellowBackground1:"var(--colorPaletteYellowBackground1)",colorPaletteYellowBackground2:"var(--colorPaletteYellowBackground2)",colorPaletteYellowBackground3:"var(--colorPaletteYellowBackground3)",colorPaletteYellowBorderActive:"var(--colorPaletteYellowBorderActive)",colorPaletteYellowBorder1:"var(--colorPaletteYellowBorder1)",colorPaletteYellowBorder2:"var(--colorPaletteYellowBorder2)",colorPaletteYellowForeground1:"var(--colorPaletteYellowForeground1)",colorPaletteYellowForeground2:"var(--colorPaletteYellowForeground2)",colorPaletteYellowForeground3:"var(--colorPaletteYellowForeground3)",colorPaletteYellowForegroundInverted:"var(--colorPaletteYellowForegroundInverted)",colorPaletteBerryBackground1:"var(--colorPaletteBerryBackground1)",colorPaletteBerryBackground2:"var(--colorPaletteBerryBackground2)",colorPaletteBerryBackground3:"var(--colorPaletteBerryBackground3)",colorPaletteBerryBorderActive:"var(--colorPaletteBerryBorderActive)",colorPaletteBerryBorder1:"var(--colorPaletteBerryBorder1)",colorPaletteBerryBorder2:"var(--colorPaletteBerryBorder2)",colorPaletteBerryForeground1:"var(--colorPaletteBerryForeground1)",colorPaletteBerryForeground2:"var(--colorPaletteBerryForeground2)",colorPaletteBerryForeground3:"var(--colorPaletteBerryForeground3)",colorPaletteMarigoldBackground1:"var(--colorPaletteMarigoldBackground1)",colorPaletteMarigoldBackground2:"var(--colorPaletteMarigoldBackground2)",colorPaletteMarigoldBackground3:"var(--colorPaletteMarigoldBackground3)",colorPaletteMarigoldBorderActive:"var(--colorPaletteMarigoldBorderActive)",colorPaletteMarigoldBorder1:"var(--colorPaletteMarigoldBorder1)",colorPaletteMarigoldBorder2:"var(--colorPaletteMarigoldBorder2)",colorPaletteMarigoldForeground1:"var(--colorPaletteMarigoldForeground1)",colorPaletteMarigoldForeground2:"var(--colorPaletteMarigoldForeground2)",colorPaletteMarigoldForeground3:"var(--colorPaletteMarigoldForeground3)",colorPaletteLightGreenBackground1:"var(--colorPaletteLightGreenBackground1)",colorPaletteLightGreenBackground2:"var(--colorPaletteLightGreenBackground2)",colorPaletteLightGreenBackground3:"var(--colorPaletteLightGreenBackground3)",colorPaletteLightGreenBorderActive:"var(--colorPaletteLightGreenBorderActive)",colorPaletteLightGreenBorder1:"var(--colorPaletteLightGreenBorder1)",colorPaletteLightGreenBorder2:"var(--colorPaletteLightGreenBorder2)",colorPaletteLightGreenForeground1:"var(--colorPaletteLightGreenForeground1)",colorPaletteLightGreenForeground2:"var(--colorPaletteLightGreenForeground2)",colorPaletteLightGreenForeground3:"var(--colorPaletteLightGreenForeground3)",colorPaletteAnchorBackground2:"var(--colorPaletteAnchorBackground2)",colorPaletteAnchorBorderActive:"var(--colorPaletteAnchorBorderActive)",colorPaletteAnchorForeground2:"var(--colorPaletteAnchorForeground2)",colorPaletteBeigeBackground2:"var(--colorPaletteBeigeBackground2)",colorPaletteBeigeBorderActive:"var(--colorPaletteBeigeBorderActive)",colorPaletteBeigeForeground2:"var(--colorPaletteBeigeForeground2)",colorPaletteBlueBackground2:"var(--colorPaletteBlueBackground2)",colorPaletteBlueBorderActive:"var(--colorPaletteBlueBorderActive)",colorPaletteBlueForeground2:"var(--colorPaletteBlueForeground2)",colorPaletteBrassBackground2:"var(--colorPaletteBrassBackground2)",colorPaletteBrassBorderActive:"var(--colorPaletteBrassBorderActive)",colorPaletteBrassForeground2:"var(--colorPaletteBrassForeground2)",colorPaletteBrownBackground2:"var(--colorPaletteBrownBackground2)",colorPaletteBrownBorderActive:"var(--colorPaletteBrownBorderActive)",colorPaletteBrownForeground2:"var(--colorPaletteBrownForeground2)",colorPaletteCornflowerBackground2:"var(--colorPaletteCornflowerBackground2)",colorPaletteCornflowerBorderActive:"var(--colorPaletteCornflowerBorderActive)",colorPaletteCornflowerForeground2:"var(--colorPaletteCornflowerForeground2)",colorPaletteCranberryBackground2:"var(--colorPaletteCranberryBackground2)",colorPaletteCranberryBorderActive:"var(--colorPaletteCranberryBorderActive)",colorPaletteCranberryForeground2:"var(--colorPaletteCranberryForeground2)",colorPaletteDarkGreenBackground2:"var(--colorPaletteDarkGreenBackground2)",colorPaletteDarkGreenBorderActive:"var(--colorPaletteDarkGreenBorderActive)",colorPaletteDarkGreenForeground2:"var(--colorPaletteDarkGreenForeground2)",colorPaletteDarkRedBackground2:"var(--colorPaletteDarkRedBackground2)",colorPaletteDarkRedBorderActive:"var(--colorPaletteDarkRedBorderActive)",colorPaletteDarkRedForeground2:"var(--colorPaletteDarkRedForeground2)",colorPaletteForestBackground2:"var(--colorPaletteForestBackground2)",colorPaletteForestBorderActive:"var(--colorPaletteForestBorderActive)",colorPaletteForestForeground2:"var(--colorPaletteForestForeground2)",colorPaletteGoldBackground2:"var(--colorPaletteGoldBackground2)",colorPaletteGoldBorderActive:"var(--colorPaletteGoldBorderActive)",colorPaletteGoldForeground2:"var(--colorPaletteGoldForeground2)",colorPaletteGrapeBackground2:"var(--colorPaletteGrapeBackground2)",colorPaletteGrapeBorderActive:"var(--colorPaletteGrapeBorderActive)",colorPaletteGrapeForeground2:"var(--colorPaletteGrapeForeground2)",colorPaletteLavenderBackground2:"var(--colorPaletteLavenderBackground2)",colorPaletteLavenderBorderActive:"var(--colorPaletteLavenderBorderActive)",colorPaletteLavenderForeground2:"var(--colorPaletteLavenderForeground2)",colorPaletteLightTealBackground2:"var(--colorPaletteLightTealBackground2)",colorPaletteLightTealBorderActive:"var(--colorPaletteLightTealBorderActive)",colorPaletteLightTealForeground2:"var(--colorPaletteLightTealForeground2)",colorPaletteLilacBackground2:"var(--colorPaletteLilacBackground2)",colorPaletteLilacBorderActive:"var(--colorPaletteLilacBorderActive)",colorPaletteLilacForeground2:"var(--colorPaletteLilacForeground2)",colorPaletteMagentaBackground2:"var(--colorPaletteMagentaBackground2)",colorPaletteMagentaBorderActive:"var(--colorPaletteMagentaBorderActive)",colorPaletteMagentaForeground2:"var(--colorPaletteMagentaForeground2)",colorPaletteMinkBackground2:"var(--colorPaletteMinkBackground2)",colorPaletteMinkBorderActive:"var(--colorPaletteMinkBorderActive)",colorPaletteMinkForeground2:"var(--colorPaletteMinkForeground2)",colorPaletteNavyBackground2:"var(--colorPaletteNavyBackground2)",colorPaletteNavyBorderActive:"var(--colorPaletteNavyBorderActive)",colorPaletteNavyForeground2:"var(--colorPaletteNavyForeground2)",colorPalettePeachBackground2:"var(--colorPalettePeachBackground2)",colorPalettePeachBorderActive:"var(--colorPalettePeachBorderActive)",colorPalettePeachForeground2:"var(--colorPalettePeachForeground2)",colorPalettePinkBackground2:"var(--colorPalettePinkBackground2)",colorPalettePinkBorderActive:"var(--colorPalettePinkBorderActive)",colorPalettePinkForeground2:"var(--colorPalettePinkForeground2)",colorPalettePlatinumBackground2:"var(--colorPalettePlatinumBackground2)",colorPalettePlatinumBorderActive:"var(--colorPalettePlatinumBorderActive)",colorPalettePlatinumForeground2:"var(--colorPalettePlatinumForeground2)",colorPalettePlumBackground2:"var(--colorPalettePlumBackground2)",colorPalettePlumBorderActive:"var(--colorPalettePlumBorderActive)",colorPalettePlumForeground2:"var(--colorPalettePlumForeground2)",colorPalettePumpkinBackground2:"var(--colorPalettePumpkinBackground2)",colorPalettePumpkinBorderActive:"var(--colorPalettePumpkinBorderActive)",colorPalettePumpkinForeground2:"var(--colorPalettePumpkinForeground2)",colorPalettePurpleBackground2:"var(--colorPalettePurpleBackground2)",colorPalettePurpleBorderActive:"var(--colorPalettePurpleBorderActive)",colorPalettePurpleForeground2:"var(--colorPalettePurpleForeground2)",colorPaletteRoyalBlueBackground2:"var(--colorPaletteRoyalBlueBackground2)",colorPaletteRoyalBlueBorderActive:"var(--colorPaletteRoyalBlueBorderActive)",colorPaletteRoyalBlueForeground2:"var(--colorPaletteRoyalBlueForeground2)",colorPaletteSeafoamBackground2:"var(--colorPaletteSeafoamBackground2)",colorPaletteSeafoamBorderActive:"var(--colorPaletteSeafoamBorderActive)",colorPaletteSeafoamForeground2:"var(--colorPaletteSeafoamForeground2)",colorPaletteSteelBackground2:"var(--colorPaletteSteelBackground2)",colorPaletteSteelBorderActive:"var(--colorPaletteSteelBorderActive)",colorPaletteSteelForeground2:"var(--colorPaletteSteelForeground2)",colorPaletteTealBackground2:"var(--colorPaletteTealBackground2)",colorPaletteTealBorderActive:"var(--colorPaletteTealBorderActive)",colorPaletteTealForeground2:"var(--colorPaletteTealForeground2)",colorStatusSuccessBackground1:"var(--colorStatusSuccessBackground1)",colorStatusSuccessBackground2:"var(--colorStatusSuccessBackground2)",colorStatusSuccessBackground3:"var(--colorStatusSuccessBackground3)",colorStatusSuccessForeground1:"var(--colorStatusSuccessForeground1)",colorStatusSuccessForeground2:"var(--colorStatusSuccessForeground2)",colorStatusSuccessForeground3:"var(--colorStatusSuccessForeground3)",colorStatusSuccessForegroundInverted:"var(--colorStatusSuccessForegroundInverted)",colorStatusSuccessBorderActive:"var(--colorStatusSuccessBorderActive)",colorStatusSuccessBorder1:"var(--colorStatusSuccessBorder1)",colorStatusSuccessBorder2:"var(--colorStatusSuccessBorder2)",colorStatusWarningBackground1:"var(--colorStatusWarningBackground1)",colorStatusWarningBackground2:"var(--colorStatusWarningBackground2)",colorStatusWarningBackground3:"var(--colorStatusWarningBackground3)",colorStatusWarningForeground1:"var(--colorStatusWarningForeground1)",colorStatusWarningForeground2:"var(--colorStatusWarningForeground2)",colorStatusWarningForeground3:"var(--colorStatusWarningForeground3)",colorStatusWarningForegroundInverted:"var(--colorStatusWarningForegroundInverted)",colorStatusWarningBorderActive:"var(--colorStatusWarningBorderActive)",colorStatusWarningBorder1:"var(--colorStatusWarningBorder1)",colorStatusWarningBorder2:"var(--colorStatusWarningBorder2)",colorStatusDangerBackground1:"var(--colorStatusDangerBackground1)",colorStatusDangerBackground2:"var(--colorStatusDangerBackground2)",colorStatusDangerBackground3:"var(--colorStatusDangerBackground3)",colorStatusDangerBackground3Hover:"var(--colorStatusDangerBackground3Hover)",colorStatusDangerBackground3Pressed:"var(--colorStatusDangerBackground3Pressed)",colorStatusDangerForeground1:"var(--colorStatusDangerForeground1)",colorStatusDangerForeground2:"var(--colorStatusDangerForeground2)",colorStatusDangerForeground3:"var(--colorStatusDangerForeground3)",colorStatusDangerForegroundInverted:"var(--colorStatusDangerForegroundInverted)",colorStatusDangerBorderActive:"var(--colorStatusDangerBorderActive)",colorStatusDangerBorder1:"var(--colorStatusDangerBorder1)",colorStatusDangerBorder2:"var(--colorStatusDangerBorder2)",borderRadiusNone:"var(--borderRadiusNone)",borderRadiusSmall:"var(--borderRadiusSmall)",borderRadiusMedium:"var(--borderRadiusMedium)",borderRadiusLarge:"var(--borderRadiusLarge)",borderRadiusXLarge:"var(--borderRadiusXLarge)",borderRadiusCircular:"var(--borderRadiusCircular)",fontFamilyBase:"var(--fontFamilyBase)",fontFamilyMonospace:"var(--fontFamilyMonospace)",fontFamilyNumeric:"var(--fontFamilyNumeric)",fontSizeBase100:"var(--fontSizeBase100)",fontSizeBase200:"var(--fontSizeBase200)",fontSizeBase300:"var(--fontSizeBase300)",fontSizeBase400:"var(--fontSizeBase400)",fontSizeBase500:"var(--fontSizeBase500)",fontSizeBase600:"var(--fontSizeBase600)",fontSizeHero700:"var(--fontSizeHero700)",fontSizeHero800:"var(--fontSizeHero800)",fontSizeHero900:"var(--fontSizeHero900)",fontSizeHero1000:"var(--fontSizeHero1000)",fontWeightRegular:"var(--fontWeightRegular)",fontWeightMedium:"var(--fontWeightMedium)",fontWeightSemibold:"var(--fontWeightSemibold)",fontWeightBold:"var(--fontWeightBold)",lineHeightBase100:"var(--lineHeightBase100)",lineHeightBase200:"var(--lineHeightBase200)",lineHeightBase300:"var(--lineHeightBase300)",lineHeightBase400:"var(--lineHeightBase400)",lineHeightBase500:"var(--lineHeightBase500)",lineHeightBase600:"var(--lineHeightBase600)",lineHeightHero700:"var(--lineHeightHero700)",lineHeightHero800:"var(--lineHeightHero800)",lineHeightHero900:"var(--lineHeightHero900)",lineHeightHero1000:"var(--lineHeightHero1000)",shadow2:"var(--shadow2)",shadow4:"var(--shadow4)",shadow8:"var(--shadow8)",shadow16:"var(--shadow16)",shadow28:"var(--shadow28)",shadow64:"var(--shadow64)",shadow2Brand:"var(--shadow2Brand)",shadow4Brand:"var(--shadow4Brand)",shadow8Brand:"var(--shadow8Brand)",shadow16Brand:"var(--shadow16Brand)",shadow28Brand:"var(--shadow28Brand)",shadow64Brand:"var(--shadow64Brand)",strokeWidthThin:"var(--strokeWidthThin)",strokeWidthThick:"var(--strokeWidthThick)",strokeWidthThicker:"var(--strokeWidthThicker)",strokeWidthThickest:"var(--strokeWidthThickest)",spacingHorizontalNone:"var(--spacingHorizontalNone)",spacingHorizontalXXS:"var(--spacingHorizontalXXS)",spacingHorizontalXS:"var(--spacingHorizontalXS)",spacingHorizontalSNudge:"var(--spacingHorizontalSNudge)",spacingHorizontalS:"var(--spacingHorizontalS)",spacingHorizontalMNudge:"var(--spacingHorizontalMNudge)",spacingHorizontalM:"var(--spacingHorizontalM)",spacingHorizontalL:"var(--spacingHorizontalL)",spacingHorizontalXL:"var(--spacingHorizontalXL)",spacingHorizontalXXL:"var(--spacingHorizontalXXL)",spacingHorizontalXXXL:"var(--spacingHorizontalXXXL)",spacingVerticalNone:"var(--spacingVerticalNone)",spacingVerticalXXS:"var(--spacingVerticalXXS)",spacingVerticalXS:"var(--spacingVerticalXS)",spacingVerticalSNudge:"var(--spacingVerticalSNudge)",spacingVerticalS:"var(--spacingVerticalS)",spacingVerticalMNudge:"var(--spacingVerticalMNudge)",spacingVerticalM:"var(--spacingVerticalM)",spacingVerticalL:"var(--spacingVerticalL)",spacingVerticalXL:"var(--spacingVerticalXL)",spacingVerticalXXL:"var(--spacingVerticalXXL)",spacingVerticalXXXL:"var(--spacingVerticalXXXL)",durationUltraFast:"var(--durationUltraFast)",durationFaster:"var(--durationFaster)",durationFast:"var(--durationFast)",durationNormal:"var(--durationNormal)",durationGentle:"var(--durationGentle)",durationSlow:"var(--durationSlow)",durationSlower:"var(--durationSlower)",durationUltraSlow:"var(--durationUltraSlow)",curveAccelerateMax:"var(--curveAccelerateMax)",curveAccelerateMid:"var(--curveAccelerateMid)",curveAccelerateMin:"var(--curveAccelerateMin)",curveDecelerateMax:"var(--curveDecelerateMax)",curveDecelerateMid:"var(--curveDecelerateMid)",curveDecelerateMin:"var(--curveDecelerateMin)",curveEasyEaseMax:"var(--curveEasyEaseMax)",curveEasyEase:"var(--curveEasyEase)",curveLinear:"var(--curveLinear)",zIndexBackground:"var(--zIndexBackground, 0)",zIndexContent:"var(--zIndexContent, 1)",zIndexOverlay:"var(--zIndexOverlay, 1000)",zIndexPopup:"var(--zIndexPopup, 2000)",zIndexMessages:"var(--zIndexMessages, 3000)",zIndexFloating:"var(--zIndexFloating, 4000)",zIndexPriority:"var(--zIndexPriority, 5000)",zIndexDebug:"var(--zIndexDebug, 6000)"};r.s(["Spinner",()=>er],77790);var rI=r.i(56720),rL=r.i(90312);function r_(r,e){let o=rq.useRef(void 0),t=rq.useCallback((t,a)=>(void 0!==o.current&&e(o.current),o.current=r(t,a),o.current),[e,r]),a=rq.useCallback(()=>{void 0!==o.current&&(e(o.current),o.current=void 0)},[e]);return rq.useEffect(()=>a,[a]),[t,a]}r.s(["useTimeout",()=>rG],69020),r.s(["useBrowserTimer",()=>r_],63060);var rE=r.i(1327);let rO=r=>-1,rM=r=>void 0;function rG(){let{targetDocument:r}=(0,rE.useFluent_unstable)(),e=null==r?void 0:r.defaultView;return r_(e?e.setTimeout:rO,e?e.clearTimeout:rM)}var rW=r.i(77074);r.s(["Label",()=>rQ],7527);var rX=r.i(97906),rV=r.i(46163);r.s(["__styles",()=>rY],69024);var rZ=r.i(6013);function rY(r,e){let o=(0,rZ.__styles)(r,e,rH);return function(){return o({dir:(0,rD.useTextDirection)(),renderer:(0,rR.useRenderer)()})}}var r$=r.i(32778);let rU={root:"fui-Label",required:"fui-Label__required"},rK=rY({root:{Bahqtrf:"fk6fouc",sj55zd:"f19n0e5"},disabled:{sj55zd:"f1s2aq7o",Bbusuzp:"f1dcs8yz"},required:{sj55zd:"f1whyuy6",uwmqm3:["fruq291","f7x41pl"]},small:{Be2twd7:"fy9rknc",Bg96gwp:"fwrc4pm"},medium:{Be2twd7:"fkhj508",Bg96gwp:"f1i3iumi"},large:{Be2twd7:"fod5ikn",Bg96gwp:"faaz57k",Bhrd7zp:"fl43uef"},semibold:{Bhrd7zp:"fl43uef"}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".f19n0e5{color:var(--colorNeutralForeground1);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f1whyuy6{color:var(--colorPaletteRedForeground3);}",".fruq291{padding-left:var(--spacingHorizontalXS);}",".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fy9rknc{font-size:var(--fontSizeBase200);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".fkhj508{font-size:var(--fontSizeBase300);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fl43uef{font-weight:var(--fontWeightSemibold);}"],m:[["@media (forced-colors: active){.f1dcs8yz{color:GrayText;}}",{m:"(forced-colors: active)"}]]});r.s(["useCustomStyleHook_unstable",()=>rJ.useCustomStyleHook],96019);var rJ=r.i(69421),rJ=rJ;let rQ=rq.forwardRef((r,e)=>{let o=((r,e)=>{let{disabled:o=!1,required:t=!1,weight:a="regular",size:l="medium"}=r;return{disabled:o,required:rW.slot.optional(!0===t?"*":t||void 0,{defaultProps:{"aria-hidden":"true"},elementType:"span"}),weight:a,size:l,components:{root:"label",required:"span"},root:rW.slot.always((0,rI.getIntrinsicElementProps)("label",{ref:e,...r}),{elementType:"label"})}})(r,e);return(r=>{let e=rK();return r.root.className=(0,r$.mergeClasses)(rU.root,e.root,r.disabled&&e.disabled,e[r.size],"semibold"===r.weight&&e.semibold,r.root.className),r.required&&(r.required.className=(0,r$.mergeClasses)(rU.required,e.required,r.disabled&&e.disabled,r.required.className))})(o),(0,rJ.useCustomStyleHook)("useLabelStyles_unstable")(o),(r=>((0,rV.assertSlots)(r),(0,rX.jsxs)(r.root,{children:[r.root.children,r.required&&(0,rX.jsx)(r.required,{})]})))(o)});rQ.displayName="Label";let r1=rq.createContext(void 0),r0={};function r5(r,o,t){let a=function(r,o,t){let a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:e.insertionFactory,l=a();return function(e){let{dir:a,renderer:n}=e;return l(n,Array.isArray(t)?{r:t}:t),"ltr"===a?r:o||r}}(r,o,t,rH);return function(){return a({dir:(0,rD.useTextDirection)(),renderer:(0,rR.useRenderer)()})}}r1.Provider,r.s(["__resetStyles",()=>r5],21982);let r2={root:"fui-Spinner",spinner:"fui-Spinner__spinner",spinnerTail:"fui-Spinner__spinnerTail",label:"fui-Spinner__label"},r3=r5("rpp59a7",null,[".rpp59a7{display:flex;align-items:center;justify-content:center;line-height:0;gap:8px;overflow:hidden;min-width:min-content;}"]),r6=rY({vertical:{Beiy3e4:"f1vx9l62"}},{d:[".f1vx9l62{flex-direction:column;}"]}),r4=r5("rvgcg50","r15nd2jo",{r:[".rvgcg50{position:relative;flex-shrink:0;-webkit-mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);background-color:var(--colorBrandStroke2Contrast);color:var(--colorBrandStroke1);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:linear;animation-name:rb7n1on;}","@keyframes rb7n1on{0%{transform:rotate(0deg);}100%{transform:rotate(360deg);}}",".r15nd2jo{position:relative;flex-shrink:0;-webkit-mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);background-color:var(--colorBrandStroke2Contrast);color:var(--colorBrandStroke1);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:linear;animation-name:r1gx3jof;}","@keyframes r1gx3jof{0%{transform:rotate(0deg);}100%{transform:rotate(-360deg);}}"],s:["@media screen and (forced-colors: active){.rvgcg50{background-color:HighlightText;color:Highlight;forced-color-adjust:none;}}","@media screen and (prefers-reduced-motion: reduce){.rvgcg50{animation-duration:1.8s;}}","@media screen and (forced-colors: active){.r15nd2jo{background-color:HighlightText;color:Highlight;forced-color-adjust:none;}}","@media screen and (prefers-reduced-motion: reduce){.r15nd2jo{animation-duration:1.8s;}}"]}),r7=r5("rxov3xa","r1o544mv",{r:[".rxov3xa{position:absolute;display:block;width:100%;height:100%;-webkit-mask-image:conic-gradient(transparent 105deg, white 105deg);mask-image:conic-gradient(transparent 105deg, white 105deg);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:var(--curveEasyEase);animation-name:r15mim6k;}",'.rxov3xa::before,.rxov3xa::after{content:"";position:absolute;display:block;width:100%;height:100%;animation:inherit;background-image:conic-gradient(currentcolor 135deg, transparent 135deg);}',"@keyframes r15mim6k{0%{transform:rotate(-135deg);}50%{transform:rotate(0deg);}100%{transform:rotate(225deg);}}",".rxov3xa::before{animation-name:r18vhmn8;}","@keyframes r18vhmn8{0%{transform:rotate(0deg);}50%{transform:rotate(105deg);}100%{transform:rotate(0deg);}}",".rxov3xa::after{animation-name:rkgrvoi;}","@keyframes rkgrvoi{0%{transform:rotate(0deg);}50%{transform:rotate(225deg);}100%{transform:rotate(0deg);}}",".r1o544mv{position:absolute;display:block;width:100%;height:100%;-webkit-mask-image:conic-gradient(transparent 105deg, white 105deg);mask-image:conic-gradient(transparent 105deg, white 105deg);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:var(--curveEasyEase);animation-name:r109gmi5;}",'.r1o544mv::before,.r1o544mv::after{content:"";position:absolute;display:block;width:100%;height:100%;animation:inherit;background-image:conic-gradient(currentcolor 135deg, transparent 135deg);}',"@keyframes r109gmi5{0%{transform:rotate(135deg);}50%{transform:rotate(0deg);}100%{transform:rotate(-225deg);}}",".r1o544mv::before{animation-name:r17whflh;}","@keyframes r17whflh{0%{transform:rotate(0deg);}50%{transform:rotate(-105deg);}100%{transform:rotate(0deg);}}",".r1o544mv::after{animation-name:re4odhl;}","@keyframes re4odhl{0%{transform:rotate(0deg);}50%{transform:rotate(-225deg);}100%{transform:rotate(0deg);}}"],s:["@media screen and (prefers-reduced-motion: reduce){.rxov3xa{animation-iteration-count:0;background-image:conic-gradient(transparent 120deg, currentcolor 360deg);}.rxov3xa::before,.rxov3xa::after{content:none;}}","@media screen and (prefers-reduced-motion: reduce){.r1o544mv{animation-iteration-count:0;background-image:conic-gradient(transparent 120deg, currentcolor 360deg);}.r1o544mv::before,.r1o544mv::after{content:none;}}"]}),r9=rY({inverted:{De3pzq:"fr407j0",sj55zd:"f1f7voed"},rtlTail:{btxmck:"f179dep3",gb5jj2:"fbz9ihp",Br2kee7:"f1wkkxo7"},"extra-tiny":{Bqenvij:"fd461yt",a9b677:"fjw5fx7",qmp6fs:"f1v3ph3m"},tiny:{Bqenvij:"fjamq6b",a9b677:"f64fuq3",qmp6fs:"f1v3ph3m"},"extra-small":{Bqenvij:"frvgh55",a9b677:"fq4mcun",qmp6fs:"f1v3ph3m"},small:{Bqenvij:"fxldao9",a9b677:"f1w9dchk",qmp6fs:"f1v3ph3m"},medium:{Bqenvij:"f1d2rq10",a9b677:"f1szoe96",qmp6fs:"fb52u90"},large:{Bqenvij:"f8ljn23",a9b677:"fpdz1er",qmp6fs:"fb52u90"},"extra-large":{Bqenvij:"fbhnoac",a9b677:"feqmc2u",qmp6fs:"fb52u90"},huge:{Bqenvij:"f1ft4266",a9b677:"fksc0bp",qmp6fs:"fa3u9ii"}},{d:[".fr407j0{background-color:var(--colorNeutralStrokeAlpha2);}",".f1f7voed{color:var(--colorNeutralStrokeOnBrand2);}",".f179dep3{-webkit-mask-image:conic-gradient(white 255deg, transparent 255deg);mask-image:conic-gradient(white 255deg, transparent 255deg);}",".fbz9ihp::before,.fbz9ihp::after{background-image:conic-gradient(transparent 225deg, currentcolor 225deg);}",".fd461yt{height:16px;}",".fjw5fx7{width:16px;}",".f1v3ph3m{--fui-Spinner--strokeWidth:var(--strokeWidthThick);}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",".frvgh55{height:24px;}",".fq4mcun{width:24px;}",".fxldao9{height:28px;}",".f1w9dchk{width:28px;}",".f1d2rq10{height:32px;}",".f1szoe96{width:32px;}",".fb52u90{--fui-Spinner--strokeWidth:var(--strokeWidthThicker);}",".f8ljn23{height:36px;}",".fpdz1er{width:36px;}",".fbhnoac{height:40px;}",".feqmc2u{width:40px;}",".f1ft4266{height:44px;}",".fksc0bp{width:44px;}",".fa3u9ii{--fui-Spinner--strokeWidth:var(--strokeWidthThickest);}"],m:[["@media screen and (prefers-reduced-motion: reduce){.f1wkkxo7{background-image:conic-gradient(currentcolor 0deg, transparent 240deg);}}",{m:"screen and (prefers-reduced-motion: reduce)"}]]}),r8=rY({inverted:{sj55zd:"fonrgv7"},"extra-tiny":{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},tiny:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},"extra-small":{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},small:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},medium:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},large:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},"extra-large":{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},huge:{Bahqtrf:"fk6fouc",Be2twd7:"f1pp30po",Bhrd7zp:"fl43uef",Bg96gwp:"f106mvju"}},{d:[".fonrgv7{color:var(--colorNeutralForegroundStaticInverted);}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".faaz57k{line-height:var(--lineHeightBase400);}",".f1pp30po{font-size:var(--fontSizeBase500);}",".f106mvju{line-height:var(--lineHeightBase500);}"]});var rJ=rJ;let er=rq.forwardRef((r,e)=>{let o=((r,e)=>{let{size:o}=(()=>{var r;return null!=(r=rq.useContext(r1))?r:r0})(),{appearance:t="primary",labelPosition:a="after",size:l=null!=o?o:"medium",delay:n=0}=r,c=(0,rL.useId)("spinner"),{role:i="progressbar",...d}=r,s=rW.slot.always((0,rI.getIntrinsicElementProps)("div",{ref:e,role:i,...d},["size"]),{elementType:"div"}),[u,f]=rq.useState(!1),[g,v]=rG();rq.useEffect(()=>{if(!(n<=0))return g(()=>{f(!0)},n),()=>{v()}},[g,v,n]);let p=rW.slot.optional(r.label,{defaultProps:{id:c},renderByDefault:!1,elementType:rQ}),h=rW.slot.optional(r.spinner,{renderByDefault:!0,elementType:"span"});return p&&s&&!s["aria-labelledby"]&&(s["aria-labelledby"]=p.id),{appearance:t,delay:n,labelPosition:a,size:l,shouldRenderSpinner:!n||u,components:{root:"div",spinner:"span",spinnerTail:"span",label:rQ},root:s,spinner:h,spinnerTail:rW.slot.always(r.spinnerTail,{elementType:"span"}),label:p}})(r,e);return(r=>{let{labelPosition:e,size:o,appearance:t}=r,{dir:a}=(0,rE.useFluent_unstable)(),l=r3(),n=r6(),c=r4(),i=r9(),d=r7(),s=r8();return r.root.className=(0,r$.mergeClasses)(r2.root,l,("above"===e||"below"===e)&&n.vertical,r.root.className),r.spinner&&(r.spinner.className=(0,r$.mergeClasses)(r2.spinner,c,i[o],"inverted"===t&&i.inverted,r.spinner.className)),r.spinnerTail&&(r.spinnerTail.className=(0,r$.mergeClasses)(r2.spinnerTail,d,"rtl"===a&&i.rtlTail,r.spinnerTail.className)),r.label&&(r.label.className=(0,r$.mergeClasses)(r2.label,s[o],"inverted"===t&&s.inverted,r.label.className))})(o),(0,rJ.useCustomStyleHook)("useSpinnerStyles_unstable")(o),(r=>{(0,rV.assertSlots)(r);let{labelPosition:e,shouldRenderSpinner:o}=r;return(0,rX.jsxs)(r.root,{children:[r.label&&o&&("above"===e||"before"===e)&&(0,rX.jsx)(r.label,{}),r.spinner&&o&&(0,rX.jsx)(r.spinner,{children:r.spinnerTail&&(0,rX.jsx)(r.spinnerTail,{})}),r.label&&o&&("below"===e||"after"===e)&&(0,rX.jsx)(r.label,{})]})})(o)});er.displayName="Spinner",r.s(["Button",()=>eH],50637),r.s(["renderButton_unstable",()=>ee],12628);let ee=r=>{(0,rV.assertSlots)(r);let{iconOnly:e,iconPosition:o}=r;return(0,rX.jsxs)(r.root,{children:["after"!==o&&r.icon&&(0,rX.jsx)(r.icon,{}),!e&&r.root.children,"after"===o&&r.icon&&(0,rX.jsx)(r.icon,{})]})};r.s(["useButton_unstable",()=>ey],47419),r.s(["useARIAButtonProps",()=>em],21183),r.s(["ArrowDown",()=>en,"ArrowLeft",()=>ec,"ArrowRight",()=>ei,"ArrowUp",()=>ed,"End",()=>es,"Enter",()=>et,"Escape",()=>ev,"Home",()=>eu,"PageDown",()=>ef,"PageUp",()=>eg,"Shift",()=>eo,"Space",()=>ea,"Tab",()=>el],18015);let eo="Shift",et="Enter",ea=" ",el="Tab",en="ArrowDown",ec="ArrowLeft",ei="ArrowRight",ed="ArrowUp",es="End",eu="Home",ef="PageDown",eg="PageUp",ev="Escape";r.s(["useEventCallback",()=>eh],17664);var ep=r.i(52911);let eh=r=>{let e=rq.useRef(()=>{throw Error("Cannot call an event handler while rendering")});return(0,ep.useIsomorphicLayoutEffect)(()=>{e.current=r},[r]),rq.useCallback(function(){for(var r=arguments.length,o=Array(r),t=0;t{s?(r.preventDefault(),r.stopPropagation()):null==l||l(r)}),f=eh(r=>{if(null==n||n(r),r.isDefaultPrevented())return;let e=r.key;if(s&&(e===et||e===ea)){r.preventDefault(),r.stopPropagation();return}if(e===ea)return void r.preventDefault();e===et&&(r.preventDefault(),r.currentTarget.click())}),g=eh(r=>{if(null==c||c(r),r.isDefaultPrevented())return;let e=r.key;if(s&&(e===et||e===ea)){r.preventDefault(),r.stopPropagation();return}e===ea&&(r.preventDefault(),r.currentTarget.click())});if("button"===r||void 0===r)return{...i,disabled:o&&!t,"aria-disabled":!!t||d,onClick:t?void 0:u,onKeyUp:t?void 0:c,onKeyDown:t?void 0:n};{let e=!!i.href,a=e?void 0:"button";!a&&s&&(a="link");let l={role:a,tabIndex:!t&&(e||o)?void 0:0,...i,onClick:u,onKeyUp:g,onKeyDown:f,"aria-disabled":s};return"a"===r&&s&&(l.href=void 0),l}}r.s(["ButtonContextProvider",()=>ek,"useButtonContext",()=>ew],12853);let eb=rq.createContext(void 0),eB={},ek=eb.Provider,ew=()=>{var r;return null!=(r=rq.useContext(eb))?r:eB},ey=(r,e)=>{let{size:o}=ew(),{appearance:t="secondary",as:a="button",disabled:l=!1,disabledFocusable:n=!1,icon:c,iconPosition:i="before",shape:d="rounded",size:s=null!=o?o:"medium"}=r,u=rW.slot.optional(c,{elementType:"span"});return{appearance:t,disabled:l,disabledFocusable:n,iconPosition:i,shape:d,size:s,iconOnly:!!((null==u?void 0:u.children)&&!r.children),components:{root:"button",icon:"span"},root:rW.slot.always((0,rI.getIntrinsicElementProps)(a,em(r.as,r)),{elementType:"button",defaultProps:{ref:e,type:"button"===a?"button":void 0}}),icon:u}};r.s(["useButtonStyles_unstable",()=>eT],69837);let eS={root:"fui-Button",icon:"fui-Button__icon"};rC.strokeWidthThin;let ex=r5("r1alrhcs",null,{r:[".r1alrhcs{align-items:center;box-sizing:border-box;display:inline-flex;justify-content:center;text-decoration-line:none;vertical-align:middle;margin:0;overflow:hidden;background-color:var(--colorNeutralBackground1);color:var(--colorNeutralForeground1);border:var(--strokeWidthThin) solid var(--colorNeutralStroke1);font-family:var(--fontFamilyBase);outline-style:none;padding:5px var(--spacingHorizontalM);min-width:96px;border-radius:var(--borderRadiusMedium);font-size:var(--fontSizeBase300);font-weight:var(--fontWeightSemibold);line-height:var(--lineHeightBase300);transition-duration:var(--durationFaster);transition-property:background,border,color;transition-timing-function:var(--curveEasyEase);}",".r1alrhcs:hover{background-color:var(--colorNeutralBackground1Hover);border-color:var(--colorNeutralStroke1Hover);color:var(--colorNeutralForeground1Hover);cursor:pointer;}",".r1alrhcs:hover:active{background-color:var(--colorNeutralBackground1Pressed);border-color:var(--colorNeutralStroke1Pressed);color:var(--colorNeutralForeground1Pressed);outline-style:none;}",".r1alrhcs[data-fui-focus-visible]{border-color:var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);border-width:1px;outline:var(--strokeWidthThick) solid var(--colorTransparentStroke);box-shadow:0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset;z-index:1;}"],s:["@media screen and (prefers-reduced-motion: reduce){.r1alrhcs{transition-duration:0.01ms;}}","@media (forced-colors: active){.r1alrhcs:focus{border-color:ButtonText;}.r1alrhcs:hover{background-color:HighlightText;border-color:Highlight;color:Highlight;forced-color-adjust:none;}.r1alrhcs:hover:active{background-color:HighlightText;border-color:Highlight;color:Highlight;forced-color-adjust:none;}}","@supports (-moz-appearance:button){.r1alrhcs[data-fui-focus-visible]{box-shadow:0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset;}}"]}),eP=r5("rywnvv2",null,[".rywnvv2{align-items:center;display:inline-flex;justify-content:center;font-size:20px;height:20px;width:20px;--fui-Button__icon--spacing:var(--spacingHorizontalSNudge);}"]),ez=rY({outline:{De3pzq:"f1c21dwh",Jwef8y:"fjxutwb",iro3zm:"fwiml72"},primary:{De3pzq:"ffp7eso",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],sj55zd:"f1phragk",Jwef8y:"f15wkkf3",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],Bi91k9c:"f1rq72xc",iro3zm:"fnp9lpt",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"],B2d53fq:"f1d6v5y2",Bsw6fvg:"f1rirnrt",Bjwas2f:"f1uu00uk",Bn1d65q:["fkvaka8","f9a0qzu"],Bxeuatn:"f1ux7til",n51gp8:["f9a0qzu","fkvaka8"],Bbusuzp:"f1lkg8j3",ycbfsm:"fkc42ay",Bqrx1nm:"fq7113v",pgvf35:"ff1wgvm",Bh7lczh:["fiob0tu","f1x4h75k"],dpv3f4:"f1j6scgf",Bpnjhaq:["f1x4h75k","fiob0tu"],ze5xyy:"f4xjyn1",g2kj27:"fbgcvur",Bf756sw:"f1ks1yx8",Bow2dr7:["f1o6qegi","fmxjhhp"],Bvhedfk:"fcnxywj",Gye4lf:["fmxjhhp","f1o6qegi"],pc6evw:"f9ddjv3"},secondary:{},subtle:{De3pzq:"fhovq9v",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],sj55zd:"fkfq4zb",Jwef8y:"f1t94bn6",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],Bi91k9c:"fnwyq0v",Bk3fhr4:"ft1hn21",Bmfj8id:"fuxngvv",Bbdnnc7:"fy5bs14",iro3zm:"fsv2rcd",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"],B2d53fq:"f1omzyqd",em6i61:"f1dfjoow",vm6p8p:"f1j98vj9",x3br3k:"fj8yq94",ze5xyy:"f4xjyn1",Bx3q9su:"f1et0tmh",pc6evw:"f9ddjv3",xd2cci:"f1wi8ngl"},transparent:{De3pzq:"f1c21dwh",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],sj55zd:"fkfq4zb",Jwef8y:"fjxutwb",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],Bi91k9c:"f139oj5f",Bk3fhr4:"ft1hn21",Bmfj8id:"fuxngvv",iro3zm:"fwiml72",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"],B2d53fq:"f1fg1p5m",em6i61:"f1dfjoow",vm6p8p:"f1j98vj9",Bqrx1nm:"f1tme0vf",ze5xyy:"f4xjyn1",g2kj27:"f18onu3q",pc6evw:"f9ddjv3"},circular:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f44lkw9"},rounded:{},square:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f1fabniw"},small:{Bf4jedk:"fh7ncta",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fneth5b",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm"},smallWithIcon:{Byoj8tv:"f1brlhvm",z8tnut:"f1sl3k7w"},medium:{},large:{Bf4jedk:"f14es27b",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f4db1ww",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},largeWithIcon:{Byoj8tv:"fy7v416",z8tnut:"f1a1bwwz"}},{d:[".f1c21dwh{background-color:var(--colorTransparentBackground);}",".ffp7eso{background-color:var(--colorBrandBackground);}",".f1p3nwhy{border-top-color:transparent;}",".f11589ue{border-right-color:transparent;}",".f1pdflbu{border-left-color:transparent;}",".f1q5o8ev{border-bottom-color:transparent;}",".f1phragk{color:var(--colorNeutralForegroundOnBrand);}",".fhovq9v{background-color:var(--colorSubtleBackground);}",".fkfq4zb{color:var(--colorNeutralForeground2);}",[".f44lkw9{border-radius:var(--borderRadiusCircular);}",{p:-1}],[".f1fabniw{border-radius:var(--borderRadiusNone);}",{p:-1}],".fh7ncta{min-width:64px;}",[".fneth5b{padding:3px var(--spacingHorizontalS);}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fy9rknc{font-size:var(--fontSizeBase200);}",".figsok6{font-weight:var(--fontWeightRegular);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".f1brlhvm{padding-bottom:1px;}",".f1sl3k7w{padding-top:1px;}",".f14es27b{min-width:96px;}",[".f4db1ww{padding:8px var(--spacingHorizontalL);}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fod5ikn{font-size:var(--fontSizeBase400);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fy7v416{padding-bottom:7px;}",".f1a1bwwz{padding-top:7px;}"],h:[".fjxutwb:hover{background-color:var(--colorTransparentBackgroundHover);}",".fwiml72:hover:active{background-color:var(--colorTransparentBackgroundPressed);}",".f15wkkf3:hover{background-color:var(--colorBrandBackgroundHover);}",".f1s2uweq:hover{border-top-color:transparent;}",".fr80ssc:hover{border-right-color:transparent;}",".fecsdlb:hover{border-left-color:transparent;}",".f1ukrpxl:hover{border-bottom-color:transparent;}",".f1rq72xc:hover{color:var(--colorNeutralForegroundOnBrand);}",".fnp9lpt:hover:active{background-color:var(--colorBrandBackgroundPressed);}",".f1h0usnq:hover:active{border-top-color:transparent;}",".fs4ktlq:hover:active{border-right-color:transparent;}",".fx2bmrt:hover:active{border-left-color:transparent;}",".f16h9ulv:hover:active{border-bottom-color:transparent;}",".f1d6v5y2:hover:active{color:var(--colorNeutralForegroundOnBrand);}",".f1t94bn6:hover{background-color:var(--colorSubtleBackgroundHover);}",".fnwyq0v:hover{color:var(--colorNeutralForeground2Hover);}",".ft1hn21:hover .fui-Icon-filled{display:inline;}",".fuxngvv:hover .fui-Icon-regular{display:none;}",".fy5bs14:hover .fui-Button__icon{color:var(--colorNeutralForeground2BrandHover);}",".fsv2rcd:hover:active{background-color:var(--colorSubtleBackgroundPressed);}",".f1omzyqd:hover:active{color:var(--colorNeutralForeground2Pressed);}",".f1dfjoow:hover:active .fui-Icon-filled{display:inline;}",".f1j98vj9:hover:active .fui-Icon-regular{display:none;}",".fj8yq94:hover:active .fui-Button__icon{color:var(--colorNeutralForeground2BrandPressed);}",".f139oj5f:hover{color:var(--colorNeutralForeground2BrandHover);}",".f1fg1p5m:hover:active{color:var(--colorNeutralForeground2BrandPressed);}"],m:[["@media (forced-colors: active){.f1rirnrt{background-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1uu00uk{border-top-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f9a0qzu{border-left-color:HighlightText;}.fkvaka8{border-right-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1ux7til{border-bottom-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1lkg8j3{color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fkc42ay{forced-color-adjust:none;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fq7113v:hover{background-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.ff1wgvm:hover{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1x4h75k:hover{border-left-color:Highlight;}.fiob0tu:hover{border-right-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1j6scgf:hover{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f4xjyn1:hover{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fbgcvur:hover:active{background-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1ks1yx8:hover:active{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1o6qegi:hover:active{border-right-color:Highlight;}.fmxjhhp:hover:active{border-left-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fcnxywj:hover:active{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f9ddjv3:hover:active{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1et0tmh:hover .fui-Button__icon{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1wi8ngl:hover:active .fui-Button__icon{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1tme0vf:hover{background-color:var(--colorTransparentBackground);}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f18onu3q:hover:active{background-color:var(--colorTransparentBackground);}}",{m:"(forced-colors: active)"}]]}),ej=rY({base:{De3pzq:"f1bg9a2p",g2u3we:"f1jj8ep1",h3c5rm:["f15xbau","fy0fskl"],B9xav0g:"f4ikngz",zhjwy3:["fy0fskl","f15xbau"],sj55zd:"f1s2aq7o",Bceei9c:"fdrzuqr",Bfinmwp:"f15x8b5r",Jwef8y:"f1falr9n",Bgoe8wy:"f12mpcsy",Bwzppfd:["f1gwvigk","f18rmfxp"],oetu4i:"f1jnshp0",gg5e9n:["f18rmfxp","f1gwvigk"],Bi91k9c:"fvgxktp",eoavqd:"fphbwmw",Bk3fhr4:"f19vpps7",Bmfj8id:"fv5swzo",Bbdnnc7:"f1al02dq",iro3zm:"f1t6o4dc",b661bw:"f10ztigi",Bk6r4ia:["f1ft5sdu","f1gzf82w"],B9zn80p:"f12zbtn2",Bpld233:["f1gzf82w","f1ft5sdu"],B2d53fq:"fcvwxyo",c3iz72:"f8w4c43",em6i61:"f1ol4fw6",vm6p8p:"f1q1lw4e",x3br3k:"f1dwjv2g"},highContrast:{Bsw6fvg:"f4lkoma",Bjwas2f:"fg455y9",Bn1d65q:["f1rvyvqg","f14g86mu"],Bxeuatn:"f1cwzwz",n51gp8:["f14g86mu","f1rvyvqg"],Bbusuzp:"f1dcs8yz",Bm2fdqk:"fuigjrg",G867l3:"fjwq6ea",gdbnj:["f1lr3nhc","f1mbxvi6"],mxns5l:"fn5gmvv",o3nasb:["f1mbxvi6","f1lr3nhc"],Bqrx1nm:"f1vmkb5g",pgvf35:"f53ppgq",Bh7lczh:["f1663y11","f80fkiy"],dpv3f4:"f18v5270",Bpnjhaq:["f80fkiy","f1663y11"],ze5xyy:"f1kc2mi9",Bx3q9su:"f4dhi0o",g2kj27:"f1y0svfh",Bf756sw:"fihuait",Bow2dr7:["fnxhupq","fyd6l6x"],Bvhedfk:"fx507ft",Gye4lf:["fyd6l6x","fnxhupq"],pc6evw:"fb3rf2x",xd2cci:"fequ9m0"},outline:{De3pzq:"f1c21dwh",Jwef8y:"f9ql6rf",iro3zm:"f3h1zc4"},primary:{g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"]},secondary:{},subtle:{De3pzq:"f1c21dwh",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],Jwef8y:"f9ql6rf",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],iro3zm:"f3h1zc4",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"]},transparent:{De3pzq:"f1c21dwh",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],Jwef8y:"f9ql6rf",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],iro3zm:"f3h1zc4",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"]}},{d:[".f1bg9a2p{background-color:var(--colorNeutralBackgroundDisabled);}",".f1jj8ep1{border-top-color:var(--colorNeutralStrokeDisabled);}",".f15xbau{border-right-color:var(--colorNeutralStrokeDisabled);}",".fy0fskl{border-left-color:var(--colorNeutralStrokeDisabled);}",".f4ikngz{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".fdrzuqr{cursor:not-allowed;}",".f15x8b5r .fui-Button__icon{color:var(--colorNeutralForegroundDisabled);}",".f1c21dwh{background-color:var(--colorTransparentBackground);}",".f1p3nwhy{border-top-color:transparent;}",".f11589ue{border-right-color:transparent;}",".f1pdflbu{border-left-color:transparent;}",".f1q5o8ev{border-bottom-color:transparent;}"],h:[".f1falr9n:hover{background-color:var(--colorNeutralBackgroundDisabled);}",".f12mpcsy:hover{border-top-color:var(--colorNeutralStrokeDisabled);}",".f1gwvigk:hover{border-right-color:var(--colorNeutralStrokeDisabled);}",".f18rmfxp:hover{border-left-color:var(--colorNeutralStrokeDisabled);}",".f1jnshp0:hover{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".fvgxktp:hover{color:var(--colorNeutralForegroundDisabled);}",".fphbwmw:hover{cursor:not-allowed;}",".f19vpps7:hover .fui-Icon-filled{display:none;}",".fv5swzo:hover .fui-Icon-regular{display:inline;}",".f1al02dq:hover .fui-Button__icon{color:var(--colorNeutralForegroundDisabled);}",".f1t6o4dc:hover:active{background-color:var(--colorNeutralBackgroundDisabled);}",".f10ztigi:hover:active{border-top-color:var(--colorNeutralStrokeDisabled);}",".f1ft5sdu:hover:active{border-right-color:var(--colorNeutralStrokeDisabled);}",".f1gzf82w:hover:active{border-left-color:var(--colorNeutralStrokeDisabled);}",".f12zbtn2:hover:active{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".fcvwxyo:hover:active{color:var(--colorNeutralForegroundDisabled);}",".f8w4c43:hover:active{cursor:not-allowed;}",".f1ol4fw6:hover:active .fui-Icon-filled{display:none;}",".f1q1lw4e:hover:active .fui-Icon-regular{display:inline;}",".f1dwjv2g:hover:active .fui-Button__icon{color:var(--colorNeutralForegroundDisabled);}",".f9ql6rf:hover{background-color:var(--colorTransparentBackground);}",".f3h1zc4:hover:active{background-color:var(--colorTransparentBackground);}",".f1s2uweq:hover{border-top-color:transparent;}",".fr80ssc:hover{border-right-color:transparent;}",".fecsdlb:hover{border-left-color:transparent;}",".f1ukrpxl:hover{border-bottom-color:transparent;}",".f1h0usnq:hover:active{border-top-color:transparent;}",".fs4ktlq:hover:active{border-right-color:transparent;}",".fx2bmrt:hover:active{border-left-color:transparent;}",".f16h9ulv:hover:active{border-bottom-color:transparent;}"],m:[["@media (forced-colors: active){.f4lkoma{background-color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fg455y9{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f14g86mu{border-left-color:GrayText;}.f1rvyvqg{border-right-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1cwzwz{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1dcs8yz{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fuigjrg .fui-Button__icon{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fjwq6ea:focus{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1lr3nhc:focus{border-right-color:GrayText;}.f1mbxvi6:focus{border-left-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fn5gmvv:focus{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1vmkb5g:hover{background-color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f53ppgq:hover{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1663y11:hover{border-right-color:GrayText;}.f80fkiy:hover{border-left-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f18v5270:hover{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1kc2mi9:hover{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f4dhi0o:hover .fui-Button__icon{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1y0svfh:hover:active{background-color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fihuait:hover:active{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fnxhupq:hover:active{border-right-color:GrayText;}.fyd6l6x:hover:active{border-left-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fx507ft:hover:active{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fb3rf2x:hover:active{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fequ9m0:hover:active .fui-Button__icon{color:GrayText;}}",{m:"(forced-colors: active)"}]]}),eF=rY({circular:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f1062rbf"},rounded:{},square:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"fj0ryk1"},primary:{B8q5s1w:"f17t0x8g",Bci5o5g:["f194v5ow","fk7jm04"],n8qw10:"f1qgg65p",Bdrgwmp:["fk7jm04","f194v5ow"],j6ew2k:["fhgccpy","fjo7pq6"],he4mth:"f32wu9k",Byr4aka:"fu5nqqq",lks7q5:["f13prjl2","f1nl83rv"],Bnan3qt:"f1czftr5",k1dn9:["f1nl83rv","f13prjl2"],Boium3a:["f12k37oa","fdnykm2"],tm8e47:"fr96u23"},small:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"fazmxh"},medium:{},large:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f1b6alqh"}},{d:[[".f1062rbf[data-fui-focus-visible]{border-radius:var(--borderRadiusCircular);}",{p:-1}],[".fj0ryk1[data-fui-focus-visible]{border-radius:var(--borderRadiusNone);}",{p:-1}],".f17t0x8g[data-fui-focus-visible]{border-top-color:var(--colorStrokeFocus2);}",".f194v5ow[data-fui-focus-visible]{border-right-color:var(--colorStrokeFocus2);}",".fk7jm04[data-fui-focus-visible]{border-left-color:var(--colorStrokeFocus2);}",".f1qgg65p[data-fui-focus-visible]{border-bottom-color:var(--colorStrokeFocus2);}",".fhgccpy[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}",".fjo7pq6[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}",".f32wu9k[data-fui-focus-visible]:hover{box-shadow:var(--shadow2),0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset;}",".fu5nqqq[data-fui-focus-visible]:hover{border-top-color:var(--colorStrokeFocus2);}",".f13prjl2[data-fui-focus-visible]:hover{border-right-color:var(--colorStrokeFocus2);}",".f1nl83rv[data-fui-focus-visible]:hover{border-left-color:var(--colorStrokeFocus2);}",".f1czftr5[data-fui-focus-visible]:hover{border-bottom-color:var(--colorStrokeFocus2);}",[".fazmxh[data-fui-focus-visible]{border-radius:var(--borderRadiusSmall);}",{p:-1}],[".f1b6alqh[data-fui-focus-visible]{border-radius:var(--borderRadiusLarge);}",{p:-1}]],t:["@supports (-moz-appearance:button){.f12k37oa[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}.fdnykm2[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}}","@supports (-moz-appearance:button){.fr96u23[data-fui-focus-visible]:hover{box-shadow:var(--shadow2),0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset;}}"]}),eN=rY({small:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fu97m5z",Bf4jedk:"f17fgpbq",B2u0y6b:"f1jt17bm"},medium:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f18ktai2",Bf4jedk:"fwbmr0d",B2u0y6b:"f44c6la"},large:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1hbd1aw",Bf4jedk:"f12clzc2",B2u0y6b:"fjy1crr"}},{d:[[".fu97m5z{padding:1px;}",{p:-1}],".f17fgpbq{min-width:24px;}",".f1jt17bm{max-width:24px;}",[".f18ktai2{padding:5px;}",{p:-1}],".fwbmr0d{min-width:32px;}",".f44c6la{max-width:32px;}",[".f1hbd1aw{padding:7px;}",{p:-1}],".f12clzc2{min-width:40px;}",".fjy1crr{max-width:40px;}"]}),eq=rY({small:{Be2twd7:"fe5j1ua",Bqenvij:"fjamq6b",a9b677:"f64fuq3",Bqrlyyl:"fbaiahx"},medium:{},large:{Be2twd7:"f1rt2boy",Bqenvij:"frvgh55",a9b677:"fq4mcun",Bqrlyyl:"f1exjqw5"},before:{t21cq0:["f1nizpg2","f1a695kz"]},after:{Frg6f3:["f1a695kz","f1nizpg2"]}},{d:[".fe5j1ua{font-size:20px;}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",".fbaiahx{--fui-Button__icon--spacing:var(--spacingHorizontalXS);}",".f1rt2boy{font-size:24px;}",".frvgh55{height:24px;}",".fq4mcun{width:24px;}",".f1exjqw5{--fui-Button__icon--spacing:var(--spacingHorizontalSNudge);}",".f1nizpg2{margin-right:var(--fui-Button__icon--spacing);}",".f1a695kz{margin-left:var(--fui-Button__icon--spacing);}"]}),eT=r=>{let e=ex(),o=eP(),t=ez(),a=ej(),l=eF(),n=eN(),c=eq(),{appearance:i,disabled:d,disabledFocusable:s,icon:u,iconOnly:f,iconPosition:g,shape:v,size:p}=r;return r.root.className=(0,r$.mergeClasses)(eS.root,e,i&&t[i],t[p],u&&"small"===p&&t.smallWithIcon,u&&"large"===p&&t.largeWithIcon,t[v],(d||s)&&a.base,(d||s)&&a.highContrast,i&&(d||s)&&a[i],"primary"===i&&l.primary,l[p],l[v],f&&n[p],r.root.className),r.icon&&(r.icon.className=(0,r$.mergeClasses)(eS.icon,o,!!r.root.children&&c[g],c[p],r.icon.className)),r};var rJ=rJ;let eH=rq.forwardRef((r,e)=>{let o=ey(r,e);return eT(o),(0,rJ.useCustomStyleHook)("useButtonStyles_unstable")(o),ee(o)});eH.displayName="Button"},39806,r=>{"use strict";r.s(["createFluentIcon",()=>c],39806);var e=r.i(71645),o=r.i(32778),t=r.i(11774),a=r.i(69024);let l=(0,a.__styles)({root:{mc9l5x:"f1w7gpdv",Bg96gwp:"fez10in"},rtl:{Bz10aip:"f13rod7r"}},{d:[".f1w7gpdv{display:inline;}",".fez10in{line-height:0;}",".f13rod7r{transform:scaleX(-1);}"]}),n=(0,a.__styles)({root:{B8gzw0y:"f1dd5bof"}},{m:[["@media (forced-colors: active){.f1dd5bof{forced-color-adjust:auto;}}",{m:"(forced-colors: active)"}]]}),c=(r,a,c,i)=>{let d="1em"===a?"20":a,s=e.forwardRef((r,s)=>{let u=n(),f=((r,e)=>{let{title:a,primaryFill:n="currentColor",...c}=r,i={...c,title:void 0,fill:n},d=l(),s=(0,t.useIconContext)();return i.className=(0,o.mergeClasses)(d.root,(null==e?void 0:e.flipInRtl)&&(null==s?void 0:s.textDirection)==="rtl"&&d.rtl,i.className),a&&(i["aria-label"]=a),i["aria-label"]||i["aria-labelledby"]?i.role="img":i["aria-hidden"]=!0,i})(r,{flipInRtl:null==i?void 0:i.flipInRtl}),g={...f,className:(0,o.mergeClasses)(f.className,u.root),ref:s,width:a,height:a,viewBox:"0 0 ".concat(d," ").concat(d),xmlns:"http://www.w3.org/2000/svg"};return"string"==typeof c?e.createElement("svg",{...g,dangerouslySetInnerHTML:{__html:c}}):e.createElement("svg",g,...c.map(r=>e.createElement("path",{d:r,fill:g.fill})))});return s.displayName=r,s}},90885,r=>{"use strict";r.s(["History20Regular",()=>o,"Home20Regular",()=>t]);var e=r.i(39806);let o=(0,e.createFluentIcon)("History20Regular","20",["M10 4a6 6 0 1 1-5.98 5.54.5.5 0 1 0-1-.08A7 7 0 1 0 5 5.1V3.5a.5.5 0 0 0-1 0v3c0 .28.22.5.5.5h3a.5.5 0 0 0 0-1H5.53c1.1-1.23 2.7-2 4.47-2Zm0 2.5a.5.5 0 0 0-1 0v4c0 .28.22.5.5.5h3a.5.5 0 0 0 0-1H10V6.5Z"]),t=(0,e.createFluentIcon)("Home20Regular","20",["M9 2.39a1.5 1.5 0 0 1 2 0l5.5 4.94c.32.28.5.69.5 1.12v7.05c0 .83-.67 1.5-1.5 1.5H13a1.5 1.5 0 0 1-1.5-1.5V12a.5.5 0 0 0-.5-.5H9a.5.5 0 0 0-.5.5v3.5c0 .83-.67 1.5-1.5 1.5H4.5A1.5 1.5 0 0 1 3 15.5V8.45c0-.43.18-.84.5-1.12L9 2.39Zm1.33.74a.5.5 0 0 0-.66 0l-5.5 4.94a.5.5 0 0 0-.17.38v7.05c0 .28.22.5.5.5H7a.5.5 0 0 0 .5-.5V12c0-.83.67-1.5 1.5-1.5h2c.83 0 1.5.67 1.5 1.5v3.5c0 .28.22.5.5.5h2.5a.5.5 0 0 0 .5-.5V8.45a.5.5 0 0 0-.17-.38l-5.5-4.94Z"])},24330,34263,r=>{"use strict";r.s(["getFieldControlProps",()=>n,"useFieldControlProps_unstable",()=>l],24330),r.s(["FieldContextProvider",()=>t,"useFieldContext_unstable",()=>a],34263);var e=r.i(71645);let o=e.createContext(void 0),t=o.Provider,a=()=>e.useContext(o);function l(r,e){return n(a(),r,e)}function n(r,e,o){var t,a,l,n,c,i;if(!r)return e;e={...e};let{generatedControlId:d,hintId:s,labelFor:u,labelId:f,required:g,validationMessageId:v,validationState:p}=r;return d&&(null!=(t=e).id||(t.id=d)),!f||(null==o?void 0:o.supportsLabelFor)&&u===e.id||null!=(a=e)["aria-labelledby"]||(a["aria-labelledby"]=f),(v||s)&&(e["aria-describedby"]=[v,s,null==e?void 0:e["aria-describedby"]].filter(Boolean).join(" ")),"error"===p&&(null!=(l=e)["aria-invalid"]||(l["aria-invalid"]=!0)),g&&((null==o?void 0:o.supportsRequired)?null!=(n=e).required||(n.required=!0):null!=(c=e)["aria-required"]||(c["aria-required"]=!0)),(null==o?void 0:o.supportsSize)&&(null!=(i=e).size||(i.size=r.size)),e}},39617,r=>{"use strict";r.s(["CheckmarkFilled",()=>o,"ChevronDownRegular",()=>t,"ChevronRightRegular",()=>a,"CircleFilled",()=>l,"DismissRegular",()=>n,"DocumentFilled",()=>c,"DocumentRegular",()=>i]);var e=r.i(39806);let o=(0,e.createFluentIcon)("CheckmarkFilled","1em",["M7.03 13.9 3.56 10a.75.75 0 0 0-1.12 1l4 4.5c.29.32.79.34 1.09.03l10.5-10.5a.75.75 0 0 0-1.06-1.06l-9.94 9.94Z"]),t=(0,e.createFluentIcon)("ChevronDownRegular","1em",["M15.85 7.65c.2.2.2.5 0 .7l-5.46 5.49a.55.55 0 0 1-.78 0L4.15 8.35a.5.5 0 1 1 .7-.7L10 12.8l5.15-5.16c.2-.2.5-.2.7 0Z"]),a=(0,e.createFluentIcon)("ChevronRightRegular","1em",["M7.65 4.15c.2-.2.5-.2.7 0l5.49 5.46c.21.22.21.57 0 .78l-5.49 5.46a.5.5 0 0 1-.7-.7L12.8 10 7.65 4.85a.5.5 0 0 1 0-.7Z"]),l=(0,e.createFluentIcon)("CircleFilled","1em",["M10 2a8 8 0 1 0 0 16 8 8 0 0 0 0-16Z"]),n=(0,e.createFluentIcon)("DismissRegular","1em",["m4.09 4.22.06-.07a.5.5 0 0 1 .63-.06l.07.06L10 9.29l5.15-5.14a.5.5 0 0 1 .63-.06l.07.06c.18.17.2.44.06.63l-.06.07L10.71 10l5.14 5.15c.18.17.2.44.06.63l-.06.07a.5.5 0 0 1-.63.06l-.07-.06L10 10.71l-5.15 5.14a.5.5 0 0 1-.63.06l-.07-.06a.5.5 0 0 1-.06-.63l.06-.07L9.29 10 4.15 4.85a.5.5 0 0 1-.06-.63l.06-.07-.06.07Z"]),c=(0,e.createFluentIcon)("DocumentFilled","1em",["M10 2v4.5c0 .83.67 1.5 1.5 1.5H16v8.5c0 .83-.67 1.5-1.5 1.5h-9A1.5 1.5 0 0 1 4 16.5v-13C4 2.67 4.67 2 5.5 2H10Zm1 .25V6.5c0 .28.22.5.5.5h4.25L11 2.25Z"]),i=(0,e.createFluentIcon)("DocumentRegular","1em",["M6 2a2 2 0 0 0-2 2v12c0 1.1.9 2 2 2h8a2 2 0 0 0 2-2V7.41c0-.4-.16-.78-.44-1.06l-3.91-3.91A1.5 1.5 0 0 0 10.59 2H6ZM5 4a1 1 0 0 1 1-1h4v3.5c0 .83.67 1.5 1.5 1.5H15v8a1 1 0 0 1-1 1H6a1 1 0 0 1-1-1V4Zm9.8 3h-3.3a.5.5 0 0 1-.5-.5V3.2L14.8 7Z"])},52536,r=>{"use strict";r.s(["useFocusWithin",()=>c],52536);var e=r.i(71645),o=r.i(1327),t=r.i(87950),a=r.i(44148);function l(r){r.removeAttribute(a.FOCUS_WITHIN_ATTR)}function n(r){return!!r&&!!(r&&"object"==typeof r&&"classList"in r&&"contains"in r)}function c(){let{targetDocument:r}=(0,o.useFluent_unstable)(),c=e.useRef(null);return e.useEffect(()=>{if((null==r?void 0:r.defaultView)&&c.current)return function(r,e){let o=(0,t.createKeyborg)(e);o.subscribe(e=>{e||l(r)});let c=e=>{o.isNavigatingWithKeyboard()&&n(e.target)&&r.setAttribute(a.FOCUS_WITHIN_ATTR,"")},i=e=>{(!e.relatedTarget||n(e.relatedTarget)&&!r.contains(e.relatedTarget))&&l(r)};return r.addEventListener(t.KEYBORG_FOCUSIN,c),r.addEventListener("focusout",i),()=>{r.removeEventListener(t.KEYBORG_FOCUSIN,c),r.removeEventListener("focusout",i),(0,t.disposeKeyborg)(o)}}(c.current,r.defaultView)},[c,r]),c}},9485,r=>{"use strict";function e(r,e){return function(){for(var o=arguments.length,t=Array(o),a=0;ae])},13768,2012,75345,807,58725,17304,51351,r=>{"use strict";r.s(["useTable_unstable",()=>a],13768);var e=r.i(71645),o=r.i(56720),t=r.i(77074);let a=(r,e)=>{var a,l,n,c;let i=(null!=(a=r.as)?a:r.noNativeElements)?"div":"table";return{components:{root:i},root:t.slot.always((0,o.getIntrinsicElementProps)(i,{ref:e,role:"div"===i?"table":void 0,...r}),{elementType:i}),size:null!=(l=r.size)?l:"medium",noNativeElements:null!=(n=r.noNativeElements)&&n,sortable:null!=(c=r.sortable)&&c}};r.s(["renderTable_unstable",()=>u],75345);var l=r.i(97906),n=r.i(46163);r.s(["TableContextProvider",()=>d,"useTableContext",()=>s],2012);let c=e.createContext(void 0),i={size:"medium",noNativeElements:!1,sortable:!1},d=c.Provider,s=()=>{var r;return null!=(r=e.useContext(c))?r:i},u=(r,e)=>((0,n.assertSlots)(r),(0,l.jsx)(d,{value:e.table,children:(0,l.jsx)(r.root,{})}));r.s(["useTableStyles_unstable",()=>m],807);var f=r.i(69024),g=r.i(32778);let v=(0,f.__styles)({root:{mc9l5x:"f1w4nmp0",ha4doy:"fmrv4ls",a9b677:"fly5x3f",B73mfa3:"f14m3nip"}},{d:[".f1w4nmp0{display:table;}",".fmrv4ls{vertical-align:middle;}",".fly5x3f{width:100%;}",".f14m3nip{table-layout:fixed;}"]}),p=(0,f.__styles)({root:{mc9l5x:"ftgm304"}},{d:[".ftgm304{display:block;}"]}),h=(0,f.__styles)({root:{po53p8:"fgkb47j",De3pzq:"fhovq9v"}},{d:[".fgkb47j{border-collapse:collapse;}",".fhovq9v{background-color:var(--colorSubtleBackground);}"]}),m=r=>{let e=h(),o={table:v(),flex:p()};return r.root.className=(0,g.mergeClasses)("fui-Table",e.root,r.noNativeElements?o.flex.root:o.table.root,r.root.className),r};function b(r){let{size:o,noNativeElements:t,sortable:a}=r;return{table:e.useMemo(()=>({noNativeElements:t,size:o,sortable:a}),[t,o,a])}}r.s(["useTableContextValues_unstable",()=>b],58725),r.s(["useTableBody_unstable",()=>B],17304);let B=(r,e)=>{var a;let{noNativeElements:l}=s(),n=(null!=(a=r.as)?a:l)?"div":"tbody";return{components:{root:n},root:t.slot.always((0,o.getIntrinsicElementProps)(n,{ref:e,role:"div"===n?"rowgroup":void 0,...r}),{elementType:n}),noNativeElements:l}};r.s(["useTableBodyStyles_unstable",()=>y],51351);let k=(0,f.__styles)({root:{mc9l5x:"f1tp1avn"}},{d:[".f1tp1avn{display:table-row-group;}"]}),w=(0,f.__styles)({root:{mc9l5x:"ftgm304"}},{d:[".ftgm304{display:block;}"]}),y=r=>{let e={table:k(),flex:w()};return r.root.className=(0,g.mergeClasses)("fui-TableBody",r.noNativeElements?e.flex.root:e.table.root,r.root.className),r}},78945,r=>{"use strict";r.s(["useTableCell_unstable",()=>a]),r.i(71645);var e=r.i(56720),o=r.i(77074),t=r.i(2012);let a=(r,a)=>{var l;let{noNativeElements:n,size:c}=(0,t.useTableContext)(),i=(null!=(l=r.as)?l:n)?"div":"td";return{components:{root:i},root:o.slot.always((0,e.getIntrinsicElementProps)(i,{ref:a,role:"div"===i?"cell":void 0,...r}),{elementType:i}),noNativeElements:n,size:c}}},7654,66658,r=>{"use strict";r.s(["renderTableCell_unstable",()=>t],7654);var e=r.i(97906),o=r.i(46163);let t=r=>((0,o.assertSlots)(r),(0,e.jsx)(r.root,{}));r.s(["useTableCellStyles_unstable",()=>s],66658);var a=r.i(69024),l=r.i(32778);let n={root:"fui-TableCell"},c=(0,a.__styles)({root:{mc9l5x:"f15pt5es",ha4doy:"fmrv4ls"},medium:{Bqenvij:"f1ft4266"},small:{Bqenvij:"fbsu25e"},"extra-small":{Bqenvij:"frvgh55"}},{d:[".f15pt5es{display:table-cell;}",".fmrv4ls{vertical-align:middle;}",".f1ft4266{height:44px;}",".fbsu25e{height:34px;}",".frvgh55{height:24px;}"]}),i=(0,a.__styles)({root:{mc9l5x:"f22iagw",Bf4jedk:"f10tiqix",Bt984gj:"f122n59",xawz:0,Bh6795r:0,Bnnss6s:0,fkmc3a:"f1izfyrr"},medium:{sshi5w:"f5pgtk9"},small:{sshi5w:"fcep9tg"},"extra-small":{sshi5w:"f1pha7fy"}},{d:[".f22iagw{display:flex;}",".f10tiqix{min-width:0px;}",".f122n59{align-items:center;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".f5pgtk9{min-height:44px;}",".fcep9tg{min-height:34px;}",".f1pha7fy{min-height:24px;}"]}),d=(0,a.__styles)({root:{qhf8xq:"f10pi13n",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f3gpkru",Bfpq7zp:0,g9k6zt:0,Bn4voq9:0,giviqs:"f1dxfoyt",Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f2krc9w"}},{d:[".f10pi13n{position:relative;}",[".f3gpkru{padding:0px var(--spacingHorizontalS);}",{p:-1}],[".f1dxfoyt[data-fui-focus-visible]{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f2krc9w[data-fui-focus-visible]{border-radius:var(--borderRadiusMedium);}",{p:-1}]]}),s=r=>{let e=d(),o={table:c(),flex:i()};return r.root.className=(0,l.mergeClasses)(n.root,e.root,r.noNativeElements?o.flex.root:o.table.root,r.noNativeElements?o.flex[r.size]:o.table[r.size],r.root.className),r}},70218,5129,r=>{"use strict";r.s(["useTableRow_unstable",()=>u],70218);var e=r.i(71645),o=r.i(56720),t=r.i(51701),a=r.i(77074),l=r.i(76865),n=r.i(52536),c=r.i(2012);r.s(["TableHeaderContextProvider",()=>d,"useIsInTableHeader",()=>s],5129);let i=e.createContext(void 0),d=i.Provider,s=()=>""===e.useContext(i),u=(r,e)=>{var i,d;let{noNativeElements:u,size:f}=(0,c.useTableContext)(),g=(null!=(i=r.as)?i:u)?"div":"tr",v=(0,l.useFocusVisible)(),p=(0,n.useFocusWithin)(),h=s();return{components:{root:g},root:a.slot.always((0,o.getIntrinsicElementProps)(g,{ref:(0,t.useMergedRefs)(e,v,p),role:"div"===g?"row":void 0,...r}),{elementType:g}),size:f,noNativeElements:u,appearance:null!=(d=r.appearance)?d:"none",isHeaderRow:h}}},84003,55983,6903,9671,r=>{"use strict";r.s(["useTableRowStyles_unstable",()=>c],84003);var e=r.i(69024),o=r.i(32778);let t={root:"fui-TableRow"},a=(0,e.__styles)({root:{mc9l5x:"f1u0rzck"}},{d:[".f1u0rzck{display:table-row;}"]}),l=(0,e.__styles)({root:{mc9l5x:"f22iagw",Bt984gj:"f122n59"}},{d:[".f22iagw{display:flex;}",".f122n59{align-items:center;}"]}),n=(0,e.__styles)({root:{sj55zd:"f19n0e5",B7ck84d:"f1ewtqcl",Bconypa:"f1jazu75",B6guboy:"f1xeqee6",Bfpq7zp:0,g9k6zt:0,Bn4voq9:0,giviqs:"f1dxfoyt",Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f2krc9w"},rootInteractive:{B6guboy:"f1xeqee6",ecr2s2:"f1wfn5kd",lj723h:"f1g4hkjv",B43xm9u:"f15ngxrw",i921ia:"fjbbrdp",Jwef8y:"f1t94bn6",Bi91k9c:"feu1g3u",Bpt6rm4:"f1uorfem",ff6mpl:"fw60kww",ze5xyy:"f4xjyn1",pgvf35:"ff1wgvm",Bh7lczh:["fiob0tu","f1x4h75k"],dpv3f4:"f1j6scgf",Bpnjhaq:["f1x4h75k","fiob0tu"]},medium:{B9xav0g:0,oivjwe:0,Bn0qgzm:0,Bgfg5da:"f1facbz3"},small:{B9xav0g:0,oivjwe:0,Bn0qgzm:0,Bgfg5da:"f1facbz3"},"extra-small":{Be2twd7:"fy9rknc"},brand:{De3pzq:"f16xkysk",g2u3we:"f1bh3yvw",h3c5rm:["fmi79ni","f11fozsx"],B9xav0g:"fnzw4c6",zhjwy3:["f11fozsx","fmi79ni"],ecr2s2:"f7tkmfy",lj723h:"f1r2dosr",uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f95l9gw",h6lo6r:0,Beo2b4z:0,w1pwid:0,Btyw6ap:0,Hkxhyr:"fw8kmcu",Brwvgy3:"fd94n53",yadkgm:"f1e0wld5"},neutral:{uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f95l9gw",h6lo6r:0,Beo2b4z:0,w1pwid:0,Btyw6ap:0,Hkxhyr:"fw8kmcu",Brwvgy3:"fd94n53",yadkgm:"f1e0wld5",De3pzq:"fq5gl1p",sj55zd:"f1cgsbmv",Jwef8y:"f1uqaxdt",ecr2s2:"fa9o754",g2u3we:"frmsihh",h3c5rm:["frttxa5","f11o2r7f"],B9xav0g:"fem5et0",zhjwy3:["f11o2r7f","frttxa5"]},none:{}},{d:[".f19n0e5{color:var(--colorNeutralForeground1);}",".f1ewtqcl{box-sizing:border-box;}",".f1jazu75[data-fui-focus-within]:focus-within .fui-TableSelectionCell{opacity:1;}",".f1xeqee6[data-fui-focus-within]:focus-within .fui-TableCellActions{opacity:1;}",[".f1dxfoyt[data-fui-focus-visible]{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f2krc9w[data-fui-focus-visible]{border-radius:var(--borderRadiusMedium);}",{p:-1}],[".f1facbz3{border-bottom:var(--strokeWidthThin) solid var(--colorNeutralStroke2);}",{p:-1}],[".f1facbz3{border-bottom:var(--strokeWidthThin) solid var(--colorNeutralStroke2);}",{p:-1}],".fy9rknc{font-size:var(--fontSizeBase200);}",".f16xkysk{background-color:var(--colorBrandBackground2);}",".f1bh3yvw{border-top-color:var(--colorTransparentStrokeInteractive);}",".fmi79ni{border-right-color:var(--colorTransparentStrokeInteractive);}",".f11fozsx{border-left-color:var(--colorTransparentStrokeInteractive);}",".fnzw4c6{border-bottom-color:var(--colorTransparentStrokeInteractive);}",".fq5gl1p{background-color:var(--colorSubtleBackgroundSelected);}",".f1cgsbmv{color:var(--colorNeutralForeground1Hover);}",".frmsihh{border-top-color:var(--colorNeutralStrokeOnBrand);}",".frttxa5{border-right-color:var(--colorNeutralStrokeOnBrand);}",".f11o2r7f{border-left-color:var(--colorNeutralStrokeOnBrand);}",".fem5et0{border-bottom-color:var(--colorNeutralStrokeOnBrand);}"],a:[".f1wfn5kd:active{background-color:var(--colorSubtleBackgroundPressed);}",".f1g4hkjv:active{color:var(--colorNeutralForeground1Pressed);}",".f15ngxrw:active .fui-TableCellActions{opacity:1;}",".fjbbrdp:active .fui-TableSelectionCell{opacity:1;}",".f7tkmfy:active{background-color:var(--colorBrandBackground2);}",".f1r2dosr:active{color:var(--colorNeutralForeground1);}",".fa9o754:active{background-color:var(--colorSubtleBackgroundSelected);}"],h:[".f1t94bn6:hover{background-color:var(--colorSubtleBackgroundHover);}",".feu1g3u:hover{color:var(--colorNeutralForeground1Hover);}",".f1uorfem:hover .fui-TableCellActions{opacity:1;}",".fw60kww:hover .fui-TableSelectionCell{opacity:1;}",".f1uqaxdt:hover{background-color:var(--colorSubtleBackgroundSelected);}"],m:[["@media (forced-colors: active){.f4xjyn1:hover{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.ff1wgvm:hover{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1x4h75k:hover{border-left-color:Highlight;}.fiob0tu:hover{border-right-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1j6scgf:hover{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f95l9gw{border:2px solid transparent;}}",{p:-2,m:"(forced-colors: active)"}],["@media (forced-colors: active){.fw8kmcu{border-radius:var(--borderRadiusMedium);}}",{p:-1,m:"(forced-colors: active)"}],["@media (forced-colors: active){.fd94n53{box-sizing:border-box;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1e0wld5:focus-visible{outline-offset:-4px;}}",{m:"(forced-colors: active)"}]]}),c=r=>{let e=n(),c={table:a(),flex:l()};return r.root.className=(0,o.mergeClasses)(t.root,e.root,!r.isHeaderRow&&e.rootInteractive,e[r.size],r.noNativeElements?c.flex.root:c.table.root,e[r.appearance],r.root.className),r};r.s(["useTableHeader_unstable",()=>u],55983),r.i(71645);var i=r.i(56720),d=r.i(77074),s=r.i(2012);let u=(r,e)=>{var o;let{noNativeElements:t}=(0,s.useTableContext)(),a=(null!=(o=r.as)?o:t)?"div":"thead";return{components:{root:a},root:d.slot.always((0,i.getIntrinsicElementProps)(a,{ref:e,role:"div"===a?"rowgroup":void 0,...r}),{elementType:a}),noNativeElements:t}};r.s(["renderTableHeader_unstable",()=>p],6903);var f=r.i(97906),g=r.i(46163),v=r.i(5129);let p=r=>((0,g.assertSlots)(r),(0,f.jsx)(v.TableHeaderContextProvider,{value:"",children:(0,f.jsx)(r.root,{})}));r.s(["useTableHeaderStyles_unstable",()=>b],9671);let h=(0,e.__styles)({root:{mc9l5x:"ftgm304"}},{d:[".ftgm304{display:block;}"]}),m=(0,e.__styles)({root:{mc9l5x:"f1tp1avn"}},{d:[".f1tp1avn{display:table-row-group;}"]}),b=r=>{let e={table:m(),flex:h()};return r.root.className=(0,o.mergeClasses)("fui-TableHeader",r.noNativeElements?e.flex.root:e.table.root,r.root.className),r}},17944,r=>{"use strict";r.s(["ArrowDownRegular",()=>o,"ArrowUpRegular",()=>t,"BuildingFilled",()=>a,"BuildingRegular",()=>l]);var e=r.i(39806);let o=(0,e.createFluentIcon)("ArrowDownRegular","1em",["M16.87 10.84a.5.5 0 1 0-.74-.68l-5.63 6.17V2.5a.5.5 0 0 0-1 0v13.83l-5.63-6.17a.5.5 0 0 0-.74.68l6.31 6.91a.75.75 0 0 0 1.11 0l6.32-6.91Z"]),t=(0,e.createFluentIcon)("ArrowUpRegular","1em",["M3.13 9.16a.5.5 0 1 0 .74.68L9.5 3.67V17.5a.5.5 0 1 0 1 0V3.67l5.63 6.17a.5.5 0 0 0 .74-.68l-6.32-6.92a.75.75 0 0 0-1.1 0L3.13 9.16Z"],{flipInRtl:!0}),a=(0,e.createFluentIcon)("BuildingFilled","1em",["M4 3.5C4 2.67 4.67 2 5.5 2h6c.83 0 1.5.67 1.5 1.5V8h1.5c.83 0 1.5.67 1.5 1.5v8a.5.5 0 0 1-.5.5H13v-3.5a.5.5 0 0 0-.5-.5h-5a.5.5 0 0 0-.5.5V18H4.5a.5.5 0 0 1-.5-.5v-14Zm2.75 3a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 0-1.5 0 .75.75 0 0 0 1.5 0Zm-.75 3.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm3.75-6.75a.75.75 0 1 0-1.5 0 .75.75 0 0 0 1.5 0ZM9.75 9.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 0-1.5 0 .75.75 0 0 0 1.5 0Zm2.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM12 15v3h-1.5v-3H12Zm-2.5 0H8v3h1.5v-3Z"]),l=(0,e.createFluentIcon)("BuildingRegular","1em",["M6.75 6.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm-.75 3.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm3.75-6.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM9.75 9.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm2.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM4.5 18a.5.5 0 0 1-.5-.5v-14C4 2.67 4.67 2 5.5 2h6c.83 0 1.5.67 1.5 1.5V8h1.5c.83 0 1.5.67 1.5 1.5v8a.5.5 0 0 1-.5.5h-11ZM5 3.5V17h2v-2.5c0-.28.22-.5.5-.5h5c.28 0 .5.22.5.5V17h2V9.5a.5.5 0 0 0-.5-.5h-2a.5.5 0 0 1-.5-.5v-5a.5.5 0 0 0-.5-.5h-6a.5.5 0 0 0-.5.5ZM12 15h-1.5v2H12v-2Zm-2.5 0H8v2h1.5v-2Z"])},35738,76365,91058,r=>{"use strict";r.s(["useTableHeaderCell_unstable",()=>s],35738);var e=r.i(71645),o=r.i(56720),t=r.i(51701),a=r.i(77074),l=r.i(52536),n=r.i(17944),c=r.i(21183),i=r.i(2012);let d={ascending:e.createElement(n.ArrowUpRegular,{fontSize:12}),descending:e.createElement(n.ArrowDownRegular,{fontSize:12})},s=(r,e)=>{var n,s;let{noNativeElements:u,sortable:f}=(0,i.useTableContext)(),{sortable:g=f}=r,v=(null!=(n=r.as)?n:u)?"div":"th",p=a.slot.always(r.button,{elementType:"div",defaultProps:{as:"div"}}),h=(0,c.useARIAButtonProps)(p.as,p);return{components:{root:v,button:"div",sortIcon:"span",aside:"span"},root:a.slot.always((0,o.getIntrinsicElementProps)(v,{ref:(0,t.useMergedRefs)(e,(0,l.useFocusWithin)()),role:"div"===v?"columnheader":void 0,"aria-sort":g?null!=(s=r.sortDirection)?s:"none":void 0,...r}),{elementType:v}),aside:a.slot.optional(r.aside,{elementType:"span"}),sortIcon:a.slot.optional(r.sortIcon,{renderByDefault:!!r.sortDirection,defaultProps:{children:r.sortDirection?d[r.sortDirection]:void 0},elementType:"span"}),button:g?h:p,sortable:g,noNativeElements:u}};r.s(["renderTableHeaderCell_unstable",()=>g],76365);var u=r.i(97906),f=r.i(46163);let g=r=>((0,f.assertSlots)(r),(0,u.jsxs)(r.root,{children:[(0,u.jsxs)(r.button,{children:[r.root.children,r.sortIcon&&(0,u.jsx)(r.sortIcon,{})]}),r.aside&&(0,u.jsx)(r.aside,{})]}));r.s(["useTableHeaderCellStyles_unstable",()=>k],91058);var v=r.i(69024),p=r.i(32778);let h={root:"fui-TableHeaderCell",button:"fui-TableHeaderCell__button",sortIcon:"fui-TableHeaderCell__sortIcon",aside:"fui-TableHeaderCell__aside"},m=(0,v.__styles)({root:{mc9l5x:"f15pt5es",ha4doy:"fmrv4ls"}},{d:[".f15pt5es{display:table-cell;}",".fmrv4ls{vertical-align:middle;}"]}),b=(0,v.__styles)({root:{mc9l5x:"f22iagw",xawz:0,Bh6795r:0,Bnnss6s:0,fkmc3a:"f1izfyrr",Bf4jedk:"f10tiqix"}},{d:[".f22iagw{display:flex;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".f10tiqix{min-width:0px;}"]}),B=(0,v.__styles)({root:{Bhrd7zp:"figsok6",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f3gpkru",robkg1:0,Bmvh20x:0,B3nxjsc:0,Bmkhcsx:"f14ym4q2",B8osjzx:0,pehzd3:0,Blsv9te:0,u7xebq:0,Bsvwmf7:"f1euou18",qhf8xq:"f10pi13n"},rootInteractive:{Bi91k9c:"feu1g3u",Jwef8y:"f1t94bn6",lj723h:"f1g4hkjv",ecr2s2:"f1wfn5kd"},resetButton:{B3rzk8w:"fq6nmtn",B7ck84d:"f1e4lqlz",De3pzq:"f1u2r49w",sj55zd:"f1ym3bx4",Bahqtrf:"f1mo0ibp",Be2twd7:"fjoy568",Bg96gwp:"fytdu2e",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1gl81tg",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1mk8lai",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"f3bhgqh",fsow6f:"fgusgyc"},button:{qhf8xq:"f10pi13n",a9b677:"fly5x3f",mc9l5x:"f22iagw",Bh6795r:0,Bqenvij:"f1l02sjl",Bt984gj:"f122n59",i8kkvl:0,Belr9w4:0,rmohyg:"fkln5zr",sshi5w:"f1nxs5xn",xawz:0,Bnnss6s:0,fkmc3a:"f1izfyrr",oeaueh:"f1s6fcnf"},sortable:{Bceei9c:"f1k6fduh"},sortIcon:{mc9l5x:"f22iagw",Bt984gj:"f122n59",z8tnut:"fclwglc"},resizeHandle:{}},{d:[".figsok6{font-weight:var(--fontWeightRegular);}",[".f3gpkru{padding:0px var(--spacingHorizontalS);}",{p:-1}],[".f14ym4q2[data-fui-focus-within]:focus-within{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f1euou18[data-fui-focus-within]:focus-within{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f10pi13n{position:relative;}",".fq6nmtn{resize:horizontal;}",".f1e4lqlz{box-sizing:content-box;}",".f1u2r49w{background-color:inherit;}",".f1ym3bx4{color:inherit;}",".f1mo0ibp{font-family:inherit;}",".fjoy568{font-size:inherit;}",".fytdu2e{line-height:normal;}",[".f1gl81tg{overflow:visible;}",{p:-1}],[".f1mk8lai{padding:0;}",{p:-1}],[".f3bhgqh{border:none;}",{p:-2}],".fgusgyc{text-align:unset;}",".fly5x3f{width:100%;}",".f22iagw{display:flex;}",".fqerorx{flex-grow:1;}",".f1l02sjl{height:100%;}",".f122n59{align-items:center;}",[".fkln5zr{gap:var(--spacingHorizontalXS);}",{p:-1}],".f1nxs5xn{min-height:32px;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".f1s6fcnf{outline-style:none;}",".f1k6fduh{cursor:pointer;}",".fclwglc{padding-top:var(--spacingVerticalXXS);}"],h:[".feu1g3u:hover{color:var(--colorNeutralForeground1Hover);}",".f1t94bn6:hover{background-color:var(--colorSubtleBackgroundHover);}"],a:[".f1g4hkjv:active{color:var(--colorNeutralForeground1Pressed);}",".f1wfn5kd:active{background-color:var(--colorSubtleBackgroundPressed);}"]}),k=r=>{let e=B(),o={table:m(),flex:b()};return r.root.className=(0,p.mergeClasses)(h.root,e.root,r.sortable&&e.rootInteractive,r.noNativeElements?o.flex.root:o.table.root,r.root.className),r.button.className=(0,p.mergeClasses)(h.button,e.resetButton,e.button,r.sortable&&e.sortable,r.button.className),r.sortIcon&&(r.sortIcon.className=(0,p.mergeClasses)(h.sortIcon,e.sortIcon,r.sortIcon.className)),r.aside&&(r.aside.className=(0,p.mergeClasses)(h.aside,e.resizeHandle,r.aside.className)),r}},31131,r=>{"use strict";r.s(["dataverseClient",()=>t]);let e="/api/data/v9.2",o="/api/audit",t=new class{async fetchEntities(r,o){var t;let a=new URLSearchParams;(null==o||null==(t=o.select)?void 0:t.length)&&a.append("$select",o.select.join(",")),(null==o?void 0:o.filter)&&a.append("$filter",o.filter),(null==o?void 0:o.orderby)&&a.append("$orderby",o.orderby),(null==o?void 0:o.top)!==void 0&&a.append("$top",o.top.toString()),(null==o?void 0:o.skip)!==void 0&&a.append("$skip",o.skip.toString()),(null==o?void 0:o.count)&&a.append("$count","true");let l="".concat(e,"/").concat(r).concat(a.toString()?"?"+a.toString():""),n=await fetch(l,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!n.ok)throw Error("API request failed: ".concat(n.status," ").concat(n.statusText));return n.json()}async fetchEntity(r,o,t){var a;let l=new URLSearchParams;(null==t||null==(a=t.select)?void 0:a.length)&&l.append("$select",t.select.join(","));let n="".concat(e,"/").concat(r,"(").concat(o,")").concat(l.toString()?"?"+l.toString():""),c=await fetch(n,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!c.ok)throw Error("API request failed: ".concat(c.status," ").concat(c.statusText));return c.json()}async createEntity(r,o){let t="".concat(e,"/").concat(r),a=await fetch(t,{method:"POST",headers:{Accept:"application/json","Content-Type":"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"},body:JSON.stringify(o)});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText));let l=a.headers.get("Location");if(l){let r=l.match(/\(([^)]+)\)/);if(r)return r[1]}return""}async updateEntity(r,o,t){let a="".concat(e,"/").concat(r,"(").concat(o,")"),l=await fetch(a,{method:"PATCH",headers:{Accept:"application/json","Content-Type":"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"},body:JSON.stringify(t)});if(!l.ok)throw Error("API request failed: ".concat(l.status," ").concat(l.statusText))}async deleteEntity(r,o){let t="".concat(e,"/").concat(r,"(").concat(o,")"),a=await fetch(t,{method:"DELETE",headers:{"OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText))}async fetchEntityDefinitions(r){var o;let t=new URLSearchParams;(null==r||null==(o=r.select)?void 0:o.length)&&t.append("$select",r.select.join(",")),(null==r?void 0:r.filter)&&t.append("$filter",r.filter);let a="".concat(e,"/EntityDefinitions").concat(t.toString()?"?"+t.toString():""),l=await fetch(a,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!l.ok)throw Error("API request failed: ".concat(l.status," ").concat(l.statusText));return l.json()}async fetchEntityDefinition(r,o){var t;let a=new URLSearchParams;(null==o||null==(t=o.expand)?void 0:t.length)&&a.append("$expand",o.expand.join(","));let l="".concat(e,"/EntityDefinitions(LogicalName='").concat(r,"')").concat(a.toString()?"?"+a.toString():""),n=await fetch(l,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!n.ok)throw Error("API request failed: ".concat(n.status," ").concat(n.statusText));return n.json()}async fetchAuditRecords(r){let e=new URLSearchParams;(null==r?void 0:r.top)!==void 0&&e.append("top",r.top.toString()),(null==r?void 0:r.skip)!==void 0&&e.append("skip",r.skip.toString()),(null==r?void 0:r.orderby)&&e.append("orderby",r.orderby),(null==r?void 0:r.filter)&&e.append("filter",r.filter);let t="".concat(o).concat(e.toString()?"?"+e.toString():""),a=await fetch(t,{method:"GET",headers:{Accept:"application/json"}});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText));return a.json()}async fetchEntityAuditRecords(r,e){let t="".concat(o,"/entity/").concat(r,"/").concat(e),a=await fetch(t,{method:"GET",headers:{Accept:"application/json"}});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText));return a.json()}async fetchAuditDetails(r){let e="".concat(o,"/details/").concat(r),t=await fetch(e,{method:"GET",headers:{Accept:"application/json"}});if(!t.ok)throw Error("API request failed: ".concat(t.status," ").concat(t.statusText));return t.json()}async fetchAuditStatus(){let r=await fetch("".concat(o,"/status"),{method:"GET",headers:{Accept:"application/json"}});if(!r.ok)throw Error("API request failed: ".concat(r.status," ").concat(r.statusText));return r.json()}async setAuditStatus(r){let e=await fetch("".concat(o,"/status"),{method:"POST",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({isAuditEnabled:r})});if(!e.ok)throw Error("API request failed: ".concat(e.status," ").concat(e.statusText));return e.json()}}},98358,r=>{"use strict";r.s(["Badge",()=>h],98358);var e=r.i(71645),o=r.i(56720),t=r.i(77074),a=r.i(21982),l=r.i(69024),n=r.i(32778),c=r.i(83831);let i={root:"fui-Badge",icon:"fui-Badge__icon"};c.tokens.spacingHorizontalXXS;let d=(0,a.__resetStyles)("r1iycov","r115jdol",[".r1iycov{display:inline-flex;box-sizing:border-box;align-items:center;justify-content:center;position:relative;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase200);font-weight:var(--fontWeightSemibold);line-height:var(--lineHeightBase200);height:20px;min-width:20px;padding:0 calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));border-radius:var(--borderRadiusCircular);border-color:var(--colorTransparentStroke);}",'.r1iycov::after{content:"";position:absolute;top:0;left:0;bottom:0;right:0;border-style:solid;border-color:inherit;border-width:var(--strokeWidthThin);border-radius:inherit;}',".r115jdol{display:inline-flex;box-sizing:border-box;align-items:center;justify-content:center;position:relative;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase200);font-weight:var(--fontWeightSemibold);line-height:var(--lineHeightBase200);height:20px;min-width:20px;padding:0 calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));border-radius:var(--borderRadiusCircular);border-color:var(--colorTransparentStroke);}",'.r115jdol::after{content:"";position:absolute;top:0;right:0;bottom:0;left:0;border-style:solid;border-color:inherit;border-width:var(--strokeWidthThin);border-radius:inherit;}']),s=(0,l.__styles)({fontSmallToTiny:{Bahqtrf:"fk6fouc",Be2twd7:"f13mqy1h",Bhrd7zp:"fl43uef",Bg96gwp:"fcpl73t"},tiny:{a9b677:"f16dn6v3",Bqenvij:"f3mu39s",Be2twd7:"f130uwy9",Bg96gwp:"fod1mrr",Bf4jedk:"f18p0k4z",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f19jm9xf"},"extra-small":{a9b677:"fpd43o0",Bqenvij:"f30q22z",Be2twd7:"f1tccstq",Bg96gwp:"f1y3arg5",Bf4jedk:"f18p0k4z",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f19jm9xf"},small:{Bf4jedk:"fq2vo04",Bqenvij:"fd461yt",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fupdldz"},medium:{},large:{Bf4jedk:"f17fgpbq",Bqenvij:"frvgh55",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1996nqw"},"extra-large":{Bf4jedk:"fwbmr0d",Bqenvij:"f1d2rq10",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fty64o7"},square:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f1fabniw"},rounded:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5"},roundedSmallToTiny:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"fq9zq91"},circular:{},borderGhost:{ap17g6:"f10ludwy"},filled:{},"filled-brand":{De3pzq:"ffp7eso",sj55zd:"f1phragk"},"filled-danger":{De3pzq:"fdl5y0r",sj55zd:"f1phragk"},"filled-important":{De3pzq:"f1c73kur",sj55zd:"fr0bkrk"},"filled-informative":{De3pzq:"f3vzo32",sj55zd:"f11d4kpn"},"filled-severe":{De3pzq:"f1s438gw",sj55zd:"f1phragk"},"filled-subtle":{De3pzq:"fxugw4r",sj55zd:"f19n0e5"},"filled-success":{De3pzq:"flxk52p",sj55zd:"f1phragk"},"filled-warning":{De3pzq:"ffq97bm",sj55zd:"ff5vbop"},ghost:{},"ghost-brand":{sj55zd:"f16muhyy"},"ghost-danger":{sj55zd:"f1whyuy6"},"ghost-important":{sj55zd:"f19n0e5"},"ghost-informative":{sj55zd:"f11d4kpn"},"ghost-severe":{sj55zd:"f1l8vj45"},"ghost-subtle":{sj55zd:"fonrgv7"},"ghost-success":{sj55zd:"f1m7fhi8"},"ghost-warning":{sj55zd:"fpti2h4"},outline:{g2u3we:"f23ftbb",h3c5rm:["f1gkuv52","f1p1bl80"],B9xav0g:"fioka3i",zhjwy3:["f1p1bl80","f1gkuv52"]},"outline-brand":{sj55zd:"f16muhyy"},"outline-danger":{sj55zd:"f1whyuy6",g2u3we:"fyqpifd",h3c5rm:["f3ukxca","f1k7dugc"],B9xav0g:"f1njxb2b",zhjwy3:["f1k7dugc","f3ukxca"]},"outline-important":{sj55zd:"f11d4kpn",g2u3we:"fq0vr37",h3c5rm:["f1byw159","f11cr0be"],B9xav0g:"f1c1zstj",zhjwy3:["f11cr0be","f1byw159"]},"outline-informative":{sj55zd:"f11d4kpn",g2u3we:"f68mrw8",h3c5rm:["f7pw515","fw35ms5"],B9xav0g:"frpde29",zhjwy3:["fw35ms5","f7pw515"]},"outline-severe":{sj55zd:"f1l8vj45"},"outline-subtle":{sj55zd:"fonrgv7"},"outline-success":{sj55zd:"f1m7fhi8",g2u3we:"f1mmhl11",h3c5rm:["f1tjpp2f","f1ocn5n7"],B9xav0g:"f1gjv25d",zhjwy3:["f1ocn5n7","f1tjpp2f"]},"outline-warning":{sj55zd:"fpti2h4"},tint:{},"tint-brand":{De3pzq:"f16xkysk",sj55zd:"faj9fo0",g2u3we:"f161y7kd",h3c5rm:["f1c8dzaj","f1sl6hi9"],B9xav0g:"f1619yhw",zhjwy3:["f1sl6hi9","f1c8dzaj"]},"tint-danger":{De3pzq:"ff0poqj",sj55zd:"f1hcrxcs",g2u3we:"f1oqjm8o",h3c5rm:["fkgrb8g","frb5wm0"],B9xav0g:"f1iai1ph",zhjwy3:["frb5wm0","fkgrb8g"]},"tint-important":{De3pzq:"f945g0u",sj55zd:"fr0bkrk",g2u3we:"fghlq4f",h3c5rm:["f1gn591s","fjscplz"],B9xav0g:"fb073pr",zhjwy3:["fjscplz","f1gn591s"]},"tint-informative":{De3pzq:"f1ctqxl6",sj55zd:"f11d4kpn",g2u3we:"f68mrw8",h3c5rm:["f7pw515","fw35ms5"],B9xav0g:"frpde29",zhjwy3:["fw35ms5","f7pw515"]},"tint-severe":{De3pzq:"f1xzsg4",sj55zd:"f1k5f75o",g2u3we:"fxy9dsj",h3c5rm:["f54u6j2","fcm23ze"],B9xav0g:"f4vf0uq",zhjwy3:["fcm23ze","f54u6j2"]},"tint-subtle":{De3pzq:"fxugw4r",sj55zd:"f11d4kpn",g2u3we:"f68mrw8",h3c5rm:["f7pw515","fw35ms5"],B9xav0g:"frpde29",zhjwy3:["fw35ms5","f7pw515"]},"tint-success":{De3pzq:"f2vsrz6",sj55zd:"ffmvakt",g2u3we:"fdmic9h",h3c5rm:["f196y6m","fetptd8"],B9xav0g:"f1pev5xq",zhjwy3:["fetptd8","f196y6m"]},"tint-warning":{De3pzq:"f10s6hli",sj55zd:"f42v8de",g2u3we:"fn9i3n",h3c5rm:["f1aw8cx4","f51if14"],B9xav0g:"fvq8iai",zhjwy3:["f51if14","f1aw8cx4"]}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".f13mqy1h{font-size:var(--fontSizeBase100);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".fcpl73t{line-height:var(--lineHeightBase100);}",".f16dn6v3{width:6px;}",".f3mu39s{height:6px;}",".f130uwy9{font-size:4px;}",".fod1mrr{line-height:4px;}",".f18p0k4z{min-width:unset;}",[".f19jm9xf{padding:unset;}",{p:-1}],".fpd43o0{width:10px;}",".f30q22z{height:10px;}",".f1tccstq{font-size:6px;}",".f1y3arg5{line-height:6px;}",[".f19jm9xf{padding:unset;}",{p:-1}],".fq2vo04{min-width:16px;}",".fd461yt{height:16px;}",[".fupdldz{padding:0 calc(var(--spacingHorizontalXXS) + var(--spacingHorizontalXXS));}",{p:-1}],".f17fgpbq{min-width:24px;}",".frvgh55{height:24px;}",[".f1996nqw{padding:0 calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));}",{p:-1}],".fwbmr0d{min-width:32px;}",".f1d2rq10{height:32px;}",[".fty64o7{padding:0 calc(var(--spacingHorizontalSNudge) + var(--spacingHorizontalXXS));}",{p:-1}],[".f1fabniw{border-radius:var(--borderRadiusNone);}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],[".fq9zq91{border-radius:var(--borderRadiusSmall);}",{p:-1}],".f10ludwy::after{display:none;}",".ffp7eso{background-color:var(--colorBrandBackground);}",".f1phragk{color:var(--colorNeutralForegroundOnBrand);}",".fdl5y0r{background-color:var(--colorPaletteRedBackground3);}",".f1c73kur{background-color:var(--colorNeutralForeground1);}",".fr0bkrk{color:var(--colorNeutralBackground1);}",".f3vzo32{background-color:var(--colorNeutralBackground5);}",".f11d4kpn{color:var(--colorNeutralForeground3);}",".f1s438gw{background-color:var(--colorPaletteDarkOrangeBackground3);}",".fxugw4r{background-color:var(--colorNeutralBackground1);}",".f19n0e5{color:var(--colorNeutralForeground1);}",".flxk52p{background-color:var(--colorPaletteGreenBackground3);}",".ffq97bm{background-color:var(--colorPaletteYellowBackground3);}",".ff5vbop{color:var(--colorNeutralForeground1Static);}",".f16muhyy{color:var(--colorBrandForeground1);}",".f1whyuy6{color:var(--colorPaletteRedForeground3);}",".f1l8vj45{color:var(--colorPaletteDarkOrangeForeground3);}",".fonrgv7{color:var(--colorNeutralForegroundStaticInverted);}",".f1m7fhi8{color:var(--colorPaletteGreenForeground3);}",".fpti2h4{color:var(--colorPaletteYellowForeground2);}",".f23ftbb{border-top-color:currentColor;}",".f1gkuv52{border-right-color:currentColor;}",".f1p1bl80{border-left-color:currentColor;}",".fioka3i{border-bottom-color:currentColor;}",".fyqpifd{border-top-color:var(--colorPaletteRedBorder2);}",".f3ukxca{border-right-color:var(--colorPaletteRedBorder2);}",".f1k7dugc{border-left-color:var(--colorPaletteRedBorder2);}",".f1njxb2b{border-bottom-color:var(--colorPaletteRedBorder2);}",".fq0vr37{border-top-color:var(--colorNeutralStrokeAccessible);}",".f1byw159{border-right-color:var(--colorNeutralStrokeAccessible);}",".f11cr0be{border-left-color:var(--colorNeutralStrokeAccessible);}",".f1c1zstj{border-bottom-color:var(--colorNeutralStrokeAccessible);}",".f68mrw8{border-top-color:var(--colorNeutralStroke2);}",".f7pw515{border-right-color:var(--colorNeutralStroke2);}",".fw35ms5{border-left-color:var(--colorNeutralStroke2);}",".frpde29{border-bottom-color:var(--colorNeutralStroke2);}",".f1mmhl11{border-top-color:var(--colorPaletteGreenBorder2);}",".f1tjpp2f{border-right-color:var(--colorPaletteGreenBorder2);}",".f1ocn5n7{border-left-color:var(--colorPaletteGreenBorder2);}",".f1gjv25d{border-bottom-color:var(--colorPaletteGreenBorder2);}",".f16xkysk{background-color:var(--colorBrandBackground2);}",".faj9fo0{color:var(--colorBrandForeground2);}",".f161y7kd{border-top-color:var(--colorBrandStroke2);}",".f1c8dzaj{border-right-color:var(--colorBrandStroke2);}",".f1sl6hi9{border-left-color:var(--colorBrandStroke2);}",".f1619yhw{border-bottom-color:var(--colorBrandStroke2);}",".ff0poqj{background-color:var(--colorPaletteRedBackground1);}",".f1hcrxcs{color:var(--colorPaletteRedForeground1);}",".f1oqjm8o{border-top-color:var(--colorPaletteRedBorder1);}",".fkgrb8g{border-right-color:var(--colorPaletteRedBorder1);}",".frb5wm0{border-left-color:var(--colorPaletteRedBorder1);}",".f1iai1ph{border-bottom-color:var(--colorPaletteRedBorder1);}",".f945g0u{background-color:var(--colorNeutralForeground3);}",".fghlq4f{border-top-color:var(--colorTransparentStroke);}",".f1gn591s{border-right-color:var(--colorTransparentStroke);}",".fjscplz{border-left-color:var(--colorTransparentStroke);}",".fb073pr{border-bottom-color:var(--colorTransparentStroke);}",".f1ctqxl6{background-color:var(--colorNeutralBackground4);}",".f1xzsg4{background-color:var(--colorPaletteDarkOrangeBackground1);}",".f1k5f75o{color:var(--colorPaletteDarkOrangeForeground1);}",".fxy9dsj{border-top-color:var(--colorPaletteDarkOrangeBorder1);}",".f54u6j2{border-right-color:var(--colorPaletteDarkOrangeBorder1);}",".fcm23ze{border-left-color:var(--colorPaletteDarkOrangeBorder1);}",".f4vf0uq{border-bottom-color:var(--colorPaletteDarkOrangeBorder1);}",".f2vsrz6{background-color:var(--colorPaletteGreenBackground1);}",".ffmvakt{color:var(--colorPaletteGreenForeground1);}",".fdmic9h{border-top-color:var(--colorPaletteGreenBorder1);}",".f196y6m{border-right-color:var(--colorPaletteGreenBorder1);}",".fetptd8{border-left-color:var(--colorPaletteGreenBorder1);}",".f1pev5xq{border-bottom-color:var(--colorPaletteGreenBorder1);}",".f10s6hli{background-color:var(--colorPaletteYellowBackground1);}",".f42v8de{color:var(--colorPaletteYellowForeground1);}",".fn9i3n{border-top-color:var(--colorPaletteYellowBorder1);}",".f1aw8cx4{border-right-color:var(--colorPaletteYellowBorder1);}",".f51if14{border-left-color:var(--colorPaletteYellowBorder1);}",".fvq8iai{border-bottom-color:var(--colorPaletteYellowBorder1);}"]}),u=(0,a.__resetStyles)("rttl5z0",null,[".rttl5z0{display:flex;line-height:1;margin:0 calc(-1 * var(--spacingHorizontalXXS));font-size:12px;}"]),f=(0,l.__styles)({beforeText:{t21cq0:["f1t8l4o1","f11juvx6"]},afterText:{Frg6f3:["f11juvx6","f1t8l4o1"]},beforeTextXL:{t21cq0:["f1rs9grm","f1kwmkpi"]},afterTextXL:{Frg6f3:["f1kwmkpi","f1rs9grm"]},tiny:{Be2twd7:"f1tccstq"},"extra-small":{Be2twd7:"fnmn6fi"},small:{Be2twd7:"f1ugzwwg"},medium:{},large:{Be2twd7:"f4ybsrx"},"extra-large":{Be2twd7:"fe5j1ua"}},{d:[".f1t8l4o1{margin-right:calc(var(--spacingHorizontalXXS) + var(--spacingHorizontalXXS));}",".f11juvx6{margin-left:calc(var(--spacingHorizontalXXS) + var(--spacingHorizontalXXS));}",".f1rs9grm{margin-right:calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));}",".f1kwmkpi{margin-left:calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));}",".f1tccstq{font-size:6px;}",".fnmn6fi{font-size:10px;}",".f1ugzwwg{font-size:12px;}",".f4ybsrx{font-size:16px;}",".fe5j1ua{font-size:20px;}"]});var g=r.i(96019),v=r.i(97906),p=r.i(46163);let h=e.forwardRef((r,a)=>{let l=((r,e)=>{let{shape:a="circular",size:l="medium",iconPosition:n="before",appearance:c="filled",color:i="brand"}=r;return{shape:a,size:l,iconPosition:n,appearance:c,color:i,components:{root:"div",icon:"span"},root:t.slot.always((0,o.getIntrinsicElementProps)("div",{ref:e,...r}),{elementType:"div"}),icon:t.slot.optional(r.icon,{elementType:"span"})}})(r,a);return(r=>{let o=d(),t=s(),a="small"===r.size||"extra-small"===r.size||"tiny"===r.size;r.root.className=(0,n.mergeClasses)(i.root,o,a&&t.fontSmallToTiny,t[r.size],t[r.shape],"rounded"===r.shape&&a&&t.roundedSmallToTiny,"ghost"===r.appearance&&t.borderGhost,t[r.appearance],t["".concat(r.appearance,"-").concat(r.color)],r.root.className);let l=u(),c=f();if(r.icon){let o;e.Children.toArray(r.root.children).length>0&&(o="extra-large"===r.size?"after"===r.iconPosition?c.afterTextXL:c.beforeTextXL:"after"===r.iconPosition?c.afterText:c.beforeText),r.icon.className=(0,n.mergeClasses)(i.icon,l,o,c[r.size],r.icon.className)}})(l),(0,g.useCustomStyleHook_unstable)("useBadgeStyles_unstable")(l),(r=>((0,p.assertSlots)(r),(0,v.jsxs)(r.root,{children:["before"===r.iconPosition&&r.icon&&(0,v.jsx)(r.icon,{}),r.root.children,"after"===r.iconPosition&&r.icon&&(0,v.jsx)(r.icon,{})]})))(l)});h.displayName="Badge"}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/2eec87a560ea1d9b.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/2eec87a560ea1d9b.js new file mode 100644 index 00000000..425f36ae --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/2eec87a560ea1d9b.js @@ -0,0 +1,5 @@ +__turbopack_load_page_chunks__("/_error", [ + "static/chunks/65ff02b1ec0d2865.js", + "static/chunks/3404f422118a690e.js", + "static/chunks/turbopack-dce83e4755f5f1ad.js" +]) diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/37dac41d5a21c6ac.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/37dac41d5a21c6ac.js new file mode 100644 index 00000000..a8e9be0a --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/37dac41d5a21c6ac.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,22053,46036,38120,82267,68748,84019,e=>{"use strict";e.s(["Table",()=>r],22053);var l=e.i(71645),a=e.i(13768),s=e.i(75345),t=e.i(807),u=e.i(58725),b=e.i(96019);let r=l.forwardRef((e,l)=>{let r=(0,a.useTable_unstable)(e,l);return(0,t.useTableStyles_unstable)(r),(0,b.useCustomStyleHook_unstable)("useTableStyles_unstable")(r),(0,s.renderTable_unstable)(r,(0,u.useTableContextValues_unstable)(r))});r.displayName="Table",e.s(["TableBody",()=>i],46036);var o=e.i(17304),n=e.i(97906),T=e.i(46163),d=e.i(51351);let i=l.forwardRef((e,l)=>{let a=(0,o.useTableBody_unstable)(e,l);return(0,d.useTableBodyStyles_unstable)(a),(0,b.useCustomStyleHook_unstable)("useTableBodyStyles_unstable")(a),(e=>((0,T.assertSlots)(e),(0,n.jsx)(e.root,{})))(a)});i.displayName="TableBody",e.s(["TableCell",()=>S],38120);var y=e.i(78945),_=e.i(7654),C=e.i(66658);let S=l.forwardRef((e,l)=>{let a=(0,y.useTableCell_unstable)(e,l);return(0,C.useTableCellStyles_unstable)(a),(0,b.useCustomStyleHook_unstable)("useTableCellStyles_unstable")(a),(0,_.renderTableCell_unstable)(a)});S.displayName="TableCell",e.s(["TableRow",()=>f],82267);var H=e.i(70218),m=e.i(84003);let f=l.forwardRef((e,l)=>{let a=(0,H.useTableRow_unstable)(e,l);return(0,m.useTableRowStyles_unstable)(a),(0,b.useCustomStyleHook_unstable)("useTableRowStyles_unstable")(a),(e=>((0,T.assertSlots)(e),(0,n.jsx)(e.root,{})))(a)});f.displayName="TableRow",e.s(["TableHeader",()=>v],68748);var R=e.i(55983),w=e.i(6903),p=e.i(9671);let v=l.forwardRef((e,l)=>{let a=(0,R.useTableHeader_unstable)(e,l);return(0,p.useTableHeaderStyles_unstable)(a),(0,b.useCustomStyleHook_unstable)("useTableHeaderStyles_unstable")(a),(0,w.renderTableHeader_unstable)(a)});v.displayName="TableHeader",e.s(["TableHeaderCell",()=>N],84019);var B=e.i(35738),c=e.i(76365),k=e.i(91058);let N=l.forwardRef((e,l)=>{let a=(0,B.useTableHeaderCell_unstable)(e,l);return(0,k.useTableHeaderCellStyles_unstable)(a),(0,b.useCustomStyleHook_unstable)("useTableHeaderCellStyles_unstable")(a),(0,c.renderTableHeaderCell_unstable)(a)});N.displayName="TableHeaderCell"}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/8960c89b816cbdaa.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/8960c89b816cbdaa.js new file mode 100644 index 00000000..4d8d8361 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/8960c89b816cbdaa.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,29878,3779,e=>{"use strict";e.s(["useOverrides_unstable",()=>o],29878),e.s(["OverridesProvider",()=>a,"useOverrides",()=>o],3779);var r=e.i(71645);let t=r.createContext(void 0),a=t.Provider;function o(){var e;return null!=(e=r.useContext(t))?e:{}}},89267,e=>{"use strict";e.s(["ThemeClassNameProvider",()=>a,"useThemeClassName",()=>o]);var r=e.i(71645);let t=r.createContext(void 0),a=t.Provider;function o(){var e;return null!=(e=r.useContext(t))?e:""}},42525,e=>{"use strict";e.s(["default",()=>ec],42525);var r=e.i(43476),t=e.i(71645),a=e.i(97906),o=e.i(14558),n=e.i(46163),d=e.i(54814),c=e.i(3779),c=c,i=e.i(92688),i=i;let l=t.createContext(void 0).Provider,s=t.createContext(void 0),u=s.Provider;var f=e.i(89267),f=f,h=e.i(69421),h=h,g=e.i(11774);e.i(47167);var b=e.i(91211),b=b,p=e.i(76865),B=e.i(1327),k=e.i(29878),m=h,v=e.i(56720),S=e.i(51701),N=e.i(77074),x=e.i(90312),y=e.i(52911),F=e.i(6013),H=e.i(32778),b=b;let P={root:"fui-FluentProvider"},w=(0,F.__styles)({root:{sj55zd:"f19n0e5",De3pzq:"fxugw4r",fsow6f:["f1o700av","fes3tcz"],Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"}},{d:[".f19n0e5{color:var(--colorNeutralForeground1);}",".fxugw4r{background-color:var(--colorNeutralBackground1);}",".f1o700av{text-align:left;}",".fes3tcz{text-align:right;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}"]}),C=t.useInsertionEffect?t.useInsertionEffect:y.useIsomorphicLayoutEffect,I={},z={};function L(e,r){return e&&r?{...e,...r}:e||r}let A=t.forwardRef((e,r)=>{let y=((e,r)=>{var a;let o=(0,B.useFluent_unstable)(),n=t.useContext(s),d=(0,k.useOverrides_unstable)(),c=t.useContext(m.CustomStyleHooksContext)||I,{applyStylesToPortals:i=!0,customStyleHooks_unstable:l,dir:u=o.dir,targetDocument:f=o.targetDocument,theme:h,overrides_unstable:g={}}=e,y=L(n,h),F=L(d,g),H=L(c,l),w=(0,b.useRenderer)(),{styleTagId:A,rule:D}=(e=>{let{targetDocument:r,theme:a,rendererAttributes:o}=e,n=t.useRef(void 0),d=(0,x.useId)(P.root),c=t.useMemo(()=>(function(e,r){if(r){let t=Object.keys(r).reduce((e,t)=>"".concat(e,"--").concat(t,": ").concat(r[t],"; "),"");return"".concat(e," { ").concat(t," }")}return"".concat(e," {}")})(".".concat(d),a),[a,d]);return function(e,r){t.useState(()=>{if(!e)return;let t=e.getElementById(r);t&&e.head.append(t)})}(r,d),C(()=>{let e=null==r?void 0:r.getElementById(d);return e?n.current=e:(n.current=((e,r)=>{if(!(null==e?void 0:e.head))return;let t=e.createElement("style");return Object.keys(r).forEach(e=>{t.setAttribute(e,r[e])}),e.head.appendChild(t),t})(r,{...o,id:d}),n.current&&((e,r)=>{let t=e.sheet;t&&(t.cssRules.length>0&&t.deleteRule(0),t.insertRule(r,0))})(n.current,c)),()=>{var e;null==(e=n.current)||e.remove()}},[d,r,c,o]),{styleTagId:d,rule:c}})({theme:y,targetDocument:f,rendererAttributes:null!=(a=w.styleElementAttributes)?a:z});return{applyStylesToPortals:i,customStyleHooks_unstable:H,dir:u,targetDocument:f,theme:y,overrides_unstable:F,themeClassName:A,components:{root:"div"},root:N.slot.always((0,v.getIntrinsicElementProps)("div",{...e,dir:u,ref:(0,S.useMergedRefs)(r,(0,p.useFocusVisible)({targetDocument:f}))}),{elementType:"div"}),serverStyleProps:{cssRule:D,attributes:{...w.styleElementAttributes,id:A}}}})(e,r);(e=>{let r=(0,b.useRenderer)(),t=w({dir:e.dir,renderer:r});return e.root.className=(0,H.mergeClasses)(P.root,e.themeClassName,t.root,e.root.className)})(y);let F=function(e){let{applyStylesToPortals:r,customStyleHooks_unstable:a,dir:o,root:n,targetDocument:d,theme:c,themeClassName:i,overrides_unstable:l}=e,s=t.useMemo(()=>({dir:o,targetDocument:d}),[o,d]),[u]=t.useState(()=>({})),f=t.useMemo(()=>({textDirection:o}),[o]);return{customStyleHooks_unstable:a,overrides_unstable:l,provider:s,textDirection:o,iconDirection:f,tooltip:u,theme:c,themeClassName:r?n.className:i}}(y);return((e,r)=>((0,n.assertSlots)(e),(0,a.jsx)(i.Provider,{value:r.provider,children:(0,a.jsx)(u,{value:r.theme,children:(0,a.jsx)(f.ThemeClassNameProvider,{value:r.themeClassName,children:(0,a.jsx)(h.CustomStyleHooksProvider,{value:r.customStyleHooks_unstable,children:(0,a.jsx)(l,{value:r.tooltip,children:(0,a.jsx)(d.TextDirectionProvider,{dir:r.textDirection,children:(0,a.jsx)(g.IconDirectionContextProvider,{value:r.iconDirection,children:(0,a.jsx)(c.OverridesProvider,{value:r.overrides_unstable,children:(0,a.jsxs)(e.root,{children:[(0,o.canUseDOM)()?null:(0,a.jsx)("style",{dangerouslySetInnerHTML:{__html:e.serverStyleProps.cssRule},...e.serverStyleProps.attributes}),e.root.children]})})})})})})})})})))(y,F)});A.displayName="FluentProvider";let D={2:"#050505",4:"#0a0a0a",6:"#0f0f0f",8:"#141414",10:"#1a1a1a",12:"#1f1f1f",14:"#242424",16:"#292929",18:"#2e2e2e",20:"#333333",22:"#383838",24:"#3d3d3d",26:"#424242",28:"#474747",30:"#4d4d4d",32:"#525252",34:"#575757",36:"#5c5c5c",38:"#616161",40:"#666666",42:"#6b6b6b",44:"#707070",46:"#757575",48:"#7a7a7a",50:"#808080",52:"#858585",54:"#8a8a8a",56:"#8f8f8f",58:"#949494",60:"#999999",62:"#9e9e9e",64:"#a3a3a3",66:"#a8a8a8",68:"#adadad",70:"#b3b3b3",72:"#b8b8b8",74:"#bdbdbd",76:"#c2c2c2",78:"#c7c7c7",80:"#cccccc",82:"#d1d1d1",84:"#d6d6d6",86:"#dbdbdb",88:"#e0e0e0",90:"#e6e6e6",92:"#ebebeb",94:"#f0f0f0",96:"#f5f5f5",98:"#fafafa"},O={5:"rgba(255, 255, 255, 0.05)",10:"rgba(255, 255, 255, 0.1)",20:"rgba(255, 255, 255, 0.2)",30:"rgba(255, 255, 255, 0.3)",40:"rgba(255, 255, 255, 0.4)",50:"rgba(255, 255, 255, 0.5)",60:"rgba(255, 255, 255, 0.6)",70:"rgba(255, 255, 255, 0.7)",80:"rgba(255, 255, 255, 0.8)",90:"rgba(255, 255, 255, 0.9)"},j={5:"rgba(0, 0, 0, 0.05)",10:"rgba(0, 0, 0, 0.1)",20:"rgba(0, 0, 0, 0.2)",30:"rgba(0, 0, 0, 0.3)",40:"rgba(0, 0, 0, 0.4)",50:"rgba(0, 0, 0, 0.5)",60:"rgba(0, 0, 0, 0.6)",70:"rgba(0, 0, 0, 0.7)",80:"rgba(0, 0, 0, 0.8)",90:"rgba(0, 0, 0, 0.9)"},R="#ffffff",M={shade50:"#200205",shade40:"#3b0509",shade30:"#6e0811",shade20:"#960b18",shade10:"#b10e1c",primary:"#c50f1f",tint10:"#cc2635",tint20:"#d33f4c",tint30:"#dc626d",tint40:"#eeacb2",tint50:"#f6d1d5",tint60:"#fdf3f4"},T={shade50:"#031403",shade40:"#052505",shade30:"#094509",shade20:"#0c5e0c",shade10:"#0e700e",primary:"#107c10",tint10:"#218c21",tint20:"#359b35",tint30:"#54b054",tint40:"#9fd89f",tint50:"#c9eac9",tint60:"#f1faf1"},X={red:{shade50:"#210809",shade40:"#3f1011",shade30:"#751d1f",shade20:"#9f282b",shade10:"#bc2f32",primary:"#d13438",tint10:"#d7494c",tint20:"#dc5e62",tint30:"#e37d80",tint40:"#f1bbbc",tint50:"#f8dadb",tint60:"#fdf6f6"},green:T,darkOrange:{shade50:"#230900",shade40:"#411200",shade30:"#7a2101",shade20:"#a62d01",shade10:"#c43501",primary:"#da3b01",tint10:"#de501c",tint20:"#e36537",tint30:"#e9835e",tint40:"#f4bfab",tint50:"#f9dcd1",tint60:"#fdf6f3"},yellow:{shade50:"#282400",shade40:"#4c4400",shade30:"#817400",shade20:"#c0ad00",shade10:"#e4cc00",primary:"#fde300",tint10:"#fde61e",tint20:"#fdea3d",tint30:"#feee66",tint40:"#fef7b2",tint50:"#fffad6",tint60:"#fffef5"},berry:{shade50:"#1f091d",shade40:"#3a1136",shade30:"#6d2064",shade20:"#932b88",shade10:"#af33a1",primary:"#c239b3",tint10:"#c94cbc",tint20:"#d161c4",tint30:"#da7ed0",tint40:"#edbbe7",tint50:"#f5daf2",tint60:"#fdf5fc"},lightGreen:{shade50:"#031a02",shade40:"#063004",shade30:"#0b5a08",shade20:"#0e7a0b",shade10:"#11910d",primary:"#13a10e",tint10:"#27ac22",tint20:"#3db838",tint30:"#5ec75a",tint40:"#a7e3a5",tint50:"#cef0cd",tint60:"#f2fbf2"},marigold:{shade50:"#251a00",shade40:"#463100",shade30:"#835b00",shade20:"#b27c00",shade10:"#d39300",primary:"#eaa300",tint10:"#edad1c",tint20:"#efb839",tint30:"#f2c661",tint40:"#f9e2ae",tint50:"#fcefd3",tint60:"#fefbf4"}},E={darkRed:{shade50:"#130204",shade40:"#230308",shade30:"#420610",shade20:"#590815",shade10:"#690a19",primary:"#750b1c",tint10:"#861b2c",tint20:"#962f3f",tint30:"#ac4f5e",tint40:"#d69ca5",tint50:"#e9c7cd",tint60:"#f9f0f2"},cranberry:M,pumpkin:{shade50:"#200d03",shade40:"#3d1805",shade30:"#712d09",shade20:"#9a3d0c",shade10:"#b6480e",primary:"#ca5010",tint10:"#d06228",tint20:"#d77440",tint30:"#df8e64",tint40:"#efc4ad",tint50:"#f7dfd2",tint60:"#fdf7f4"},peach:{shade50:"#291600",shade40:"#4d2a00",shade30:"#8f4e00",shade20:"#c26a00",shade10:"#e67e00",primary:"#ff8c00",tint10:"#ff9a1f",tint20:"#ffa83d",tint30:"#ffba66",tint40:"#ffddb3",tint50:"#ffedd6",tint60:"#fffaf5"},gold:{shade50:"#1f1900",shade40:"#3a2f00",shade30:"#6c5700",shade20:"#937700",shade10:"#ae8c00",primary:"#c19c00",tint10:"#c8a718",tint20:"#d0b232",tint30:"#dac157",tint40:"#ecdfa5",tint50:"#f5eece",tint60:"#fdfbf2"},brass:{shade50:"#181202",shade40:"#2e2103",shade30:"#553e06",shade20:"#745408",shade10:"#89640a",primary:"#986f0b",tint10:"#a47d1e",tint20:"#b18c34",tint30:"#c1a256",tint40:"#e0cea2",tint50:"#efe4cb",tint60:"#fbf8f2"},brown:{shade50:"#170e07",shade40:"#2b1a0e",shade30:"#50301a",shade20:"#6c4123",shade10:"#804d29",primary:"#8e562e",tint10:"#9c663f",tint20:"#a97652",tint30:"#bb8f6f",tint40:"#ddc3b0",tint50:"#edded3",tint60:"#faf7f4"},forest:{shade50:"#0c1501",shade40:"#162702",shade30:"#294903",shade20:"#376304",shade10:"#427505",primary:"#498205",tint10:"#599116",tint20:"#6ba02b",tint30:"#85b44c",tint40:"#bdd99b",tint50:"#dbebc7",tint60:"#f6faf0"},seafoam:{shade50:"#002111",shade40:"#003d20",shade30:"#00723b",shade20:"#009b51",shade10:"#00b85f",primary:"#00cc6a",tint10:"#19d279",tint20:"#34d889",tint30:"#5ae0a0",tint40:"#a8f0cd",tint50:"#cff7e4",tint60:"#f3fdf8"},darkGreen:{shade50:"#021102",shade40:"#032003",shade30:"#063b06",shade20:"#085108",shade10:"#0a5f0a",primary:"#0b6a0b",tint10:"#1a7c1a",tint20:"#2d8e2d",tint30:"#4da64d",tint40:"#9ad29a",tint50:"#c6e7c6",tint60:"#f0f9f0"},lightTeal:{shade50:"#001d1f",shade40:"#00373a",shade30:"#00666d",shade20:"#008b94",shade10:"#00a5af",primary:"#00b7c3",tint10:"#18bfca",tint20:"#32c8d1",tint30:"#58d3db",tint40:"#a6e9ed",tint50:"#cef3f5",tint60:"#f2fcfd"},teal:{shade50:"#001516",shade40:"#012728",shade30:"#02494c",shade20:"#026467",shade10:"#037679",primary:"#038387",tint10:"#159195",tint20:"#2aa0a4",tint30:"#4cb4b7",tint40:"#9bd9db",tint50:"#c7ebec",tint60:"#f0fafa"},steel:{shade50:"#000f12",shade40:"#001b22",shade30:"#00333f",shade20:"#004555",shade10:"#005265",primary:"#005b70",tint10:"#0f6c81",tint20:"#237d92",tint30:"#4496a9",tint40:"#94c8d4",tint50:"#c3e1e8",tint60:"#eff7f9"},blue:{shade50:"#001322",shade40:"#002440",shade30:"#004377",shade20:"#005ba1",shade10:"#006cbf",primary:"#0078d4",tint10:"#1a86d9",tint20:"#3595de",tint30:"#5caae5",tint40:"#a9d3f2",tint50:"#d0e7f8",tint60:"#f3f9fd"},royalBlue:{shade50:"#000c16",shade40:"#00172a",shade30:"#002c4e",shade20:"#003b6a",shade10:"#00467e",primary:"#004e8c",tint10:"#125e9a",tint20:"#286fa8",tint30:"#4a89ba",tint40:"#9abfdc",tint50:"#c7dced",tint60:"#f0f6fa"},cornflower:{shade50:"#0d1126",shade40:"#182047",shade30:"#2c3c85",shade20:"#3c51b4",shade10:"#4760d5",primary:"#4f6bed",tint10:"#637cef",tint20:"#778df1",tint30:"#93a4f4",tint40:"#c8d1fa",tint50:"#e1e6fc",tint60:"#f7f9fe"},navy:{shade50:"#00061d",shade40:"#000c36",shade30:"#001665",shade20:"#001e89",shade10:"#0023a2",primary:"#0027b4",tint10:"#173bbd",tint20:"#3050c6",tint30:"#546fd2",tint40:"#a3b2e8",tint50:"#ccd5f3",tint60:"#f2f4fc"},lavender:{shade50:"#120f25",shade40:"#221d46",shade30:"#3f3682",shade20:"#5649b0",shade10:"#6656d1",primary:"#7160e8",tint10:"#8172eb",tint20:"#9184ee",tint30:"#a79cf1",tint40:"#d2ccf8",tint50:"#e7e4fb",tint60:"#f9f8fe"},purple:{shade50:"#0f0717",shade40:"#1c0e2b",shade30:"#341a51",shade20:"#46236e",shade10:"#532982",primary:"#5c2e91",tint10:"#6b3f9e",tint20:"#7c52ab",tint30:"#9470bd",tint40:"#c6b1de",tint50:"#e0d3ed",tint60:"#f7f4fb"},grape:{shade50:"#160418",shade40:"#29072e",shade30:"#4c0d55",shade20:"#671174",shade10:"#7a1589",primary:"#881798",tint10:"#952aa4",tint20:"#a33fb1",tint30:"#b55fc1",tint40:"#d9a7e0",tint50:"#eaceef",tint60:"#faf2fb"},lilac:{shade50:"#1c0b1f",shade40:"#35153a",shade30:"#63276d",shade20:"#863593",shade10:"#9f3faf",primary:"#b146c2",tint10:"#ba58c9",tint20:"#c36bd1",tint30:"#cf87da",tint40:"#e6bfed",tint50:"#f2dcf5",tint60:"#fcf6fd"},pink:{shade50:"#24091b",shade40:"#441232",shade30:"#80215d",shade20:"#ad2d7e",shade10:"#cd3595",primary:"#e43ba6",tint10:"#e750b0",tint20:"#ea66ba",tint30:"#ef85c8",tint40:"#f7c0e3",tint50:"#fbddf0",tint60:"#fef6fb"},magenta:{shade50:"#1f0013",shade40:"#390024",shade30:"#6b0043",shade20:"#91005a",shade10:"#ac006b",primary:"#bf0077",tint10:"#c71885",tint20:"#ce3293",tint30:"#d957a8",tint40:"#eca5d1",tint50:"#f5cee6",tint60:"#fcf2f9"},plum:{shade50:"#13000c",shade40:"#240017",shade30:"#43002b",shade20:"#5a003b",shade10:"#6b0045",primary:"#77004d",tint10:"#87105d",tint20:"#98246f",tint30:"#ad4589",tint40:"#d696c0",tint50:"#e9c4dc",tint60:"#faf0f6"},beige:{shade50:"#141313",shade40:"#252323",shade30:"#444241",shade20:"#5d5958",shade10:"#6e6968",primary:"#7a7574",tint10:"#8a8584",tint20:"#9a9594",tint30:"#afabaa",tint40:"#d7d4d4",tint50:"#eae8e8",tint60:"#faf9f9"},mink:{shade50:"#0f0e0e",shade40:"#1c1b1a",shade30:"#343231",shade20:"#474443",shade10:"#54514f",primary:"#5d5a58",tint10:"#706d6b",tint20:"#84817e",tint30:"#9e9b99",tint40:"#cecccb",tint50:"#e5e4e3",tint60:"#f8f8f8"},platinum:{shade50:"#111314",shade40:"#1f2426",shade30:"#3b4447",shade20:"#505c60",shade10:"#5f6d71",primary:"#69797e",tint10:"#79898d",tint20:"#89989d",tint30:"#a0adb2",tint40:"#cdd6d8",tint50:"#e4e9ea",tint60:"#f8f9fa"},anchor:{shade50:"#090a0b",shade40:"#111315",shade30:"#202427",shade20:"#2b3135",shade10:"#333a3f",primary:"#394146",tint10:"#4d565c",tint20:"#626c72",tint30:"#808a90",tint40:"#bcc3c7",tint50:"#dbdfe1",tint60:"#f6f7f8"}},W={cranberry:M,green:T,orange:{shade50:"#271002",shade40:"#4a1e04",shade30:"#8a3707",shade20:"#bc4b09",shade10:"#de590b",primary:"#f7630c",tint10:"#f87528",tint20:"#f98845",tint30:"#faa06b",tint40:"#fdcfb4",tint50:"#fee5d7",tint60:"#fff9f5"}},U={success:"green",warning:"orange",danger:"cranberry"},V=["red","green","darkOrange","yellow","berry","lightGreen","marigold"].reduce((e,r)=>{let t=r.slice(0,1).toUpperCase()+r.slice(1);return Object.assign(e,{["colorPalette".concat(t,"Background1")]:X[r].tint60,["colorPalette".concat(t,"Background2")]:X[r].tint40,["colorPalette".concat(t,"Background3")]:X[r].primary,["colorPalette".concat(t,"Foreground1")]:X[r].shade10,["colorPalette".concat(t,"Foreground2")]:X[r].shade30,["colorPalette".concat(t,"Foreground3")]:X[r].primary,["colorPalette".concat(t,"BorderActive")]:X[r].primary,["colorPalette".concat(t,"Border1")]:X[r].tint40,["colorPalette".concat(t,"Border2")]:X[r].primary})},{});V.colorPaletteYellowForeground1=X.yellow.shade30,V.colorPaletteRedForegroundInverted=X.red.tint20,V.colorPaletteGreenForegroundInverted=X.green.tint20,V.colorPaletteYellowForegroundInverted=X.yellow.tint40;let _=["darkRed","cranberry","pumpkin","peach","gold","brass","brown","forest","seafoam","darkGreen","lightTeal","teal","steel","blue","royalBlue","cornflower","navy","lavender","purple","grape","lilac","pink","magenta","plum","beige","mink","platinum","anchor"].reduce((e,r)=>{let t=r.slice(0,1).toUpperCase()+r.slice(1);return Object.assign(e,{["colorPalette".concat(t,"Background2")]:E[r].tint40,["colorPalette".concat(t,"Foreground2")]:E[r].shade30,["colorPalette".concat(t,"BorderActive")]:E[r].primary})},{}),K={...V,..._},G=Object.entries(U).reduce((e,r)=>{let[t,a]=r,o=t.slice(0,1).toUpperCase()+t.slice(1);return Object.assign(e,{["colorStatus".concat(o,"Background1")]:W[a].tint60,["colorStatus".concat(o,"Background2")]:W[a].tint40,["colorStatus".concat(o,"Background3")]:W[a].primary,["colorStatus".concat(o,"Foreground1")]:W[a].shade10,["colorStatus".concat(o,"Foreground2")]:W[a].shade30,["colorStatus".concat(o,"Foreground3")]:W[a].primary,["colorStatus".concat(o,"ForegroundInverted")]:W[a].tint30,["colorStatus".concat(o,"BorderActive")]:W[a].primary,["colorStatus".concat(o,"Border1")]:W[a].tint40,["colorStatus".concat(o,"Border2")]:W[a].primary})},{});G.colorStatusDangerBackground3Hover=W[U.danger].shade10,G.colorStatusDangerBackground3Pressed=W[U.danger].shade20,G.colorStatusWarningForeground1=W[U.warning].shade20,G.colorStatusWarningForeground3=W[U.warning].shade20,G.colorStatusWarningBorder2=W[U.warning].shade20;let q={borderRadiusNone:"0",borderRadiusSmall:"2px",borderRadiusMedium:"4px",borderRadiusLarge:"6px",borderRadiusXLarge:"8px",borderRadiusCircular:"10000px"},Y={fontSizeBase100:"10px",fontSizeBase200:"12px",fontSizeBase300:"14px",fontSizeBase400:"16px",fontSizeBase500:"20px",fontSizeBase600:"24px",fontSizeHero700:"28px",fontSizeHero800:"32px",fontSizeHero900:"40px",fontSizeHero1000:"68px"},J={lineHeightBase100:"14px",lineHeightBase200:"16px",lineHeightBase300:"20px",lineHeightBase400:"22px",lineHeightBase500:"28px",lineHeightBase600:"32px",lineHeightHero700:"36px",lineHeightHero800:"40px",lineHeightHero900:"52px",lineHeightHero1000:"92px"},Q={fontWeightRegular:400,fontWeightMedium:500,fontWeightSemibold:600,fontWeightBold:700},Z={fontFamilyBase:"'Segoe UI', 'Segoe UI Web (West European)', -apple-system, BlinkMacSystemFont, Roboto, 'Helvetica Neue', sans-serif",fontFamilyMonospace:"Consolas, 'Courier New', Courier, monospace",fontFamilyNumeric:"Bahnschrift, 'Segoe UI', 'Segoe UI Web (West European)', -apple-system, BlinkMacSystemFont, Roboto, 'Helvetica Neue', sans-serif"},$={strokeWidthThin:"1px",strokeWidthThick:"2px",strokeWidthThicker:"3px",strokeWidthThickest:"4px"};function ee(e,r){let t=arguments.length>2&&void 0!==arguments[2]?arguments[2]:"";return{["shadow2".concat(t)]:"0 0 2px ".concat(e,", 0 1px 2px ").concat(r),["shadow4".concat(t)]:"0 0 2px ".concat(e,", 0 2px 4px ").concat(r),["shadow8".concat(t)]:"0 0 2px ".concat(e,", 0 4px 8px ").concat(r),["shadow16".concat(t)]:"0 0 2px ".concat(e,", 0 8px 16px ").concat(r),["shadow28".concat(t)]:"0 0 8px ".concat(e,", 0 14px 28px ").concat(r),["shadow64".concat(t)]:"0 0 8px ".concat(e,", 0 32px 64px ").concat(r)}}let er={durationUltraFast:"50ms",durationFaster:"100ms",durationFast:"150ms",durationNormal:"200ms",durationGentle:"250ms",durationSlow:"300ms",durationSlower:"400ms",durationUltraSlow:"500ms"},et={curveAccelerateMax:"cubic-bezier(0.9,0.1,1,0.2)",curveAccelerateMid:"cubic-bezier(1,0,1,1)",curveAccelerateMin:"cubic-bezier(0.8,0,0.78,1)",curveDecelerateMax:"cubic-bezier(0.1,0.9,0.2,1)",curveDecelerateMid:"cubic-bezier(0,0,0,1)",curveDecelerateMin:"cubic-bezier(0.33,0,0.1,1)",curveEasyEaseMax:"cubic-bezier(0.8,0,0.2,1)",curveEasyEase:"cubic-bezier(0.33,0,0.67,1)",curveLinear:"cubic-bezier(0,0,1,1)"},ea={none:"0",xxs:"2px",xs:"4px",sNudge:"6px",s:"8px",mNudge:"10px",m:"12px",l:"16px",xl:"20px",xxl:"24px",xxxl:"32px"},eo={spacingHorizontalNone:ea.none,spacingHorizontalXXS:ea.xxs,spacingHorizontalXS:ea.xs,spacingHorizontalSNudge:ea.sNudge,spacingHorizontalS:ea.s,spacingHorizontalMNudge:ea.mNudge,spacingHorizontalM:ea.m,spacingHorizontalL:ea.l,spacingHorizontalXL:ea.xl,spacingHorizontalXXL:ea.xxl,spacingHorizontalXXXL:ea.xxxl},en={spacingVerticalNone:ea.none,spacingVerticalXXS:ea.xxs,spacingVerticalXS:ea.xs,spacingVerticalSNudge:ea.sNudge,spacingVerticalS:ea.s,spacingVerticalMNudge:ea.mNudge,spacingVerticalM:ea.m,spacingVerticalL:ea.l,spacingVerticalXL:ea.xl,spacingVerticalXXL:ea.xxl,spacingVerticalXXXL:ea.xxxl},ed=(e=>{let r=(e=>({colorNeutralForeground1:D[14],colorNeutralForeground1Hover:D[14],colorNeutralForeground1Pressed:D[14],colorNeutralForeground1Selected:D[14],colorNeutralForeground2:D[26],colorNeutralForeground2Hover:D[14],colorNeutralForeground2Pressed:D[14],colorNeutralForeground2Selected:D[14],colorNeutralForeground2BrandHover:e[80],colorNeutralForeground2BrandPressed:e[70],colorNeutralForeground2BrandSelected:e[80],colorNeutralForeground3:D[38],colorNeutralForeground3Hover:D[26],colorNeutralForeground3Pressed:D[26],colorNeutralForeground3Selected:D[26],colorNeutralForeground3BrandHover:e[80],colorNeutralForeground3BrandPressed:e[70],colorNeutralForeground3BrandSelected:e[80],colorNeutralForeground4:D[44],colorNeutralForegroundDisabled:D[74],colorNeutralForegroundInvertedDisabled:O[40],colorBrandForegroundLink:e[70],colorBrandForegroundLinkHover:e[60],colorBrandForegroundLinkPressed:e[40],colorBrandForegroundLinkSelected:e[70],colorNeutralForeground2Link:D[26],colorNeutralForeground2LinkHover:D[14],colorNeutralForeground2LinkPressed:D[14],colorNeutralForeground2LinkSelected:D[14],colorCompoundBrandForeground1:e[80],colorCompoundBrandForeground1Hover:e[70],colorCompoundBrandForeground1Pressed:e[60],colorBrandForeground1:e[80],colorBrandForeground2:e[70],colorBrandForeground2Hover:e[60],colorBrandForeground2Pressed:e[30],colorNeutralForeground1Static:D[14],colorNeutralForegroundStaticInverted:R,colorNeutralForegroundInverted:R,colorNeutralForegroundInvertedHover:R,colorNeutralForegroundInvertedPressed:R,colorNeutralForegroundInvertedSelected:R,colorNeutralForegroundInverted2:R,colorNeutralForegroundOnBrand:R,colorNeutralForegroundInvertedLink:R,colorNeutralForegroundInvertedLinkHover:R,colorNeutralForegroundInvertedLinkPressed:R,colorNeutralForegroundInvertedLinkSelected:R,colorBrandForegroundInverted:e[100],colorBrandForegroundInvertedHover:e[110],colorBrandForegroundInvertedPressed:e[100],colorBrandForegroundOnLight:e[80],colorBrandForegroundOnLightHover:e[70],colorBrandForegroundOnLightPressed:e[50],colorBrandForegroundOnLightSelected:e[60],colorNeutralBackground1:R,colorNeutralBackground1Hover:D[96],colorNeutralBackground1Pressed:D[88],colorNeutralBackground1Selected:D[92],colorNeutralBackground2:D[98],colorNeutralBackground2Hover:D[94],colorNeutralBackground2Pressed:D[86],colorNeutralBackground2Selected:D[90],colorNeutralBackground3:D[96],colorNeutralBackground3Hover:D[92],colorNeutralBackground3Pressed:D[84],colorNeutralBackground3Selected:D[88],colorNeutralBackground4:D[94],colorNeutralBackground4Hover:D[98],colorNeutralBackground4Pressed:D[96],colorNeutralBackground4Selected:R,colorNeutralBackground5:D[92],colorNeutralBackground5Hover:D[96],colorNeutralBackground5Pressed:D[94],colorNeutralBackground5Selected:D[98],colorNeutralBackground6:D[90],colorNeutralBackgroundInverted:D[16],colorNeutralBackgroundStatic:D[20],colorNeutralBackgroundAlpha:O[50],colorNeutralBackgroundAlpha2:O[80],colorSubtleBackground:"transparent",colorSubtleBackgroundHover:D[96],colorSubtleBackgroundPressed:D[88],colorSubtleBackgroundSelected:D[92],colorSubtleBackgroundLightAlphaHover:O[70],colorSubtleBackgroundLightAlphaPressed:O[50],colorSubtleBackgroundLightAlphaSelected:"transparent",colorSubtleBackgroundInverted:"transparent",colorSubtleBackgroundInvertedHover:j[10],colorSubtleBackgroundInvertedPressed:j[30],colorSubtleBackgroundInvertedSelected:j[20],colorTransparentBackground:"transparent",colorTransparentBackgroundHover:"transparent",colorTransparentBackgroundPressed:"transparent",colorTransparentBackgroundSelected:"transparent",colorNeutralBackgroundDisabled:D[94],colorNeutralBackgroundInvertedDisabled:O[10],colorNeutralStencil1:D[90],colorNeutralStencil2:D[98],colorNeutralStencil1Alpha:j[10],colorNeutralStencil2Alpha:j[5],colorBackgroundOverlay:j[40],colorScrollbarOverlay:j[50],colorBrandBackground:e[80],colorBrandBackgroundHover:e[70],colorBrandBackgroundPressed:e[40],colorBrandBackgroundSelected:e[60],colorCompoundBrandBackground:e[80],colorCompoundBrandBackgroundHover:e[70],colorCompoundBrandBackgroundPressed:e[60],colorBrandBackgroundStatic:e[80],colorBrandBackground2:e[160],colorBrandBackground2Hover:e[150],colorBrandBackground2Pressed:e[130],colorBrandBackground3Static:e[60],colorBrandBackground4Static:e[40],colorBrandBackgroundInverted:R,colorBrandBackgroundInvertedHover:e[160],colorBrandBackgroundInvertedPressed:e[140],colorBrandBackgroundInvertedSelected:e[150],colorNeutralCardBackground:D[98],colorNeutralCardBackgroundHover:R,colorNeutralCardBackgroundPressed:D[96],colorNeutralCardBackgroundSelected:D[92],colorNeutralCardBackgroundDisabled:D[94],colorNeutralStrokeAccessible:D[38],colorNeutralStrokeAccessibleHover:D[34],colorNeutralStrokeAccessiblePressed:D[30],colorNeutralStrokeAccessibleSelected:e[80],colorNeutralStroke1:D[82],colorNeutralStroke1Hover:D[78],colorNeutralStroke1Pressed:D[70],colorNeutralStroke1Selected:D[74],colorNeutralStroke2:D[88],colorNeutralStroke3:D[94],colorNeutralStrokeSubtle:D[88],colorNeutralStrokeOnBrand:R,colorNeutralStrokeOnBrand2:R,colorNeutralStrokeOnBrand2Hover:R,colorNeutralStrokeOnBrand2Pressed:R,colorNeutralStrokeOnBrand2Selected:R,colorBrandStroke1:e[80],colorBrandStroke2:e[140],colorBrandStroke2Hover:e[120],colorBrandStroke2Pressed:e[80],colorBrandStroke2Contrast:e[140],colorCompoundBrandStroke:e[80],colorCompoundBrandStrokeHover:e[70],colorCompoundBrandStrokePressed:e[60],colorNeutralStrokeDisabled:D[88],colorNeutralStrokeInvertedDisabled:O[40],colorTransparentStroke:"transparent",colorTransparentStrokeInteractive:"transparent",colorTransparentStrokeDisabled:"transparent",colorNeutralStrokeAlpha:j[5],colorNeutralStrokeAlpha2:O[20],colorStrokeFocus1:R,colorStrokeFocus2:"#000000",colorNeutralShadowAmbient:"rgba(0,0,0,0.12)",colorNeutralShadowKey:"rgba(0,0,0,0.14)",colorNeutralShadowAmbientLighter:"rgba(0,0,0,0.06)",colorNeutralShadowKeyLighter:"rgba(0,0,0,0.07)",colorNeutralShadowAmbientDarker:"rgba(0,0,0,0.20)",colorNeutralShadowKeyDarker:"rgba(0,0,0,0.24)",colorBrandShadowAmbient:"rgba(0,0,0,0.30)",colorBrandShadowKey:"rgba(0,0,0,0.25)"}))(e);return{...q,...Y,...J,...Z,...Q,...$,...eo,...en,...er,...et,...r,...K,...G,...ee(r.colorNeutralShadowAmbient,r.colorNeutralShadowKey),...ee(r.colorBrandShadowAmbient,r.colorBrandShadowKey,"Brand")}})({10:"#061724",20:"#082338",30:"#0a2e4a",40:"#0c3b5e",50:"#0e4775",60:"#0f548c",70:"#115ea3",80:"#0f6cbd",90:"#2886de",100:"#479ef5",110:"#62abf5",120:"#77b7f7",130:"#96c6fa",140:"#b4d6fa",150:"#cfe4fa",160:"#ebf3fc"});function ec(e){let{children:t}=e;return(0,r.jsxs)("html",{lang:"en",children:[(0,r.jsxs)("head",{children:[(0,r.jsx)("title",{children:"Fake4Dataverse Model-Driven App"}),(0,r.jsx)("meta",{name:"description",content:"Model-Driven App interface for Fake4Dataverse"})]}),(0,r.jsx)("body",{style:{margin:0,padding:0,height:"100vh",overflow:"hidden"},children:(0,r.jsx)(A,{theme:ed,children:t})})]})}}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/97aba07adf55290d.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/97aba07adf55290d.js new file mode 100644 index 00000000..77d37ffa --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/97aba07adf55290d.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,64186,e=>{"use strict";e.s(["SLOT_CLASS_NAME_PROP_SYMBOL",()=>r,"SLOT_ELEMENT_TYPE_SYMBOL",()=>o,"SLOT_RENDER_FUNCTION_SYMBOL",()=>t]);let t=Symbol.for("fui.slotRenderFunction"),o=Symbol.for("fui.slotElementType"),r=Symbol.for("fui.slotClassNameProp")},88242,(e,t,o)=>{"use strict";var r=60103,n=60106,i=60107,s=60108,a=60114,l=60109,u=60110,c=60112,d=60113,f=60120,h=60115,m=60116,_=60121,v=60122,y=60117,g=60129,E=60131;if("function"==typeof Symbol&&Symbol.for){var T=Symbol.for;r=T("react.element"),n=T("react.portal"),i=T("react.fragment"),s=T("react.strict_mode"),a=T("react.profiler"),l=T("react.provider"),u=T("react.context"),c=T("react.forward_ref"),d=T("react.suspense"),f=T("react.suspense_list"),h=T("react.memo"),m=T("react.lazy"),_=T("react.block"),v=T("react.server.block"),y=T("react.fundamental"),g=T("react.debug_trace_mode"),E=T("react.legacy_hidden")}function p(e){if("object"==typeof e&&null!==e){var t=e.$$typeof;switch(t){case r:switch(e=e.type){case i:case a:case s:case d:case f:return e;default:switch(e=e&&e.$$typeof){case u:case c:case m:case h:case l:return e;default:return t}}case n:return t}}}var b=l,O=r,S=c,C=i,N=m,L=h,w=n,A=a,D=s,P=d;o.ContextConsumer=u,o.ContextProvider=b,o.Element=O,o.ForwardRef=S,o.Fragment=C,o.Lazy=N,o.Memo=L,o.Portal=w,o.Profiler=A,o.StrictMode=D,o.Suspense=P,o.isAsyncMode=function(){return!1},o.isConcurrentMode=function(){return!1},o.isContextConsumer=function(e){return p(e)===u},o.isContextProvider=function(e){return p(e)===l},o.isElement=function(e){return"object"==typeof e&&null!==e&&e.$$typeof===r},o.isForwardRef=function(e){return p(e)===c},o.isFragment=function(e){return p(e)===i},o.isLazy=function(e){return p(e)===m},o.isMemo=function(e){return p(e)===h},o.isPortal=function(e){return p(e)===n},o.isProfiler=function(e){return p(e)===a},o.isStrictMode=function(e){return p(e)===s},o.isSuspense=function(e){return p(e)===d},o.isValidElementType=function(e){return"string"==typeof e||"function"==typeof e||e===i||e===a||e===g||e===s||e===d||e===f||e===E||"object"==typeof e&&null!==e&&(e.$$typeof===m||e.$$typeof===h||e.$$typeof===l||e.$$typeof===u||e.$$typeof===c||e.$$typeof===y||e.$$typeof===_||e[0]===v)||!1},o.typeOf=p},79684,(e,t,o)=>{"use strict";t.exports=e.r(88242)},97906,e=>{"use strict";e.s(["jsx",()=>a,"jsxs",()=>l],97906);var t=e.i(64186);function o(e){return!!(null==e?void 0:e.hasOwnProperty(t.SLOT_ELEMENT_TYPE_SYMBOL))}var r=e.i(71645);function n(e,r){return function(n,i,s,a,l){return o(i)?r({...i,[t.SLOT_ELEMENT_TYPE_SYMBOL]:n},null,s,a,l):o(n)?r(n,i,s,a,l):e(n,i,s,a,l)}}function i(e){let{as:o,[t.SLOT_CLASS_NAME_PROP_SYMBOL]:r,[t.SLOT_ELEMENT_TYPE_SYMBOL]:n,[t.SLOT_RENDER_FUNCTION_SYMBOL]:i,...s}=e,a="string"==typeof n&&null!=o?o:n;return"string"!=typeof a&&o&&(s.as=o),{elementType:a,props:s,renderFunction:i}}e.i(47167),e.i(79684);var s=e.i(43476);let a=n(s.jsx,(e,t,o)=>{let{elementType:n,renderFunction:a,props:l}=i(e),u={...l,...t};return a?s.jsx(r.Fragment,{children:a(n,u)},o):s.jsx(n,u,o)}),l=n(s.jsxs,(e,t,o)=>{let{elementType:n,renderFunction:a,props:l}=i(e),u={...l,...t};return a?s.jsx(r.Fragment,{children:a(n,{...u,children:s.jsxs(r.Fragment,{children:u.children},void 0)})},o):s.jsxs(n,u,o)})},14558,e=>{"use strict";function t(){return"undefined"!=typeof window&&!!(window.document&&window.document.createElement)}e.s(["canUseDOM",()=>t])},46163,e=>{"use strict";function t(e){}e.s(["assertSlots",()=>t]),e.i(71645)},54814,e=>{"use strict";e.s(["TextDirectionProvider",()=>r,"useTextDirection",()=>n]);var t=e.i(71645);let o=t.createContext("ltr"),r=e=>{let{children:r,dir:n}=e;return t.createElement(o.Provider,{value:n},r)};function n(){return t.useContext(o)}},92688,e=>{"use strict";e.s(["Provider",()=>n,"useFluent",()=>i]);var t=e.i(71645);let o=t.createContext(void 0),r={targetDocument:"object"==typeof document?document:void 0,dir:"ltr"},n=o.Provider;function i(){var e;return null!=(e=t.useContext(o))?e:r}},69421,e=>{"use strict";e.s(["CustomStyleHooksContext",()=>o,"CustomStyleHooksProvider",()=>n,"useCustomStyleHook",()=>i]);var t=e.i(71645);let o=t.createContext(void 0),r=()=>{},n=o.Provider,i=e=>{var n,i;return null!=(i=null==(n=t.useContext(o))?void 0:n[e])?i:r}},11774,e=>{"use strict";e.s(["IconDirectionContextProvider",()=>n,"useIconContext",()=>i]);var t=e.i(71645);let o=t.createContext(void 0),r={},n=o.Provider,i=()=>{let e=t.useContext(o);return null!=e?e:r}},50519,e=>{"use strict";e.s(["isDevToolsEnabled",()=>t]);let t=(()=>{var e;try{return!!("undefined"!=typeof window&&(null==(e=window.sessionStorage)?void 0:e.getItem("__GRIFFEL_DEVTOOLS__")))}catch(e){return!1}})()},55704,e=>{"use strict";e.s(["DATA_BUCKET_ATTR",()=>n,"DATA_PRIORITY_ATTR",()=>i,"DEFINITION_LOOKUP_TABLE",()=>r,"HASH_PREFIX",()=>s,"LOOKUP_DEFINITIONS_INDEX",()=>c,"LOOKUP_DIR_INDEX",()=>d,"RESET",()=>h,"SEQUENCE_HASH_LENGTH",()=>a,"SEQUENCE_PREFIX",()=>l,"SEQUENCE_SIZE",()=>u,"UNSUPPORTED_CSS_PROPERTIES",()=>f]);let t="undefined"==typeof window?e.g:window,o="@griffel/",r=function(e,r){return t[Symbol.for(o+e)]||(t[Symbol.for(o+e)]=r),t[Symbol.for(o+e)]}("DEFINITION_LOOKUP_TABLE",{}),n="data-make-styles-bucket",i="data-priority",s="f",a=7,l="___",u=l.length+7,c=0,d=1,f={all:1,borderColor:1,borderStyle:1,borderWidth:1,borderBlock:1,borderBlockEnd:1,borderBlockStart:1,borderInline:1,borderInlineEnd:1,borderInlineStart:1},h="DO_NOT_USE_DIRECTLY: @griffel/reset-value"},15370,2442,e=>{"use strict";e.s(["rehydrateRendererCache",()=>a],15370),e.i(47167),e.i(50519);var t=e.i(55704);function o(e,o,r,n){let i=[];if(n[t.DATA_BUCKET_ATTR]=o,n[t.DATA_PRIORITY_ATTR]=String(r),e)for(let t in n)e.setAttribute(t,n[t]);return{elementAttributes:n,insertRule:function(t){return(null==e?void 0:e.sheet)?e.sheet.insertRule(t,e.sheet.cssRules.length):i.push(t)},element:e,bucketName:o,cssRules:()=>(null==e?void 0:e.sheet)?Array.from(e.sheet.cssRules).map(e=>e.cssText):i}}let r=["r","d","l","v","w","f","i","h","a","s","k","t","m","c"].reduce((e,t,o)=>(e[t]=o,e),{}),n=/@(media|supports|layer)[^{]+\{([\s\S]+?})\s*}/g,i=/\.([^{:]+)(:[^{]+)?{(?:[^}]*;)?([^}]*?)}/g,s={k:/@(-webkit-)?keyframes ([^{]+){((?:(?:from|to|(?:\d+\.?\d*%))\{(?:[^}])*})*)}/g,t:n,m:n};function a(e){let r=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"undefined"==typeof document?void 0:document;r&&r.querySelectorAll("[data-make-styles-bucket]").forEach(r=>{let n,a=r.dataset.makeStylesBucket,l=function(e){var o,r;let n=e.getAttribute(t.DATA_BUCKET_ATTR),i=null!=(o=e.getAttribute(t.DATA_PRIORITY_ATTR))?o:"0";return r=e.media,("m"===n?n+r:n)+i}(r);e.stylesheets[l]||(e.stylesheets[l]=function(e){let r=Array.from(e.attributes).reduce((e,t)=>(e[t.name]=t.value,e),{});return o(e,r[t.DATA_BUCKET_ATTR],Number(r[t.DATA_PRIORITY_ATTR]),r)}(r));let u=s[a]||i;for(;n=u.exec(r.textContent);){let[t]=n;e.insertionCache[t]=a}})}function l(e,t){try{e.insertRule(t)}catch(e){}}e.s(["createDOMRenderer",()=>d],2442);let u=0,c=(e,t)=>et);function d(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"undefined"==typeof document?void 0:document,n=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{},{classNameHashSalt:i,unstable_filterCSSRule:s,insertionPoint:a,styleElementAttributes:d,compareMediaQueries:f=c}=n,h={classNameHashSalt:i,insertionCache:{},stylesheets:{},styleElementAttributes:Object.freeze(d),compareMediaQueries:f,id:"d".concat(u++),insertCSSRules(n){for(let u in n){let c=n[u];for(let n=0,d=c.length;n4&&void 0!==arguments[4]?arguments[4]:{},c="m"===e,d=null!=(a=u.m)?a:"0",f=null!=(l=u.p)?l:0,h=("m"===e?e+d:e)+f;if(!s.stylesheets[h]){let a=n&&n.createElement("style"),l=o(a,e,f,Object.assign({},s.styleElementAttributes,c&&{media:d}));s.stylesheets[h]=l,(null==n?void 0:n.head)&&a&&n.head.insertBefore(a,function(e,o,n,i){var s,a;let l=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},u=r[n],c=null!=(s=l.m)?s:"",d=null!=(a=l.p)?a:0,f=e=>u-r[e.getAttribute(t.DATA_BUCKET_ATTR)],h=e.head.querySelectorAll("[".concat(t.DATA_BUCKET_ATTR,"]"));if("m"===n){let o=e.head.querySelectorAll("[".concat(t.DATA_BUCKET_ATTR,'="').concat(n,'"]'));o.length&&(h=o,f=e=>i.compareMediaQueries(c,e.media))}let m=e=>!function(e,o,r){var n,i;return o+(null!=(n=r.m)?n:"")===e.getAttribute(t.DATA_BUCKET_ATTR)+(null!=(i=e.media)?i:"")}(e,n,l)?f(e):d-Number(e.getAttribute("data-priority")),_=h.length,v=_-1;for(;v>=0;){let e=h.item(v);if(m(e)>0)return e.nextSibling;v--}return _>0?h.item(0):o?o.nextSibling:null}(n,i,e,s,u))}return s.stylesheets[h]}(u,e,a||null,h,f);!h.insertionCache[d]&&(h.insertionCache[d]=u,s?s(d)&&l(m,d):l(m,d))}}}};return h}},11345,e=>{"use strict";function t(){return"undefined"!=typeof window&&!!(window.document&&window.document.createElement)}e.s(["canUseDOM",()=>t])},91211,e=>{"use strict";e.s(["useRenderer",()=>n]),e.i(15370);var t=e.i(2442),o=e.i(71645);e.i(11345);let r=o.createContext((0,t.createDOMRenderer)());function n(){return o.useContext(r)}},1327,e=>{"use strict";e.s(["useFluent_unstable",()=>t.useFluent]);var t=e.i(92688)},72554,e=>{"use strict";function t(e,t){var o,r;return!!((null==e||null==(o=e.ownerDocument)?void 0:o.defaultView)&&e instanceof e.ownerDocument.defaultView[null!=(r=null==t?void 0:t.constructorName)?r:"HTMLElement"])}e.s(["isHTMLElement",()=>t])},87950,e=>{"use strict";e.s(["KEYBORG_FOCUSIN",()=>r,"KEYBORG_FOCUSOUT",()=>n,"createKeyborg",()=>c,"disposeKeyborg",()=>d,"nativeFocus",()=>s]);var t="undefined"!=typeof WeakRef,o=class{deref(){var e,t;let o;return this._weakRef?(o=null==(e=this._weakRef)?void 0:e.deref())||delete this._weakRef:(null==(t=null==(o=this._instance)?void 0:o.isDisposed)?void 0:t.call(o))&&delete this._instance,o}constructor(e){t&&"object"==typeof e?this._weakRef=new WeakRef(e):this._instance=e}},r="keyborg:focusin",n="keyborg:focusout",i=!1;function s(e){let t=e.focus;t.__keyborgNativeFocus?t.__keyborgNativeFocus.call(e):e.focus()}var a=0,l=class{get isNavigatingWithKeyboard(){return this._isNavigatingWithKeyboard_DO_NOT_USE}set isNavigatingWithKeyboard(e){this._isNavigatingWithKeyboard_DO_NOT_USE!==e&&(this._isNavigatingWithKeyboard_DO_NOT_USE=e,this.update())}dispose(){let e=this._win;if(e){this._isMouseOrTouchUsedTimer&&(e.clearTimeout(this._isMouseOrTouchUsedTimer),this._isMouseOrTouchUsedTimer=void 0),this._dismissTimer&&(e.clearTimeout(this._dismissTimer),this._dismissTimer=void 0);let t=e.HTMLElement.prototype,o=t.focus.__keyborgNativeFocus,n=e.__keyborgData;if(n){for(let t of(e.document.removeEventListener("focusin",n.focusInHandler,!0),e.document.removeEventListener("focusout",n.focusOutHandler,!0),n.shadowTargets)){let e=t.deref();e&&(e.removeEventListener("focusin",n.focusInHandler,!0),e.removeEventListener("focusout",n.focusOutHandler,!0))}n.shadowTargets.clear(),delete e.__keyborgData}o&&(t.focus=o);let i=e.document;i.removeEventListener(r,this._onFocusIn,!0),i.removeEventListener("mousedown",this._onMouseDown,!0),e.removeEventListener("keydown",this._onKeyDown,!0),i.removeEventListener("touchstart",this._onMouseOrTouch,!0),i.removeEventListener("touchend",this._onMouseOrTouch,!0),i.removeEventListener("touchcancel",this._onMouseOrTouch,!0),delete this._win}}isDisposed(){return!!this._win}update(){var e,t;let o=null==(t=null==(e=this._win)?void 0:e.__keyborg)?void 0:t.refs;if(o)for(let e of Object.keys(o))u.update(o[e],this.isNavigatingWithKeyboard)}_shouldTriggerKeyboardNavigation(e){var t;if("Tab"===e.key)return!0;let o=null==(t=this._win)?void 0:t.document.activeElement,r=!this._triggerKeys||this._triggerKeys.has(e.keyCode),n=o&&("INPUT"===o.tagName||"TEXTAREA"===o.tagName||o.isContentEditable);return r&&!n}_shouldDismissKeyboardNavigation(e){var t;return null==(t=this._dismissKeys)?void 0:t.has(e.keyCode)}_scheduleDismiss(){let e=this._win;if(e){this._dismissTimer&&(e.clearTimeout(this._dismissTimer),this._dismissTimer=void 0);let t=e.document.activeElement;this._dismissTimer=e.setTimeout(()=>{this._dismissTimer=void 0;let o=e.document.activeElement;t&&o&&t===o&&(this.isNavigatingWithKeyboard=!1)},500)}}constructor(e,t){this._isNavigatingWithKeyboard_DO_NOT_USE=!1,this._onFocusIn=e=>{if(this._isMouseOrTouchUsedTimer||this.isNavigatingWithKeyboard)return;let t=e.detail;t.relatedTarget&&(t.isFocusedProgrammatically||void 0===t.isFocusedProgrammatically||(this.isNavigatingWithKeyboard=!0))},this._onMouseDown=e=>{0!==e.buttons&&(0!==e.clientX||0!==e.clientY||0!==e.screenX||0!==e.screenY)&&this._onMouseOrTouch()},this._onMouseOrTouch=()=>{let e=this._win;e&&(this._isMouseOrTouchUsedTimer&&e.clearTimeout(this._isMouseOrTouchUsedTimer),this._isMouseOrTouchUsedTimer=e.setTimeout(()=>{delete this._isMouseOrTouchUsedTimer},1e3)),this.isNavigatingWithKeyboard=!1},this._onKeyDown=e=>{this.isNavigatingWithKeyboard?this._shouldDismissKeyboardNavigation(e)&&this._scheduleDismiss():this._shouldTriggerKeyboardNavigation(e)&&(this.isNavigatingWithKeyboard=!0)},this.id="c"+ ++a,this._win=e;let s=e.document;if(t){let e=t.triggerKeys,o=t.dismissKeys;(null==e?void 0:e.length)&&(this._triggerKeys=new Set(e)),(null==o?void 0:o.length)&&(this._dismissKeys=new Set(o))}s.addEventListener(r,this._onFocusIn,!0),s.addEventListener("mousedown",this._onMouseDown,!0),e.addEventListener("keydown",this._onKeyDown,!0),s.addEventListener("touchstart",this._onMouseOrTouch,!0),s.addEventListener("touchend",this._onMouseOrTouch,!0),s.addEventListener("touchcancel",this._onMouseOrTouch,!0),function(e){i||(i=function(e){let t=e.HTMLElement,o=t.prototype.focus,r=!1;return t.prototype.focus=function(){r=!0},e.document.createElement("button").focus(),t.prototype.focus=o,r}(e));let t=e.HTMLElement.prototype.focus;if(t.__keyborgNativeFocus)return;e.HTMLElement.prototype.focus=d;let s=new Set,a=e=>{let t=e.target;if(!t)return;let o=new CustomEvent(n,{cancelable:!0,bubbles:!0,composed:!0,detail:{originalEvent:e}});t.dispatchEvent(o)},l=e=>{let t=e.target;if(!t)return;let o=e.composedPath()[0],r=new Set;for(;o;)o.nodeType===Node.DOCUMENT_FRAGMENT_NODE?(r.add(o),o=o.host):o=o.parentNode;for(let e of s){let t=e.deref();t&&r.has(t)||(s.delete(e),t&&(t.removeEventListener("focusin",l,!0),t.removeEventListener("focusout",a,!0)))}u(t,e.relatedTarget||void 0)},u=(e,t,n)=>{var u;let d=e.shadowRoot;if(d){for(let e of s)if(e.deref()===d)return;d.addEventListener("focusin",l,!0),d.addEventListener("focusout",a,!0),s.add(new o(d));return}let f={relatedTarget:t,originalEvent:n},h=new CustomEvent(r,{cancelable:!0,bubbles:!0,composed:!0,detail:f});h.details=f,(i||c.lastFocusedProgrammatically)&&(f.isFocusedProgrammatically=e===(null==(u=c.lastFocusedProgrammatically)?void 0:u.deref()),c.lastFocusedProgrammatically=void 0),e.dispatchEvent(h)},c=e.__keyborgData={focusInHandler:l,focusOutHandler:a,shadowTargets:s};function d(){let r=e.__keyborgData;return r&&(r.lastFocusedProgrammatically=new o(this)),t.apply(this,arguments)}e.document.addEventListener("focusin",e.__keyborgData.focusInHandler,!0),e.document.addEventListener("focusout",e.__keyborgData.focusOutHandler,!0);let f=e.document.activeElement;for(;f&&f.shadowRoot;)u(f),f=f.shadowRoot.activeElement;d.__keyborgNativeFocus=t}(e)}},u=class e{static create(t,o){return new e(t,o)}static dispose(e){e.dispose()}static update(e,t){e._cb.forEach(e=>e(t))}dispose(){var e;let t=null==(e=this._win)?void 0:e.__keyborg;(null==t?void 0:t.refs[this._id])&&(delete t.refs[this._id],0===Object.keys(t.refs).length&&(t.core.dispose(),delete this._win.__keyborg)),this._cb=[],delete this._core,delete this._win}isNavigatingWithKeyboard(){var e;return!!(null==(e=this._core)?void 0:e.isNavigatingWithKeyboard)}subscribe(e){this._cb.push(e)}unsubscribe(e){let t=this._cb.indexOf(e);t>=0&&this._cb.splice(t,1)}setVal(e){this._core&&(this._core.isNavigatingWithKeyboard=e)}constructor(e,t){this._cb=[],this._id="k"+ ++a,this._win=e;let o=e.__keyborg;o?(this._core=o.core,o.refs[this._id]=this):(this._core=new l(e,t),e.__keyborg={core:this._core,refs:{[this._id]:this}})}};function c(e,t){return u.create(e,t)}function d(e){u.dispose(e)}},76865,44148,e=>{"use strict";e.s(["useFocusVisible",()=>a],76865);var t=e.i(71645),o=e.i(1327),r=e.i(72554),n=e.i(87950);e.s(["FOCUS_VISIBLE_ATTR",()=>i,"FOCUS_WITHIN_ATTR",()=>s],44148);let i="data-fui-focus-visible",s="data-fui-focus-within";function a(){var e;let s=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},a=(0,o.useFluent_unstable)(),l=t.useRef(null),u=null!=(e=s.targetDocument)?e:a.targetDocument;return t.useEffect(()=>{if((null==u?void 0:u.defaultView)&&l.current)return function(e,t){if(function e(t){return!!t&&(!!t.focusVisible||e(null==t?void 0:t.parentElement))}(e))return()=>void 0;let o={current:void 0},s=(0,n.createKeyborg)(t);function a(e){s.isNavigatingWithKeyboard()&&(0,r.isHTMLElement)(e)&&(o.current=e,e.setAttribute(i,""))}function l(){o.current&&(o.current.removeAttribute(i),o.current=void 0)}s.subscribe(e=>{e?a(t.document.activeElement):l()});let u=e=>{l(),a(e.composedPath()[0])},c=t=>{(!t.relatedTarget||(0,r.isHTMLElement)(t.relatedTarget)&&!e.contains(t.relatedTarget))&&l()};return e.addEventListener(n.KEYBORG_FOCUSIN,u),e.addEventListener("focusout",c),e.focusVisible=!0,e.contains(t.document.activeElement)&&a(t.document.activeElement),()=>{l(),e.removeEventListener(n.KEYBORG_FOCUSIN,u),e.removeEventListener("focusout",c),e.focusVisible=void 0,(0,n.disposeKeyborg)(s)}}(l.current,u.defaultView)},[l,u]),l}},56720,67999,e=>{"use strict";e.s(["getIntrinsicElementProps",()=>P],56720),e.i(71645),e.s(["getNativeElementProps",()=>A,"getPartitionedNativeProps",()=>D],67999);let t=function(){for(var e=arguments.length,t=Array(e),o=0;o=0||0===e.indexOf("data-")||0===e.indexOf("aria-"))&&(!o||(null==o?void 0:o.indexOf(e))===-1)&&(s[e]=t[e]);return s}let D=e=>{let{primarySlotTagName:t,props:o,excludedPropNames:r}=e;return{root:{style:o.style,className:o.className},primary:A(t,o,[...r||[],"style","className"])}},P=(e,t,o)=>{var r;return A(null!=(r=t.as)?r:e,t,o)}},51701,e=>{"use strict";e.s(["useMergedRefs",()=>o]);var t=e.i(71645);function o(){for(var e=arguments.length,o=Array(e),r=0;r{for(let t of(n.current=e,o))"function"==typeof t?t(e):t&&(t.current=e)},[...o]);return n}},77074,e=>{"use strict";e.s(["slot",()=>a],77074),e.s(["always",()=>r,"optional",()=>n,"resolveShorthand",()=>i],6647),e.i(47167);var t=e.i(71645),o=e.i(64186);function r(e,t){let{defaultProps:r,elementType:n}=t,s=i(e),a={...r,...s,[o.SLOT_ELEMENT_TYPE_SYMBOL]:n,[o.SLOT_CLASS_NAME_PROP_SYMBOL]:null==s?void 0:s.className};return s&&"function"==typeof s.children&&(a[o.SLOT_RENDER_FUNCTION_SYMBOL]=s.children,a.children=null==r?void 0:r.children),a}function n(e,t){if(null!==e&&(void 0!==e||t.renderByDefault))return r(e,t)}function i(e){return"string"==typeof e||"number"==typeof e||s(e)||t.isValidElement(e)?{children:e}:e}let s=e=>"object"==typeof e&&null!==e&&Symbol.iterator in e;var a=e.i(6647)},90312,e=>{"use strict";e.s(["useId",()=>i],90312);var t=e.i(71645);e.i(47167),e.i(14558);let o={current:0},r=t.createContext(void 0),n=t.createContext(void 0);function i(){var e;let i=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"fui-",s=arguments.length>1?arguments[1]:void 0,a=null!=(e=t.useContext(r))?e:o,l=t.useContext(n)||"",u=t.useId;if(u){let e=u(),o=t.useMemo(()=>e.replace(/:/g,""),[e]);return s||"".concat(l).concat(i).concat(o)}return t.useMemo(()=>s||"".concat(l).concat(i).concat(++a.current),[l,i,s,a])}n.Provider},52911,e=>{"use strict";e.s(["useIsomorphicLayoutEffect",()=>o]);var t=e.i(71645);let o=(0,e.i(14558).canUseDOM)()?t.useLayoutEffect:t.useEffect},49861,82837,e=>{"use strict";e.s(["insertionFactory",()=>t],49861);let t=()=>{let e={};return function(t,o){void 0===e[t.id]&&(t.insertCSSRules(o),e[t.id]=!0)}};function o(e){for(var t,o=0,r=0,n=e.length;n>=4;++r,n-=4)t=(65535&(t=255&e.charCodeAt(r)|(255&e.charCodeAt(++r))<<8|(255&e.charCodeAt(++r))<<16|(255&e.charCodeAt(++r))<<24))*0x5bd1e995+((t>>>16)*59797<<16),t^=t>>>24,o=(65535&t)*0x5bd1e995+((t>>>16)*59797<<16)^(65535&o)*0x5bd1e995+((o>>>16)*59797<<16);switch(n){case 3:o^=(255&e.charCodeAt(r+2))<<16;case 2:o^=(255&e.charCodeAt(r+1))<<8;case 1:o^=255&e.charCodeAt(r),o=(65535&o)*0x5bd1e995+((o>>>16)*59797<<16)}return o^=o>>>13,(((o=(65535&o)*0x5bd1e995+((o>>>16)*59797<<16))^o>>>15)>>>0).toString(36)}e.s(["default",()=>o],82837)},69016,13460,e=>{"use strict";e.s(["reduceToClassName",()=>n,"reduceToClassNameForSlots",()=>i],69016);var t=e.i(55704);e.s(["hashSequence",()=>r],13460),e.i(47167);var o=e.i(82837);function r(e,r){return arguments.length>2&&void 0!==arguments[2]&&arguments[2],t.SEQUENCE_PREFIX+function(e){let o=e.length;if(o===t.SEQUENCE_HASH_LENGTH)return e;for(let r=o;r{"use strict";e.s(["__styles",()=>r],6013),e.i(47167),e.i(50519);var t=e.i(49861),o=e.i(69016);function r(e,r){let n=arguments.length>2&&void 0!==arguments[2]?arguments[2]:t.insertionFactory,i=n(),s=null,a=null;return function(t){let{dir:n,renderer:l}=t,u="ltr"===n;return u?null===s&&(s=(0,o.reduceToClassNameForSlots)(e,n)):null===a&&(a=(0,o.reduceToClassNameForSlots)(e,n)),i(l,r),u?s:a}}e.s(["mergeClasses",()=>a],32778);var n=e.i(55704),i=e.i(13460);let s={};function a(){let e=null,t="",r="",a=Array(arguments.length);for(let e=0;e0&&(t+=o.slice(0,i)),r+=s,a[e]=s}}}if(""===r)return t.slice(0,-1);let l=s[r];if(void 0!==l)return t+l;let u=[];for(let t=0;t{"use strict";e.s(["Caption1",()=>h],49472);var t=e.i(71645);e.s(["createPreset",()=>g],27032);var i=e.i(32778),f=e.i(97906),n=e.i(46163),o=e.i(56720),r=e.i(77074),a=e.i(69024);let l={root:"fui-Text"},s=(0,a.__styles)({root:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bg96gwp:"f1i3iumi",Bhrd7zp:"figsok6",fsow6f:"fpgzoln",mc9l5x:"f1w7gpdv",Huce71:"f6juhto",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1gl81tg",ygn44y:"f2jf649"},nowrap:{Huce71:"fz5stix",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1a3p1vp"},truncate:{ygn44y:"f1cmbuwj"},block:{mc9l5x:"ftgm304"},italic:{B80ckks:"f1j4dglz"},underline:{w71qe1:"f13mvf36"},strikethrough:{w71qe1:"fv5q2k7"},strikethroughUnderline:{w71qe1:"f1drk4o6"},base100:{Be2twd7:"f13mqy1h",Bg96gwp:"fcpl73t"},base200:{Be2twd7:"fy9rknc",Bg96gwp:"fwrc4pm"},base400:{Be2twd7:"fod5ikn",Bg96gwp:"faaz57k"},base500:{Be2twd7:"f1pp30po",Bg96gwp:"f106mvju"},base600:{Be2twd7:"f1x0m3f5",Bg96gwp:"fb86gi6"},hero700:{Be2twd7:"fojgt09",Bg96gwp:"fcen8rp"},hero800:{Be2twd7:"fccw675",Bg96gwp:"f1ebx5kk"},hero900:{Be2twd7:"f15afnhw",Bg96gwp:"fr3w3wp"},hero1000:{Be2twd7:"fpyltcb",Bg96gwp:"f1ivgwrt"},monospace:{Bahqtrf:"f1fedwem"},numeric:{Bahqtrf:"f1uq0ln5"},weightMedium:{Bhrd7zp:"fdj6btp"},weightSemibold:{Bhrd7zp:"fl43uef"},weightBold:{Bhrd7zp:"flh3ekv"},alignCenter:{fsow6f:"f17mccla"},alignEnd:{fsow6f:"f12ymhq5"},alignJustify:{fsow6f:"f1j59e10"}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".fpgzoln{text-align:start;}",".f1w7gpdv{display:inline;}",".f6juhto{white-space:normal;}",[".f1gl81tg{overflow:visible;}",{p:-1}],".f2jf649{text-overflow:clip;}",".fz5stix{white-space:nowrap;}",[".f1a3p1vp{overflow:hidden;}",{p:-1}],".f1cmbuwj{text-overflow:ellipsis;}",".ftgm304{display:block;}",".f1j4dglz{font-style:italic;}",".f13mvf36{text-decoration-line:underline;}",".fv5q2k7{text-decoration-line:line-through;}",".f1drk4o6{text-decoration-line:line-through underline;}",".f13mqy1h{font-size:var(--fontSizeBase100);}",".fcpl73t{line-height:var(--lineHeightBase100);}",".fy9rknc{font-size:var(--fontSizeBase200);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".faaz57k{line-height:var(--lineHeightBase400);}",".f1pp30po{font-size:var(--fontSizeBase500);}",".f106mvju{line-height:var(--lineHeightBase500);}",".f1x0m3f5{font-size:var(--fontSizeBase600);}",".fb86gi6{line-height:var(--lineHeightBase600);}",".fojgt09{font-size:var(--fontSizeHero700);}",".fcen8rp{line-height:var(--lineHeightHero700);}",".fccw675{font-size:var(--fontSizeHero800);}",".f1ebx5kk{line-height:var(--lineHeightHero800);}",".f15afnhw{font-size:var(--fontSizeHero900);}",".fr3w3wp{line-height:var(--lineHeightHero900);}",".fpyltcb{font-size:var(--fontSizeHero1000);}",".f1ivgwrt{line-height:var(--lineHeightHero1000);}",".f1fedwem{font-family:var(--fontFamilyMonospace);}",".f1uq0ln5{font-family:var(--fontFamilyNumeric);}",".fdj6btp{font-weight:var(--fontWeightMedium);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".flh3ekv{font-weight:var(--fontWeightBold);}",".f17mccla{text-align:center;}",".f12ymhq5{text-align:end;}",".f1j59e10{text-align:justify;}"]});function g(e){let{useStyles:a,className:g,displayName:h}=e,c=t.forwardRef((e,t)=>{let h=a(),c=((e,t)=>{let{wrap:i,truncate:f,block:n,italic:a,underline:l,strikethrough:s,size:g,font:h,weight:c,align:u}=e;return{align:null!=u?u:"start",block:null!=n&&n,font:null!=h?h:"base",italic:null!=a&&a,size:null!=g?g:300,strikethrough:null!=s&&s,truncate:null!=f&&f,underline:null!=l&&l,weight:null!=c?c:"regular",wrap:null==i||i,components:{root:"span"},root:r.slot.always((0,o.getIntrinsicElementProps)("span",{ref:t,...e}),{elementType:"span"})}})(e,t);return(e=>{let t=s();return e.root.className=(0,i.mergeClasses)(l.root,t.root,!1===e.wrap&&t.nowrap,e.truncate&&t.truncate,e.block&&t.block,e.italic&&t.italic,e.underline&&t.underline,e.strikethrough&&t.strikethrough,e.underline&&e.strikethrough&&t.strikethroughUnderline,100===e.size&&t.base100,200===e.size&&t.base200,400===e.size&&t.base400,500===e.size&&t.base500,600===e.size&&t.base600,700===e.size&&t.hero700,800===e.size&&t.hero800,900===e.size&&t.hero900,1e3===e.size&&t.hero1000,"monospace"===e.font&&t.monospace,"numeric"===e.font&&t.numeric,"medium"===e.weight&&t.weightMedium,"semibold"===e.weight&&t.weightSemibold,"bold"===e.weight&&t.weightBold,"center"===e.align&&t.alignCenter,"end"===e.align&&t.alignEnd,"justify"===e.align&&t.alignJustify,e.root.className)})(c),c.root.className=(0,i.mergeClasses)(g,c.root.className,h.root,e.className),(0,n.assertSlots)(c),(0,f.jsx)(c.root,{})});return c.displayName=h,c}let h=g({useStyles:(0,a.__styles)({root:{Bahqtrf:"fk6fouc",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm"}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".fy9rknc{font-size:var(--fontSizeBase200);}",".figsok6{font-weight:var(--fontWeightRegular);}",".fwrc4pm{line-height:var(--lineHeightBase200);}"]}),className:"fui-Caption1",displayName:"Caption1"});e.s(["Add20Regular",()=>u,"ArrowClockwise20Regular",()=>w],47171);var c=e.i(39806);let u=(0,c.createFluentIcon)("Add20Regular","20",["M10 2.5c.28 0 .5.22.5.5v6.5H17a.5.5 0 0 1 0 1h-6.5V17a.5.5 0 0 1-1 0v-6.5H3a.5.5 0 0 1 0-1h6.5V3c0-.28.22-.5.5-.5Z"]),w=(0,c.createFluentIcon)("ArrowClockwise20Regular","20",["M4 10a6 6 0 0 1 10.47-4H12.5a.5.5 0 0 0 0 1h3a.5.5 0 0 0 .5-.5v-3a.5.5 0 0 0-1 0v1.6a7 7 0 1 0 1.98 4.36.5.5 0 1 0-1 .08L16 10a6 6 0 0 1-12 0Z"])}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/be969940e03b21c2.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/be969940e03b21c2.js new file mode 100644 index 00000000..31ed94e2 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/be969940e03b21c2.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,77830,(e,t,r)=>{"use strict";function o(e,t){var r=e.length;for(e.push(t);0>>1,i=e[o];if(0>>1;oa(s,r))ua(c,s)?(e[o]=c,e[u]=r,o=u):(e[o]=s,e[l]=r,o=l);else if(ua(c,r))e[o]=c,e[u]=r,o=u;else break}}return t}function a(e,t){var r=e.sortIndex-t.sortIndex;return 0!==r?r:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var l,s=performance;r.unstable_now=function(){return s.now()}}else{var u=Date,c=u.now();r.unstable_now=function(){return u.now()-c}}var d=[],f=[],h=1,v=null,p=3,b=!1,m=!1,g=!1,_="function"==typeof setTimeout?setTimeout:null,y="function"==typeof clearTimeout?clearTimeout:null,k="undefined"!=typeof setImmediate?setImmediate:null;function w(e){for(var t=i(f);null!==t;){if(null===t.callback)n(f);else if(t.startTime<=e)n(f),t.sortIndex=t.expirationTime,o(d,t);else break;t=i(f)}}function x(e){if(g=!1,w(e),!m)if(null!==i(d))m=!0,j(T);else{var t=i(f);null!==t&&R(x,t.startTime-e)}}function T(e,t){m=!1,g&&(g=!1,y(E),E=-1),b=!0;var o=p;try{for(w(t),v=i(d);null!==v&&(!(v.expirationTime>t)||e&&!F());){var a=v.callback;if("function"==typeof a){v.callback=null,p=v.priorityLevel;var l=a(v.expirationTime<=t);t=r.unstable_now(),"function"==typeof l?v.callback=l:v===i(d)&&n(d),w(t)}else n(d);v=i(d)}if(null!==v)var s=!0;else{var u=i(f);null!==u&&R(x,u.startTime-t),s=!1}return s}finally{v=null,p=o,b=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var z=!1,B=null,E=-1,C=5,I=-1;function F(){return!(r.unstable_now()-Ie||125a?(e.sortIndex=n,o(f,e),null===i(d)&&e===i(f)&&(g?(y(E),E=-1):g=!0,R(x,n-a))):(e.sortIndex=l,o(d,e),m||b||(m=!0,j(T))),e},r.unstable_shouldYield=F,r.unstable_wrapCallback=function(e){var t=p;return function(){var r=p;p=t;try{return e.apply(this,arguments)}finally{p=r}}}},72375,(e,t,r)=>{"use strict";t.exports=e.r(77830)},87452,84179,99749,77261,59947,54369,65987,24830,23917,48920,47427,63350,25063,8517,36283,56626,73564,66710,84862,e=>{"use strict";let t;e.s(["Tree",()=>tJ],87452);var r=e.i(71645);e.i(47167);var o=e.i(17664),i=e.i(51701);e.s(["useControllableState",()=>n],84179);let n=e=>{let[t,o]=r.useState(()=>void 0===e.defaultState?e.initialState:"function"==typeof e.defaultState?e.defaultState():e.defaultState),i=r.useRef(e.state);r.useEffect(()=>{i.current=e.state},[e.state]);let n=r.useCallback(e=>{"function"==typeof e&&e(i.current)},[]);return a(e.state)?[e.state,n]:[t,o]},a=e=>{let[t]=r.useState(()=>void 0!==e);return t};function l(e,t,r){return t in e?Object.defineProperty(e,t,{value:r,enumerable:!0,configurable:!0,writable:!0}):e[t]=r,e}e.s(["_",()=>l],99749);let s=Symbol("#internalSet");class u{static dangerouslyGetInternalSet(e){return e[s]}static copy(e){return new u(new Set(e[s]))}static from(e){return void 0===e?this.empty:e instanceof this?e:new this(new Set(e))}static[Symbol.hasInstance](e){return!!("object"==typeof e&&e&&s in e)}add(e){if(this.has(e))return this;let t=u.copy(this);return t[s].add(e),t}delete(e){if(!this.has(e))return this;let t=u.copy(this);return t[s].delete(e),t}has(e){return this[s].has(e)}[Symbol.iterator](){return this[s].values()}constructor(e){l(this,"size",void 0),l(this,s,void 0),this[s]=e,this.size=this[s].size}}function c(e,t){return e.open?t.add(e.value):t.delete(e.value)}l(u,"empty",new u(new Set));let d=Symbol("#internalMap");class f{static dangerouslyGetInternalMap(e){return e[d]}static copy(e){return this.from(e[d])}static from(e,t){if(void 0===e)return this.empty;if(!t)return e instanceof this?e:new this(new Map(e));let r=new Map;for(let o of e)r.set(...t(o));return new this(r)}static[Symbol.hasInstance](e){return!!("object"==typeof e&&e&&d in e)}delete(e){if(!this.has(e))return this;let t=f.copy(this);return t[d].delete(e),t}get(e){return this[d].get(e)}has(e){return this[d].has(e)}set(e,t){if(this.get(e)===t)return this;let r=f.copy(this);return r[d].set(e,t),r}[Symbol.iterator](){return this[d].entries()}constructor(e){l(this,"size",void 0),l(this,d,void 0),this[d]=e,this.size=this[d].size}}l(f,"empty",new f(new Map));let h=e=>Array.isArray(e)?e:[e,!0],v=e=>f.from(e,h),p={level:0,contextType:"subtree"},b=r.createContext(void 0),m=()=>{var e;return null!=(e=r.useContext(b))?e:p};var g=e.i(56720),_=e.i(77074);e.s(["Collapse",()=>U],54369),e.s(["curves",()=>k,"durations",()=>y,"motionTokens",()=>w],77261);let y={durationUltraFast:50,durationFaster:100,durationFast:150,durationNormal:200,durationGentle:250,durationSlow:300,durationSlower:400,durationUltraSlow:500},k={curveAccelerateMax:"cubic-bezier(0.9,0.1,1,0.2)",curveAccelerateMid:"cubic-bezier(1,0,1,1)",curveAccelerateMin:"cubic-bezier(0.8,0,0.78,1)",curveDecelerateMax:"cubic-bezier(0.1,0.9,0.2,1)",curveDecelerateMid:"cubic-bezier(0,0,0,1)",curveDecelerateMin:"cubic-bezier(0.33,0,0.1,1)",curveEasyEaseMax:"cubic-bezier(0.8,0,0.2,1)",curveEasyEase:"cubic-bezier(0.33,0,0.67,1)",curveLinear:"cubic-bezier(0,0,1,1)"},w={...y,...k};function x(){let e=r.useRef(!0);return r.useEffect(()=>{e.current&&(e.current=!1)},[]),e.current}e.s(["useFirstMount",()=>x],59947);var T=e.i(52911);let z=r.createContext(void 0);z.Provider;let B={fill:"forwards"},E={duration:1};function C(){var e;let t="undefined"!=typeof window&&"function"==typeof(null==(e=window.Animation)?void 0:e.prototype.persist);return r.useCallback((e,r,o)=>{let i=Array.isArray(r)?r:[r],{isReducedMotion:n}=o,a=i.map(r=>{let{keyframes:o,reducedMotion:i=E,...a}=r,{keyframes:l=o,...s}=i,u=n?l:o,c={...B,...a,...n&&s};try{let r=e.animate(u,c);if(t)null==r||r.persist();else{var d;let t=u[u.length-1];Object.assign(null!=(d=e.style)?d:{},t)}return r}catch(e){return null}}).filter(e=>!!e);return{set playbackRate(rate){a.forEach(e=>{e.playbackRate=rate})},setMotionEndCallbacks(e,t){Promise.all(a.map(e=>new Promise((t,r)=>{e.onfinish=()=>t(),e.oncancel=()=>r()}))).then(()=>{e()}).catch(()=>{t()})},isRunning:()=>a.some(e=>(function(e){if("running"===e.playState){var t,r,o,i;if(void 0!==e.overallProgress){let t=null!=(r=e.overallProgress)?r:0;return t>0&&t<1}let n=Number(null!=(o=e.currentTime)?o:0),a=Number(null!=(i=null==(t=e.effect)?void 0:t.getTiming().duration)?i:0);return n>0&&n{a.forEach(e=>{e.cancel()})},pause:()=>{a.forEach(e=>{e.pause()})},play:()=>{a.forEach(e=>{e.play()})},finish:()=>{a.forEach(e=>{e.finish()})},reverse:()=>{a.forEach(e=>{e.reverse()})}}},[t])}function I(e){let t=r.useRef(void 0);return r.useImperativeHandle(e,()=>({setPlayState:e=>{var r,o;"running"===e&&(null==(r=t.current)||r.play()),"paused"===e&&(null==(o=t.current)||o.pause())},setPlaybackRate:e=>{t.current&&(t.current.playbackRate=e)}})),t}var F=e.i(1327);function S(){var e;let{targetDocument:t}=(0,F.useFluent_unstable)(),o=null!=(e=null==t?void 0:t.defaultView)?e:null,i=r.useRef(!1),n=r.useCallback(()=>i.current,[]);return(0,T.useIsomorphicLayoutEffect)(()=>{if(null===o||"function"!=typeof o.matchMedia)return;let e=o.matchMedia("screen and (prefers-reduced-motion: reduce)");e.matches&&(i.current=!0);let t=e=>{i.current=e.matches};return e.addEventListener("change",t),()=>{e.removeEventListener("change",t)}},[o]),n}let N=parseInt(r.version,10)>=19;function q(e){let t=!(arguments.length>1)||void 0===arguments[1]||arguments[1],o=r.useRef(null);r.useEffect(()=>{},[t]);try{let t=r.Children.only(e);if(r.isValidElement(t))return[r.cloneElement(t,{ref:(0,i.useMergedRefs)(o,function(e){if(e)return N?e.props.ref:e.ref}(t))}),o]}catch(e){}throw Error("@fluentui/react-motion: Invalid child element.\nMotion factories require a single child element to be passed. That element element should support ref forwarding i.e. it should be either an intrinsic element (e.g. div) or a component that uses React.forwardRef().")}let j=r.createContext(void 0);j.Provider;let R=()=>{var e;return null!=(e=r.useContext(j))?e:"default"},P=Symbol("MOTION_DEFINITION");function M(e){return Object.assign(t=>{let{children:i,imperativeRef:n,onMotionFinish:a,onMotionStart:l,onMotionCancel:s,...u}=t,[c,d]=q(i),f=I(n),h="skip"===R(),v=r.useRef({skipMotions:h,params:u}),p=C(),b=S(),m=(0,o.useEventCallback)(()=>{null==l||l(null)}),g=(0,o.useEventCallback)(()=>{null==a||a(null)}),_=(0,o.useEventCallback)(()=>{null==s||s(null)});return(0,T.useIsomorphicLayoutEffect)(()=>{v.current={skipMotions:h,params:u}}),(0,T.useIsomorphicLayoutEffect)(()=>{let t=d.current;if(t){let r="function"==typeof e?e({element:t,...v.current.params}):e;m();let o=p(t,r,{isReducedMotion:b()});return f.current=o,o.setMotionEndCallbacks(g,_),v.current.skipMotions&&o.finish(),()=>{o.cancel()}}},[p,d,f,b,g,m,_]),c},{[P]:"function"==typeof e?e:()=>e})}let D=Symbol("PRESENCE_MOTION_DEFINITION"),A=Symbol.for("interruptablePresence");function O(e){return Object.assign(t=>{let i={...r.useContext(z),...t},n="skip"===R(),{appear:a,children:l,imperativeRef:s,onExit:u,onMotionFinish:c,onMotionStart:d,onMotionCancel:f,visible:h,unmountOnExit:v,...p}=i,[b,m]=function(){let e=arguments.length>0&&void 0!==arguments[0]&&arguments[0],t=arguments.length>1&&void 0!==arguments[1]&&arguments[1],o=r.useRef(!t||e),i=r.useReducer(e=>e+1,0)[1],n=r.useCallback(e=>{o.current!==e&&(o.current=e,i())},[i]);return r.useEffect(()=>{e&&(o.current=e)}),[e||o.current,n]}(h,v),[g,_]=q(l,b),y=I(s),k=r.useRef({appear:a,params:p,skipMotions:n}),w=C(),B=x(),E=S(),F=(0,o.useEventCallback)(e=>{null==d||d(null,{direction:e})}),N=(0,o.useEventCallback)(e=>{null==c||c(null,{direction:e}),"exit"===e&&v&&(m(!1),null==u||u())}),j=(0,o.useEventCallback)(e=>{null==f||f(null,{direction:e})});return((0,T.useIsomorphicLayoutEffect)(()=>{k.current={appear:a,params:p,skipMotions:n}}),(0,T.useIsomorphicLayoutEffect)(()=>{let t,r=_.current;if(!r)return;function o(){t&&(n&&t.isRunning()||(t.cancel(),y.current=void 0))}let i="function"==typeof e?e({element:r,...k.current.params}):e,n=i[A];if(n&&(t=y.current)&&t.isRunning())return t.reverse(),o;let a=h?i.enter:i.exit,l=h?"enter":"exit",s=!k.current.appear&&B,u=k.current.skipMotions;return(s||F(l),t=w(r,a,{isReducedMotion:E()}),s)?t.finish():(y.current=t,t.setMotionEndCallbacks(()=>N(l),()=>j(l)),u&&t.finish()),o},[w,_,y,E,N,F,j,h]),b)?g:null},{[D]:"function"==typeof e?e:()=>e},{In:M("function"==typeof e?function(){for(var t=arguments.length,r=Array(t),o=0;or({...t,...e})))}let L=(e,t)=>{let r="horizontal"===e?t.scrollWidth:t.scrollHeight;return{sizeName:"horizontal"===e?"maxWidth":"maxHeight",overflowName:"horizontal"===e?"overflowX":"overflowY",toSize:"".concat(r,"px")}},W=e=>{let{direction:t,orientation:r,duration:o,easing:i,delay:n=0}=e,{paddingStart:a,paddingEnd:l,marginStart:s,marginEnd:u}="horizontal"===r?{paddingStart:"paddingInlineStart",paddingEnd:"paddingInlineEnd",marginStart:"marginInlineStart",marginEnd:"marginInlineEnd"}:{paddingStart:"paddingBlockStart",paddingEnd:"paddingBlockEnd",marginStart:"marginBlockStart",marginEnd:"marginBlockEnd"};return{keyframes:[{[a]:"0",[l]:"0",[s]:"0",[u]:"0",offset:+("enter"!==t)}],duration:o,easing:i,delay:n,fill:"both"}},V=e=>{let{direction:t,duration:r,easing:o=w.curveLinear,delay:i=0,fromOpacity:n=0}=e,a=[{opacity:n},{opacity:1}];return"exit"===t&&a.reverse(),{keyframes:a,duration:r,easing:o,delay:i,fill:"both"}},U=O(e=>{let{element:t,duration:r=w.durationNormal,exitDuration:o=r,sizeDuration:i=r,opacityDuration:n=i,exitSizeDuration:a=o,exitOpacityDuration:l=a,easing:s=w.curveEasyEaseMax,delay:u=0,exitEasing:c=s,exitDelay:d=u,staggerDelay:f=0,exitStaggerDelay:h=f,animateOpacity:v=!0,orientation:p="vertical",fromSize:b="0px"}=e,m=[(e=>{let{orientation:t,duration:r,easing:o,element:i,fromSize:n="0",delay:a=0}=e,{sizeName:l,overflowName:s,toSize:u}=L(t,i);return{keyframes:[{[l]:n,[s]:"hidden"},{[l]:u,offset:.9999,[s]:"hidden"},{[l]:"unset",[s]:"unset"}],duration:r,easing:o,delay:a,fill:"both"}})({orientation:p,duration:i,easing:s,element:t,fromSize:b,delay:u}),W({direction:"enter",orientation:p,duration:i,easing:s,delay:u})];v&&m.push(V({direction:"enter",duration:n,easing:s,delay:u+f}));let g=[];return v&&g.push(V({direction:"exit",duration:l,easing:c,delay:d})),g.push((e=>{let{orientation:t,duration:r,easing:o,element:i,delay:n=0,fromSize:a="0"}=e,{sizeName:l,overflowName:s,toSize:u}=L(t,i);return{keyframes:[{[l]:u,[s]:"hidden"},{[l]:a,[s]:"hidden"}],duration:r,easing:o,delay:n,fill:"both"}})({orientation:p,duration:a,easing:c,element:t,delay:d+h,fromSize:b}),W({direction:"exit",orientation:p,duration:a,easing:c,delay:d+h})),{enter:m,exit:g}});H(U,{duration:w.durationFast}),H(U,{duration:w.durationSlower}),H(U,{sizeDuration:w.durationNormal,opacityDuration:w.durationSlower,staggerDelay:w.durationNormal,exitSizeDuration:w.durationNormal,exitOpacityDuration:w.durationSlower,exitStaggerDelay:w.durationSlower,easing:w.curveEasyEase,exitEasing:w.curveEasyEase});var G=e.i(18015);let K={ArrowLeft:G.ArrowLeft,ArrowRight:G.ArrowRight,Enter:G.Enter,Click:"Click",ExpandIconClick:"ExpandIconClick",End:G.End,Home:G.Home,ArrowUp:G.ArrowUp,ArrowDown:G.ArrowDown,TypeAhead:"TypeAhead",Change:"Change"};var X=e.i(72375);let J=e=>{var t;let o=r.createContext({value:{current:e},version:{current:-1},listeners:[]});return t=o.Provider,o.Provider=e=>{let o=r.useRef(e.value),i=r.useRef(0),n=r.useRef();return n.current||(n.current={value:o,version:i,listeners:[]}),(0,T.useIsomorphicLayoutEffect)(()=>{o.current=e.value,i.current+=1,(0,X.unstable_runWithPriority)(X.unstable_NormalPriority,()=>{n.current.listeners.forEach(t=>{t([i.current,e.value])})})},[e.value]),r.createElement(t,{value:n.current},e.children)},delete o.Consumer,o},Z=(e,t)=>{let{value:{current:i},version:{current:n},listeners:a}=r.useContext(e),l=t(i),[s,u]=r.useState([i,l]),c=e=>{u(r=>{if(!e)return[i,l];if(e[0]<=n)return Object.is(r[1],l)?r:[i,l];try{if(Object.is(r[0],e[1]))return r;let o=t(e[1]);if(Object.is(r[1],o))return r;return[e[1],o]}catch(e){}return[r[0],r[1]]})};Object.is(s[1],l)||c(void 0);let d=(0,o.useEventCallback)(c);return(0,T.useIsomorphicLayoutEffect)(()=>(a.push(d),()=>{let e=a.indexOf(d);a.splice(e,1)}),[d,a]),s[1]},Y={value:"__fuiHeadlessTreeRoot",selectionRef:r.createRef(),layoutRef:r.createRef(),treeItemRef:r.createRef(),subtreeRef:r.createRef(),actionsRef:r.createRef(),expandIconRef:r.createRef(),isActionsVisible:!1,isAsideVisible:!1,itemType:"leaf",open:!1,checked:!1},Q=J(void 0),{Provider:$}=Q,ee=e=>Z(Q,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:Y;return e(t)});e.s(["presenceMotionSlot",()=>er],65987);var et=e.i(64186);function er(e,t){let{as:o,children:i,...n}=null!=e?e:{};if(null===e){let e=!t.defaultProps.visible&&t.defaultProps.unmountOnExit;return{[et.SLOT_RENDER_FUNCTION_SYMBOL]:(t,o)=>e?null:r.createElement(r.Fragment,null,o.children),[et.SLOT_ELEMENT_TYPE_SYMBOL]:t.elementType}}let a={...t.defaultProps,...n,[et.SLOT_ELEMENT_TYPE_SYMBOL]:t.elementType};return"function"==typeof i&&(a[et.SLOT_RENDER_FUNCTION_SYMBOL]=i),a}e.s(["GroupperMoveFocusActions",()=>ed,"GroupperMoveFocusEvent",()=>ez,"GroupperTabbabilities",()=>ec,"MoverDirections",()=>es,"MoverKeys",()=>eu,"MoverMoveFocusEvent",()=>eT,"TABSTER_ATTRIBUTE_NAME",()=>ei,"createTabster",()=>tf,"disposeTabster",()=>tp,"getGroupper",()=>th,"getMover",()=>tv,"getTabsterAttribute",()=>e0],24830);var eo=e.i(87950);let ei="data-tabster",en="a[href], button:not([disabled]), input:not([disabled]), select:not([disabled]), textarea:not([disabled]), *[tabindex], *[contenteditable], details > summary, audio[controls], video[controls]",ea={EscapeGroupper:1,Restorer:2,Deloser:3},el={Invisible:0,PartiallyVisible:1,Visible:2},es={Both:0,Vertical:1,Horizontal:2,Grid:3,GridLinear:4},eu={ArrowUp:1,ArrowDown:2,ArrowLeft:3,ArrowRight:4,PageUp:5,PageDown:6,Home:7,End:8},ec={Unlimited:0,Limited:1,LimitedTrapFocus:2},ed={Enter:1,Escape:2},ef={Outside:2};function eh(e,t){var r;return null==(r=e.storageEntry(t))?void 0:r.tabster}function ev(e,t,r){var o,i;let n,a=r||e._noop?void 0:t.getAttribute(ei),l=e.storageEntry(t);if(a)if(a===(null==(o=null==l?void 0:l.attr)?void 0:o.string))return;else try{let e=JSON.parse(a);if("object"!=typeof e)throw Error("Value is not a JSON object, got '".concat(a,"'."));n={string:a,object:e}}catch(e){}else if(!l)return;l||(l=e.storageEntry(t,!0)),l.tabster||(l.tabster={});let s=l.tabster||{},u=(null==(i=l.attr)?void 0:i.object)||{},c=(null==n?void 0:n.object)||{};for(let r of Object.keys(u))if(!c[r]){if("root"===r){let t=s[r];t&&e.root.onRoot(t,!0)}switch(r){case"deloser":case"root":case"groupper":case"modalizer":case"restorer":case"mover":let o=s[r];o&&(o.dispose(),delete s[r]);break;case"observed":delete s[r],e.observedElement&&e.observedElement.onObservedElementUpdate(t);break;case"focusable":case"outline":case"uncontrolled":case"sys":delete s[r]}}for(let r of Object.keys(c)){let o=c.sys;switch(r){case"deloser":s.deloser?s.deloser.setProps(c.deloser):e.deloser&&(s.deloser=e.deloser.createDeloser(t,c.deloser));break;case"root":s.root?s.root.setProps(c.root):s.root=e.root.createRoot(t,c.root,o),e.root.onRoot(s.root);break;case"modalizer":s.modalizer?s.modalizer.setProps(c.modalizer):e.modalizer&&(s.modalizer=e.modalizer.createModalizer(t,c.modalizer,o));break;case"restorer":s.restorer?s.restorer.setProps(c.restorer):e.restorer&&c.restorer&&(s.restorer=e.restorer.createRestorer(t,c.restorer));break;case"focusable":s.focusable=c.focusable;break;case"groupper":s.groupper?s.groupper.setProps(c.groupper):e.groupper&&(s.groupper=e.groupper.createGroupper(t,c.groupper,o));break;case"mover":s.mover?s.mover.setProps(c.mover):e.mover&&(s.mover=e.mover.createMover(t,c.mover,o));break;case"observed":e.observedElement&&(s.observed=c.observed,e.observedElement.onObservedElementUpdate(t));break;case"uncontrolled":s.uncontrolled=c.uncontrolled;break;case"outline":e.outline&&(s.outline=c.outline);break;case"sys":s.sys=c.sys;break;default:console.error("Unknown key '".concat(r,"' in data-tabster attribute value."))}}n?l.attr=n:(0===Object.keys(s).length&&(delete l.tabster,delete l.attr),e.storageEntry(t,!1))}let ep="tabster:mover:movefocus",eb="tabster:mover:memorized-element",em="tabster:groupper:movefocus",eg="undefined"!=typeof CustomEvent?CustomEvent:function(){};class e_ extends eg{constructor(e,t){super(e,{bubbles:!0,cancelable:!0,composed:!0,detail:t}),this.details=t}}class ey extends e_{constructor(e){super("tabster:focusin",e)}}class ek extends e_{constructor(e){super("tabster:focusout",e)}}class ew extends e_{constructor(e){super("tabster:movefocus",e)}}class ex extends e_{constructor(e){super("tabster:mover:state",e)}}class eT extends e_{constructor(e){super(ep,e)}}class ez extends e_{constructor(e){super(em,e)}}class eB extends e_{constructor(e){super("tabster:root:focus",e)}}class eE extends e_{constructor(e){super("tabster:root:blur",e)}}let eC={createMutationObserver:e=>new MutationObserver(e),createTreeWalker:(e,t,r,o)=>e.createTreeWalker(t,r,o),getParentNode:e=>e?e.parentNode:null,getParentElement:e=>e?e.parentElement:null,nodeContains:(e,t)=>!!(t&&(null==e?void 0:e.contains(t))),getActiveElement:e=>e.activeElement,querySelector:(e,t)=>e.querySelector(t),querySelectorAll:(e,t)=>Array.prototype.slice.call(e.querySelectorAll(t),0),getElementById:(e,t)=>e.getElementById(t),getFirstChild:e=>(null==e?void 0:e.firstChild)||null,getLastChild:e=>(null==e?void 0:e.lastChild)||null,getNextSibling:e=>(null==e?void 0:e.nextSibling)||null,getPreviousSibling:e=>(null==e?void 0:e.previousSibling)||null,getFirstElementChild:e=>(null==e?void 0:e.firstElementChild)||null,getLastElementChild:e=>(null==e?void 0:e.lastElementChild)||null,getNextElementSibling:e=>(null==e?void 0:e.nextElementSibling)||null,getPreviousElementSibling:e=>(null==e?void 0:e.previousElementSibling)||null,appendChild:(e,t)=>e.appendChild(t),insertBefore:(e,t,r)=>e.insertBefore(t,r),getSelection:e=>{var t;return(null==(t=e.ownerDocument)?void 0:t.getSelection())||null},getElementsByName:(e,t)=>e.ownerDocument.getElementsByName(t)},eI="undefined"!=typeof DOMRect?DOMRect:class{constructor(e,t,r,o){this.left=e||0,this.top=t||0,this.right=(e||0)+(r||0),this.bottom=(t||0)+(o||0)}},eF=0;try{document.createTreeWalker(document,NodeFilter.SHOW_ELEMENT),t=!1}catch(e){t=!0}function eS(e){let t=e(),r=t.__tabsterInstanceContext;return r||(r={elementByUId:{},basics:{Promise:t.Promise||void 0,WeakRef:t.WeakRef||void 0},containerBoundingRectCache:{},lastContainerBoundingRectCacheId:0,fakeWeakRefs:[],fakeWeakRefsStarted:!1},t.__tabsterInstanceContext=r),r}class eN{deref(){return this._target}static cleanup(e,t){return!e._target||!(!t&&eL(e._target.ownerDocument,e._target))&&(delete e._target,!0)}constructor(e){this._target=e}}class eq{get(){let e,t=this._ref;return t&&((e=t.deref())||delete this._ref),e}getData(){return this._data}constructor(e,t,r){let o,i=eS(e);i.WeakRef?o=new i.WeakRef(t):(o=new eN(t),i.fakeWeakRefs.push(o)),this._ref=o,this._data=r}}function ej(e,t){let r=eS(e);r.fakeWeakRefs=r.fakeWeakRefs.filter(e=>!eN.cleanup(e,t))}function eR(e,r,o){if(r.nodeType!==Node.ELEMENT_NODE)return;let i=t?o:{acceptNode:o};return eC.createTreeWalker(e,r,NodeFilter.SHOW_ELEMENT,i,!1)}function eP(e,t){let r=t.__tabsterCacheId,o=eS(e),i=r?o.containerBoundingRectCache[r]:void 0;if(i)return i.rect;let n=t.ownerDocument&&t.ownerDocument.documentElement;if(!n)return new eI;let a=0,l=0,s=n.clientWidth,u=n.clientHeight;if(t!==n){let e=t.getBoundingClientRect();a=Math.max(a,e.left),l=Math.max(l,e.top),s=Math.min(s,e.right),u=Math.min(u,e.bottom)}let c=new eI(a{for(let e of(o.containerBoundingRectCacheTimer=void 0,Object.keys(o.containerBoundingRectCache)))delete o.containerBoundingRectCache[e].element.__tabsterCacheId;o.containerBoundingRectCache={}},50)),c}function eM(e,t,r){let o=eD(t);if(!o)return!1;let i=eP(e,o),n=t.getBoundingClientRect(),a=n.height*(1-r),l=Math.max(0,i.top-n.top)+Math.max(0,n.bottom-i.bottom);return 0===l||l<=a}function eD(e){let t=e.ownerDocument;if(t){for(let t=eC.getParentElement(e);t;t=eC.getParentElement(t))if(t.scrollWidth>t.clientWidth||t.scrollHeight>t.clientHeight)return t;return t.documentElement}return null}function eA(e){return!!e.__shouldIgnoreFocus}function eO(e,t){let r=eS(e),o=t.__tabsterElementUID;return o||(o=t.__tabsterElementUID=function(e){let t=new Uint32Array(4);if(e.crypto&&e.crypto.getRandomValues)e.crypto.getRandomValues(t);else if(e.msCrypto&&e.msCrypto.getRandomValues)e.msCrypto.getRandomValues(t);else for(let e=0;e{if(this._fixedTarget){let e=this._fixedTarget.get();e&&(0,eo.nativeFocus)(e);return}let t=this.input;if(this.onFocusIn&&t){let r=e.relatedTarget;this.onFocusIn(this,this._isBackward(!0,t,r),r)}},this._focusOut=e=>{if(this._fixedTarget)return;this.useDefaultAction=!1;let t=this.input;if(this.onFocusOut&&t){let r=e.relatedTarget;this.onFocusOut(this,this._isBackward(!1,t,r),r)}};let a=e(),l=a.document.createElement("i");l.tabIndex=0,l.setAttribute("role","none"),l.setAttribute("data-tabster-dummy",""),l.setAttribute("aria-hidden","true");let s=l.style;s.position="fixed",s.width=s.height="1px",s.opacity="0.001",s.zIndex="-1",s.setProperty("content-visibility","hidden"),l.__shouldIgnoreFocus=!0,this.input=l,this.isFirst=r.isFirst,this.isOutside=t,this._isPhantom=null!=(n=r.isPhantom)&&n,this._fixedTarget=i,l.addEventListener("focusin",this._focusIn),l.addEventListener("focusout",this._focusOut),l.__tabsterDummyContainer=o,this._isPhantom&&(this._disposeTimer=a.setTimeout(()=>{delete this._disposeTimer,this.dispose()},0),this._clearDisposeTimeout=()=>{this._disposeTimer&&(a.clearTimeout(this._disposeTimer),delete this._disposeTimer),delete this._clearDisposeTimeout})}}let eK={Root:1,Mover:3,Groupper:4};class eX{_setHandlers(e,t){this._onFocusIn=e,this._onFocusOut=t}moveOut(e){var t;null==(t=this._instance)||t.moveOut(e)}moveOutWithDefaultAction(e,t){var r;null==(r=this._instance)||r.moveOutWithDefaultAction(e,t)}getHandler(e){return e?this._onFocusIn:this._onFocusOut}setTabbable(e){var t;null==(t=this._instance)||t.setTabbable(this,e)}dispose(){this._instance&&(this._instance.dispose(this),delete this._instance),delete this._onFocusIn,delete this._onFocusOut}static moveWithPhantomDummy(e,t,r,o,i){let n=new eG(e.getWindow,!0,{isPhantom:!0,isFirst:!0}).input;if(n){let a,l;if("BODY"===t.tagName)a=t,l=r&&o||!r&&!o?eC.getFirstElementChild(t):null;else{let i,n;r&&(!o||o&&!e.focusable.isFocusable(t,!1,!0,!0))?(a=t,l=o?t.firstElementChild:null):(a=eC.getParentElement(t),l=r&&o||!r&&!o?t:eC.getNextElementSibling(t));do(n=e$(i=r&&o||!r&&!o?eC.getPreviousElementSibling(l):l))===t?l=r&&o||!r&&!o?i:eC.getNextElementSibling(i):n=null;while(n)}(null==a?void 0:a.dispatchEvent(new ew({by:"root",owner:a,next:null,relatedEvent:i})))&&(eC.insertBefore(a,n,l),(0,eo.nativeFocus)(n))}}static addPhantomDummyWithTarget(e,t,r,o){let i=new eG(e.getWindow,!0,{isPhantom:!0,isFirst:!0},void 0,new eq(e.getWindow,o)).input;if(i){let e,o;!t.querySelector(en)||r?(e=eC.getParentElement(t),o=r?t:eC.getNextElementSibling(t)):(e=t,o=eC.getFirstElementChild(t)),e&&eC.insertBefore(e,i,o)}}constructor(e,t,r,o,i,n){this._element=t,this._instance=new eZ(e,t,this,r,o,i,n)}}class eJ{add(e,t){!this._dummyCallbacks.has(e)&&this._win&&(this._dummyElements.push(new eq(this._win,e)),this._dummyCallbacks.set(e,t),this.domChanged=this._domChanged)}remove(e){this._dummyElements=this._dummyElements.filter(t=>{let r=t.get();return r&&r!==e}),this._dummyCallbacks.delete(e),0===this._dummyElements.length&&delete this.domChanged}dispose(){var e;let t=null==(e=this._win)?void 0:e.call(this);this._updateTimer&&(null==t||t.clearTimeout(this._updateTimer),delete this._updateTimer),this._updateDummyInputsTimer&&(null==t||t.clearTimeout(this._updateDummyInputsTimer),delete this._updateDummyInputsTimer),this._changedParents=new WeakSet,this._dummyCallbacks=new WeakMap,this._dummyElements=[],this._updateQueue.clear(),delete this.domChanged,delete this._win}updatePositions(e){this._win&&(this._updateQueue.add(e),this._lastUpdateQueueTime=Date.now(),this._scheduledUpdatePositions())}_scheduledUpdatePositions(){var e;this._updateTimer||(this._updateTimer=null==(e=this._win)?void 0:e.call(this).setTimeout(()=>{if(delete this._updateTimer,this._lastUpdateQueueTime+100<=Date.now()){let e=new Map,t=[];for(let r of this._updateQueue)t.push(r(e));for(let e of(this._updateQueue.clear(),t))e();e.clear()}else this._scheduledUpdatePositions()},100))}constructor(e){this._updateQueue=new Set,this._lastUpdateQueueTime=0,this._changedParents=new WeakSet,this._dummyElements=[],this._dummyCallbacks=new WeakMap,this._domChanged=e=>{var t;!this._changedParents.has(e)&&(this._changedParents.add(e),this._updateDummyInputsTimer||(this._updateDummyInputsTimer=null==(t=this._win)?void 0:t.call(this).setTimeout(()=>{for(let e of(delete this._updateDummyInputsTimer,this._dummyElements)){let t=e.get();if(t){let e=this._dummyCallbacks.get(t);if(e){let r=eC.getParentNode(t);(!r||this._changedParents.has(r))&&e()}}}this._changedParents=new WeakSet},100)))},this._win=e}}class eZ{dispose(e,t){var r,o,i,n;if(0===(this._wrappers=this._wrappers.filter(r=>r.manager!==e&&!t)).length){for(let e of(delete(null==(r=this._element)?void 0:r.get()).__tabsterDummy,this._transformElements))e.removeEventListener("scroll",this._addTransformOffsets);this._transformElements.clear();let e=this._getWindow();this._addTimer&&(e.clearTimeout(this._addTimer),delete this._addTimer);let t=null==(o=this._firstDummy)?void 0:o.input;t&&this._tabster._dummyObserver.remove(t),null==(i=this._firstDummy)||i.dispose(),null==(n=this._lastDummy)||n.dispose()}}_onFocus(e,t,r,o){var i;let n=this._getCurrent();n&&(!t.useDefaultAction||this._callForDefaultAction)&&(null==(i=n.manager.getHandler(e))||i(t,r,o))}_getCurrent(){return this._wrappers.sort((e,t)=>e.tabbable!==t.tabbable?e.tabbable?-1:1:e.priority-t.priority),this._wrappers[0]}_ensurePosition(){var e,t,r;let o=null==(e=this._element)?void 0:e.get(),i=null==(t=this._firstDummy)?void 0:t.input,n=null==(r=this._lastDummy)?void 0:r.input;if(o&&i&&n)if(this._isOutside){let e=eC.getParentNode(o);if(e){let t=eC.getNextSibling(o);t!==n&&eC.insertBefore(e,n,t),eC.getPreviousElementSibling(o)!==i&&eC.insertBefore(e,i,o)}}else{eC.getLastElementChild(o)!==n&&eC.appendChild(o,n);let e=eC.getFirstElementChild(o);e&&e!==i&&e.parentNode&&eC.insertBefore(e.parentNode,i,e)}}constructor(e,t,r,o,i,n,a){this._wrappers=[],this._isOutside=!1,this._transformElements=new Set,this._onFocusIn=(e,t,r)=>{this._onFocus(!0,e,t,r)},this._onFocusOut=(e,t,r)=>{this._onFocus(!1,e,t,r)},this.moveOut=e=>{var t;let r=this._firstDummy,o=this._lastDummy;if(r&&o){this._ensurePosition();let i=r.input,n=o.input,a=null==(t=this._element)?void 0:t.get();if(i&&n&&a){let t;e?(i.tabIndex=0,t=i):(n.tabIndex=0,t=n),t&&(0,eo.nativeFocus)(t)}}},this.moveOutWithDefaultAction=(e,t)=>{var r;let o=this._firstDummy,i=this._lastDummy;if(o&&i){this._ensurePosition();let n=o.input,a=i.input,l=null==(r=this._element)?void 0:r.get();if(n&&a&&l){let r;e?!o.isOutside&&this._tabster.focusable.isFocusable(l,!0,!0,!0)?r=l:(o.useDefaultAction=!0,n.tabIndex=0,r=n):(i.useDefaultAction=!0,a.tabIndex=0,r=a),r&&l.dispatchEvent(new ew({by:"root",owner:l,next:null,relatedEvent:t}))&&(0,eo.nativeFocus)(r)}}},this.setTabbable=(e,t)=>{var r,o;for(let r of this._wrappers)if(r.manager===e){r.tabbable=t;break}let i=this._getCurrent();if(i){let e=i.tabbable?0:-1,t=null==(r=this._firstDummy)?void 0:r.input;t&&(t.tabIndex=e),(t=null==(o=this._lastDummy)?void 0:o.input)&&(t.tabIndex=e)}},this._addDummyInputs=()=>{this._addTimer||(this._addTimer=this._getWindow().setTimeout(()=>{delete this._addTimer,this._ensurePosition(),this._addTransformOffsets()},0))},this._addTransformOffsets=()=>{this._tabster._dummyObserver.updatePositions(this._computeTransformOffsets)},this._computeTransformOffsets=e=>{var t,r;let o=(null==(t=this._firstDummy)?void 0:t.input)||(null==(r=this._lastDummy)?void 0:r.input),i=this._transformElements,n=new Set,a=0,l=0,s=this._getWindow();for(let t=o;t&&t.nodeType===Node.ELEMENT_NODE;t=eC.getParentElement(t)){let r=e.get(t);if(void 0===r){let o=s.getComputedStyle(t).transform;o&&"none"!==o&&(r={scrollTop:t.scrollTop,scrollLeft:t.scrollLeft}),e.set(t,r||null)}r&&(n.add(t),i.has(t)||t.addEventListener("scroll",this._addTransformOffsets),a+=r.scrollTop,l+=r.scrollLeft)}for(let e of i)n.has(e)||e.removeEventListener("scroll",this._addTransformOffsets);return this._transformElements=n,()=>{var e,t;null==(e=this._firstDummy)||e.setTopLeft(a,l),null==(t=this._lastDummy)||t.setTopLeft(a,l)}};let l=t.get();if(!l)throw Error("No element");this._tabster=e,this._getWindow=e.getWindow,this._callForDefaultAction=a;let s=l.__tabsterDummy;if((s||this)._wrappers.push({manager:r,priority:o,tabbable:!0}),s)return s;l.__tabsterDummy=this;let u=null==i?void 0:i.dummyInputsPosition,c=l.tagName;this._isOutside=u?u===ef.Outside:(n||"UL"===c||"OL"===c||"TABLE"===c)&&"LI"!==c&&"TD"!==c&&"TH"!==c,this._firstDummy=new eG(this._getWindow,this._isOutside,{isFirst:!0},t),this._lastDummy=new eG(this._getWindow,this._isOutside,{isFirst:!1},t);let d=this._firstDummy.input;d&&e._dummyObserver.add(d,this._addDummyInputs),this._firstDummy.onFocusIn=this._onFocusIn,this._firstDummy.onFocusOut=this._onFocusOut,this._lastDummy.onFocusIn=this._onFocusIn,this._lastDummy.onFocusOut=this._onFocusOut,this._element=t,this._addDummyInputs()}}function eY(e){let t=null;for(let r=eC.getLastElementChild(e);r;r=eC.getLastElementChild(r))t=r;return t||void 0}function eQ(e){return"INPUT"===e.tagName&&!!e.name&&"radio"===e.type}function e$(e){var t;return(null==(t=null==e?void 0:e.__tabsterDummyContainer)?void 0:t.get())||null}function e0(e,t){let r=JSON.stringify(e);return!0===t?r:{[ei]:r}}class e1 extends eX{constructor(e,t,r,o){super(e,t,eK.Root,o,void 0,!0),this._onDummyInputFocus=e=>{var t;if(e.useDefaultAction)this._setFocused(!1);else{this._tabster.keyboardNavigation.setNavigatingWithKeyboard(!0);let r=this._element.get();if(r){this._setFocused(!0);let t=this._tabster.focusedElement.getFirstOrLastTabbable(e.isFirst,{container:r,ignoreAccessibility:!0});if(t)return void(0,eo.nativeFocus)(t)}null==(t=e.input)||t.blur()}},this._setHandlers(this._onDummyInputFocus),this._tabster=e,this._setFocused=r}}class e5 extends eU{addDummyInputs(){this._dummyManager||(this._dummyManager=new e1(this._tabster,this._element,this._setFocused,this._sys))}dispose(){var e;this._onDispose(this);let t=this._tabster.getWindow(),r=t.document;r.removeEventListener(eo.KEYBORG_FOCUSIN,this._onFocusIn),r.removeEventListener(eo.KEYBORG_FOCUSOUT,this._onFocusOut),this._setFocusedTimer&&(t.clearTimeout(this._setFocusedTimer),delete this._setFocusedTimer),null==(e=this._dummyManager)||e.dispose(),this._remove()}moveOutWithDefaultAction(e,t){let r=this._dummyManager;if(r)r.moveOutWithDefaultAction(e,t);else{let r=this.getElement();r&&e1.moveWithPhantomDummy(this._tabster,r,!0,e,t)}}_add(){}_remove(){}constructor(e,t,r,o,i){super(e,t,o),this._isFocused=!1,this._setFocused=e=>{var t;if(this._setFocusedTimer&&(this._tabster.getWindow().clearTimeout(this._setFocusedTimer),delete this._setFocusedTimer),this._isFocused===e)return;let r=this._element.get();r&&(e?(this._isFocused=!0,null==(t=this._dummyManager)||t.setTabbable(!1),r.dispatchEvent(new eB({element:r}))):this._setFocusedTimer=this._tabster.getWindow().setTimeout(()=>{var e;delete this._setFocusedTimer,this._isFocused=!1,null==(e=this._dummyManager)||e.setTabbable(!0),r.dispatchEvent(new eE({element:r}))},0))},this._onFocusIn=e=>{let t=this._tabster.getParent,r=this._element.get(),o=e.composedPath()[0];do{if(o===r)return void this._setFocused(!0);o=o&&t(o)}while(o)},this._onFocusOut=()=>{this._setFocused(!1)},this._onDispose=r;let n=e.getWindow;this.uid=eO(n,t),this._sys=i,(e.controlTab||e.rootDummyInputs)&&this.addDummyInputs();let a=n().document;a.addEventListener(eo.KEYBORG_FOCUSIN,this._onFocusIn),a.addEventListener(eo.KEYBORG_FOCUSOUT,this._onFocusOut),this._add()}}class e2{_autoRootUnwait(e){e.removeEventListener("readystatechange",this._autoRootCreate),this._autoRootWaiting=!1}dispose(){let e=this._win();this._autoRootUnwait(e.document),delete this._autoRoot,Object.keys(this._roots).forEach(e=>{this._roots[e]&&(this._roots[e].dispose(),delete this._roots[e])}),this.rootById={}}createRoot(e,t,r){let o=new e5(this._tabster,e,this._onRootDispose,t,r);return this._roots[o.id]=o,this._forceDummy&&o.addDummyInputs(),o}addDummyInputs(){this._forceDummy=!0;let e=this._roots;for(let t of Object.keys(e))e[t].addDummyInputs()}static getRootByUId(e,t){let r=e().__tabsterInstance;return r&&r.root.rootById[t]}static getTabsterContext(e,t,r){var o,i,n,a;let l,s,u,c,d,f,h,v;if(void 0===r&&(r={}),!t.ownerDocument)return;let{checkRtl:p,referenceElement:b}=r,m=e.getParent;e.drainInitQueue();let g=!1,_=b||t,y={};for(;_&&(!l||p);){let r=eh(e,_);if(p&&void 0===h){let e=_.dir;e&&(h="rtl"===e.toLowerCase())}if(!r){_=m(_);continue}let a=_.tagName;(r.uncontrolled||"IFRAME"===a||"WEBVIEW"===a)&&e.focusable.isVisible(_)&&(v=_),!c&&(null==(o=r.focusable)?void 0:o.excludeFromMover)&&!u&&(g=!0);let b=r.modalizer,k=r.groupper,w=r.mover;!s&&b&&(s=b),!u&&k&&(!s||b)&&(s?(!k.isActive()&&k.getProps().tabbability&&s.userId!==(null==(i=e.modalizer)?void 0:i.activeId)&&(s=void 0,u=k),f=k):u=k),!c&&w&&(!s||b)&&(!k||_!==t)&&_.contains(t)&&(c=w,d=!!u&&u!==k),r.root&&(l=r.root),(null==(n=r.focusable)?void 0:n.ignoreKeydown)&&Object.assign(y,r.focusable.ignoreKeydown),_=m(_)}if(!l){let r=e.root;r._autoRoot&&(null==(a=t.ownerDocument)?void 0:a.body)&&(l=r._autoRootCreate())}return u&&!c&&(d=!0),l?{root:l,modalizer:s,groupper:u,mover:c,groupperBeforeMover:d,modalizerInGroupper:f,rtl:p?!!h:void 0,uncontrolled:v,excludedFromMover:g,ignoreKeydown:e=>!!y[e.key]}:void 0}static getRoot(e,t){var r;let o=e.getParent;for(let i=t;i;i=o(i)){let t=null==(r=eh(e,i))?void 0:r.root;if(t)return t}}onRoot(e,t){t?delete this.rootById[e.uid]:this.rootById[e.uid]=e}constructor(e,t){this._autoRootWaiting=!1,this._roots={},this._forceDummy=!1,this.rootById={},this._autoRootCreate=()=>{var e;let t=this._win().document,r=t.body;if(r){this._autoRootUnwait(t);let o=this._autoRoot;if(o)return!function(e,t,r){let o;if(r){let t=e.getAttribute(ei);if(t)try{o=JSON.parse(t)}catch(e){}}o||(o={});var i=o;for(let e of Object.keys(t)){let r=t[e];r?i[e]=r:delete i[e]}Object.keys(o).length>0?e.setAttribute(ei,e0(o,!0)):e.removeAttribute(ei)}(r,{root:o},!0),ev(this._tabster,r),null==(e=eh(this._tabster,r))?void 0:e.root}else this._autoRootWaiting||(this._autoRootWaiting=!0,t.addEventListener("readystatechange",this._autoRootCreate))},this._onRootDispose=e=>{delete this._roots[e.id]},this._tabster=e,this._win=e.getWindow,this._autoRoot=t,e.queueInit(()=>{this._autoRoot&&this._autoRootCreate()})}}class e4{dispose(){this._callbacks=[],delete this._val}subscribe(e){let t=this._callbacks;0>t.indexOf(e)&&t.push(e)}subscribeFirst(e){let t=this._callbacks,r=t.indexOf(e);r>=0&&t.splice(r,1),t.unshift(e)}unsubscribe(e){let t=this._callbacks.indexOf(e);t>=0&&this._callbacks.splice(t,1)}setVal(e,t){this._val!==e&&(this._val=e,this._callCallbacks(e,t))}getVal(){return this._val}trigger(e,t){this._callCallbacks(e,t)}_callCallbacks(e,t){this._callbacks.forEach(r=>r(e,t))}constructor(){this._callbacks=[]}}class e6{dispose(){}getProps(e){let t=eh(this._tabster,e);return t&&t.focusable||{}}isFocusable(e,t,r,o){return!!eW(e,en)&&(!!t||-1!==e.tabIndex)&&(r||this.isVisible(e))&&(o||this.isAccessible(e))}isVisible(e){if(!e.ownerDocument||e.nodeType!==Node.ELEMENT_NODE||function(e){var t,r;let o=e.ownerDocument,i=null==(t=o.defaultView)?void 0:t.getComputedStyle(e);return null===e.offsetParent&&o.body!==e&&(null==i?void 0:i.position)!=="fixed"||(null==i?void 0:i.visibility)==="hidden"||(null==i?void 0:i.position)==="fixed"&&("none"===i.display||(null==(r=e.parentElement)?void 0:r.offsetParent)===null&&o.body!==e.parentElement)||!1}(e))return!1;let t=e.ownerDocument.body.getBoundingClientRect();return 0!==t.width||0!==t.height}isAccessible(e){var t;for(let r=e;r;r=eC.getParentElement(r)){let e=eh(this._tabster,r);if(this._isHidden(r)||!(null==(t=null==e?void 0:e.focusable)?void 0:t.ignoreAriaDisabled)&&this._isDisabled(r))return!1}return!0}_isDisabled(e){return e.hasAttribute("disabled")}_isHidden(e){var t;let r=e.getAttribute("aria-hidden");return!(!r||"true"!==r.toLowerCase()||(null==(t=this._tabster.modalizer)?void 0:t.isAugmented(e)))}findFirst(e,t){return this.findElement({...e},t)}findLast(e,t){return this.findElement({isBackward:!0,...e},t)}findNext(e,t){return this.findElement({...e},t)}findPrev(e,t){return this.findElement({...e,isBackward:!0},t)}findDefault(e,t){return this.findElement({...e,acceptCondition:t=>this.isFocusable(t,e.includeProgrammaticallyFocusable)&&!!this.getProps(t).isDefault},t)||null}findAll(e){return this._findElements(!0,e)||[]}findElement(e,t){let r=this._findElements(!1,e,t);return r?r[0]:r}_findElements(e,t,r){var o,i,n;let{container:a,currentElement:l=null,includeProgrammaticallyFocusable:s,useActiveModalizer:u,ignoreAccessibility:c,modalizerId:d,isBackward:f,onElement:h}=t;r||(r={});let v=[],{acceptCondition:p}=t,b=!!p;if(!a)return null;p||(p=e=>this.isFocusable(e,s,!1,c));let m={container:a,modalizerUserId:void 0===d&&u?null==(o=this._tabster.modalizer)?void 0:o.activeId:d||(null==(n=null==(i=e2.getTabsterContext(this._tabster,a))?void 0:i.modalizer)?void 0:n.userId),from:l||a,isBackward:f,isFindAll:e,acceptCondition:p,hasCustomCondition:b,includeProgrammaticallyFocusable:s,ignoreAccessibility:c,cachedGrouppers:{},cachedRadioGroups:{}},g=eR(a.ownerDocument,a,e=>this._acceptElement(e,m));if(!g)return null;let _=t=>{var o,i;let n=null!=(o=m.foundElement)?o:m.foundBackward;return(n&&v.push(n),e)?(!n||(m.found=!1,delete m.foundElement,delete m.foundBackward,delete m.fromCtx,m.from=n,!h||!!h(n)))&&!!(n||t):(n&&r&&(r.uncontrolled=null==(i=e2.getTabsterContext(this._tabster,n))?void 0:i.uncontrolled),!!(t&&!n))};if(l||(r.outOfDOMOrder=!0),l&&eC.nodeContains(a,l))g.currentNode=l;else if(f){let e=eY(a);if(!e)return null;if(this._acceptElement(e,m)===NodeFilter.FILTER_ACCEPT&&!_(!0))return m.skippedFocusable&&(r.outOfDOMOrder=!0),v;g.currentNode=e}do f?g.previousNode():g.nextNode();while(_())return m.skippedFocusable&&(r.outOfDOMOrder=!0),v.length?v:null}_acceptElement(e,t){var r,o,i;let n;if(t.found)return NodeFilter.FILTER_ACCEPT;let a=t.foundBackward;if(a&&(e===a||!eC.nodeContains(a,e)))return t.found=!0,t.foundElement=a,NodeFilter.FILTER_ACCEPT;let l=t.container;if(e===l)return NodeFilter.FILTER_SKIP;if(!eC.nodeContains(l,e)||e$(e)||eC.nodeContains(t.rejectElementsFrom,e))return NodeFilter.FILTER_REJECT;let s=t.currentCtx=e2.getTabsterContext(this._tabster,e);if(!s)return NodeFilter.FILTER_SKIP;if(eA(e))return this.isFocusable(e,void 0,!0,!0)&&(t.skippedFocusable=!0),NodeFilter.FILTER_SKIP;if(!t.hasCustomCondition&&("IFRAME"===e.tagName||"WEBVIEW"===e.tagName))if(this.isVisible(e)&&(null==(r=s.modalizer)?void 0:r.userId)===(null==(o=this._tabster.modalizer)?void 0:o.activeId))return t.found=!0,t.rejectElementsFrom=t.foundElement=e,NodeFilter.FILTER_ACCEPT;else return NodeFilter.FILTER_REJECT;if(!t.ignoreAccessibility&&!this.isAccessible(e))return this.isFocusable(e,!1,!0,!0)&&(t.skippedFocusable=!0),NodeFilter.FILTER_REJECT;let u=t.fromCtx;u||(u=t.fromCtx=e2.getTabsterContext(this._tabster,t.from));let c=null==u?void 0:u.mover,d=s.groupper,f=s.mover;if(void 0!==(n=null==(i=this._tabster.modalizer)?void 0:i.acceptElement(e,t))&&(t.skippedFocusable=!0),void 0===n&&(d||f||c)){let r=null==d?void 0:d.getElement(),o=null==c?void 0:c.getElement(),i=null==f?void 0:f.getElement();if(i&&eC.nodeContains(o,i)&&eC.nodeContains(l,o)&&(!r||!f||eC.nodeContains(o,r))&&(f=c,i=o),r)if(r!==l&&eC.nodeContains(l,r)){if(!eC.nodeContains(r,e))return NodeFilter.FILTER_REJECT}else d=void 0;if(i)if(eC.nodeContains(l,i)){if(!eC.nodeContains(i,e))return NodeFilter.FILTER_REJECT}else f=void 0;d&&f&&(i&&r&&!eC.nodeContains(r,i)?f=void 0:d=void 0),d&&(n=d.acceptElement(e,t)),f&&(n=f.acceptElement(e,t))}if(void 0===n&&(n=t.acceptCondition(e)?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_SKIP)===NodeFilter.FILTER_SKIP&&this.isFocusable(e,!1,!0,!0)&&(t.skippedFocusable=!0),n===NodeFilter.FILTER_ACCEPT&&!t.found){if(!t.isFindAll&&eQ(e)&&!e.checked){let r=e.name,o=t.cachedRadioGroups[r];if(!o&&(o=function(e){let t;if(!eQ(e))return;let r=e.name,o=Array.from(eC.getElementsByName(e,r));return{name:r,buttons:new Set(o=o.filter(e=>!!eQ(e)&&(e.checked&&(t=e),!0))),checked:t}}(e))&&(t.cachedRadioGroups[r]=o),(null==o?void 0:o.checked)&&o.checked!==e)return NodeFilter.FILTER_SKIP}t.isBackward?(t.foundBackward=e,n=NodeFilter.FILTER_SKIP):(t.found=!0,t.foundElement=e)}return n}constructor(e){this._tabster=e}}let e3={Tab:"Tab",Enter:"Enter",Escape:"Escape",PageUp:"PageUp",PageDown:"PageDown",End:"End",Home:"Home",ArrowLeft:"ArrowLeft",ArrowUp:"ArrowUp",ArrowRight:"ArrowRight",ArrowDown:"ArrowDown"},e7={[ea.Restorer]:0,[ea.Deloser]:1,[ea.EscapeGroupper]:2};class e8 extends e4{dispose(){super.dispose();let e=this._win(),t=e.document;t.removeEventListener(eo.KEYBORG_FOCUSIN,this._onFocusIn,!0),t.removeEventListener(eo.KEYBORG_FOCUSOUT,this._onFocusOut,!0),e.removeEventListener("keydown",this._onKeyDown,!0),this.unsubscribe(this._onChanged);let r=this._asyncFocus;r&&(e.clearTimeout(r.timeout),delete this._asyncFocus),delete e8._lastResetElement,delete this._nextVal,delete this._lastVal}static forgetMemorized(e,t){var r,o;let i=e8._lastResetElement,n=i&&i.get();n&&eC.nodeContains(t,n)&&delete e8._lastResetElement,(n=null==(o=null==(r=e._nextVal)?void 0:r.element)?void 0:o.get())&&eC.nodeContains(t,n)&&delete e._nextVal,(n=(i=e._lastVal)&&i.get())&&eC.nodeContains(t,n)&&delete e._lastVal}getFocusedElement(){return this.getVal()}getLastFocusedElement(){var e;let t=null==(e=this._lastVal)?void 0:e.get();return t&&(!t||eL(t.ownerDocument,t))||(this._lastVal=t=void 0),t}focus(e,t,r,o){return!!this._tabster.focusable.isFocusable(e,t,!1,r)&&(e.focus({preventScroll:o}),!0)}focusDefault(e){let t=this._tabster.focusable.findDefault({container:e});return!!t&&(this._tabster.focusedElement.focus(t),!0)}getFirstOrLastTabbable(e,t){var r;let o,{container:i,ignoreAccessibility:n}=t;if(i){let t=e2.getTabsterContext(this._tabster,i);t&&(o=null==(r=e8.findNextTabbable(this._tabster,t,i,void 0,void 0,!e,n))?void 0:r.element)}return o&&!eC.nodeContains(i,o)&&(o=void 0),o||void 0}_focusFirstOrLast(e,t){let r=this.getFirstOrLastTabbable(e,t);return!!r&&(this.focus(r,!1,!0),!0)}focusFirst(e){return this._focusFirstOrLast(!0,e)}focusLast(e){return this._focusFirstOrLast(!1,e)}resetFocus(e){if(!this._tabster.focusable.isVisible(e))return!1;if(this._tabster.focusable.isFocusable(e,!0,!0,!0))this.focus(e);else{let t=e.getAttribute("tabindex"),r=e.getAttribute("aria-hidden");e.tabIndex=-1,e.setAttribute("aria-hidden","true"),e8._lastResetElement=new eq(this._win,e),this.focus(e,!0,!0),this._setOrRemoveAttribute(e,"tabindex",t),this._setOrRemoveAttribute(e,"aria-hidden",r)}return!0}requestAsyncFocus(e,t,r){let o=this._tabster.getWindow(),i=this._asyncFocus;if(i){if(e7[e]>e7[i.source])return;o.clearTimeout(i.timeout)}this._asyncFocus={source:e,callback:t,timeout:o.setTimeout(()=>{this._asyncFocus=void 0,t()},r)}}cancelAsyncFocus(e){let t=this._asyncFocus;(null==t?void 0:t.source)===e&&(this._tabster.getWindow().clearTimeout(t.timeout),this._asyncFocus=void 0)}_setOrRemoveAttribute(e,t,r){null===r?e.removeAttribute(t):e.setAttribute(t,r)}_setFocusedElement(e,t,r){var o,i;if(this._tabster._noop)return;let n={relatedTarget:t};if(e){let t=null==(o=e8._lastResetElement)?void 0:o.get();if(e8._lastResetElement=void 0,t===e||eA(e))return;n.isFocusedProgrammatically=r;let a=e2.getTabsterContext(this._tabster,e),l=null==(i=null==a?void 0:a.modalizer)?void 0:i.userId;l&&(n.modalizerId=l)}let a=this._nextVal={element:e?new eq(this._win,e):void 0,detail:n};e&&e!==this._val&&this._validateFocusedElement(e),this._nextVal===a&&this.setVal(e,n),this._nextVal=void 0}setVal(e,t){super.setVal(e,t),e&&(this._lastVal=new eq(this._win,e))}static findNextTabbable(e,t,r,o,i,n,a){let l=r||t.root.getElement();if(!l)return null;let s=null,u=e8._isTabbingTimer,c=e.getWindow();u&&c.clearTimeout(u),e8.isTabbing=!0,e8._isTabbingTimer=c.setTimeout(()=>{delete e8._isTabbingTimer,e8.isTabbing=!1},0);let d=t.modalizer,f=t.groupper,h=t.mover,v=t=>{if(s=t.findNextTabbable(o,i,n,a),o&&!(null==s?void 0:s.element)){let i=t!==d&&eC.getParentElement(t.getElement());if(i){let l=e2.getTabsterContext(e,o,{referenceElement:i});if(l){let o=t.getElement(),u=n?o:o&&eY(o)||o;u&&(s=e8.findNextTabbable(e,l,r,u,i,n,a))&&(s.outOfDOMOrder=!0)}}}};if(f&&h)v(t.groupperBeforeMover?f:h);else if(f)v(f);else if(h)v(h);else if(d)v(d);else{let t={};s={element:e.focusable[n?"findPrev":"findNext"]({container:l,currentElement:o,referenceElement:i,ignoreAccessibility:a,useActiveModalizer:!0},t),outOfDOMOrder:t.outOfDOMOrder,uncontrolled:t.uncontrolled}}return s}constructor(e,t){super(),this._init=()=>{let e=this._win(),t=e.document;t.addEventListener(eo.KEYBORG_FOCUSIN,this._onFocusIn,!0),t.addEventListener(eo.KEYBORG_FOCUSOUT,this._onFocusOut,!0),e.addEventListener("keydown",this._onKeyDown,!0);let r=eC.getActiveElement(t);r&&r!==t.body&&this._setFocusedElement(r),this.subscribe(this._onChanged)},this._onFocusIn=e=>{let t=e.composedPath()[0];t&&this._setFocusedElement(t,e.detail.relatedTarget,e.detail.isFocusedProgrammatically)},this._onFocusOut=e=>{var t;this._setFocusedElement(void 0,null==(t=e.detail)?void 0:t.originalEvent.relatedTarget)},this._validateFocusedElement=e=>{},this._onKeyDown=e=>{if(e.key!==e3.Tab||e.ctrlKey)return;let t=this.getVal();if(!t||!t.ownerDocument||"true"===t.contentEditable)return;let r=this._tabster,o=r.controlTab,i=e2.getTabsterContext(r,t);if(!i||i.ignoreKeydown(e))return;let n=e.shiftKey,a=e8.findNextTabbable(r,i,void 0,t,void 0,n,!0),l=i.root.getElement();if(!l)return;let s=null==a?void 0:a.element,u=function(e,t){var r;let o=e.getParent,i=t;do{let t=null==(r=eh(e,i))?void 0:r.uncontrolled;if(t&&e.uncontrolled.isUncontrolledCompletely(i,!!t.completely))return i;i=o(i)}while(i)}(r,t);if(s){let c=a.uncontrolled;if(i.uncontrolled||eC.nodeContains(c,t)){if(!a.outOfDOMOrder&&c===i.uncontrolled||u&&!eC.nodeContains(u,s))return;eX.addPhantomDummyWithTarget(r,t,n,s);return}if(c&&r.focusable.isVisible(c)||"IFRAME"===s.tagName&&r.focusable.isVisible(s)){l.dispatchEvent(new ew({by:"root",owner:l,next:s,relatedEvent:e}))&&eX.moveWithPhantomDummy(r,null!=c?c:s,!1,n,e);return}(o||(null==a?void 0:a.outOfDOMOrder))&&l.dispatchEvent(new ew({by:"root",owner:l,next:s,relatedEvent:e}))&&(e.preventDefault(),e.stopImmediatePropagation(),(0,eo.nativeFocus)(s))}else!u&&l.dispatchEvent(new ew({by:"root",owner:l,next:null,relatedEvent:e}))&&i.root.moveOutWithDefaultAction(n,e)},this._onChanged=(e,t)=>{var r,o;if(e)e.dispatchEvent(new ey(t));else{let e=null==(r=this._lastVal)?void 0:r.get();if(e){let r={...t},i=e2.getTabsterContext(this._tabster,e),n=null==(o=null==i?void 0:i.modalizer)?void 0:o.userId;n&&(r.modalizerId=n),e.dispatchEvent(new ek(r))}}},this._tabster=e,this._win=t,e.queueInit(this._init)}}e8.isTabbing=!1;class e9 extends eX{constructor(e,t,r,o){super(r,e,eK.Groupper,o,!0),this._setHandlers((o,i,n)=>{var a,l;let s=e.get(),u=o.input;if(s&&u){let e=e2.getTabsterContext(r,u);if(e){let c;(c=null==(a=t.findNextTabbable(n||void 0,void 0,i,!0))?void 0:a.element)||(c=null==(l=e8.findNextTabbable(r,e,void 0,o.isOutside?u:function(e,t){let r=e,o=null;for(;r&&!o;)o=t?eC.getPreviousElementSibling(r):eC.getNextElementSibling(r),r=eC.getParentElement(r);return o||void 0}(s,!i),void 0,i,!0))?void 0:l.element),c&&(0,eo.nativeFocus)(c)}}})}}class te extends eU{dispose(){var e;this._onDispose(this),this._element.get(),null==(e=this.dummyManager)||e.dispose(),delete this.dummyManager,delete this._first}findNextTabbable(e,t,r,o){let i,n=this.getElement();if(!n)return null;let a=e$(e)===n;if(!this._shouldTabInside&&e&&eC.nodeContains(n,e)&&!a)return{element:void 0,outOfDOMOrder:!0};let l=this.getFirst(!0);if(!e||!eC.nodeContains(n,e)||a)return{element:l,outOfDOMOrder:!0};let s=this._tabster,u=null,c=!1;if(this._shouldTabInside&&l){let a={};u=s.focusable[r?"findPrev":"findNext"]({container:n,currentElement:e,referenceElement:t,ignoreAccessibility:o,useActiveModalizer:!0},a),c=!!a.outOfDOMOrder,u||this._props.tabbability!==ec.LimitedTrapFocus||(u=s.focusable[r?"findLast":"findFirst"]({container:n,ignoreAccessibility:o,useActiveModalizer:!0},a),c=!0),i=a.uncontrolled}return{element:u,uncontrolled:i,outOfDOMOrder:c}}makeTabbable(e){this._shouldTabInside=e||!this._props.tabbability}isActive(e){var t;let r=this.getElement()||null,o=!0;for(let e=eC.getParentElement(r);e;e=eC.getParentElement(e)){let r=null==(t=eh(this._tabster,e))?void 0:t.groupper;r&&!r._shouldTabInside&&(o=!1)}let i=o?!!this._props.tabbability&&this._shouldTabInside:void 0;if(i&&e){let e=this._tabster.focusedElement.getFocusedElement();e&&(i=e!==this.getFirst(!0))}return i}getFirst(e){var t;let r,o=this.getElement();if(o){if(e&&this._tabster.focusable.isFocusable(o))return o;!(r=null==(t=this._first)?void 0:t.get())&&(r=this._tabster.focusable.findFirst({container:o,useActiveModalizer:!0})||void 0)&&this.setFirst(r)}return r}setFirst(e){e?this._first=new eq(this._tabster.getWindow,e):delete this._first}acceptElement(e,t){let r,o=t.cachedGrouppers,i=eC.getParentElement(this.getElement()),n=i&&e2.getTabsterContext(this._tabster,i),a=null==n?void 0:n.groupper,l=(null==n?void 0:n.groupperBeforeMover)?a:void 0,s=e=>{let t,r=o[e.id];return r?t=r.isActive:(t=this.isActive(!0),r=o[e.id]={isActive:t}),t};if(l&&(r=l.getElement(),!s(l)&&r&&t.container!==r&&eC.nodeContains(t.container,r)))return t.skippedFocusable=!0,NodeFilter.FILTER_REJECT;let u=s(this),c=this.getElement();if(c&&!0!==u){let i;if(c===e&&a&&(r||(r=a.getElement()),r&&!s(a)&&eC.nodeContains(t.container,r)&&r!==t.container)||c!==e&&eC.nodeContains(c,e))return t.skippedFocusable=!0,NodeFilter.FILTER_REJECT;let n=o[this.id];if((i="first"in n?n.first:n.first=this.getFirst(!0))&&t.acceptCondition(i))return(t.rejectElementsFrom=c,t.skippedFocusable=!0,i!==t.from)?(t.found=!0,t.foundElement=i,NodeFilter.FILTER_ACCEPT):NodeFilter.FILTER_REJECT}}constructor(e,t,r,o,i){super(e,t,o),this._shouldTabInside=!1,this.makeTabbable(!1),this._onDispose=r,e.controlTab||(this.dummyManager=new e9(this._element,this,e,i))}}class tt{dispose(){let e=this._win();this._tabster.focusedElement.cancelAsyncFocus(ea.EscapeGroupper),this._current={},this._updateTimer&&(e.clearTimeout(this._updateTimer),delete this._updateTimer),this._tabster.focusedElement.unsubscribe(this._onFocus),e.document.removeEventListener("mousedown",this._onMouseDown,!0),e.removeEventListener("keydown",this._onKeyDown,!0),e.removeEventListener(em,this._onMoveFocus),Object.keys(this._grouppers).forEach(e=>{this._grouppers[e]&&(this._grouppers[e].dispose(),delete this._grouppers[e])})}createGroupper(e,t,r){let o=this._tabster,i=new te(o,e,this._onGroupperDispose,t,r);this._grouppers[i.id]=i;let n=o.focusedElement.getFocusedElement();return n&&eC.nodeContains(e,n)&&!this._updateTimer&&(this._updateTimer=this._win().setTimeout(()=>{delete this._updateTimer,n===o.focusedElement.getFocusedElement()&&this._updateCurrent(n)},0)),i}forgetCurrentGrouppers(){this._current={}}_updateCurrent(e){var t;this._updateTimer&&(this._win().clearTimeout(this._updateTimer),delete this._updateTimer);let r=this._tabster,o={};for(let i=r.getParent(e);i;i=r.getParent(i)){let n=null==(t=eh(r,i))?void 0:t.groupper;if(n){o[n.id]=!0,this._current[n.id]=n;let t=n.isActive()||e!==i&&(!n.getProps().delegated||n.getFirst(!1)!==e);n.makeTabbable(t)}}for(let e of Object.keys(this._current)){let t=this._current[e];t.id in o||(t.makeTabbable(!1),t.setFirst(void 0),delete this._current[e])}}_enterGroupper(e,t){let r=this._tabster,o=e2.getTabsterContext(r,e),i=(null==o?void 0:o.groupper)||(null==o?void 0:o.modalizerInGroupper),n=null==i?void 0:i.getElement();if(i&&n&&(e===n||i.getProps().delegated&&e===i.getFirst(!1))){let o=r.focusable.findNext({container:n,currentElement:e,useActiveModalizer:!0});if(o&&(!t||t&&n.dispatchEvent(new ew({by:"groupper",owner:n,next:o,relatedEvent:t}))))return t&&(t.preventDefault(),t.stopImmediatePropagation()),o.focus(),o}return null}_escapeGroupper(e,t,r){let o=this._tabster,i=e2.getTabsterContext(o,e),n=(null==i?void 0:i.groupper)||(null==i?void 0:i.modalizerInGroupper),a=null==n?void 0:n.getElement();if(n&&a&&eC.nodeContains(a,e)){let i;if(e!==a||r)i=n.getFirst(!0);else{let e=eC.getParentElement(a),t=e?e2.getTabsterContext(o,e):void 0;i=null==(n=null==t?void 0:t.groupper)?void 0:n.getFirst(!0)}if(i&&(!t||t&&a.dispatchEvent(new ew({by:"groupper",owner:a,next:i,relatedEvent:t}))))return n&&n.makeTabbable(!1),i.focus(),i}return null}moveFocus(e,t){return t===ed.Enter?this._enterGroupper(e):this._escapeGroupper(e)}handleKeyPress(e,t,r){let o=this._tabster,i=e2.getTabsterContext(o,e);if(i&&((null==i?void 0:i.groupper)||(null==i?void 0:i.modalizerInGroupper))){if(o.focusedElement.cancelAsyncFocus(ea.EscapeGroupper),i.ignoreKeydown(t))return;if(t.key===e3.Enter)this._enterGroupper(e,t);else if(t.key===e3.Escape){let i=o.focusedElement.getFocusedElement();o.focusedElement.requestAsyncFocus(ea.EscapeGroupper,()=>{(i===o.focusedElement.getFocusedElement()||(!r||i)&&r)&&this._escapeGroupper(e,t,r)},0)}}}constructor(e,t){this._current={},this._grouppers={},this._init=()=>{let e=this._win();this._tabster.focusedElement.subscribeFirst(this._onFocus);let t=e.document,r=eC.getActiveElement(t);r&&this._onFocus(r),t.addEventListener("mousedown",this._onMouseDown,!0),e.addEventListener("keydown",this._onKeyDown,!0),e.addEventListener(em,this._onMoveFocus)},this._onGroupperDispose=e=>{delete this._grouppers[e.id]},this._onFocus=e=>{e&&this._updateCurrent(e)},this._onMouseDown=e=>{let t=e.target;for(;t&&!this._tabster.focusable.isFocusable(t);)t=this._tabster.getParent(t);t&&this._updateCurrent(t)},this._onKeyDown=e=>{if(e.key!==e3.Enter&&e.key!==e3.Escape||e.ctrlKey||e.altKey||e.shiftKey||e.metaKey)return;let t=this._tabster.focusedElement.getFocusedElement();t&&this.handleKeyPress(t,e)},this._onMoveFocus=e=>{var t;let r=e.composedPath()[0],o=null==(t=e.detail)?void 0:t.action;r&&void 0!==o&&!e.defaultPrevented&&(o===ed.Enter?this._enterGroupper(r):this._escapeGroupper(r),e.stopImmediatePropagation())},this._tabster=e,this._win=t,e.queueInit(this._init)}}class tr extends e4{dispose(){super.dispose(),this._keyborg&&(this._keyborg.unsubscribe(this._onChange),(0,eo.disposeKeyborg)(this._keyborg),delete this._keyborg)}setNavigatingWithKeyboard(e){var t;null==(t=this._keyborg)||t.setVal(e)}isNavigatingWithKeyboard(){var e;return!!(null==(e=this._keyborg)?void 0:e.isNavigatingWithKeyboard())}constructor(e){super(),this._onChange=e=>{this.setVal(e,void 0)},this._keyborg=(0,eo.createKeyborg)(e()),this._keyborg.subscribe(this._onChange)}}class to extends eX{constructor(e,t,r,o){super(t,e,eK.Mover,o),this._onFocusDummyInput=e=>{var t,r;let o=this._element.get(),i=e.input;if(o&&i){let n,a=e2.getTabsterContext(this._tabster,o);a&&(n=null==(t=e8.findNextTabbable(this._tabster,a,void 0,i,void 0,!e.isFirst,!0))?void 0:t.element);let l=null==(r=this._getMemorized())?void 0:r.get();l&&this._tabster.focusable.isFocusable(l)&&(n=l),n&&(0,eo.nativeFocus)(n)}},this._tabster=t,this._getMemorized=r,this._setHandlers(this._onFocusDummyInput)}}class ti extends eU{dispose(){var e;this._onDispose(this),this._intersectionObserver&&(this._intersectionObserver.disconnect(),delete this._intersectionObserver),delete this._current,delete this._fullyVisible,delete this._allElements,delete this._updateQueue,this._unobserve&&(this._unobserve(),delete this._unobserve);let t=this._win();this._setCurrentTimer&&(t.clearTimeout(this._setCurrentTimer),delete this._setCurrentTimer),this._updateTimer&&(t.clearTimeout(this._updateTimer),delete this._updateTimer),null==(e=this.dummyManager)||e.dispose(),delete this.dummyManager}setCurrent(e){e?this._current=new eq(this._win,e):this._current=void 0,(this._props.trackState||this._props.visibilityAware)&&!this._setCurrentTimer&&(this._setCurrentTimer=this._win().setTimeout(()=>{var e;delete this._setCurrentTimer;let t=[];for(let r of(this._current!==this._prevCurrent&&(t.push(this._current),t.push(this._prevCurrent),this._prevCurrent=this._current),t)){let t=null==r?void 0:r.get();if(t&&(null==(e=this._allElements)?void 0:e.get(t))===this){let e=this._props;if(t&&(void 0!==e.visibilityAware||e.trackState)){let e=this.getState(t);e&&t.dispatchEvent(new ex(e))}}}}))}getCurrent(){var e;return(null==(e=this._current)?void 0:e.get())||null}findNextTabbable(e,t,r,o){let i,n=this.getElement(),a=n&&e$(e)===n;if(!n)return null;let l=null,s=!1;if(this._props.tabbable||a||e&&!eC.nodeContains(n,e)){let a={};l=this._tabster.focusable[r?"findPrev":"findNext"]({currentElement:e,referenceElement:t,container:n,ignoreAccessibility:o,useActiveModalizer:!0},a),s=!!a.outOfDOMOrder,i=a.uncontrolled}return{element:l,uncontrolled:i,outOfDOMOrder:s}}acceptElement(e,t){var r,o;if(!e8.isTabbing)return(null==(r=t.currentCtx)?void 0:r.excludedFromMover)?NodeFilter.FILTER_REJECT:void 0;let{memorizeCurrent:i,visibilityAware:n,hasDefault:a=!0}=this._props,l=this.getElement();if(l&&(i||n||a)&&(!eC.nodeContains(l,t.from)||e$(t.from)===l)){let e;if(i){let r=null==(o=this._current)?void 0:o.get();r&&t.acceptCondition(r)&&(e=r)}if(!e&&a&&(e=this._tabster.focusable.findDefault({container:l,useActiveModalizer:!0})),!e&&n&&(e=this._tabster.focusable.findElement({container:l,useActiveModalizer:!0,isBackward:t.isBackward,acceptCondition:e=>{var r;let o=eO(this._win,e),i=this._visible[o];return l!==e&&!!(null==(r=this._allElements)?void 0:r.get(e))&&t.acceptCondition(e)&&(i===el.Visible||i===el.PartiallyVisible&&(n===el.PartiallyVisible||!this._fullyVisible))}})),e)return t.found=!0,t.foundElement=e,t.rejectElementsFrom=l,t.skippedFocusable=!0,NodeFilter.FILTER_ACCEPT}}_observeState(){let e=this.getElement();if(this._unobserve||!e||"undefined"==typeof MutationObserver)return;let t=this._win(),r=this._allElements=new WeakMap,o=this._tabster.focusable,i=this._updateQueue=[],n=eC.createMutationObserver(e=>{for(let t of e){let e=t.target,r=t.removedNodes,o=t.addedNodes;if("attributes"===t.type)"tabindex"===t.attributeName&&i.push({element:e,type:2});else{for(let e=0;e{var o,i;let n=r.get(e);n&&t&&(null==(o=this._intersectionObserver)||o.unobserve(e),r.delete(e)),n||t||(r.set(e,this),null==(i=this._intersectionObserver)||i.observe(e))},l=e=>{let t=o.isFocusable(e);r.get(e)?t||a(e,!0):t&&a(e)},s=e=>{let{mover:r}=d(e);if(r&&r!==this)if(!(r.getElement()===e&&o.isFocusable(e)))return;else a(e);let i=eR(t.document,e,e=>{let{mover:t,groupper:r}=d(e);if(t&&t!==this)return NodeFilter.FILTER_REJECT;let i=null==r?void 0:r.getFirst(!0);return r&&r.getElement()!==e&&i&&i!==e?NodeFilter.FILTER_REJECT:(o.isFocusable(e)&&a(e),NodeFilter.FILTER_SKIP)});if(i)for(i.currentNode=e;i.nextNode(););},u=e=>{r.get(e)&&a(e,!0);for(let t=eC.getFirstElementChild(e);t;t=eC.getNextElementSibling(t))u(t)},c=()=>{!this._updateTimer&&i.length&&(this._updateTimer=t.setTimeout(()=>{for(let{element:e,type:t}of(delete this._updateTimer,i))switch(t){case 2:l(e);break;case 1:s(e);break;case 3:u(e)}i=this._updateQueue=[]},0))},d=e=>{let t={};for(let r=e;r;r=eC.getParentElement(r)){let e=eh(this._tabster,r);if(e&&(e.groupper&&!t.groupper&&(t.groupper=e.groupper),e.mover)){t.mover=e.mover;break}}return t};i.push({element:e,type:1}),c(),n.observe(e,{childList:!0,subtree:!0,attributes:!0,attributeFilter:["tabindex"]}),this._unobserve=()=>{n.disconnect()}}getState(e){let t=eO(this._win,e);if(t in this._visible){let r=this._visible[t]||el.Invisible;return{isCurrent:this._current?this._current.get()===e:void 0,visibility:r}}}constructor(e,t,r,o,i){var n;super(e,t,o),this._visible={},this._onIntersection=e=>{for(let t of e){let e,r=t.target,o=eO(this._win,r),i=this._fullyVisible;if(t.intersectionRatio>=.25?(e=t.intersectionRatio>=.75?el.Visible:el.PartiallyVisible)===el.Visible&&(i=o):e=el.Invisible,this._visible[o]!==e){void 0===e?(delete this._visible[o],i===o&&delete this._fullyVisible):(this._visible[o]=e,this._fullyVisible=i);let t=this.getState(r);t&&r.dispatchEvent(new ex(t))}}},this._win=e.getWindow,this.visibilityTolerance=null!=(n=o.visibilityTolerance)?n:.8,(this._props.trackState||this._props.visibilityAware)&&(this._intersectionObserver=new IntersectionObserver(this._onIntersection,{threshold:[0,.25,.5,.75,1]}),this._observeState()),this._onDispose=r;let a=()=>o.memorizeCurrent?this._current:void 0;e.controlTab||(this.dummyManager=new to(this._element,e,a,i))}}class tn{dispose(){var e;let t=this._win();this._tabster.focusedElement.unsubscribe(this._onFocus),null==(e=this._ignoredInputResolve)||e.call(this,!1),this._ignoredInputTimer&&(t.clearTimeout(this._ignoredInputTimer),delete this._ignoredInputTimer),t.removeEventListener("keydown",this._onKeyDown,!0),t.removeEventListener(ep,this._onMoveFocus),t.removeEventListener(eb,this._onMemorizedElement),Object.keys(this._movers).forEach(e=>{this._movers[e]&&(this._movers[e].dispose(),delete this._movers[e])})}createMover(e,t,r){let o=new ti(this._tabster,e,this._onMoverDispose,t,r);return this._movers[o.id]=o,o}moveFocus(e,t){return this._moveFocus(e,t)}_moveFocus(e,t,r){var o,i;let n,a,l,s=this._tabster,u=e2.getTabsterContext(s,e,{checkRtl:!0});if(!u||!u.mover||u.excludedFromMover||r&&u.ignoreKeydown(r))return null;let c=u.mover,d=c.getElement();if(u.groupperBeforeMover){let e=u.groupper;if(!e||e.isActive(!0))return null;for(let t=eC.getParentElement(e.getElement());t&&t!==d;t=eC.getParentElement(t))if(null==(i=null==(o=eh(s,t))?void 0:o.groupper)?void 0:i.isActive(!0))return null}if(!d)return null;let f=s.focusable,h=c.getProps(),v=h.direction||es.Both,p=v===es.Both,b=p||v===es.Vertical,m=p||v===es.Horizontal,g=v===es.GridLinear,_=g||v===es.Grid,y=h.cyclic,k=0,w=0;if(_&&(k=Math.ceil((l=e.getBoundingClientRect()).left),w=Math.floor(l.right)),u.rtl&&(t===eu.ArrowRight?t=eu.ArrowLeft:t===eu.ArrowLeft&&(t=eu.ArrowRight)),t===eu.ArrowDown&&b||t===eu.ArrowRight&&(m||_))if((n=f.findNext({currentElement:e,container:d,useActiveModalizer:!0}))&&_){let e=Math.ceil(n.getBoundingClientRect().left);!g&&w>e&&(n=void 0)}else!n&&y&&(n=f.findFirst({container:d,useActiveModalizer:!0}));else if(t===eu.ArrowUp&&b||t===eu.ArrowLeft&&(m||_))if((n=f.findPrev({currentElement:e,container:d,useActiveModalizer:!0}))&&_){let e=Math.floor(n.getBoundingClientRect().right);!g&&e>k&&(n=void 0)}else!n&&y&&(n=f.findLast({container:d,useActiveModalizer:!0}));else if(t===eu.Home)_?f.findElement({container:d,currentElement:e,useActiveModalizer:!0,isBackward:!0,acceptCondition:t=>{var r;if(!f.isFocusable(t))return!1;let o=Math.ceil(null!=(r=t.getBoundingClientRect().left)?r:0);return t!==e&&k<=o||(n=t,!1)}}):n=f.findFirst({container:d,useActiveModalizer:!0});else if(t===eu.End)_?f.findElement({container:d,currentElement:e,useActiveModalizer:!0,acceptCondition:t=>{var r;if(!f.isFocusable(t))return!1;let o=Math.ceil(null!=(r=t.getBoundingClientRect().left)?r:0);return t!==e&&k>=o||(n=t,!1)}}):n=f.findLast({container:d,useActiveModalizer:!0});else if(t===eu.PageUp){if(f.findElement({currentElement:e,container:d,useActiveModalizer:!0,isBackward:!0,acceptCondition:e=>!!f.isFocusable(e)&&(!eM(this._win,e,c.visibilityTolerance)||(n=e,!1))}),_&&n){let e=Math.ceil(n.getBoundingClientRect().left);f.findElement({currentElement:n,container:d,useActiveModalizer:!0,acceptCondition:t=>{if(!f.isFocusable(t))return!1;let r=Math.ceil(t.getBoundingClientRect().left);return k=r||(n=t,!1)}})}a=!1}else if(t===eu.PageDown){if(f.findElement({currentElement:e,container:d,useActiveModalizer:!0,acceptCondition:e=>!!f.isFocusable(e)&&(!eM(this._win,e,c.visibilityTolerance)||(n=e,!1))}),_&&n){let e=Math.ceil(n.getBoundingClientRect().left);f.findElement({currentElement:n,container:d,useActiveModalizer:!0,isBackward:!0,acceptCondition:t=>{if(!f.isFocusable(t))return!1;let r=Math.ceil(t.getBoundingClientRect().left);return k>r||e<=r||(n=t,!1)}})}a=!0}else if(_){let r,o,i=t===eu.ArrowUp,a=k,s=Math.ceil(l.top),u=w,c=Math.floor(l.bottom),h=0;f.findAll({container:d,currentElement:e,isBackward:i,onElement:e=>{let t=e.getBoundingClientRect(),n=Math.ceil(t.left),l=Math.ceil(t.top),d=Math.floor(t.right),f=Math.floor(t.bottom);if(i&&sl)return!0;let v=Math.ceil(Math.min(u,d))-Math.floor(Math.max(a,n)),p=Math.ceil(Math.min(u-a,d-n));if(v>0&&p>=v){let t=v/p;t>h&&(r=e,h=t)}else if(0===h){let t=function(e,t,r,o,i,n,a,l){let s=r0)return!1;return!0}}),n=r}return n&&(!r||r&&d.dispatchEvent(new ew({by:"mover",owner:d,next:n,relatedEvent:r})))?(void 0!==a&&function(e,t,r){let o=eD(t);if(o){let i=eP(e,o),n=t.getBoundingClientRect();r?o.scrollTop+=n.top-i.top:o.scrollTop+=n.bottom-i.bottom}}(this._win,n,a),r&&(r.preventDefault(),r.stopImmediatePropagation()),(0,eo.nativeFocus)(n),n):null}async _isIgnoredInput(e,t){if("true"===e.getAttribute("aria-expanded")&&e.hasAttribute("aria-activedescendant"))return!0;if(eW(e,"input, textarea, *[contenteditable]")){let r,o=0,i=0,n=0;if("INPUT"===e.tagName||"TEXTAREA"===e.tagName){let r=e.type;if(n=(e.value||"").length,"email"===r||"number"===r){if(n){let r=eC.getSelection(e);if(r){let e=r.toString().length,o=t===e3.ArrowLeft||t===e3.ArrowUp;if(r.modify("extend",o?"backward":"forward","character"),e!==r.toString().length)return r.modify("extend",o?"forward":"backward","character"),!0;n=0}}}else{let t=e.selectionStart;if(null===t)return"hidden"===r;o=t||0,i=e.selectionEnd||0}}else"true"===e.contentEditable&&(r=new(function(e){let t=eS(e);if(t.basics.Promise)return t.basics.Promise;throw Error("No Promise defined.")}(this._win))(t=>{this._ignoredInputResolve=e=>{delete this._ignoredInputResolve,t(e)};let r=this._win();this._ignoredInputTimer&&r.clearTimeout(this._ignoredInputTimer);let{anchorNode:a,focusNode:l,anchorOffset:s,focusOffset:u}=eC.getSelection(e)||{};this._ignoredInputTimer=r.setTimeout(()=>{var t,r,c;delete this._ignoredInputTimer;let{anchorNode:d,focusNode:f,anchorOffset:h,focusOffset:v}=eC.getSelection(e)||{};if(d!==a||f!==l||h!==s||v!==u){null==(t=this._ignoredInputResolve)||t.call(this,!1);return}if(o=h||0,i=v||0,n=(null==(r=e.textContent)?void 0:r.length)||0,d&&f&&eC.nodeContains(e,d)&&eC.nodeContains(e,f)&&d!==e){let t=!1,r=e=>{if(e===d)t=!0;else if(e===f)return!0;let n=e.textContent;if(n&&!eC.getFirstChild(e)){let e=n.length;t?f!==d&&(i+=e):(o+=e,i+=e)}let a=!1;for(let t=eC.getFirstChild(e);t&&!a;t=t.nextSibling)a=r(t);return a};r(e)}null==(c=this._ignoredInputResolve)||c.call(this,!0)},0)}));if(r&&!await r||o!==i||o>0&&(t===e3.ArrowLeft||t===e3.ArrowUp||t===e3.Home)||o{let e=this._win();e.addEventListener("keydown",this._onKeyDown,!0),e.addEventListener(ep,this._onMoveFocus),e.addEventListener(eb,this._onMemorizedElement),this._tabster.focusedElement.subscribe(this._onFocus)},this._onMoverDispose=e=>{delete this._movers[e.id]},this._onFocus=e=>{var t;let r=e,o=e;for(let i=eC.getParentElement(e);i;i=eC.getParentElement(i)){let e=null==(t=eh(this._tabster,i))?void 0:t.mover;e&&(e.setCurrent(o),r=void 0),!r&&this._tabster.focusable.isFocusable(i)&&(r=o=i)}},this._onKeyDown=async e=>{var t;let r;if(this._ignoredInputTimer&&(this._win().clearTimeout(this._ignoredInputTimer),delete this._ignoredInputTimer),null==(t=this._ignoredInputResolve)||t.call(this,!1),e.ctrlKey||e.altKey||e.shiftKey||e.metaKey)return;let o=e.key;if(o===e3.ArrowDown?r=eu.ArrowDown:o===e3.ArrowRight?r=eu.ArrowRight:o===e3.ArrowUp?r=eu.ArrowUp:o===e3.ArrowLeft?r=eu.ArrowLeft:o===e3.PageDown?r=eu.PageDown:o===e3.PageUp?r=eu.PageUp:o===e3.Home?r=eu.Home:o===e3.End&&(r=eu.End),!r)return;let i=this._tabster.focusedElement.getFocusedElement();!i||await this._isIgnoredInput(i,o)||this._moveFocus(i,r,e)},this._onMoveFocus=e=>{var t;let r=e.composedPath()[0],o=null==(t=e.detail)?void 0:t.key;r&&void 0!==o&&!e.defaultPrevented&&(this._moveFocus(r,o),e.stopImmediatePropagation())},this._onMemorizedElement=e=>{var t;let r=e.composedPath()[0],o=null==(t=e.detail)?void 0:t.memorizedElement;if(r){let t=e2.getTabsterContext(this._tabster,r),i=null==t?void 0:t.mover;i&&(o&&!eC.nodeContains(i.getElement(),o)&&(o=void 0),i.setCurrent(o),e.stopImmediatePropagation())}},this._tabster=e,this._win=t,this._movers={},e.queueInit(this._init)}}class ta{isUncontrolledCompletely(e,t){var r;let o=null==(r=this._isUncontrolledCompletely)?void 0:r.call(this,e,t);return void 0===o?t:o}constructor(e){this._isUncontrolledCompletely=e}}class tl{push(e){var t;(null==(t=this._stack[this._stack.length-1])?void 0:t.get())!==e&&(this._stack.length>tl.DEPTH&&this._stack.shift(),this._stack.push(new eq(this._getWindow,e)))}pop(e){var t;void 0===e&&(e=()=>!0);let r=this._getWindow().document;for(let o=this._stack.length-1;o>=0;o--){let o=null==(t=this._stack.pop())?void 0:t.get();if(o&&eC.nodeContains(r.body,eC.getParentElement(o))&&e(o))return o}}constructor(e){this._stack=[],this._getWindow=e}}function ts(e,t){var r,o;if(!e||!t)return!1;let i=t;for(;i;){if(i===e)return!0;i="function"!=typeof i.assignedElements&&(null==(r=i.assignedSlot)?void 0:r.parentNode)?null==(o=i.assignedSlot)?void 0:o.parentNode:i.nodeType===document.DOCUMENT_FRAGMENT_NODE?i.host:i.parentNode}return!1}tl.DEPTH=10;class tu{static _overrideAttachShadow(e){let t=e.Element.prototype.attachShadow;t.__origAttachShadow||(Element.prototype.attachShadow=function(e){let r=t.call(this,e);for(let e of tu._shadowObservers)e._addSubObserver(r);return r},Element.prototype.attachShadow.__origAttachShadow=t)}_addSubObserver(e){if(!(!this._options||!this._callback||this._subObservers.has(e))&&this._options.subtree&&ts(this._root,e)){let t=new MutationObserver(this._callbackWrapper);this._subObservers.set(e,t),this._isObserving&&t.observe(e,this._options),this._walkShadows(e)}}disconnect(){for(let e of(this._isObserving=!1,delete this._options,tu._shadowObservers.delete(this),this._subObservers.values()))e.disconnect();this._subObservers.clear(),this._observer.disconnect()}observe(e,t){let r=e.nodeType===Node.DOCUMENT_NODE?e:e.ownerDocument,o=null==r?void 0:r.defaultView;r&&o&&(tu._overrideAttachShadow(o),tu._shadowObservers.add(this),this._root=e,this._options=t,this._isObserving=!0,this._observer.observe(e,t),this._walkShadows(e))}_walkShadows(e,t){let r=e.nodeType===Node.DOCUMENT_NODE?e:e.ownerDocument;if(r){if(e===r)e=r.body;else{let t=e.shadowRoot;if(t)return void this._addSubObserver(t)}r.createTreeWalker(e,NodeFilter.SHOW_ELEMENT,{acceptNode:e=>{if(e.nodeType===Node.ELEMENT_NODE)if(t){let t=this._subObservers.get(e);t&&(t.disconnect(),this._subObservers.delete(e))}else{let t=e.shadowRoot;t&&this._addSubObserver(t)}return NodeFilter.FILTER_SKIP}}).nextNode()}}takeRecords(){let e=this._observer.takeRecords();for(let t of this._subObservers.values())e.push(...t.takeRecords());return e}constructor(e){this._isObserving=!1,this._callbackWrapper=(e,t)=>{for(let t of e)if("childList"===t.type){let e=t.removedNodes,r=t.addedNodes;for(let t=0;t{delete this._forgetMemorizedTimer;for(let e=this._forgetMemorizedElements.shift();e;e=this._forgetMemorizedElements.shift())eH(this.getWindow,e),e8.forgetMemorized(this.focusedElement,e)},0),ej(this.getWindow,!0)))}queueInit(e){var t;this._win&&(this._initQueue.push(e),this._initTimer||(this._initTimer=null==(t=this._win)?void 0:t.setTimeout(()=>{delete this._initTimer,this.drainInitQueue()},0)))}drainInitQueue(){if(!this._win)return;let e=this._initQueue;this._initQueue=[],e.forEach(e=>e())}constructor(e,t){var r,o;this._forgetMemorizedElements=[],this._wrappers=new Set,this._initQueue=[],this._version="8.5.6",this._noop=!1,this.getWindow=()=>{if(!this._win)throw Error("Using disposed Tabster.");return this._win},this._storage=function(e){let t=e.__tabsterInstanceContext;return new((null==t?void 0:t.basics.WeakMap)||WeakMap)}(e),this._win=e;let i=this.getWindow;(null==t?void 0:t.DOMAPI)&&function(e){for(let t of Object.keys(e))eC[t]=e[t]}({...t.DOMAPI}),this.keyboardNavigation=new tr(i),this.focusedElement=new e8(this,i),this.focusable=new e6(this),this.root=new e2(this,null==t?void 0:t.autoRoot),this.uncontrolled=new ta((null==t?void 0:t.checkUncontrolledCompletely)||(null==t?void 0:t.checkUncontrolledTrappingFocus)),this.controlTab=null==(r=null==t?void 0:t.controlTab)||r,this.rootDummyInputs=!!(null==t?void 0:t.rootDummyInputs),this._dummyObserver=new eJ(i),this.getParent=null!=(o=null==t?void 0:t.getParent)?o:eC.getParentNode,this.internal={stopObserver:()=>{this._unobserve&&(this._unobserve(),delete this._unobserve)},resumeObserver:e=>{if(!this._unobserve){let t=i().document;this._unobserve=function(e,t,r,o){let i;if("undefined"==typeof MutationObserver)return()=>{};let n=t.getWindow;function a(t,r){i||(i=eS(n).elementByUId),l(t,r);let o=eR(e,t,e=>l(e,r));if(o)for(;o.nextNode(););}function l(e,o){if(!e.getAttribute)return NodeFilter.FILTER_SKIP;let a=e.__tabsterElementUID;return a&&i&&(o?delete i[a]:null!=i[a]||(i[a]=new eq(n,e))),(eh(t,e)||e.hasAttribute(ei))&&r(t,e,o),NodeFilter.FILTER_SKIP}let s=eC.createMutationObserver(e=>{var o,i,n,l,s;let u=new Set;for(let s of e){let e=s.target,c=s.removedNodes,d=s.addedNodes;if("attributes"===s.type)s.attributeName!==ei||u.has(e)||r(t,e);else{for(let r=0;r{s.disconnect()}}(t,this,ev,e)}}},function e(t){let r=eS(t);r.fakeWeakRefsStarted||(r.fakeWeakRefsStarted=!0,r.WeakRef=r.basics.WeakRef),r.fakeWeakRefsTimer||(r.fakeWeakRefsTimer=t().setTimeout(()=>{r.fakeWeakRefsTimer=void 0,ej(t),e(t)},12e4))}(i),this.queueInit(()=>{this.internal.resumeObserver(!0)})}}function tf(e,t){let r=e.__tabsterInstance;return r?r.createTabster(!1,t):(r=new td(e,t),e.__tabsterInstance=r,r.createTabster())}function th(e){let t=e.core;return t.groupper||(t.groupper=new tt(t,t.getWindow)),t.groupper}function tv(e){let t=e.core;return t.mover||(t.mover=new tn(t,t.getWindow)),t.mover}function tp(e,t){e.core.disposeTabster(e,t)}function tb(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(!e)return null;if(!t.skipVirtual){let t=e&&!!e._virtual&&e._virtual.parent||null;if(t)return t}let r=e.parentNode;return r&&r.nodeType===Node.DOCUMENT_FRAGMENT_NODE?r.host:r}e.s(["createTabsterWithConfig",()=>tg,"useTabster",()=>t_],23917);let tm=e=>e;function tg(e){let t=(null==e?void 0:e.defaultView)||void 0,r=null==t?void 0:t.__tabsterShadowDOMAPI;if(t)return tf(t,{autoRoot:{},controlTab:!1,getParent:tb,checkUncontrolledCompletely:e=>{var t;return(null==(t=e.firstElementChild)?void 0:t.hasAttribute("data-is-focus-trap-zone-bumper"))===!0||void 0},DOMAPI:r})}function t_(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:tm,{targetDocument:t}=(0,F.useFluent_unstable)(),o=r.useRef(null);return(0,T.useIsomorphicLayoutEffect)(()=>{let r=tg(t);if(r)return o.current=e(r),()=>{tp(r),o.current=null}},[t,e]),o}var ty=e.i(72554);let tk=e=>"treeitem"===e.getAttribute("role")?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_SKIP;var tw=e.i(21982),tx=e.i(69024),tT=e.i(32778);let tz={level:0,contextType:"root",treeType:"nested",selectionMode:"none",openItems:u.empty,checkedItems:f.empty,requestTreeResponse:tB,forceUpdateRovingTabIndex:tB,appearance:"subtle",size:"medium",navigationMode:"tree"};function tB(){}let tE=J(void 0),tC=e=>Z(tE,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:tz;return e(t)}),tI={root:"fui-TreeItemLayout",iconBefore:"fui-TreeItemLayout__iconBefore",main:"fui-TreeItemLayout__main",iconAfter:"fui-TreeItemLayout__iconAfter",expandIcon:"fui-TreeItemLayout__expandIcon",aside:"fui-TreeItemLayout__aside",actions:"fui-TreeItemLayout__actions",selector:"fui-TreeItemLayout__selector"},tF=(0,tw.__resetStyles)("ryb8khq",null,[".ryb8khq{display:flex;align-items:center;min-height:32px;box-sizing:border-box;grid-area:layout;}",".ryb8khq:hover{color:var(--colorNeutralForeground2Hover);background-color:var(--colorSubtleBackgroundHover);}",".ryb8khq:hover .fui-TreeItemLayout__expandIcon{color:var(--colorNeutralForeground3Hover);}",".ryb8khq:active{color:var(--colorNeutralForeground2Pressed);background-color:var(--colorSubtleBackgroundPressed);}",".ryb8khq:active .fui-TreeItemLayout__expandIcon{color:var(--colorNeutralForeground3Pressed);}"]),tS=(0,tx.__styles)({leaf:{uwmqm3:["f1k1erfc","faevyjx"]},branch:{uwmqm3:["fo100m9","f6yw3pu"]},medium:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},small:{sshi5w:"f1pha7fy",Bahqtrf:"fk6fouc",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm"},subtle:{},"subtle-alpha":{Jwef8y:"f146ro5n",ecr2s2:"fkam630"},transparent:{De3pzq:"f1c21dwh",Jwef8y:"fjxutwb",ecr2s2:"fophhak"}},{d:[".f1k1erfc{padding-left:calc(var(--fluent-TreeItem--level, 1) * var(--spacingHorizontalXXL));}",".faevyjx{padding-right:calc(var(--fluent-TreeItem--level, 1) * var(--spacingHorizontalXXL));}",".fo100m9{padding-left:calc((var(--fluent-TreeItem--level, 1) - 1) * var(--spacingHorizontalXXL));}",".f6yw3pu{padding-right:calc((var(--fluent-TreeItem--level, 1) - 1) * var(--spacingHorizontalXXL));}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".f1pha7fy{min-height:24px;}",".fy9rknc{font-size:var(--fontSizeBase200);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".f1c21dwh{background-color:var(--colorTransparentBackground);}"],h:[".f146ro5n:hover{background-color:var(--colorSubtleBackgroundLightAlphaHover);}",".fjxutwb:hover{background-color:var(--colorTransparentBackgroundHover);}"],a:[".fkam630:active{background-color:var(--colorSubtleBackgroundLightAlphaPressed);}",".fophhak:active{background-color:var(--colorTransparentBackgroundPressed);}"]}),tN=(0,tw.__resetStyles)("rzvs2in","r17h8a29",[".rzvs2in{display:flex;margin-left:auto;position:relative;z-index:1;grid-area:aside;padding:0 var(--spacingHorizontalS);}",".r17h8a29{display:flex;margin-right:auto;position:relative;z-index:1;grid-area:aside;padding:0 var(--spacingHorizontalS);}"]),tq=(0,tw.__resetStyles)("r1825u21","rezy0yk",[".r1825u21{display:flex;margin-left:auto;align-items:center;z-index:0;grid-area:aside;padding:0 var(--spacingHorizontalM);gap:var(--spacingHorizontalXS);}",".rezy0yk{display:flex;margin-right:auto;align-items:center;z-index:0;grid-area:aside;padding:0 var(--spacingHorizontalM);gap:var(--spacingHorizontalXS);}"]),tj=(0,tw.__resetStyles)("rh4pu5o",null,[".rh4pu5o{display:flex;align-items:center;justify-content:center;min-width:24px;box-sizing:border-box;color:var(--colorNeutralForeground3);flex:0 0 auto;padding:var(--spacingVerticalXS) 0;}"]),tR=(0,tw.__resetStyles)("rklbe47",null,[".rklbe47{padding:0 var(--spacingHorizontalXXS);}"]),tP=(0,tw.__resetStyles)("rphzgg1",null,[".rphzgg1{display:flex;align-items:center;color:var(--colorNeutralForeground2);line-height:var(--lineHeightBase500);font-size:var(--fontSizeBase500);}"]),tM=(0,tx.__styles)({medium:{z189sj:["f7x41pl","fruq291"]},small:{z189sj:["ffczdla","fgiv446"]}},{d:[".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fruq291{padding-left:var(--spacingHorizontalXS);}",".ffczdla{padding-right:var(--spacingHorizontalXXS);}",".fgiv446{padding-left:var(--spacingHorizontalXXS);}"]}),tD=(0,tx.__styles)({medium:{uwmqm3:["fruq291","f7x41pl"]},small:{uwmqm3:["fgiv446","ffczdla"]}},{d:[".fruq291{padding-left:var(--spacingHorizontalXS);}",".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fgiv446{padding-left:var(--spacingHorizontalXXS);}",".ffczdla{padding-right:var(--spacingHorizontalXXS);}"]});e.s(["useFocusFinders",()=>tA],48920);let tA=()=>{let e=t_(),{targetDocument:t}=(0,F.useFluent_unstable)(),o=r.useCallback((t,r)=>{var o;return t&&(null==(o=e.current)?void 0:o.focusable.findAll({container:t,acceptCondition:r}))||[]},[e]),i=r.useCallback(t=>{var r;return t&&(null==(r=e.current)?void 0:r.focusable.findFirst({container:t}))},[e]),n=r.useCallback(t=>{var r;return t&&(null==(r=e.current)?void 0:r.focusable.findLast({container:t}))},[e]);return{findAllFocusable:o,findFirstFocusable:i,findLastFocusable:n,findNextFocusable:r.useCallback(function(r){let o=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(!e.current||!t||!r)return null;let{container:i=t.body}=o;return e.current.focusable.findNext({currentElement:r,container:i})},[e,t]),findPrevFocusable:r.useCallback(function(r){let o=arguments.length>1&&void 0!==arguments[1]?arguments[1]:{};if(!e.current||!t||!r)return null;let{container:i=t.body}=o;return e.current.focusable.findPrev({currentElement:r,container:i})},[e,t])}},tO=e=>e.querySelector(":scope > .".concat(tI.root," > .").concat(tI.actions)),tH={root:"fui-Tree"},tL=(0,tw.__resetStyles)("rnv2ez3",null,[".rnv2ez3{display:flex;flex-direction:column;row-gap:var(--spacingVerticalXXS);}"]),tW=(0,tx.__styles)({subtree:{z8tnut:"fclwglc"}},{d:[".fclwglc{padding-top:var(--spacingVerticalXXS);}"]});var tV=e.i(97906),tU=e.i(46163);let tG={level:1,contextType:"subtree"},tK=e=>"subtree"===e.value.contextType?r.createElement(b.Provider,{value:e.value},e.children):r.createElement(tE.Provider,{value:e.value},r.createElement(b.Provider,{value:tG},e.children));tK.displayName="TreeProvider";var tX=e.i(96019);let tJ=r.forwardRef((e,t)=>{let a=((e,t)=>void 0===r.useContext(b)?function(e,t){let[a,l]=n({state:r.useMemo(()=>e.openItems&&u.from(e.openItems),[e.openItems]),defaultState:e.defaultOpenItems&&(()=>u.from(e.defaultOpenItems)),initialState:u.empty}),s=r.useMemo(()=>v(e.checkedItems),[e.checkedItems]),d=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:"tree",{rove:t,initialize:n,forceUpdate:a}=function(){let e=r.useRef(null),t=r.useRef(null),{targetDocument:i}=(0,F.useFluent_unstable)(),{targetDocument:n}=(0,F.useFluent_unstable)(),a=(0,o.useEventCallback)(e=>{if((null==e?void 0:e.getAttribute("role"))==="treeitem"&&t.current&&t.current.root.contains(e)){let r=(e=>{let t=e.parentElement;for(;t&&"tree"!==t.getAttribute("role");)t=t.parentElement;return t})(e);t.current.root===r&&s(e)}});r.useEffect(()=>{let e=tg(n);if(e)return e.focusedElement.subscribe(a),()=>{e.focusedElement.unsubscribe(a),tp(e)}},[a,n]);let l=r.useCallback(r=>{t.current=r,r.currentElement=r.root;let o=r.firstChild(e=>0===e.tabIndex?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_SKIP);if(r.currentElement=r.root,null!=o||(o=r.firstChild()),!o)return;o.tabIndex=0,e.current=o;let i=null;for(;(i=r.nextElement())&&i!==o;)i.tabIndex=-1},[]),s=r.useCallback((t,r)=>{e.current&&(e.current.tabIndex=-1,t.tabIndex=0,t.focus(r),e.current=t)},[]),u=r.useCallback(()=>{null!==e.current&&(null==i?void 0:i.body.contains(e.current))||!t.current||l(t.current)},[i,l]);return{rove:s,initialize:l,forceUpdate:u}}(),{findFirstFocusable:l}=tA(),{walkerRef:s,rootRef:u}=function(){let{targetDocument:e}=(0,F.useFluent_unstable)(),t=r.useRef(void 0),o=r.useCallback(r=>{t.current=e&&r?function(e,t){let r,o=arguments.length>2&&void 0!==arguments[2]?arguments[2]:()=>NodeFilter.FILTER_ACCEPT,i=t.createTreeWalker(e,NodeFilter.SHOW_ELEMENT,{acceptNode(e){var t;if(!(0,ty.isHTMLElement)(e))return NodeFilter.FILTER_REJECT;let i=o(e);return i===NodeFilter.FILTER_ACCEPT&&null!=(t=null==r?void 0:r(e))?t:i}});return{get root(){return i.root},get currentElement(){return i.currentNode},set currentElement(element){i.currentNode=element},firstChild:e=>{r=e;let t=i.firstChild();return r=void 0,t},lastChild:e=>{r=e;let t=i.lastChild();return r=void 0,t},nextElement:e=>{r=e;let t=i.nextNode();return r=void 0,t},nextSibling:e=>{r=e;let t=i.nextSibling();return r=void 0,t},parentElement:e=>{r=e;let t=i.parentNode();return r=void 0,t},previousElement:e=>{r=e;let t=i.previousNode();return r=void 0,t},previousSibling:e=>{r=e;let t=i.previousSibling();return r=void 0,t}}}(r,e,tk):void 0},[e]);return{walkerRef:t,rootRef:o}}(),c=r.useCallback(e=>{e&&s.current&&n(s.current)},[s,n]);return{navigate:function(r,o){let i=(t=>{if(!s.current)return null;switch(t.type){case K.Click:return t.target;case K.TypeAhead:return s.current.currentElement=t.target,function(e,t){let r=t.toLowerCase(),o=e=>{var t;return(null==(t=e.textContent)?void 0:t.trim().charAt(0).toLowerCase())===r?NodeFilter.FILTER_ACCEPT:NodeFilter.FILTER_SKIP},i=e.nextElement(o);return i||(e.currentElement=e.root,i=e.nextElement(o)),i}(s.current,t.event.key);case K.ArrowLeft:{let r=tO(t.target);if("treegrid"===e&&(null==r?void 0:r.contains(t.target.ownerDocument.activeElement)))return t.target;return s.current.currentElement=t.target,s.current.parentElement()}case K.ArrowRight:if("treegrid"===e){let e=tO(t.target);if(e){var r;null==(r=l(e))||r.focus()}return null}return s.current.currentElement=t.target,s.current.firstChild();case K.End:return s.current.currentElement=s.current.root,function(e){let t=null,r=null;for(;r=e.lastChild();)t=r;return t}(s.current);case K.Home:return s.current.currentElement=s.current.root,s.current.firstChild();case K.ArrowDown:return s.current.currentElement=t.target,s.current.nextElement();case K.ArrowUp:return s.current.currentElement=t.target,s.current.previousElement()}})(r);return i&&t(i,o),i},treeRef:(0,i.useMergedRefs)(u,c),forceUpdateRovingTabIndex:a}}(e.navigationMode);return Object.assign(function(e,t){var i;let{appearance:n="subtle",size:a="medium",selectionMode:l="none"}=e,s=r.useMemo(()=>u.from(e.openItems),[e.openItems]),d=r.useMemo(()=>v(e.checkedItems),[e.checkedItems]),h=(0,o.useEventCallback)(t=>{switch(t.requestType){case"navigate":var r,o,i;let n=!1;switch(null==(i=e.onNavigation)||i.call(e,t.event,{...t,preventScroll:()=>{n=!0},isScrollPrevented:()=>n}),t.type){case K.ArrowDown:case K.ArrowUp:case K.Home:case K.End:t.event.preventDefault()}return;case"open":return void(null==(r=e.onOpenChange)||r.call(e,t.event,{...t,openItems:u.dangerouslyGetInternalSet(c(t,s))}));case"selection":return void("none"!==l&&(null==(o=e.onCheckedChange)||o.call(e,t.event,{...t,selectionMode:l,checkedItems:f.dangerouslyGetInternalMap(d)})))}});return{components:{root:"div",collapseMotion:U},contextType:"root",selectionMode:l,navigationMode:null!=(i=e.navigationMode)?i:"tree",open:!0,appearance:n,size:a,level:1,openItems:s,checkedItems:d,requestTreeResponse:h,forceUpdateRovingTabIndex:()=>{},root:_.slot.always((0,g.getIntrinsicElementProps)("div",{ref:t,role:"tree","aria-multiselectable":"multiselect"===l||void 0,...e}),{elementType:"div"}),collapseMotion:void 0}}({...e,openItems:a,checkedItems:s,onOpenChange:(0,o.useEventCallback)((t,r)=>{var o;let i=c(r,a);null==(o=e.onOpenChange)||o.call(e,t,{...r,openItems:u.dangerouslyGetInternalSet(i)}),l(i)}),onNavigation:(0,o.useEventCallback)((t,r)=>{var o;null==(o=e.onNavigation)||o.call(e,t,r),t.isDefaultPrevented()||d.navigate(r,{preventScroll:r.isScrollPrevented()})}),onCheckedChange:(0,o.useEventCallback)((t,r)=>{var o;let i="single"===r.selectionMode?f.from([[r.value,r.checked]]):"multiselect"===r.selectionMode?s.set(r.value,r.checked):s;null==(o=e.onCheckedChange)||o.call(e,t,{...r,checkedItems:f.dangerouslyGetInternalMap(i)})})},(0,i.useMergedRefs)(t,d.treeRef)),{treeType:"nested",forceUpdateRovingTabIndex:d.forceUpdateRovingTabIndex})}(e,t):function(e,t){let r=ee(e=>e.subtreeRef),{level:o}=m(),n=ee(e=>e.open);return{contextType:"subtree",open:n,components:{root:"div",collapseMotion:U},level:o+1,root:_.slot.always((0,g.getIntrinsicElementProps)("div",{ref:(0,i.useMergedRefs)(t,r),role:"group",...e}),{elementType:"div"}),collapseMotion:er(e.collapseMotion,{elementType:U,defaultProps:{visible:n,unmountOnExit:!0}})}}(e,t))(e,t),l=function(e){if("root"===e.contextType){let{openItems:t,level:r,contextType:o,treeType:i,checkedItems:n,selectionMode:a,navigationMode:l,appearance:s,size:u,requestTreeResponse:c,forceUpdateRovingTabIndex:d}=e;return{tree:{treeType:i,size:u,openItems:t,appearance:s,checkedItems:n,selectionMode:a,navigationMode:l,contextType:o,level:r,requestTreeResponse:c,forceUpdateRovingTabIndex:d}}}return{tree:r.useMemo(()=>({level:e.level,contextType:"subtree"}),[e.level])}}(a);return(e=>{let t=tL(),r=tW(),o=e.level>1;return e.root.className=(0,tT.mergeClasses)(tH.root,t,o&&r.subtree,e.root.className)})(a),(0,tX.useCustomStyleHook_unstable)("useTreeStyles_unstable")(a),((e,t)=>((0,tU.assertSlots)(e),(0,tV.jsx)(tK,{value:t.tree,children:e.collapseMotion?(0,tV.jsx)(e.collapseMotion,{children:(0,tV.jsx)(e.root,{})}):(0,tV.jsx)(e.root,{})})))(a,l)});tJ.displayName="Tree",e.s(["TreeItem",()=>t5],47427);var tZ=e.i(74080),tY=e.i(90312);function tQ(e,t){if(!e||!t)return!1;if(e===t)return!0;{let r=new WeakSet;for(;t;){let o=tb(t,{skipVirtual:r.has(t)});if(r.add(t),o===e)return!0;t=o}}return!1}let t$={root:"fui-TreeItem"},t0=(0,tw.__resetStyles)("r15xhw3a","r2f6k57",[".r15xhw3a{position:relative;cursor:pointer;display:flex;flex-direction:column;box-sizing:border-box;background-color:var(--colorSubtleBackground);color:var(--colorNeutralForeground2);padding-right:var(--spacingHorizontalNone);}",".r15xhw3a:focus{outline-style:none;}",".r15xhw3a:focus-visible{outline-style:none;}",".r15xhw3a[data-fui-focus-visible]>.fui-TreeItemLayout,.r15xhw3a[data-fui-focus-visible]>.fui-TreeItemPersonaLayout{border-radius:var(--borderRadiusMedium);outline-color:var(--colorStrokeFocus2);outline-radius:var(--borderRadiusMedium);outline-width:2px;outline-style:solid;}",".r2f6k57{position:relative;cursor:pointer;display:flex;flex-direction:column;box-sizing:border-box;background-color:var(--colorSubtleBackground);color:var(--colorNeutralForeground2);padding-left:var(--spacingHorizontalNone);}",".r2f6k57:focus{outline-style:none;}",".r2f6k57:focus-visible{outline-style:none;}",".r2f6k57[data-fui-focus-visible]>.fui-TreeItemLayout,.r2f6k57[data-fui-focus-visible]>.fui-TreeItemPersonaLayout{border-radius:var(--borderRadiusMedium);outline-color:var(--colorStrokeFocus2);outline-radius:var(--borderRadiusMedium);outline-width:2px;outline-style:solid;}"]),t1=(0,tx.__styles)({level1:{iytv0q:"f10bgyvd"},level2:{iytv0q:"f1h0rod3"},level3:{iytv0q:"fgoqafk"},level4:{iytv0q:"f75dvuh"},level5:{iytv0q:"fqk7yw6"},level6:{iytv0q:"f1r3z17b"},level7:{iytv0q:"f1hrpd1h"},level8:{iytv0q:"f1iy65d0"},level9:{iytv0q:"ftg42e5"},level10:{iytv0q:"fyat3t"}},{d:[".f10bgyvd{--fluent-TreeItem--level:1;}",".f1h0rod3{--fluent-TreeItem--level:2;}",".fgoqafk{--fluent-TreeItem--level:3;}",".f75dvuh{--fluent-TreeItem--level:4;}",".fqk7yw6{--fluent-TreeItem--level:5;}",".f1r3z17b{--fluent-TreeItem--level:6;}",".f1hrpd1h{--fluent-TreeItem--level:7;}",".f1iy65d0{--fluent-TreeItem--level:8;}",".ftg42e5{--fluent-TreeItem--level:9;}",".fyat3t{--fluent-TreeItem--level:10;}"]}),t5=r.forwardRef((e,t)=>{let n=function(e,t){var n;tC(e=>e.treeType);let a=tC(e=>e.requestTreeResponse),l=tC(e=>{var t;return null!=(t=e.navigationMode)?t:"tree"}),s=tC(e=>e.forceUpdateRovingTabIndex),{level:u}=m(),c=ee(t=>{var r;return null!=(r=e.parentValue)?r:t.value}),d=(0,tY.useId)("fuiTreeItemValue-"),f=null!=(n=e.value)?n:d,{onClick:h,onKeyDown:v,onChange:p,as:b="div",itemType:y="leaf","aria-level":k=u,"aria-selected":w,"aria-expanded":x,...T}=e,z=r.useRef(null),B=r.useRef(null),E=r.useRef(null),C=r.useRef(null),I=r.useRef(null),F=r.useRef(null);r.useEffect(()=>{null==s||s();let e=F.current;return()=>{e&&0===e.tabIndex&&(null==s||s())}},[s]);let S=tC(t=>{var r;return null!=(r=e.open)?r:t.openItems.has(f)}),N=()=>"branch"===y?!S:S,q=tC(e=>e.selectionMode),j=tC(e=>{var t;return null!=(t=e.checkedItems.get(f))&&t}),R=(0,o.useEventCallback)(t=>{var r,o;let i=null==(r=B.current)?void 0:r.contains(t.target);!(z.current&&tQ(z.current,t.target)||C.current&&tQ(C.current,t.target)||(null==(o=I.current)?void 0:o.contains(t.target)))&&(i||null==h||h(t),t.isDefaultPrevented()||tZ.unstable_batchedUpdates(()=>{let r={event:t,value:f,open:N(),target:t.currentTarget,type:i?K.ExpandIconClick:K.Click};if("leaf"!==y){var o;null==(o=e.onOpenChange)||o.call(e,t,r),a({...r,itemType:y,requestType:"open"})}a({...r,itemType:y,parentValue:c,requestType:"navigate",type:K.Click})}))}),P=(0,o.useEventCallback)(t=>{var r,o,i;if(null==v||v(t),t.isDefaultPrevented()||!F.current)return;let n=t.currentTarget===t.target,s=z.current&&z.current.contains(t.target);switch(t.key){case G.Space:if(!n)return;"none"!==q&&(null==(r=I.current)||r.click(),t.preventDefault());return;case K.Enter:if(!n)return;return t.currentTarget.click();case K.End:case K.Home:case K.ArrowUp:if(!n&&!s)return;return a({requestType:"navigate",event:t,value:f,itemType:y,parentValue:c,type:t.key,target:t.currentTarget});case K.ArrowDown:if(!n&&!s||s&&(!(0,ty.isHTMLElement)(t.target)||t.target.hasAttribute("aria-haspopup")))return;return a({requestType:"navigate",event:t,value:f,itemType:y,parentValue:c,type:t.key,target:t.currentTarget});case K.ArrowLeft:{if(t.altKey)return;let r={value:f,event:t,open:N(),type:t.key,itemType:y,parentValue:c,target:t.currentTarget};if(s&&"treegrid"===l)return void a({...r,requestType:"navigate"});if(!n||1===k&&!S)return;S&&(null==(o=e.onOpenChange)||o.call(e,t,r)),a({...r,requestType:S?"open":"navigate"});return}case K.ArrowRight:{if(!n||t.altKey)return;let r={value:f,event:t,open:N(),type:t.key,target:t.currentTarget};"branch"!==y||S?a({...r,itemType:y,parentValue:c,requestType:"navigate"}):(null==(i=e.onOpenChange)||i.call(e,t,r),a({...r,itemType:y,requestType:"open"}));return}}n&&1===t.key.length&&t.key.match(/\w/)&&!t.altKey&&!t.ctrlKey&&!t.metaKey&&a({requestType:"navigate",event:t,target:t.currentTarget,value:f,itemType:y,type:K.TypeAhead,parentValue:c})}),M=(0,o.useEventCallback)(e=>{null==p||p(e),!e.isDefaultPrevented()&&(C.current&&tQ(C.current,e.target)||a({requestType:"selection",event:e,value:f,itemType:y,type:"Change",target:e.currentTarget,checked:"mixed"===j||!j}))});return{value:f,open:S,checked:j,subtreeRef:C,layoutRef:E,selectionRef:I,expandIconRef:B,treeItemRef:F,actionsRef:z,itemType:y,level:k,components:{root:"div"},isAsideVisible:!1,isActionsVisible:!1,root:_.slot.always((0,g.getIntrinsicElementProps)(b,{tabIndex:-1,"data-fui-tree-item-value":f,role:"treeitem",...T,ref:(0,i.useMergedRefs)(t,F),"aria-level":k,"aria-checked":"multiselect"===q?j:void 0,"aria-selected":void 0!==w?w:"single"===q?!!j:void 0,"aria-expanded":void 0!==x?x:"branch"===y?S:void 0,onClick:R,onKeyDown:P,onChange:M}),{elementType:"div"})}}(e,t);(e=>{let t=t0(),r=t1(),{level:o}=e;return e.root.className=(0,tT.mergeClasses)(t$.root,t,function(e){return e>=1&&e<=10}(o)&&r["level".concat(o)],e.root.className)})(n),(0,tX.useCustomStyleHook_unstable)("useTreeItemStyles_unstable")(n);let a=function(e){let{value:t,itemType:r,layoutRef:o,subtreeRef:i,open:n,expandIconRef:a,actionsRef:l,treeItemRef:s,isActionsVisible:u,isAsideVisible:c,selectionRef:d,checked:f}=e;return{treeItem:{value:t,checked:f,itemType:r,layoutRef:o,subtreeRef:i,open:n,selectionRef:d,isActionsVisible:u,isAsideVisible:c,actionsRef:l,treeItemRef:s,expandIconRef:a}}}(n);return((e,t)=>((0,tU.assertSlots)(e),(0,tV.jsx)(e.root,{children:(0,tV.jsx)($,{value:t.treeItem,children:e.root.children})})))(n,a)});function t2(e){return null!==e&&"object"==typeof e&&!Array.isArray(e)&&!r.isValidElement(e)}t5.displayName="TreeItem",e.s(["TreeItemLayout",()=>rq],84862),e.s(["isResolvedShorthand",()=>t2],63350),e.s(["Checkbox",()=>rv],8517);var t4=e.i(24330),t6=e.i(67999);e.s(["Checkmark12Filled",()=>t7,"Checkmark16Filled",()=>t8,"CheckmarkCircle12Filled",()=>t9,"ChevronRight12Regular",()=>re],25063);var t3=e.i(39806);let t7=(0,t3.createFluentIcon)("Checkmark12Filled","12",["M9.76 3.2c.3.29.32.76.04 1.06l-4.25 4.5a.75.75 0 0 1-1.08.02L2.22 6.53a.75.75 0 0 1 1.06-1.06l1.7 1.7L8.7 3.24a.75.75 0 0 1 1.06-.04Z"]),t8=(0,t3.createFluentIcon)("Checkmark16Filled","16",["M14.05 3.49c.28.3.27.77-.04 1.06l-7.93 7.47A.85.85 0 0 1 4.9 12L2.22 9.28a.75.75 0 1 1 1.06-1.06l2.24 2.27 7.47-7.04a.75.75 0 0 1 1.06.04Z"]),t9=(0,t3.createFluentIcon)("CheckmarkCircle12Filled","12",["M1 6a5 5 0 1 1 10 0A5 5 0 0 1 1 6Zm7.35-.9a.5.5 0 1 0-.7-.7L5.5 6.54 4.35 5.4a.5.5 0 1 0-.7.7l1.5 1.5c.2.2.5.2.7 0l2.5-2.5Z"]),re=(0,t3.createFluentIcon)("ChevronRight12Regular","12",["M4.65 2.15a.5.5 0 0 0 0 .7L7.79 6 4.65 9.15a.5.5 0 1 0 .7.7l3.5-3.5a.5.5 0 0 0 0-.7l-3.5-3.5a.5.5 0 0 0-.7 0Z"]),rt=(0,t3.createFluentIcon)("Square12Filled","12",["M2 4c0-1.1.9-2 2-2h4a2 2 0 0 1 2 2v4a2 2 0 0 1-2 2H4a2 2 0 0 1-2-2V4Z"]),rr=(0,t3.createFluentIcon)("Square16Filled","16",["M2 4.5A2.5 2.5 0 0 1 4.5 2h7A2.5 2.5 0 0 1 14 4.5v7a2.5 2.5 0 0 1-2.5 2.5h-7A2.5 2.5 0 0 1 2 11.5v-7Z"]);var ro=e.i(39617),ri=e.i(7527),rn=e.i(52536);let ra={root:"fui-Checkbox",label:"fui-Checkbox__label",input:"fui-Checkbox__input",indicator:"fui-Checkbox__indicator"},rl=(0,tw.__resetStyles)("r1q22k1j","r18ze4k2",{r:[".r1q22k1j{position:relative;display:inline-flex;cursor:pointer;vertical-align:middle;color:var(--colorNeutralForeground3);}",".r1q22k1j:focus{outline-style:none;}",".r1q22k1j:focus-visible{outline-style:none;}",".r1q22k1j[data-fui-focus-within]:focus-within{border-top-color:transparent;border-right-color:transparent;border-bottom-color:transparent;border-left-color:transparent;}",'.r1q22k1j[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);right:calc(2px * -1);bottom:calc(2px * -1);left:calc(2px * -1);}',".r18ze4k2{position:relative;display:inline-flex;cursor:pointer;vertical-align:middle;color:var(--colorNeutralForeground3);}",".r18ze4k2:focus{outline-style:none;}",".r18ze4k2:focus-visible{outline-style:none;}",".r18ze4k2[data-fui-focus-within]:focus-within{border-top-color:transparent;border-left-color:transparent;border-bottom-color:transparent;border-right-color:transparent;}",'.r18ze4k2[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);left:calc(2px * -1);bottom:calc(2px * -1);right:calc(2px * -1);}'],s:["@media (forced-colors: active){.r1q22k1j[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-right-color:Highlight;border-bottom-color:Highlight;border-left-color:Highlight;}}","@media (forced-colors: active){.r18ze4k2[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-left-color:Highlight;border-bottom-color:Highlight;border-right-color:Highlight;}}"]}),rs=(0,tx.__styles)({unchecked:{Bi91k9c:"f3p8bqa",pv5h1i:"fium13f",lj723h:"f1r2dosr",Hnthvo:"f1729es6"},checked:{sj55zd:"f19n0e5",wkncrt:"f35ds98",zxk7z7:"f12mnkne",Hmsnfy:"fei9a8h",e6czan:"fix56y3",pv5h1i:"f1bcv2js",qbydtz:"f7dr4go",Hnthvo:"f1r5cpua"},mixed:{sj55zd:"f19n0e5",Hmsnfy:"f1l27tf0",zxk7z7:"fcilktj",pv5h1i:"f1lphd54",Bunfa6h:"f1obkvq7",Hnthvo:"f2gmbuh",B15ykmv:"f1oy4fa1"},disabled:{Bceei9c:"f158kwzp",sj55zd:"f1s2aq7o",Hmsnfy:"f1w7mfl5",zxk7z7:"fcoafq6",Bbusuzp:"f1dcs8yz",mrqfp9:"fxb3eh3"}},{h:[".f3p8bqa:hover{color:var(--colorNeutralForeground2);}",".fium13f:hover{--fui-Checkbox__indicator--borderColor:var(--colorNeutralStrokeAccessibleHover);}",".fix56y3:hover{--fui-Checkbox__indicator--backgroundColor:var(--colorCompoundBrandBackgroundHover);}",".f1bcv2js:hover{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandBackgroundHover);}",".f1lphd54:hover{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandStrokeHover);}",".f1obkvq7:hover{--fui-Checkbox__indicator--color:var(--colorCompoundBrandForeground1Hover);}"],a:[".f1r2dosr:active{color:var(--colorNeutralForeground1);}",".f1729es6:active{--fui-Checkbox__indicator--borderColor:var(--colorNeutralStrokeAccessiblePressed);}",".f7dr4go:active{--fui-Checkbox__indicator--backgroundColor:var(--colorCompoundBrandBackgroundPressed);}",".f1r5cpua:active{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandBackgroundPressed);}",".f2gmbuh:active{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandStrokePressed);}",".f1oy4fa1:active{--fui-Checkbox__indicator--color:var(--colorCompoundBrandForeground1Pressed);}"],d:[".f19n0e5{color:var(--colorNeutralForeground1);}",".f35ds98{--fui-Checkbox__indicator--backgroundColor:var(--colorCompoundBrandBackground);}",".f12mnkne{--fui-Checkbox__indicator--color:var(--colorNeutralForegroundInverted);}",".fei9a8h{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandBackground);}",".f1l27tf0{--fui-Checkbox__indicator--borderColor:var(--colorCompoundBrandStroke);}",".fcilktj{--fui-Checkbox__indicator--color:var(--colorCompoundBrandForeground1);}",".f158kwzp{cursor:default;}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f1w7mfl5{--fui-Checkbox__indicator--borderColor:var(--colorNeutralStrokeDisabled);}",".fcoafq6{--fui-Checkbox__indicator--color:var(--colorNeutralForegroundDisabled);}"],m:[["@media (forced-colors: active){.f1dcs8yz{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fxb3eh3{--fui-Checkbox__indicator--color:GrayText;}}",{m:"(forced-colors: active)"}]]}),ru=(0,tw.__resetStyles)("ruo9svu",null,[".ruo9svu{box-sizing:border-box;cursor:inherit;height:100%;margin:0;opacity:0;position:absolute;top:0;width:calc(16px + 2 * var(--spacingHorizontalS));}"]),rc=(0,tx.__styles)({before:{j35jbq:["f1e31b4d","f1vgc2s3"]},after:{oyh7mz:["f1vgc2s3","f1e31b4d"]},large:{a9b677:"f1mq5jt6"}},{d:[".f1e31b4d{right:0;}",".f1vgc2s3{left:0;}",".f1mq5jt6{width:calc(20px + 2 * var(--spacingHorizontalS));}"]}),rd=(0,tw.__resetStyles)("rl7ci6d",null,[".rl7ci6d{align-self:flex-start;box-sizing:border-box;flex-shrink:0;display:flex;align-items:center;justify-content:center;overflow:hidden;color:var(--fui-Checkbox__indicator--color);background-color:var(--fui-Checkbox__indicator--backgroundColor);border-color:var(--fui-Checkbox__indicator--borderColor, var(--colorNeutralStrokeAccessible));border-style:solid;border-width:var(--strokeWidthThin);border-radius:var(--borderRadiusSmall);margin:var(--spacingVerticalS) var(--spacingHorizontalS);fill:currentColor;pointer-events:none;font-size:12px;height:16px;width:16px;}"]),rf=(0,tx.__styles)({large:{Be2twd7:"f4ybsrx",Bqenvij:"fjamq6b",a9b677:"f64fuq3"},circular:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f44lkw9"}},{d:[".f4ybsrx{font-size:16px;}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",[".f44lkw9{border-radius:var(--borderRadiusCircular);}",{p:-1}]]}),rh=(0,tx.__styles)({base:{qb2dma:"f7nlbp4",sj55zd:"f1ym3bx4",Bceei9c:"fpo1scq",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1f5q0n8"},before:{z189sj:["f7x41pl","fruq291"]},after:{uwmqm3:["fruq291","f7x41pl"]},medium:{B6of3ja:"fjzwpt6",jrapky:"fh6j2fo"},large:{B6of3ja:"f1xlvstr",jrapky:"f49ad5g"}},{d:[".f7nlbp4{align-self:center;}",".f1ym3bx4{color:inherit;}",".fpo1scq{cursor:inherit;}",[".f1f5q0n8{padding:var(--spacingVerticalS) var(--spacingHorizontalS);}",{p:-1}],".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fruq291{padding-left:var(--spacingHorizontalXS);}",".fjzwpt6{margin-top:calc((16px - var(--lineHeightBase300)) / 2);}",".fh6j2fo{margin-bottom:calc((16px - var(--lineHeightBase300)) / 2);}",".f1xlvstr{margin-top:calc((20px - var(--lineHeightBase300)) / 2);}",".f49ad5g{margin-bottom:calc((20px - var(--lineHeightBase300)) / 2);}"]}),rv=r.forwardRef((e,t)=>{let a=((e,t)=>{let a,{disabled:l=!1,required:s,shape:u="square",size:c="medium",labelPosition:d="after",onChange:f}=e=(0,t4.useFieldControlProps_unstable)(e,{supportsLabelFor:!0,supportsRequired:!0}),[h,v]=n({defaultState:e.defaultChecked,state:e.checked,initialState:!1}),p=(0,t6.getPartitionedNativeProps)({props:e,primarySlotTagName:"input",excludedPropNames:["checked","defaultChecked","size","onChange"]}),b="mixed"===h,m=(0,tY.useId)("checkbox-",p.primary.id);b?a="circular"===u?r.createElement(ro.CircleFilled,null):"large"===c?r.createElement(rr,null):r.createElement(rt,null):h&&(a="large"===c?r.createElement(t8,null):r.createElement(t7,null));let g={shape:u,checked:h,disabled:l,size:c,labelPosition:d,components:{root:"span",input:"input",indicator:"div",label:ri.Label},root:_.slot.always(e.root,{defaultProps:{ref:(0,rn.useFocusWithin)(),...p.root},elementType:"span"}),input:_.slot.always(e.input,{defaultProps:{type:"checkbox",id:m,ref:t,checked:!0===h,...p.primary},elementType:"input"}),label:_.slot.optional(e.label,{defaultProps:{htmlFor:m,disabled:l,required:s,size:"medium"},elementType:ri.Label}),indicator:_.slot.optional(e.indicator,{renderByDefault:!0,defaultProps:{"aria-hidden":!0,children:a},elementType:"div"})};g.input.onChange=(0,o.useEventCallback)(e=>{let t=e.currentTarget.indeterminate?"mixed":e.currentTarget.checked;null==f||f(e,{checked:t}),v(t)});let y=(0,i.useMergedRefs)(g.input.ref);return g.input.ref=y,(0,T.useIsomorphicLayoutEffect)(()=>{y.current&&(y.current.indeterminate=b)},[y,b]),g})(e,t);return(e=>{let{checked:t,disabled:r,labelPosition:o,shape:i,size:n}=e,a=rl(),l=rs();e.root.className=(0,tT.mergeClasses)(ra.root,a,r?l.disabled:"mixed"===t?l.mixed:t?l.checked:l.unchecked,e.root.className);let s=ru(),u=rc();e.input.className=(0,tT.mergeClasses)(ra.input,s,"large"===n&&u.large,u[o],e.input.className);let c=rd(),d=rf();e.indicator&&(e.indicator.className=(0,tT.mergeClasses)(ra.indicator,c,"large"===n&&d.large,"circular"===i&&d.circular,e.indicator.className));let f=rh();return e.label&&(e.label.className=(0,tT.mergeClasses)(ra.label,f.base,f[n],f[o],e.label.className))})(a),(0,tX.useCustomStyleHook_unstable)("useCheckboxStyles_unstable")(a),(e=>((0,tU.assertSlots)(e),(0,tV.jsxs)(e.root,{children:[(0,tV.jsx)(e.input,{}),"before"===e.labelPosition&&e.label&&(0,tV.jsx)(e.label,{}),e.indicator&&(0,tV.jsx)(e.indicator,{}),"after"===e.labelPosition&&e.label&&(0,tV.jsx)(e.label,{})]})))(a)});rv.displayName="Checkbox",e.s(["Radio",()=>rz],36283);var rp=e.i(9485);let rb=r.createContext(void 0),rm={};rb.Provider;let rg={root:"fui-Radio",indicator:"fui-Radio__indicator",input:"fui-Radio__input",label:"fui-Radio__label"},r_=(0,tw.__resetStyles)("r1siqwd8","rmnplyc",{r:[".r1siqwd8{display:inline-flex;position:relative;}",".r1siqwd8:focus{outline-style:none;}",".r1siqwd8:focus-visible{outline-style:none;}",".r1siqwd8[data-fui-focus-within]:focus-within{border-top-color:transparent;border-right-color:transparent;border-bottom-color:transparent;border-left-color:transparent;}",'.r1siqwd8[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);right:calc(2px * -1);bottom:calc(2px * -1);left:calc(2px * -1);}',".rmnplyc{display:inline-flex;position:relative;}",".rmnplyc:focus{outline-style:none;}",".rmnplyc:focus-visible{outline-style:none;}",".rmnplyc[data-fui-focus-within]:focus-within{border-top-color:transparent;border-left-color:transparent;border-bottom-color:transparent;border-right-color:transparent;}",'.rmnplyc[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);left:calc(2px * -1);bottom:calc(2px * -1);right:calc(2px * -1);}'],s:["@media (forced-colors: active){.r1siqwd8[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-right-color:Highlight;border-bottom-color:Highlight;border-left-color:Highlight;}}","@media (forced-colors: active){.rmnplyc[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-left-color:Highlight;border-bottom-color:Highlight;border-right-color:Highlight;}}"]}),ry=(0,tx.__styles)({vertical:{Beiy3e4:"f1vx9l62",Bt984gj:"f122n59"}},{d:[".f1vx9l62{flex-direction:column;}",".f122n59{align-items:center;}"]}),rk=(0,tw.__resetStyles)("rg1upok","rzwdzb4",{r:[".rg1upok{position:absolute;left:0;top:0;width:calc(16px + 2 * var(--spacingHorizontalS));height:100%;box-sizing:border-box;margin:0;opacity:0;}",".rg1upok:enabled{cursor:pointer;}",".rg1upok:enabled~.fui-Radio__label{cursor:pointer;}",".rg1upok:enabled:not(:checked)~.fui-Radio__label{color:var(--colorNeutralForeground3);}",".rg1upok:enabled:not(:checked)~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessible);}",".rg1upok:enabled:not(:checked):hover~.fui-Radio__label{color:var(--colorNeutralForeground2);}",".rg1upok:enabled:not(:checked):hover~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessibleHover);}",".rg1upok:enabled:not(:checked):hover:active~.fui-Radio__label{color:var(--colorNeutralForeground1);}",".rg1upok:enabled:not(:checked):hover:active~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessiblePressed);}",".rg1upok:enabled:checked~.fui-Radio__label{color:var(--colorNeutralForeground1);}",".rg1upok:enabled:checked~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStroke);color:var(--colorCompoundBrandForeground1);}",".rg1upok:enabled:checked:hover~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStrokeHover);color:var(--colorCompoundBrandForeground1Hover);}",".rg1upok:enabled:checked:hover:active~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStrokePressed);color:var(--colorCompoundBrandForeground1Pressed);}",".rg1upok:disabled~.fui-Radio__label{color:var(--colorNeutralForegroundDisabled);cursor:default;}",".rg1upok:disabled~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeDisabled);color:var(--colorNeutralForegroundDisabled);}",".rzwdzb4{position:absolute;right:0;top:0;width:calc(16px + 2 * var(--spacingHorizontalS));height:100%;box-sizing:border-box;margin:0;opacity:0;}",".rzwdzb4:enabled{cursor:pointer;}",".rzwdzb4:enabled~.fui-Radio__label{cursor:pointer;}",".rzwdzb4:enabled:not(:checked)~.fui-Radio__label{color:var(--colorNeutralForeground3);}",".rzwdzb4:enabled:not(:checked)~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessible);}",".rzwdzb4:enabled:not(:checked):hover~.fui-Radio__label{color:var(--colorNeutralForeground2);}",".rzwdzb4:enabled:not(:checked):hover~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessibleHover);}",".rzwdzb4:enabled:not(:checked):hover:active~.fui-Radio__label{color:var(--colorNeutralForeground1);}",".rzwdzb4:enabled:not(:checked):hover:active~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeAccessiblePressed);}",".rzwdzb4:enabled:checked~.fui-Radio__label{color:var(--colorNeutralForeground1);}",".rzwdzb4:enabled:checked~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStroke);color:var(--colorCompoundBrandForeground1);}",".rzwdzb4:enabled:checked:hover~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStrokeHover);color:var(--colorCompoundBrandForeground1Hover);}",".rzwdzb4:enabled:checked:hover:active~.fui-Radio__indicator{border-color:var(--colorCompoundBrandStrokePressed);color:var(--colorCompoundBrandForeground1Pressed);}",".rzwdzb4:disabled~.fui-Radio__label{color:var(--colorNeutralForegroundDisabled);cursor:default;}",".rzwdzb4:disabled~.fui-Radio__indicator{border-color:var(--colorNeutralStrokeDisabled);color:var(--colorNeutralForegroundDisabled);}"],s:["@media (forced-colors: active){.rg1upok:enabled:not(:checked)~.fui-Radio__indicator{border-color:ButtonBorder;}}","@media (forced-colors: active){.rg1upok:enabled:checked~.fui-Radio__indicator{border-color:Highlight;color:Highlight;}.rg1upok:enabled:checked~.fui-Radio__indicator::after{background-color:Highlight;}}","@media (forced-colors: active){.rg1upok:disabled~.fui-Radio__label{color:GrayText;}}","@media (forced-colors: active){.rg1upok:disabled~.fui-Radio__indicator{border-color:GrayText;color:GrayText;}.rg1upok:disabled~.fui-Radio__indicator::after{background-color:GrayText;}}","@media (forced-colors: active){.rzwdzb4:enabled:not(:checked)~.fui-Radio__indicator{border-color:ButtonBorder;}}","@media (forced-colors: active){.rzwdzb4:enabled:checked~.fui-Radio__indicator{border-color:Highlight;color:Highlight;}.rzwdzb4:enabled:checked~.fui-Radio__indicator::after{background-color:Highlight;}}","@media (forced-colors: active){.rzwdzb4:disabled~.fui-Radio__label{color:GrayText;}}","@media (forced-colors: active){.rzwdzb4:disabled~.fui-Radio__indicator{border-color:GrayText;color:GrayText;}.rzwdzb4:disabled~.fui-Radio__indicator::after{background-color:GrayText;}}"]}),rw=(0,tx.__styles)({below:{a9b677:"fly5x3f",Bqenvij:"f1je6zif"},defaultIndicator:{Blbys7f:"f9ma1gx"},customIndicator:{Bj53wkj:"f12zxao0"}},{d:[".fly5x3f{width:100%;}",".f1je6zif{height:calc(16px + 2 * var(--spacingVerticalS));}",'.f9ma1gx:checked~.fui-Radio__indicator::after{content:"";}',".f12zxao0:not(:checked)~.fui-Radio__indicator>*{opacity:0;}"]}),rx=(0,tw.__resetStyles)("rwtekvw",null,[".rwtekvw{position:relative;width:16px;height:16px;font-size:12px;box-sizing:border-box;flex-shrink:0;display:flex;align-items:center;justify-content:center;overflow:hidden;border:var(--strokeWidthThin) solid;border-radius:var(--borderRadiusCircular);margin:var(--spacingVerticalS) var(--spacingHorizontalS);fill:currentColor;pointer-events:none;}",".rwtekvw::after{position:absolute;width:16px;height:16px;border-radius:var(--borderRadiusCircular);transform:scale(0.625);background-color:currentColor;}"]),rT=(0,tx.__styles)({base:{qb2dma:"f7nlbp4",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1f5q0n8"},after:{uwmqm3:["fruq291","f7x41pl"],B6of3ja:"fjzwpt6",jrapky:"fh6j2fo"},below:{z8tnut:"f1ywm7hm",fsow6f:"f17mccla"}},{d:[".f7nlbp4{align-self:center;}",[".f1f5q0n8{padding:var(--spacingVerticalS) var(--spacingHorizontalS);}",{p:-1}],".fruq291{padding-left:var(--spacingHorizontalXS);}",".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fjzwpt6{margin-top:calc((16px - var(--lineHeightBase300)) / 2);}",".fh6j2fo{margin-bottom:calc((16px - var(--lineHeightBase300)) / 2);}",".f1ywm7hm{padding-top:var(--spacingVerticalXS);}",".f17mccla{text-align:center;}"]}),rz=r.forwardRef((e,t)=>{let o=((e,t)=>{let o=r.useContext(rb)||rm,{name:i=o.name,checked:n=void 0!==o.value?o.value===e.value:void 0,defaultChecked:a=void 0!==o.defaultValue?o.defaultValue===e.value:void 0,labelPosition:l="horizontal-stacked"===o.layout?"below":"after",disabled:s=o.disabled,required:u=o.required,"aria-describedby":c=o["aria-describedby"],onChange:d}=e,f=(0,t6.getPartitionedNativeProps)({props:e,primarySlotTagName:"input",excludedPropNames:["checked","defaultChecked","onChange"]}),h=_.slot.always(e.root,{defaultProps:{ref:(0,rn.useFocusWithin)(),...f.root},elementType:"span"}),v=_.slot.always(e.input,{defaultProps:{ref:t,type:"radio",id:(0,tY.useId)("radio-",f.primary.id),name:i,checked:n,defaultChecked:a,disabled:s,required:u,"aria-describedby":c,...f.primary},elementType:"input"});v.onChange=(0,rp.mergeCallbacks)(v.onChange,e=>null==d?void 0:d(e,{value:e.currentTarget.value}));let p=_.slot.optional(e.label,{defaultProps:{htmlFor:v.id,disabled:v.disabled},elementType:ri.Label}),b=_.slot.always(e.indicator,{defaultProps:{"aria-hidden":!0},elementType:"div"});return{labelPosition:l,components:{root:"span",input:"input",label:ri.Label,indicator:"div"},root:h,input:v,label:p,indicator:b}})(e,t);return(e=>{let{labelPosition:t}=e,r=r_(),o=ry();e.root.className=(0,tT.mergeClasses)(rg.root,r,"below"===t&&o.vertical,e.root.className);let i=rk(),n=rw();e.input.className=(0,tT.mergeClasses)(rg.input,i,"below"===t&&n.below,e.indicator.children?n.customIndicator:n.defaultIndicator,e.input.className);let a=rx();e.indicator.className=(0,tT.mergeClasses)(rg.indicator,a,e.indicator.className);let l=rT();return e.label&&(e.label.className=(0,tT.mergeClasses)(rg.label,l.base,l[t],e.label.className))})(o),(0,tX.useCustomStyleHook_unstable)("useRadioStyles_unstable")(o),(e=>((0,tU.assertSlots)(e),(0,tV.jsxs)(e.root,{children:[(0,tV.jsx)(e.input,{}),(0,tV.jsx)(e.indicator,{}),e.label&&(0,tV.jsx)(e.label,{})]})))(o)});rz.displayName="Radio";let rB=r.memo(()=>{let e=ee(e=>e.open),{dir:t}=(0,F.useFluent_unstable)();return r.createElement(re,{style:{...rE[e?90:180*("rtl"===t)],transition:"transform ".concat(y.durationNormal,"ms ").concat(k.curveEasyEaseMax)}})});rB.displayName="TreeItemChevron";let rE={90:{transform:"rotate(90deg)"},0:{transform:"rotate(0deg)"},180:{transform:"rotate(180deg)"}};e.s(["useArrowNavigationGroup",()=>rI],73564),e.s(["useTabsterAttributes",()=>rC],56626);let rC=e=>{t_();let t=e0(e,!0);return r.useMemo(()=>({[ei]:t}),[t])},rI=function(){let e=arguments.length>0&&void 0!==arguments[0]?arguments[0]:{},{circular:t,axis:r,memorizeCurrent:o=!0,tabbable:i,ignoreDefaultKeydown:n,unstable_hasDefault:a}=e;return t_(tv),rC({mover:{cyclic:!!t,direction:function(e){switch(e){case"horizontal":return es.Horizontal;case"grid":return es.Grid;case"grid-linear":return es.GridLinear;case"both":return es.Both;default:return es.Vertical}}(null!=r?r:"vertical"),memorizeCurrent:o,tabbable:i,hasDefault:a},...n&&{focusable:{ignoreKeydown:n}}})};function rF(){let{targetDocument:e}=(0,F.useFluent_unstable)(),t=r.useRef(null);return r.useEffect(()=>{let r=null==e?void 0:e.defaultView;if(r){let e=(0,eo.createKeyborg)(r);return t.current=e,()=>{(0,eo.disposeKeyborg)(e),t.current=null}}},[e]),t}function rS(e){}e.s(["useKeyborgRef",()=>rF],66710);var rN=e.i(12853);let rq=r.forwardRef((e,t)=>{let a=((e,t)=>{let{main:a,iconAfter:l,iconBefore:s}=e,u=ee(e=>e.layoutRef),c=tC(e=>e.selectionMode),d=tC(e=>{var t;return null!=(t=e.navigationMode)?t:"tree"}),[f,h]=t2(e.actions)?[e.actions.visible,e.actions.onVisibilityChange]:[void 0,void 0],[v,p]=n({state:f,initialState:!1}),b=ee(e=>e.selectionRef),m=ee(e=>e.expandIconRef),y=ee(e=>e.actionsRef),k=r.useRef(null),w=ee(e=>e.treeItemRef),x=ee(e=>e.subtreeRef),T=ee(e=>e.checked),z=ee(e=>"branch"===e.itemType);rS(w),rS(x);let B=r.useCallback(e=>{!(x.current&&tQ(x.current,e.target))&&(null==h||h(e,{visible:!0,event:e,type:e.type}),e.defaultPrevented||p(!0))},[x,p,h]),{targetDocument:E}=(0,F.useFluent_unstable)(),C=function(){let e=rF();return r.useCallback(()=>{var t,r;return null!=(r=null==(t=e.current)?void 0:t.isNavigatingWithKeyboard())&&r},[e])}(),I=r.useCallback(e=>{if(k.current&&tQ(k.current,e.relatedTarget)){if(null==h||h(e,{visible:!0,event:e,type:e.type}),e.defaultPrevented)return;p(!0);return}!((()=>{var t;return!!(null==(t=k.current)?void 0:t.contains(e.target))})()&&w.current&&tQ(w.current,e.relatedTarget)||"mouseout"===e.type&&C()&&((null==E?void 0:E.activeElement)===w.current||tQ(k.current,null==E?void 0:E.activeElement)))&&(null==h||h(e,{visible:!1,event:e,type:e.type}),e.defaultPrevented||p(!1))},[p,h,w,C,E]),S=_.slot.optional(e.expandIcon,{renderByDefault:z,defaultProps:{children:r.createElement(rB,null),"aria-hidden":!0},elementType:"div"}),N=(0,i.useMergedRefs)(null==S?void 0:S.ref,m);S&&(S.ref=N);let q=rI({circular:"tree"===d,axis:"horizontal"}),j=v?_.slot.optional(e.actions,{defaultProps:{...q,role:"toolbar"},elementType:"div"}):void 0;null==j||delete j.visible,null==j||delete j.onVisibilityChange;let R=(0,i.useMergedRefs)(null==j?void 0:j.ref,y,k),P=(0,o.useEventCallback)(t=>{if(t2(e.actions)){var r,o;null==(r=(o=e.actions).onBlur)||r.call(o,t)}let i=!!tQ(t.currentTarget,t.relatedTarget);null==h||h(t,{visible:i,event:t,type:t.type}),p(i)});j&&(j.ref=R,j.onBlur=P);let M=!!e.actions;return r.useEffect(()=>{if(w.current&&M){let e=w.current;return e.addEventListener("mouseover",B),e.addEventListener("mouseout",I),e.addEventListener("focus",B),e.addEventListener("blur",I),()=>{e.removeEventListener("mouseover",B),e.removeEventListener("mouseout",I),e.removeEventListener("focus",B),e.removeEventListener("blur",I)}}},[M,w,B,I]),{components:{root:"div",expandIcon:"div",iconBefore:"div",main:"div",iconAfter:"div",actions:"div",aside:"div",selector:"multiselect"===c?rv:rz},buttonContextValue:{size:"small"},root:_.slot.always((0,g.getIntrinsicElementProps)("div",{...e,ref:(0,i.useMergedRefs)(t,u)}),{elementType:"div"}),iconBefore:_.slot.optional(s,{elementType:"div"}),main:_.slot.always(a,{elementType:"div"}),iconAfter:_.slot.optional(l,{elementType:"div"}),aside:v?void 0:_.slot.optional(e.aside,{elementType:"div"}),actions:j,expandIcon:S,selector:_.slot.optional(e.selector,{renderByDefault:"none"!==c,defaultProps:{checked:T,tabIndex:-1,"aria-hidden":!0,ref:b},elementType:"multiselect"===c?rv:rz})}})(e,t);return(e=>{let{main:t,iconAfter:r,iconBefore:o,expandIcon:i,root:n,aside:a,actions:l,selector:s}=e,u=tS(),c=tF(),d=tN(),f=tq(),h=tR(),v=tj(),p=tP(),b=tM(),m=tD(),g=tC(e=>e.size),_=tC(e=>e.appearance),y=ee(e=>e.itemType);return n.className=(0,tT.mergeClasses)(tI.root,c,u[_],u[g],u[y],n.className),t.className=(0,tT.mergeClasses)(tI.main,h,t.className),i&&(i.className=(0,tT.mergeClasses)(tI.expandIcon,v,i.className)),o&&(o.className=(0,tT.mergeClasses)(tI.iconBefore,p,b[g],o.className)),r&&(r.className=(0,tT.mergeClasses)(tI.iconAfter,p,m[g],r.className)),l&&(l.className=(0,tT.mergeClasses)(tI.actions,d,l.className)),a&&(a.className=(0,tT.mergeClasses)(tI.aside,f,a.className)),s&&(s.className=(0,tT.mergeClasses)(tI.selector,s.className))})(a),(0,tX.useCustomStyleHook_unstable)("useTreeItemLayoutStyles_unstable")(a),(e=>((0,tU.assertSlots)(e),(0,tV.jsxs)(e.root,{children:[e.expandIcon&&(0,tV.jsx)(e.expandIcon,{}),e.selector&&(0,tV.jsx)(e.selector,{}),e.iconBefore&&(0,tV.jsx)(e.iconBefore,{}),(0,tV.jsx)(e.main,{children:e.root.children}),e.iconAfter&&(0,tV.jsx)(e.iconAfter,{}),(0,tV.jsxs)(rN.ButtonContextProvider,{value:e.buttonContextValue,children:[e.actions&&(0,tV.jsx)(e.actions,{}),e.aside&&(0,tV.jsx)(e.aside,{})]})]})))(a)});rq.displayName="TreeItemLayout"},86907,e=>{"use strict";e.s(["Input",()=>w],86907);var t=e.i(71645);e.i(47167);var r=e.i(24330),o=e.i(67999),i=e.i(84179),n=e.i(17664),a=e.i(77074),l=e.i(29878),s=e.i(97906),u=e.i(46163),c=e.i(83831),d=e.i(21982),f=e.i(69024),h=e.i(32778);let v={root:"fui-Input",input:"fui-Input__input",contentBefore:"fui-Input__contentBefore",contentAfter:"fui-Input__contentAfter"};c.tokens.spacingHorizontalSNudge,c.tokens.spacingHorizontalMNudge,c.tokens.spacingHorizontalM,c.tokens.spacingHorizontalXXS,c.tokens.spacingHorizontalXXS,c.tokens.spacingHorizontalSNudge,c.tokens.spacingHorizontalS,c.tokens.spacingHorizontalM,"calc(".concat(c.tokens.spacingHorizontalM," + ").concat(c.tokens.spacingHorizontalSNudge,")");let p=(0,d.__resetStyles)("r1oeeo9n","r9sxh5",{r:[".r1oeeo9n{display:inline-flex;align-items:center;flex-wrap:nowrap;gap:var(--spacingHorizontalXXS);border-radius:var(--borderRadiusMedium);position:relative;box-sizing:border-box;vertical-align:middle;min-height:32px;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase300);font-weight:var(--fontWeightRegular);line-height:var(--lineHeightBase300);background-color:var(--colorNeutralBackground1);border:1px solid var(--colorNeutralStroke1);border-bottom-color:var(--colorNeutralStrokeAccessible);}",'.r1oeeo9n::after{box-sizing:border-box;content:"";position:absolute;left:-1px;bottom:-1px;right:-1px;height:max(2px, var(--borderRadiusMedium));border-bottom-left-radius:var(--borderRadiusMedium);border-bottom-right-radius:var(--borderRadiusMedium);border-bottom:2px solid var(--colorCompoundBrandStroke);clip-path:inset(calc(100% - 2px) 0 0 0);transform:scaleX(0);transition-property:transform;transition-duration:var(--durationUltraFast);transition-delay:var(--curveAccelerateMid);}',".r1oeeo9n:focus-within::after{transform:scaleX(1);transition-property:transform;transition-duration:var(--durationNormal);transition-delay:var(--curveDecelerateMid);}",".r1oeeo9n:focus-within:active::after{border-bottom-color:var(--colorCompoundBrandStrokePressed);}",".r1oeeo9n:focus-within{outline:2px solid transparent;}",".r9sxh5{display:inline-flex;align-items:center;flex-wrap:nowrap;gap:var(--spacingHorizontalXXS);border-radius:var(--borderRadiusMedium);position:relative;box-sizing:border-box;vertical-align:middle;min-height:32px;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase300);font-weight:var(--fontWeightRegular);line-height:var(--lineHeightBase300);background-color:var(--colorNeutralBackground1);border:1px solid var(--colorNeutralStroke1);border-bottom-color:var(--colorNeutralStrokeAccessible);}",'.r9sxh5::after{box-sizing:border-box;content:"";position:absolute;right:-1px;bottom:-1px;left:-1px;height:max(2px, var(--borderRadiusMedium));border-bottom-right-radius:var(--borderRadiusMedium);border-bottom-left-radius:var(--borderRadiusMedium);border-bottom:2px solid var(--colorCompoundBrandStroke);clip-path:inset(calc(100% - 2px) 0 0 0);transform:scaleX(0);transition-property:transform;transition-duration:var(--durationUltraFast);transition-delay:var(--curveAccelerateMid);}',".r9sxh5:focus-within::after{transform:scaleX(1);transition-property:transform;transition-duration:var(--durationNormal);transition-delay:var(--curveDecelerateMid);}",".r9sxh5:focus-within:active::after{border-bottom-color:var(--colorCompoundBrandStrokePressed);}",".r9sxh5:focus-within{outline:2px solid transparent;}"],s:["@media screen and (prefers-reduced-motion: reduce){.r1oeeo9n::after{transition-duration:0.01ms;transition-delay:0.01ms;}}","@media screen and (prefers-reduced-motion: reduce){.r1oeeo9n:focus-within::after{transition-duration:0.01ms;transition-delay:0.01ms;}}","@media screen and (prefers-reduced-motion: reduce){.r9sxh5::after{transition-duration:0.01ms;transition-delay:0.01ms;}}","@media screen and (prefers-reduced-motion: reduce){.r9sxh5:focus-within::after{transition-duration:0.01ms;transition-delay:0.01ms;}}"]}),b=(0,f.__styles)({small:{sshi5w:"f1pha7fy",Bahqtrf:"fk6fouc",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm"},medium:{},large:{sshi5w:"f1w5jphr",Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"figsok6",Bg96gwp:"faaz57k",i8kkvl:0,Belr9w4:0,rmohyg:"f1eyhf9v"},outline:{},outlineInteractive:{Bgoe8wy:"fvcxoqz",Bwzppfd:["f1ub3y4t","f1m52nbi"],oetu4i:"f1l4zc64",gg5e9n:["f1m52nbi","f1ub3y4t"],Drbcw7:"f8vnjqi",udz0bu:["fz1etlk","f1hc16gm"],Be8ivqh:"f1klwx88",ofdepl:["f1hc16gm","fz1etlk"]},underline:{De3pzq:"f1c21dwh",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"fokr779",icvyot:"f1ern45e",vrafjx:["f1n71otn","f1deefiw"],wvpqe5:["f1deefiw","f1n71otn"],Eqx8gd:["f1n6gb5g","f15yvnhg"],B1piin3:["f15yvnhg","f1n6gb5g"]},underlineInteractive:{oetu4i:"f1l4zc64",Be8ivqh:"f1klwx88",d9w3h3:0,B3778ie:0,B4j8arr:0,Bl18szs:0,Blrzh8d:"f2ale1x"},filled:{g2u3we:"fghlq4f",h3c5rm:["f1gn591s","fjscplz"],B9xav0g:"fb073pr",zhjwy3:["fjscplz","f1gn591s"]},filledInteractive:{q7v0qe:"ftmjh5b",kmh5ft:["f17blpuu","fsrcdbj"],nagaa4:"f1tpwn32",B1yhkcb:["fsrcdbj","f17blpuu"]},invalid:{tvckwq:"fs4k3qj",gk2u95:["fcee079","fmyw78r"],hhx65j:"f1fgmyf4",Bxowmz0:["fmyw78r","fcee079"]},"filled-darker":{De3pzq:"f16xq7d1"},"filled-lighter":{De3pzq:"fxugw4r"},"filled-darker-shadow":{De3pzq:"f16xq7d1",E5pizo:"fyed02w"},"filled-lighter-shadow":{De3pzq:"fxugw4r",E5pizo:"fyed02w"},disabled:{Bceei9c:"fdrzuqr",De3pzq:"f1c21dwh",g2u3we:"f1jj8ep1",h3c5rm:["f15xbau","fy0fskl"],B9xav0g:"f4ikngz",zhjwy3:["fy0fskl","f15xbau"],Bjwas2f:"fg455y9",Bn1d65q:["f1rvyvqg","f14g86mu"],Bxeuatn:"f1cwzwz",n51gp8:["f14g86mu","f1rvyvqg"],Bsft5z2:"fhr9occ",Bduesf4:"f99w1ws"},smallWithContentBefore:{uwmqm3:["fk8j09s","fdw0yi8"]},smallWithContentAfter:{z189sj:["fdw0yi8","fk8j09s"]},mediumWithContentBefore:{uwmqm3:["f1ng84yb","f11gcy0p"]},mediumWithContentAfter:{z189sj:["f11gcy0p","f1ng84yb"]},largeWithContentBefore:{uwmqm3:["f1uw59to","fw5db7e"]},largeWithContentAfter:{z189sj:["fw5db7e","f1uw59to"]}},{d:[".f1pha7fy{min-height:24px;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fy9rknc{font-size:var(--fontSizeBase200);}",".figsok6{font-weight:var(--fontWeightRegular);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".f1w5jphr{min-height:40px;}",".fod5ikn{font-size:var(--fontSizeBase400);}",".faaz57k{line-height:var(--lineHeightBase400);}",[".f1eyhf9v{gap:var(--spacingHorizontalSNudge);}",{p:-1}],".f1c21dwh{background-color:var(--colorTransparentBackground);}",[".fokr779{border-radius:0;}",{p:-1}],".f1ern45e{border-top-style:none;}",".f1n71otn{border-right-style:none;}",".f1deefiw{border-left-style:none;}",".f1n6gb5g::after{left:0;}",".f15yvnhg::after{right:0;}",[".f2ale1x::after{border-radius:0;}",{p:-1}],".fghlq4f{border-top-color:var(--colorTransparentStroke);}",".f1gn591s{border-right-color:var(--colorTransparentStroke);}",".fjscplz{border-left-color:var(--colorTransparentStroke);}",".fb073pr{border-bottom-color:var(--colorTransparentStroke);}",".fs4k3qj:not(:focus-within),.fs4k3qj:hover:not(:focus-within){border-top-color:var(--colorPaletteRedBorder2);}",".fcee079:not(:focus-within),.fcee079:hover:not(:focus-within){border-right-color:var(--colorPaletteRedBorder2);}",".fmyw78r:not(:focus-within),.fmyw78r:hover:not(:focus-within){border-left-color:var(--colorPaletteRedBorder2);}",".f1fgmyf4:not(:focus-within),.f1fgmyf4:hover:not(:focus-within){border-bottom-color:var(--colorPaletteRedBorder2);}",".f16xq7d1{background-color:var(--colorNeutralBackground3);}",".fxugw4r{background-color:var(--colorNeutralBackground1);}",".fyed02w{box-shadow:var(--shadow2);}",".fdrzuqr{cursor:not-allowed;}",".f1jj8ep1{border-top-color:var(--colorNeutralStrokeDisabled);}",".f15xbau{border-right-color:var(--colorNeutralStrokeDisabled);}",".fy0fskl{border-left-color:var(--colorNeutralStrokeDisabled);}",".f4ikngz{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".fhr9occ::after{content:unset;}",".fk8j09s{padding-left:var(--spacingHorizontalSNudge);}",".fdw0yi8{padding-right:var(--spacingHorizontalSNudge);}",".f1ng84yb{padding-left:var(--spacingHorizontalMNudge);}",".f11gcy0p{padding-right:var(--spacingHorizontalMNudge);}",".f1uw59to{padding-left:var(--spacingHorizontalM);}",".fw5db7e{padding-right:var(--spacingHorizontalM);}"],h:[".fvcxoqz:hover{border-top-color:var(--colorNeutralStroke1Hover);}",".f1ub3y4t:hover{border-right-color:var(--colorNeutralStroke1Hover);}",".f1m52nbi:hover{border-left-color:var(--colorNeutralStroke1Hover);}",".f1l4zc64:hover{border-bottom-color:var(--colorNeutralStrokeAccessibleHover);}",".ftmjh5b:hover,.ftmjh5b:focus-within{border-top-color:var(--colorTransparentStrokeInteractive);}",".f17blpuu:hover,.f17blpuu:focus-within{border-right-color:var(--colorTransparentStrokeInteractive);}",".fsrcdbj:hover,.fsrcdbj:focus-within{border-left-color:var(--colorTransparentStrokeInteractive);}",".f1tpwn32:hover,.f1tpwn32:focus-within{border-bottom-color:var(--colorTransparentStrokeInteractive);}"],a:[".f8vnjqi:active,.f8vnjqi:focus-within{border-top-color:var(--colorNeutralStroke1Pressed);}",".fz1etlk:active,.fz1etlk:focus-within{border-right-color:var(--colorNeutralStroke1Pressed);}",".f1hc16gm:active,.f1hc16gm:focus-within{border-left-color:var(--colorNeutralStroke1Pressed);}",".f1klwx88:active,.f1klwx88:focus-within{border-bottom-color:var(--colorNeutralStrokeAccessiblePressed);}"],m:[["@media (forced-colors: active){.fg455y9{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f14g86mu{border-left-color:GrayText;}.f1rvyvqg{border-right-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1cwzwz{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}]],w:[".f99w1ws:focus-within{outline-style:none;}"]}),m=(0,d.__resetStyles)("r12stul0",null,[".r12stul0{align-self:stretch;box-sizing:border-box;flex-grow:1;min-width:0;border-style:none;padding:0 var(--spacingHorizontalM);color:var(--colorNeutralForeground1);background-color:transparent;outline-style:none;font-family:inherit;font-size:inherit;font-weight:inherit;line-height:inherit;}",".r12stul0::-webkit-input-placeholder{color:var(--colorNeutralForeground4);opacity:1;}",".r12stul0::-moz-placeholder{color:var(--colorNeutralForeground4);opacity:1;}",".r12stul0::placeholder{color:var(--colorNeutralForeground4);opacity:1;}"]),g=(0,f.__styles)({small:{uwmqm3:["f1f5gg8d","f1vdfbxk"],z189sj:["f1vdfbxk","f1f5gg8d"]},medium:{},large:{uwmqm3:["fnphzt9","flt1dlf"],z189sj:["flt1dlf","fnphzt9"]},smallWithContentBefore:{uwmqm3:["fgiv446","ffczdla"]},smallWithContentAfter:{z189sj:["ffczdla","fgiv446"]},mediumWithContentBefore:{uwmqm3:["fgiv446","ffczdla"]},mediumWithContentAfter:{z189sj:["ffczdla","fgiv446"]},largeWithContentBefore:{uwmqm3:["fk8j09s","fdw0yi8"]},largeWithContentAfter:{z189sj:["fdw0yi8","fk8j09s"]},disabled:{sj55zd:"f1s2aq7o",De3pzq:"f1c21dwh",Bceei9c:"fdrzuqr",yvdlaj:"fahhnxm"}},{d:[".f1f5gg8d{padding-left:var(--spacingHorizontalS);}",".f1vdfbxk{padding-right:var(--spacingHorizontalS);}",".fnphzt9{padding-left:calc(var(--spacingHorizontalM) + var(--spacingHorizontalSNudge));}",".flt1dlf{padding-right:calc(var(--spacingHorizontalM) + var(--spacingHorizontalSNudge));}",".fgiv446{padding-left:var(--spacingHorizontalXXS);}",".ffczdla{padding-right:var(--spacingHorizontalXXS);}",".fk8j09s{padding-left:var(--spacingHorizontalSNudge);}",".fdw0yi8{padding-right:var(--spacingHorizontalSNudge);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f1c21dwh{background-color:var(--colorTransparentBackground);}",".fdrzuqr{cursor:not-allowed;}",".fahhnxm::-webkit-input-placeholder{color:var(--colorNeutralForegroundDisabled);}",".fahhnxm::-moz-placeholder{color:var(--colorNeutralForegroundDisabled);}"]}),_=(0,d.__resetStyles)("r1572tok",null,[".r1572tok{box-sizing:border-box;color:var(--colorNeutralForeground3);display:flex;}",".r1572tok>svg{font-size:20px;}"]),y=(0,f.__styles)({disabled:{sj55zd:"f1s2aq7o"},small:{Duoase:"f3qv9w"},medium:{},large:{Duoase:"f16u2scb"}},{d:[".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f3qv9w>svg{font-size:16px;}",".f16u2scb>svg{font-size:24px;}"]});var k=e.i(96019);let w=t.forwardRef((e,t)=>{let c=((e,t)=>{var s;e=(0,r.useFieldControlProps_unstable)(e,{supportsLabelFor:!0,supportsRequired:!0,supportsSize:!0});let u=(0,l.useOverrides_unstable)(),{size:c="medium",appearance:d=null!=(s=u.inputDefaultAppearance)?s:"outline",onChange:f}=e,[h,v]=(0,i.useControllableState)({state:e.value,defaultState:e.defaultValue,initialState:""}),p=(0,o.getPartitionedNativeProps)({props:e,primarySlotTagName:"input",excludedPropNames:["size","onChange","value","defaultValue"]}),b={size:c,appearance:d,components:{root:"span",input:"input",contentBefore:"span",contentAfter:"span"},input:a.slot.always(e.input,{defaultProps:{type:"text",ref:t,...p.primary},elementType:"input"}),contentAfter:a.slot.optional(e.contentAfter,{elementType:"span"}),contentBefore:a.slot.optional(e.contentBefore,{elementType:"span"}),root:a.slot.always(e.root,{defaultProps:p.root,elementType:"span"})};return b.input.value=h,b.input.onChange=(0,n.useEventCallback)(e=>{let t=e.target.value;null==f||f(e,{value:t}),v(t)}),b})(e,t);return(e=>{let{size:t,appearance:r}=e,o=e.input.disabled,i="true"==="".concat(e.input["aria-invalid"]),n=r.startsWith("filled"),a=b(),l=g(),s=y();e.root.className=(0,h.mergeClasses)(v.root,p(),a[t],e.contentBefore&&a["".concat(t,"WithContentBefore")],e.contentAfter&&a["".concat(t,"WithContentAfter")],a[r],!o&&"outline"===r&&a.outlineInteractive,!o&&"underline"===r&&a.underlineInteractive,!o&&n&&a.filledInteractive,n&&a.filled,!o&&i&&a.invalid,o&&a.disabled,e.root.className),e.input.className=(0,h.mergeClasses)(v.input,m(),l[t],e.contentBefore&&l["".concat(t,"WithContentBefore")],e.contentAfter&&l["".concat(t,"WithContentAfter")],o&&l.disabled,e.input.className);let u=[_(),o&&s.disabled,s[t]];return e.contentBefore&&(e.contentBefore.className=(0,h.mergeClasses)(v.contentBefore,...u,e.contentBefore.className)),e.contentAfter&&(e.contentAfter.className=(0,h.mergeClasses)(v.contentAfter,...u,e.contentAfter.className))})(c),(0,k.useCustomStyleHook_unstable)("useInputStyles_unstable")(c),(e=>((0,u.assertSlots)(e),(0,s.jsxs)(e.root,{children:[e.contentBefore&&(0,s.jsx)(e.contentBefore,{}),(0,s.jsx)(e.input,{}),e.contentAfter&&(0,s.jsx)(e.contentAfter,{})]})))(c)});w.displayName="Input"},54902,e=>{"use strict";e.s(["Save20Regular",()=>r,"Search20Regular",()=>o,"Settings20Regular",()=>i]);var t=e.i(39806);let r=(0,t.createFluentIcon)("Save20Regular","20",["M3 5c0-1.1.9-2 2-2h8.38a2 2 0 0 1 1.41.59l1.62 1.62A2 2 0 0 1 17 6.62V15a2 2 0 0 1-2 2H5a2 2 0 0 1-2-2V5Zm2-1a1 1 0 0 0-1 1v10a1 1 0 0 0 1 1v-4.5c0-.83.67-1.5 1.5-1.5h7c.83 0 1.5.67 1.5 1.5V16a1 1 0 0 0 1-1V6.62a1 1 0 0 0-.3-.7L14.1 4.28a1 1 0 0 0-.71-.29H13v2.5c0 .83-.67 1.5-1.5 1.5h-4A1.5 1.5 0 0 1 6 6.5V4H5Zm2 0v2.5c0 .28.22.5.5.5h4a.5.5 0 0 0 .5-.5V4H7Zm7 12v-4.5a.5.5 0 0 0-.5-.5h-7a.5.5 0 0 0-.5.5V16h8Z"]),o=(0,t.createFluentIcon)("Search20Regular","20",["M13.73 14.44a6.5 6.5 0 1 1 .7-.7l3.42 3.4a.5.5 0 0 1-.63.77l-.07-.06-3.42-3.41Zm-.71-.71A5.54 5.54 0 0 0 15 9.5a5.5 5.5 0 1 0-1.98 4.23Z"]),i=(0,t.createFluentIcon)("Settings20Regular","20",["M1.91 7.38A8.5 8.5 0 0 1 3.7 4.3a.5.5 0 0 1 .54-.13l1.92.68a1 1 0 0 0 1.32-.76l.36-2a.5.5 0 0 1 .4-.4 8.53 8.53 0 0 1 3.55 0c.2.04.35.2.38.4l.37 2a1 1 0 0 0 1.32.76l1.92-.68a.5.5 0 0 1 .54.13 8.5 8.5 0 0 1 1.78 3.08c.06.2 0 .4-.15.54l-1.56 1.32a1 1 0 0 0 0 1.52l1.56 1.32a.5.5 0 0 1 .15.54 8.5 8.5 0 0 1-1.78 3.08.5.5 0 0 1-.54.13l-1.92-.68a1 1 0 0 0-1.32.76l-.37 2a.5.5 0 0 1-.38.4 8.53 8.53 0 0 1-3.56 0 .5.5 0 0 1-.39-.4l-.36-2a1 1 0 0 0-1.32-.76l-1.92.68a.5.5 0 0 1-.54-.13 8.5 8.5 0 0 1-1.78-3.08.5.5 0 0 1 .15-.54l1.56-1.32a1 1 0 0 0 0-1.52L2.06 7.92a.5.5 0 0 1-.15-.54Zm1.06 0 1.3 1.1a2 2 0 0 1 0 3.04l-1.3 1.1c.3.79.72 1.51 1.25 2.16l1.6-.58a2 2 0 0 1 2.63 1.53l.3 1.67a7.56 7.56 0 0 0 2.5 0l.3-1.67a2 2 0 0 1 2.64-1.53l1.6.58a7.5 7.5 0 0 0 1.24-2.16l-1.3-1.1a2 2 0 0 1 0-3.04l1.3-1.1a7.5 7.5 0 0 0-1.25-2.16l-1.6.58a2 2 0 0 1-2.63-1.53l-.3-1.67a7.55 7.55 0 0 0-2.5 0l-.3 1.67A2 2 0 0 1 5.81 5.8l-1.6-.58a7.5 7.5 0 0 0-1.24 2.16ZM7.5 10a2.5 2.5 0 1 1 5 0 2.5 2.5 0 0 1-5 0Zm1 0a1.5 1.5 0 1 0 3 0 1.5 1.5 0 0 0-3 0Z"])},84240,e=>{"use strict";e.s(["useTabList_unstable",()=>s]);var t=e.i(71645),r=e.i(73564),o=e.i(56720),i=e.i(84179),n=e.i(17664),a=e.i(51701),l=e.i(77074);let s=(e,s)=>{let{appearance:u="transparent",reserveSelectedTabSpace:c=!0,disabled:d=!1,onTabSelect:f,selectTabOnFocus:h=!1,size:v="medium",vertical:p=!1}=e,b=t.useRef(null),m=(0,r.useArrowNavigationGroup)({circular:!0,axis:p?"vertical":"horizontal",memorizeCurrent:!1,unstable_hasDefault:!0}),[g,_]=(0,i.useControllableState)({state:e.selectedValue,defaultState:e.defaultSelectedValue,initialState:void 0}),y=t.useRef(void 0),k=t.useRef(void 0);t.useEffect(()=>{k.current=y.current,y.current=g},[g]);let w=(0,n.useEventCallback)((e,t)=>{_(t.value),null==f||f(e,t)}),x=t.useRef({}),T=(0,n.useEventCallback)(e=>{let t=JSON.stringify(e.value);x.current[t]=e}),z=(0,n.useEventCallback)(e=>{delete x.current[JSON.stringify(e.value)]}),B=t.useCallback(()=>({selectedValue:y.current,previousSelectedValue:k.current,registeredTabs:x.current}),[]);return{components:{root:"div"},root:l.slot.always((0,o.getIntrinsicElementProps)("div",{ref:(0,a.useMergedRefs)(s,b),role:"tablist","aria-orientation":p?"vertical":"horizontal",...m,...e}),{elementType:"div"}),appearance:u,reserveSelectedTabSpace:c,disabled:d,selectTabOnFocus:h,selectedValue:g,size:v,vertical:p,onRegister:T,onUnregister:z,onSelect:w,getRegisteredTabs:B}}},13536,(e,t,r)=>{"use strict";function o(e,t){var r=e.length;for(e.push(t);0>>1,i=e[o];if(0>>1;oa(s,r))ua(c,s)?(e[o]=c,e[u]=r,o=u):(e[o]=s,e[l]=r,o=l);else if(ua(c,r))e[o]=c,e[u]=r,o=u;else break}}return t}function a(e,t){var r=e.sortIndex-t.sortIndex;return 0!==r?r:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var l,s=performance;r.unstable_now=function(){return s.now()}}else{var u=Date,c=u.now();r.unstable_now=function(){return u.now()-c}}var d=[],f=[],h=1,v=null,p=3,b=!1,m=!1,g=!1,_="function"==typeof setTimeout?setTimeout:null,y="function"==typeof clearTimeout?clearTimeout:null,k="undefined"!=typeof setImmediate?setImmediate:null;function w(e){for(var t=i(f);null!==t;){if(null===t.callback)n(f);else if(t.startTime<=e)n(f),t.sortIndex=t.expirationTime,o(d,t);else break;t=i(f)}}function x(e){if(g=!1,w(e),!m)if(null!==i(d))m=!0,j(T);else{var t=i(f);null!==t&&R(x,t.startTime-e)}}function T(e,t){m=!1,g&&(g=!1,y(E),E=-1),b=!0;var o=p;try{for(w(t),v=i(d);null!==v&&(!(v.expirationTime>t)||e&&!F());){var a=v.callback;if("function"==typeof a){v.callback=null,p=v.priorityLevel;var l=a(v.expirationTime<=t);t=r.unstable_now(),"function"==typeof l?v.callback=l:v===i(d)&&n(d),w(t)}else n(d);v=i(d)}if(null!==v)var s=!0;else{var u=i(f);null!==u&&R(x,u.startTime-t),s=!1}return s}finally{v=null,p=o,b=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var z=!1,B=null,E=-1,C=5,I=-1;function F(){return!(r.unstable_now()-Ie||125a?(e.sortIndex=n,o(f,e),null===i(d)&&e===i(f)&&(g?(y(E),E=-1):g=!0,R(x,n-a))):(e.sortIndex=l,o(d,e),m||b||(m=!0,j(T))),e},r.unstable_shouldYield=F,r.unstable_wrapCallback=function(e){var t=p;return function(){var r=p;p=t;try{return e.apply(this,arguments)}finally{p=r}}}},25683,(e,t,r)=>{"use strict";t.exports=e.r(13536)},66246,e=>{"use strict";e.s(["TabListProvider",()=>l,"useTabListContext_unstable",()=>s],66246),e.i(47167);var t=e.i(52911),r=e.i(71645),o=e.i(25683),i=e.i(17664);let n={appearance:"transparent",reserveSelectedTabSpace:!0,selectTabOnFocus:!1,disabled:!1,selectedValue:void 0,onRegister:()=>{},onUnregister:()=>{},onSelect:()=>{},getRegisteredTabs:()=>({registeredTabs:{}}),size:"medium",vertical:!1},a=(e=>{var i;let n=r.createContext({value:{current:e},version:{current:-1},listeners:[]});return i=n.Provider,n.Provider=e=>{let n=r.useRef(e.value),a=r.useRef(0),l=r.useRef();return l.current||(l.current={value:n,version:a,listeners:[]}),(0,t.useIsomorphicLayoutEffect)(()=>{n.current=e.value,a.current+=1,(0,o.unstable_runWithPriority)(o.unstable_NormalPriority,()=>{l.current.listeners.forEach(t=>{t([a.current,e.value])})})},[e.value]),r.createElement(i,{value:l.current},e.children)},delete n.Consumer,n})(void 0),l=a.Provider,s=e=>((e,o)=>{let{value:{current:n},version:{current:a},listeners:l}=r.useContext(e),s=o(n),[u,c]=r.useState([n,s]),d=e=>{c(t=>{if(!e)return[n,s];if(e[0]<=a)return Object.is(t[1],s)?t:[n,s];try{if(Object.is(t[0],e[1]))return t;let r=o(e[1]);if(Object.is(t[1],r))return t;return[e[1],r]}catch(e){}return[t[0],t[1]]})};Object.is(u[1],s)||d(void 0);let f=(0,i.useEventCallback)(d);return(0,t.useIsomorphicLayoutEffect)(()=>(l.push(f),()=>{let e=l.indexOf(f);l.splice(e,1)}),[f,l]),u[1]})(a,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:n;return e(t)})},85182,e=>{"use strict";e.s(["TabList",()=>d],85182);var t=e.i(71645),r=e.i(84240),o=e.i(97906),i=e.i(46163),n=e.i(66246),a=e.i(69024),l=e.i(32778);let s={root:"fui-TabList"},u=(0,a.__styles)({root:{mc9l5x:"f22iagw",Beiy3e4:"f1063pyq",Bnnss6s:"fi64zpg",Eh141a:"flvyvdh",qhf8xq:"f10pi13n"},horizontal:{Bt984gj:"f1q9h2pe",Beiy3e4:"f1063pyq"},vertical:{Bt984gj:"f1q9h2pe",Beiy3e4:"f1vx9l62"},roundedSmall:{i8kkvl:0,Belr9w4:0,rmohyg:"f1eyhf9v"},rounded:{i8kkvl:0,Belr9w4:0,rmohyg:"faqewft"}},{d:[".f22iagw{display:flex;}",".f1063pyq{flex-direction:row;}",".fi64zpg{flex-shrink:0;}",".flvyvdh{flex-wrap:nowrap;}",".f10pi13n{position:relative;}",".f1q9h2pe{align-items:stretch;}",".f1vx9l62{flex-direction:column;}",[".f1eyhf9v{gap:var(--spacingHorizontalSNudge);}",{p:-1}],[".faqewft{gap:var(--spacingHorizontalS);}",{p:-1}]]});var c=e.i(96019);let d=t.forwardRef((e,t)=>{let a=(0,r.useTabList_unstable)(e,t),d=function(e){let{appearance:t,reserveSelectedTabSpace:r,disabled:o,selectTabOnFocus:i,selectedValue:n,onRegister:a,onUnregister:l,onSelect:s,getRegisteredTabs:u,size:c,vertical:d}=e;return{tabList:{appearance:t,reserveSelectedTabSpace:r,disabled:o,selectTabOnFocus:i,selectedValue:n,onSelect:s,onRegister:a,onUnregister:l,getRegisteredTabs:u,size:c,vertical:d}}}(a);return(e=>{let{appearance:t,vertical:r,size:o}=e,i=u();return e.root.className=(0,l.mergeClasses)(s.root,i.root,r?i.vertical:i.horizontal,("subtle-circular"===t||"filled-circular"===t)&&("small"===o?i.roundedSmall:i.rounded),e.root.className)})(a),(0,c.useCustomStyleHook_unstable)("useTabListStyles_unstable")(a),((e,t)=>((0,i.assertSlots)(e),(0,o.jsx)(e.root,{children:(0,o.jsx)(n.TabListProvider,{value:t.tabList,children:e.root.children})})))(a,d)});d.displayName="TabList"},95420,e=>{"use strict";function t(e,t){let r={};for(let o in e)-1===t.indexOf(o)&&e.hasOwnProperty(o)&&(r[o]=e[o]);return r}e.s(["omit",()=>t])},17899,49113,e=>{"use strict";e.s(["useTab_unstable",()=>c],17899);var t=e.i(71645),r=e.i(56626),o=e.i(56720),i=e.i(9485),n=e.i(17664),a=e.i(51701),l=e.i(77074),s=e.i(95420),u=e.i(66246);let c=(e,c)=>{let{content:d,disabled:f=!1,icon:h,onClick:v,onFocus:p,value:b}=e,m=(0,u.useTabListContext_unstable)(e=>e.appearance),g=(0,u.useTabListContext_unstable)(e=>e.reserveSelectedTabSpace),_=(0,u.useTabListContext_unstable)(e=>e.selectTabOnFocus),y=(0,u.useTabListContext_unstable)(e=>e.disabled),k=(0,u.useTabListContext_unstable)(e=>e.selectedValue===b),w=(0,u.useTabListContext_unstable)(e=>e.onRegister),x=(0,u.useTabListContext_unstable)(e=>e.onUnregister),T=(0,u.useTabListContext_unstable)(e=>e.onSelect),z=(0,u.useTabListContext_unstable)(e=>e.size),B=(0,u.useTabListContext_unstable)(e=>!!e.vertical),E=y||f,C=t.useRef(null),I=e=>T(e,{value:b}),F=(0,n.useEventCallback)((0,i.mergeCallbacks)(v,I)),S=(0,n.useEventCallback)((0,i.mergeCallbacks)(p,I)),N=(0,r.useTabsterAttributes)({focusable:{isDefault:k}});t.useEffect(()=>(w({value:b,ref:C}),()=>{x({value:b,ref:C})}),[w,x,C,b]);let q=l.slot.optional(h,{elementType:"span"}),j=l.slot.always(d,{defaultProps:{children:e.children},elementType:"span"}),R=d&&"object"==typeof d?(0,s.omit)(d,["ref"]):d,P=!!((null==q?void 0:q.children)&&!j.children);return{components:{root:"button",icon:"span",content:"span",contentReservedSpace:"span"},root:l.slot.always((0,o.getIntrinsicElementProps)("button",{ref:(0,a.useMergedRefs)(c,C),role:"tab",type:"button","aria-selected":E?void 0:"".concat(k),...N,...e,disabled:E,onClick:F,onFocus:_?S:p}),{elementType:"button"}),icon:q,iconOnly:P,content:j,contentReservedSpace:l.slot.optional(R,{renderByDefault:!k&&!P&&g,defaultProps:{children:e.children},elementType:"span"}),appearance:m,disabled:E,selected:k,size:z,value:b,vertical:B}};e.s(["renderTab_unstable",()=>h],49113);var d=e.i(97906),f=e.i(46163);let h=e=>((0,f.assertSlots)(e),(0,d.jsxs)(e.root,{children:[e.icon&&(0,d.jsx)(e.icon,{}),!e.iconOnly&&(0,d.jsx)(e.content,{}),e.contentReservedSpace&&(0,d.jsx)(e.contentReservedSpace,{})]}))},77569,e=>{"use strict";e.s(["useAnimationFrame",()=>n]);var t=e.i(63060),r=e.i(1327);let o=e=>(e(0),0),i=e=>e;function n(){let{targetDocument:e}=(0,r.useFluent_unstable)(),n=null==e?void 0:e.defaultView,a=n?n.requestAnimationFrame:o,l=n?n.cancelAnimationFrame:i;return(0,t.useBrowserTimer)(a,l)}},51345,e=>{"use strict";e.s(["Tab",()=>w],51345);var t=e.i(71645),r=e.i(17899),o=e.i(49113),i=e.i(69024),n=e.i(32778),a=e.i(66246),l=e.i(77569);let s={offsetVar:"--fui-Tab__indicator--offset",scaleVar:"--fui-Tab__indicator--scale"},u=(0,i.__styles)({base:{B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1gl81tg"},animated:{Ba2ppi3:"fhwpy7i",F2fol1:"f6zz20j",B1dyfl9:"f1ai4sc1",B0vmy72:"f9qxlq5",u9bimw:"f1aql376"},horizontal:{sjv3b2:["fug4aj8","f1i5xzg7"],b1kco5:"f1q7ujh"},vertical:{sjv3b2:"f1hqboyk",b1kco5:"f1dxupa6"}},{d:[[".f1gl81tg{overflow:visible;}",{p:-1}],".fhwpy7i::after{transition-property:transform;}",".f6zz20j::after{transition-duration:var(--durationSlow);}",".f1ai4sc1::after{transition-timing-function:var(--curveDecelerateMax);}",".fug4aj8::after{transform-origin:left;}",".f1i5xzg7::after{transform-origin:right;}",".f1q7ujh::after{transform:translateX(var(--fui-Tab__indicator--offset)) scaleX(var(--fui-Tab__indicator--scale));}",".f1hqboyk::after{transform-origin:top;}",".f1dxupa6::after{transform:translateY(var(--fui-Tab__indicator--offset)) scaleY(var(--fui-Tab__indicator--scale));}"],m:[["@media (prefers-reduced-motion: reduce){.f9qxlq5::after{transition-property:none;}}",{m:"(prefers-reduced-motion: reduce)"}],["@media (prefers-reduced-motion: reduce){.f1aql376::after{transition-duration:0.01ms;}}",{m:"(prefers-reduced-motion: reduce)"}]]}),c=(e,t)=>{var r;let o=d(t)?null==(r=e[JSON.stringify(t)])?void 0:r.ref.current:void 0;return o?(e=>{if(e){var t;let r=(null==(t=e.parentElement)?void 0:t.getBoundingClientRect())||{x:0,y:0,width:0,height:0},o=e.getBoundingClientRect();return{x:o.x-r.x,y:o.y-r.y,width:o.width,height:o.height}}})(o):void 0},d=e=>null!=e,f={root:"fui-Tab",icon:"fui-Tab__icon",content:"fui-Tab__content"},h={content:"fui-Tab__content--reserved-space"},v=(0,i.__styles)({root:{Bt984gj:"f122n59",mc9l5x:"f13qh94s",Bnnss6s:"fi64zpg",Bxotwcr:"f1u07yai",Budl1dq:"frn2hmy",wkccdc:"f1olsevy",oeaueh:"f1s6fcnf",qhf8xq:"f10pi13n"},button:{Bt984gj:"f122n59",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"f3bhgqh",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",Bceei9c:"f1k6fduh",mc9l5x:"f13qh94s",Bnnss6s:"fi64zpg",Bxotwcr:"f1u07yai",Budl1dq:"frn2hmy",wkccdc:"f1olsevy",Bahqtrf:"fk6fouc",Bg96gwp:"f1i3iumi",oeaueh:"f1s6fcnf",qhf8xq:"f10pi13n",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1a3p1vp",B9bfxx9:"f1cxpek8"},horizontal:{Brf1p80:"f4d9j23"},vertical:{Brf1p80:"f1s9ku6b"},smallHorizontal:{i8kkvl:"f14mj54c",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1wmopi4"},smallVertical:{i8kkvl:"f14mj54c",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f12or63q"},mediumHorizontal:{i8kkvl:"f1rjii52",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1w08f2p"},mediumVertical:{i8kkvl:"f1rjii52",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fymxs25"},largeHorizontal:{i8kkvl:"f1rjii52",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1ssfvub"},largeVertical:{i8kkvl:"f1rjii52",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fwkd1rq"},transparent:{De3pzq:"f1c21dwh",B95qlz1:"f9rvdkv",B7xitij:"f1051ucx",Bptxc3x:"fmmjozx",Bwqhzpy:"fqhzt5g",iyk698:"f7l5cgy",cl4aha:"fpkze5g",B0q3jbp:"f1iywnoi",Be9ayug:"f9n45c4"},subtle:{De3pzq:"fhovq9v",B95qlz1:"f1bifk9c",B7xitij:"fo6hitd",Bptxc3x:"fmmjozx",Bwqhzpy:"fqhzt5g",iyk698:"f7l5cgy",cl4aha:"fpkze5g",B0q3jbp:"f1iywnoi",Be9ayug:"f9n45c4"},disabledCursor:{Bceei9c:"fdrzuqr"},disabled:{De3pzq:"f1c21dwh",Bptxc3x:"fato7r6",cl4aha:"fao1bnu"},selected:{Bptxc3x:"f1cadz5z",Bwqhzpy:"fwhdxxj",iyk698:"fintccb",cl4aha:"ffplhdr",B0q3jbp:"fjo17wb",Be9ayug:"f148789c"}},{d:[".f122n59{align-items:center;}",".f13qh94s{display:grid;}",".fi64zpg{flex-shrink:0;}",".f1u07yai{grid-auto-flow:column;}",".frn2hmy{grid-template-columns:auto;}",".f1olsevy{grid-template-rows:auto;}",".f1s6fcnf{outline-style:none;}",".f10pi13n{position:relative;}",[".f3bhgqh{border:none;}",{p:-2}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f1k6fduh{cursor:pointer;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",[".f1a3p1vp{overflow:hidden;}",{p:-1}],".f1cxpek8{text-transform:none;}",".f4d9j23{justify-content:center;}",".f1s9ku6b{justify-content:start;}",".f14mj54c{column-gap:var(--spacingHorizontalXXS);}",[".f1wmopi4{padding:var(--spacingVerticalSNudge) var(--spacingHorizontalSNudge);}",{p:-1}],[".f12or63q{padding:var(--spacingVerticalXXS) var(--spacingHorizontalSNudge);}",{p:-1}],".f1rjii52{column-gap:var(--spacingHorizontalSNudge);}",[".f1w08f2p{padding:var(--spacingVerticalM) var(--spacingHorizontalMNudge);}",{p:-1}],[".fymxs25{padding:var(--spacingVerticalSNudge) var(--spacingHorizontalMNudge);}",{p:-1}],[".f1ssfvub{padding:var(--spacingVerticalL) var(--spacingHorizontalMNudge);}",{p:-1}],[".fwkd1rq{padding:var(--spacingVerticalS) var(--spacingHorizontalMNudge);}",{p:-1}],".f1c21dwh{background-color:var(--colorTransparentBackground);}",".f9rvdkv:enabled:hover{background-color:var(--colorTransparentBackgroundHover);}",".f1051ucx:enabled:active{background-color:var(--colorTransparentBackgroundPressed);}",".fmmjozx .fui-Tab__icon{color:var(--colorNeutralForeground2);}",".fqhzt5g:enabled:hover .fui-Tab__icon{color:var(--colorNeutralForeground2Hover);}",".f7l5cgy:enabled:active .fui-Tab__icon{color:var(--colorNeutralForeground2Pressed);}",".fpkze5g .fui-Tab__content{color:var(--colorNeutralForeground2);}",".f1iywnoi:enabled:hover .fui-Tab__content{color:var(--colorNeutralForeground2Hover);}",".f9n45c4:enabled:active .fui-Tab__content{color:var(--colorNeutralForeground2Pressed);}",".fhovq9v{background-color:var(--colorSubtleBackground);}",".f1bifk9c:enabled:hover{background-color:var(--colorSubtleBackgroundHover);}",".fo6hitd:enabled:active{background-color:var(--colorSubtleBackgroundPressed);}",".fdrzuqr{cursor:not-allowed;}",".fato7r6 .fui-Tab__icon{color:var(--colorNeutralForegroundDisabled);}",".fao1bnu .fui-Tab__content{color:var(--colorNeutralForegroundDisabled);}",".f1cadz5z .fui-Tab__icon{color:var(--colorCompoundBrandForeground1);}",".fwhdxxj:enabled:hover .fui-Tab__icon{color:var(--colorCompoundBrandForeground1Hover);}",".fintccb:enabled:active .fui-Tab__icon{color:var(--colorCompoundBrandForeground1Pressed);}",".ffplhdr .fui-Tab__content{color:var(--colorNeutralForeground1);}",".fjo17wb:enabled:hover .fui-Tab__content{color:var(--colorNeutralForeground1Hover);}",".f148789c:enabled:active .fui-Tab__content{color:var(--colorNeutralForeground1Pressed);}"]}),p=(0,i.__styles)({base:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f44lkw9",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"fp7rvkm",Bptxc3x:"ftorr8m",cl4aha:"f16lqpmv"},small:{Dbcxam:0,rjzwhg:0,Bblux5w:"fzklhed"},medium:{Dbcxam:0,rjzwhg:0,Bblux5w:"f1j721cc"},large:{Dbcxam:0,rjzwhg:0,Bblux5w:"frx9knr"},subtle:{De3pzq:"fhovq9v",sj55zd:"fkfq4zb",B95qlz1:"f1bifk9c",Eo63ln:0,r9osk6:0,Itrz8y:0,zeg6vx:0,l65xgk:0,Bw4olcx:0,Folb0i:0,I2h8y4:0,Bgxgoyi:0,Bvlkotb:0,Fwyncl:0,Byh5edv:0,Becqvjq:0,uumbiq:0,B73q3dg:0,Bblwbaf:0,B0ezav:"ft57sj0",r4wkhp:"f1fcoy83",B7xitij:"fo6hitd",d3wsvi:0,Hdqn7s:0,zu5y1p:0,owqphb:0,g9c53k:0,Btmu08z:0,Bthxvy6:0,gluvuq:0,tb88gp:0,wns6jk:0,kdfdk4:0,Bbw008l:0,Bayi1ib:0,B1kkfu3:0,J1oqyp:0,kem6az:0,goa3yj:"fhn220o",p743kt:"f15qf7sh",uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f130w16x"},subtleSelected:{De3pzq:"f16xkysk",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"f1c2pc3t",sj55zd:"faj9fo0",B95qlz1:"fsm7zmf",Eo63ln:0,r9osk6:0,Itrz8y:0,zeg6vx:0,l65xgk:0,Bw4olcx:0,Folb0i:0,I2h8y4:0,Bgxgoyi:0,Bvlkotb:0,Fwyncl:0,Byh5edv:0,Becqvjq:0,uumbiq:0,B73q3dg:0,Bblwbaf:0,B0ezav:"f1wo0sfq",r4wkhp:"f1afuynh",B7xitij:"f94ddyl",d3wsvi:0,Hdqn7s:0,zu5y1p:0,owqphb:0,g9c53k:0,Btmu08z:0,Bthxvy6:0,gluvuq:0,tb88gp:0,wns6jk:0,kdfdk4:0,Bbw008l:0,Bayi1ib:0,B1kkfu3:0,J1oqyp:0,kem6az:0,goa3yj:"fmle6oo",p743kt:"f1d3itm4",uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f19qjb1h"},subtleDisabled:{De3pzq:"fhovq9v",sj55zd:"f1s2aq7o"},subtleDisabledSelected:{De3pzq:"f1bg9a2p",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"fegtqic",sj55zd:"f1s2aq7o"},filled:{De3pzq:"f16xq7d1",sj55zd:"fkfq4zb",B95qlz1:"fwwxidx",r4wkhp:"f1fcoy83",B7xitij:"f14i52sd",p743kt:"f15qf7sh",Bw5j0gk:"f159yq2d",Baikq8m:"ful0ncq",B2ndh17:"f2rulcp",w0x64w:"f19p5z4e",Bdzpij4:"fo1bcu3"},filledSelected:{De3pzq:"ffp7eso",sj55zd:"f1phragk",B95qlz1:"f1lm9dni",r4wkhp:"f1mn5ei1",B7xitij:"f1g6ncd0",p743kt:"fl71aob",bml8oc:"f13s88zn",qew46a:"f16zjd40",B84x17g:"f1mr3uue",Jetwu1:"f196ywdt"},filledDisabled:{De3pzq:"f1bg9a2p",sj55zd:"f1s2aq7o"},filledDisabledSelected:{De3pzq:"f1bg9a2p",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"fegtqic",sj55zd:"f1s2aq7o"}},{d:[[".f44lkw9{border-radius:var(--borderRadiusCircular);}",{p:-1}],[".fp7rvkm{border:solid var(--strokeWidthThin) var(--colorTransparentStroke);}",{p:-2}],".ftorr8m .fui-Tab__icon{color:inherit;}",".f16lqpmv .fui-Tab__content{color:inherit;}",[".fzklhed{padding-block:calc(var(--spacingVerticalXXS) - var(--strokeWidthThin));}",{p:-1}],[".f1j721cc{padding-block:calc(var(--spacingVerticalSNudge) - var(--strokeWidthThin));}",{p:-1}],[".frx9knr{padding-block:calc(var(--spacingVerticalS) - var(--strokeWidthThin));}",{p:-1}],".fhovq9v{background-color:var(--colorSubtleBackground);}",".fkfq4zb{color:var(--colorNeutralForeground2);}",".f1bifk9c:enabled:hover{background-color:var(--colorSubtleBackgroundHover);}",[".ft57sj0:enabled:hover{border:solid var(--strokeWidthThin) var(--colorNeutralStroke1Hover);}",{p:-2}],".f1fcoy83:enabled:hover{color:var(--colorNeutralForeground2Hover);}",".fo6hitd:enabled:active{background-color:var(--colorSubtleBackgroundPressed);}",[".fhn220o:enabled:active{border:solid var(--strokeWidthThin) var(--colorNeutralStroke1Pressed);}",{p:-2}],".f15qf7sh:enabled:active{color:var(--colorNeutralForeground2Pressed);}",".f16xkysk{background-color:var(--colorBrandBackground2);}",[".f1c2pc3t{border:solid var(--strokeWidthThin) var(--colorCompoundBrandStroke);}",{p:-2}],".faj9fo0{color:var(--colorBrandForeground2);}",".fsm7zmf:enabled:hover{background-color:var(--colorBrandBackground2Hover);}",[".f1wo0sfq:enabled:hover{border:solid var(--strokeWidthThin) var(--colorCompoundBrandStrokeHover);}",{p:-2}],".f1afuynh:enabled:hover{color:var(--colorBrandForeground2Hover);}",".f94ddyl:enabled:active{background-color:var(--colorBrandBackground2Pressed);}",[".fmle6oo:enabled:active{border:solid var(--strokeWidthThin) var(--colorCompoundBrandStrokePressed);}",{p:-2}],".f1d3itm4:enabled:active{color:var(--colorBrandForeground2Pressed);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f1bg9a2p{background-color:var(--colorNeutralBackgroundDisabled);}",[".fegtqic{border:solid var(--strokeWidthThin) var(--colorNeutralStrokeDisabled);}",{p:-2}],".f16xq7d1{background-color:var(--colorNeutralBackground3);}",".fwwxidx:enabled:hover{background-color:var(--colorNeutralBackground3Hover);}",".f14i52sd:enabled:active{background-color:var(--colorNeutralBackground3Pressed);}",".ffp7eso{background-color:var(--colorBrandBackground);}",".f1phragk{color:var(--colorNeutralForegroundOnBrand);}",".f1lm9dni:enabled:hover{background-color:var(--colorBrandBackgroundHover);}",".f1mn5ei1:enabled:hover{color:var(--colorNeutralForegroundOnBrand);}",".f1g6ncd0:enabled:active{background-color:var(--colorBrandBackgroundPressed);}",".fl71aob:enabled:active{color:var(--colorNeutralForegroundOnBrand);}",[".fegtqic{border:solid var(--strokeWidthThin) var(--colorNeutralStrokeDisabled);}",{p:-2}]],m:[["@media (forced-colors: active){.f130w16x{border:solid var(--strokeWidthThin) Canvas;}}",{p:-2,m:"(forced-colors: active)"}],["@media (forced-colors: active){.f19qjb1h{border:solid var(--strokeWidthThin) Highlight;}}",{p:-2,m:"(forced-colors: active)"}],["@media (forced-colors: active){.f159yq2d:enabled:hover{background-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.ful0ncq:enabled:hover{forced-color-adjust:none;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f2rulcp:enabled:hover .fui-Tab__content{color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f19p5z4e:enabled:hover .fui-Icon-filled{color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fo1bcu3:enabled:hover .fui-Icon-regular{color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f13s88zn:enabled{background-color:ButtonText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f16zjd40:enabled .fui-Tab__content{color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1mr3uue:enabled .fui-Tab__content{forced-color-adjust:none;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f196ywdt:enabled .fui-Tab__icon{color:ButtonFace;}}",{m:"(forced-colors: active)"}]]}),b=(0,i.__styles)({base:{B8q5s1w:"f8hki3x",Bci5o5g:["f1d2448m","ffh67wi"],n8qw10:"f1bjia2o",Bdrgwmp:["ffh67wi","f1d2448m"],Bn4voq9:"f1p7hgxw",Bfpq7zp:"f1way5bb",g9k6zt:"f9znhxp",j6ew2k:["fqa318h","fqa318h"],Bhxq17a:"f1vjpng2"},circular:{B8q5s1w:"f8hki3x",Bci5o5g:["f1d2448m","ffh67wi"],n8qw10:"f1bjia2o",Bdrgwmp:["ffh67wi","f1d2448m"],Bn4voq9:"f1p7hgxw",Bfpq7zp:"f1way5bb",g9k6zt:"f9znhxp",j6ew2k:["fzgyhws","fqxug60"],Bhxq17a:"f1vjpng2"}},{d:[".f8hki3x[data-fui-focus-visible]{border-top-color:transparent;}",".f1d2448m[data-fui-focus-visible]{border-right-color:transparent;}",".ffh67wi[data-fui-focus-visible]{border-left-color:transparent;}",".f1bjia2o[data-fui-focus-visible]{border-bottom-color:transparent;}",".f1p7hgxw[data-fui-focus-visible]{outline-width:var(--strokeWidthThick);}",".f1way5bb[data-fui-focus-visible]{outline-color:transparent;}",".f9znhxp[data-fui-focus-visible]{outline-style:solid;}",".fqa318h[data-fui-focus-visible]{box-shadow:var(--shadow4),0 0 0 var(--strokeWidthThick) var(--colorStrokeFocus2);}",".f1vjpng2[data-fui-focus-visible]{z-index:1;}",".fzgyhws[data-fui-focus-visible]{box-shadow:var(--shadow4),0 0 0 var(--strokeWidthThick) var(--colorStrokeFocus2),0 0 0 var(--strokeWidthThin) var(--colorNeutralStrokeOnBrand) inset;}",".fqxug60[data-fui-focus-visible]{box-shadow:var(--shadow4),0 0 0 var(--strokeWidthThick) var(--colorStrokeFocus2),0 0 0 var(--strokeWidthThin) var(--colorNeutralStrokeOnBrand) inset;}"]}),m=(0,i.__styles)({base:{az7l2e:"fhw179n",vqofr:0,Bv4n3vi:0,Bgqb9hq:0,B0uxbk8:0,Bf3jju6:"fg9j5n4",amg5m6:"f1kmhr4c",zkfqfm:"fl1ydde",Bkydozb:"f1y7maxz",Bka2azo:0,vzq8l0:0,csmgbd:0,Br4ovkg:0,aelrif:"fceyvr4",y36c18:"f16cxu0",B1ctymy:"f1nwgacf",Bgvrrv0:"f15ovonk",ddr6p5:"fvje46l"},disabled:{az7l2e:"f1ut20fw",Bkydozb:"fhrzcfn",Bgvrrv0:"f1v15rkt",ddr6p5:"f3nwrnk"},smallHorizontal:{lawp4y:"fchca7p",Baz25je:"f1r53b5e",Fbdkly:["f1s6rxz5","fo35v8s"],mdwyqc:["fo35v8s","f1s6rxz5"]},smallVertical:{lawp4y:"fze4zud",Fbdkly:["f1fzr1x6","f1f351id"],Bciustq:"fdp32p8",Ccq8qp:"f1aij3q"},mediumHorizontal:{lawp4y:"fchca7p",Baz25je:"f1s2r9ax",Fbdkly:["f1o0nnkk","fxb7rol"],mdwyqc:["fxb7rol","f1o0nnkk"]},mediumVertical:{lawp4y:"f17jracn",Fbdkly:["f1fzr1x6","f1f351id"],Bciustq:"f117lcb2",Ccq8qp:"f1aij3q"},largeHorizontal:{lawp4y:"fchca7p",Baz25je:"f1s2r9ax",Fbdkly:["f1o0nnkk","fxb7rol"],mdwyqc:["fxb7rol","f1o0nnkk"]},largeVertical:{lawp4y:"fel9d3z",Fbdkly:["f1fzr1x6","f1f351id"],Bciustq:"f6vqlre",Ccq8qp:"f1aij3q"}},{h:[".fhw179n:hover::before{background-color:var(--colorNeutralStroke1Hover);}",[".fg9j5n4:hover::before{border-radius:var(--borderRadiusCircular);}",{p:-1}],'.f1kmhr4c:hover::before{content:"";}',".fl1ydde:hover::before{position:absolute;}",".f1ut20fw:hover::before{background-color:var(--colorTransparentStroke);}"],a:[".f1y7maxz:active::before{background-color:var(--colorNeutralStroke1Pressed);}",[".fceyvr4:active::before{border-radius:var(--borderRadiusCircular);}",{p:-1}],'.f16cxu0:active::before{content:"";}',".f1nwgacf:active::before{position:absolute;}",".fhrzcfn:active::before{background-color:var(--colorTransparentStroke);}"],m:[["@media (forced-colors: active){.f15ovonk:hover::before{background-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fvje46l:active::before{background-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1v15rkt:hover::before{background-color:transparent;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f3nwrnk:active::before{background-color:transparent;}}",{m:"(forced-colors: active)"}]],d:[".fchca7p::before{bottom:0;}",".f1r53b5e::before{height:var(--strokeWidthThick);}",".f1s6rxz5::before{left:var(--spacingHorizontalSNudge);}",".fo35v8s::before{right:var(--spacingHorizontalSNudge);}",".fze4zud::before{bottom:var(--spacingVerticalXS);}",".f1fzr1x6::before{left:0;}",".f1f351id::before{right:0;}",".fdp32p8::before{top:var(--spacingVerticalXS);}",".f1aij3q::before{width:var(--strokeWidthThicker);}",".f1s2r9ax::before{height:var(--strokeWidthThicker);}",".f1o0nnkk::before{left:var(--spacingHorizontalM);}",".fxb7rol::before{right:var(--spacingHorizontalM);}",".f17jracn::before{bottom:var(--spacingVerticalS);}",".f117lcb2::before{top:var(--spacingVerticalS);}",".fel9d3z::before{bottom:var(--spacingVerticalMNudge);}",".f6vqlre::before{top:var(--spacingVerticalMNudge);}"]}),g=(0,i.__styles)({base:{Bjyk6c5:"f1rp0jgh",d9w3h3:0,B3778ie:0,B4j8arr:0,Bl18szs:0,Blrzh8d:"f3b9emi",Bsft5z2:"f13zj6fq",E3zdtr:"f1mdlcz9"},selected:{Bjyk6c5:"f1ksivud",Bej4dhw:"f1476jrx",B7wqxwa:"f18q216b",f7digc:"fy7ktjt",Bvuzv5k:"f1033yux",k4sdgo:"fkh9b8o"},disabled:{Bjyk6c5:"f13lkzet"},smallHorizontal:{By385i5:"fo72kxq",Dlnsje:"f9bb2ob",Eqx8gd:["f1q70ajw","f18rbzdx"],B1piin3:["f18rbzdx","f1q70ajw"]},smallVertical:{By385i5:"fqbue9b",Eqx8gd:["f1n6gb5g","f15yvnhg"],bn5sak:"fk1klkt",a2br6o:"f1o25lip"},mediumHorizontal:{By385i5:"fo72kxq",Dlnsje:"f1vx7lu8",Eqx8gd:["fna7m5n","f1oxpfwv"],B1piin3:["f1oxpfwv","fna7m5n"]},mediumVertical:{By385i5:"fipylg0",Eqx8gd:["f1n6gb5g","f15yvnhg"],bn5sak:"fqchiol",a2br6o:"f1o25lip"},largeHorizontal:{By385i5:"fo72kxq",Dlnsje:"f1vx7lu8",Eqx8gd:["fna7m5n","f1oxpfwv"],B1piin3:["f1oxpfwv","fna7m5n"]},largeVertical:{By385i5:"f1w7dm5g",Eqx8gd:["f1n6gb5g","f15yvnhg"],bn5sak:"f1p6em4m",a2br6o:"f1o25lip"}},{d:[".f1rp0jgh::after{background-color:var(--colorTransparentStroke);}",[".f3b9emi::after{border-radius:var(--borderRadiusCircular);}",{p:-1}],'.f13zj6fq::after{content:"";}',".f1mdlcz9::after{position:absolute;}",".f1ksivud::after{background-color:var(--colorCompoundBrandStroke);}",".f1476jrx:enabled:hover::after{background-color:var(--colorCompoundBrandStrokeHover);}",".f18q216b:enabled:active::after{background-color:var(--colorCompoundBrandStrokePressed);}",".f13lkzet::after{background-color:var(--colorNeutralForegroundDisabled);}",".fo72kxq::after{bottom:0;}",".f9bb2ob::after{height:var(--strokeWidthThick);}",".f1q70ajw::after{left:var(--spacingHorizontalSNudge);}",".f18rbzdx::after{right:var(--spacingHorizontalSNudge);}",".fqbue9b::after{bottom:var(--spacingVerticalXS);}",".f1n6gb5g::after{left:0;}",".f15yvnhg::after{right:0;}",".fk1klkt::after{top:var(--spacingVerticalXS);}",".f1o25lip::after{width:var(--strokeWidthThicker);}",".f1vx7lu8::after{height:var(--strokeWidthThicker);}",".fna7m5n::after{left:var(--spacingHorizontalM);}",".f1oxpfwv::after{right:var(--spacingHorizontalM);}",".fipylg0::after{bottom:var(--spacingVerticalS);}",".fqchiol::after{top:var(--spacingVerticalS);}",".f1w7dm5g::after{bottom:var(--spacingVerticalMNudge);}",".f1p6em4m::after{top:var(--spacingVerticalMNudge);}"],m:[["@media (forced-colors: active){.fy7ktjt::after{background-color:ButtonText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1033yux:enabled:hover::after{background-color:ButtonText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fkh9b8o:enabled:active::after{background-color:ButtonText;}}",{m:"(forced-colors: active)"}]]}),_=(0,i.__styles)({base:{Br312pm:"fwpfdsa",Ijaq50:"f16hsg94",Bt984gj:"f122n59",mc9l5x:"ftuwxu6",Brf1p80:"f4d9j23",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1a3p1vp",D0sxk3:"f16u1re",t6yez3:"f8bsbmo"},small:{Be2twd7:"fe5j1ua",Bqenvij:"fjamq6b",a9b677:"f64fuq3"},medium:{Be2twd7:"fe5j1ua",Bqenvij:"fjamq6b",a9b677:"f64fuq3"},large:{Be2twd7:"f1rt2boy",Bqenvij:"frvgh55",a9b677:"fq4mcun"},selected:{D0sxk3:"fxoiby5",t6yez3:"f15q0o9g"}},{d:[".fwpfdsa{grid-column-start:1;}",".f16hsg94{grid-row-start:1;}",".f122n59{align-items:center;}",".ftuwxu6{display:inline-flex;}",".f4d9j23{justify-content:center;}",[".f1a3p1vp{overflow:hidden;}",{p:-1}],".f16u1re .fui-Icon-filled{display:none;}",".f8bsbmo .fui-Icon-regular{display:inline;}",".fe5j1ua{font-size:20px;}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",".f1rt2boy{font-size:24px;}",".frvgh55{height:24px;}",".fq4mcun{width:24px;}",".fxoiby5 .fui-Icon-filled{display:inline;}",".f15q0o9g .fui-Icon-regular{display:none;}"]}),y=(0,i.__styles)({base:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1a3p1vp",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1bwptpd"},selected:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"fl43uef",Bg96gwp:"f1i3iumi"},large:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"figsok6",Bg96gwp:"faaz57k"},largeSelected:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},noIconBefore:{Br312pm:"fwpfdsa",Ijaq50:"f16hsg94"},iconBefore:{Br312pm:"fd46tj4",Ijaq50:"f16hsg94"},placeholder:{Bcdw1i0:"fd7fpy0"}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",[".f1a3p1vp{overflow:hidden;}",{p:-1}],[".f1bwptpd{padding:var(--spacingVerticalNone) var(--spacingHorizontalXXS);}",{p:-1}],".fl43uef{font-weight:var(--fontWeightSemibold);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fwpfdsa{grid-column-start:1;}",".f16hsg94{grid-row-start:1;}",".fd46tj4{grid-column-start:2;}",".fd7fpy0{visibility:hidden;}"]});var k=e.i(96019);let w=t.forwardRef((e,i)=>{let w=(0,r.useTab_unstable)(e,i);return(e=>((e=>{let r=v(),o=m(),i=g(),{appearance:h,disabled:p,selected:b,size:_,vertical:y}=e,k=[f.root,r.root];return"subtle-circular"!==h&&"filled-circular"!==h&&k.push(o.base,"small"===_&&(y?o.smallVertical:o.smallHorizontal),"medium"===_&&(y?o.mediumVertical:o.mediumHorizontal),"large"===_&&(y?o.largeVertical:o.largeHorizontal),p&&o.disabled,b&&i.base,b&&!p&&i.selected,b&&"small"===_&&(y?i.smallVertical:i.smallHorizontal),b&&"medium"===_&&(y?i.mediumVertical:i.mediumHorizontal),b&&"large"===_&&(y?i.largeVertical:i.largeHorizontal),b&&p&&i.disabled),e.root.className=(0,n.mergeClasses)(...k,e.root.className),(e=>{let{disabled:r,selected:o,vertical:i}=e,f=u(),[h,v]=t.useState(),[p,b]=t.useState({offset:0,scale:1}),m=(0,a.useTabListContext_unstable)(e=>e.getRegisteredTabs),[g]=(0,l.useAnimationFrame)();if(o){let{previousSelectedValue:e,selectedValue:t,registeredTabs:r}=m();if(d(e)&&h!==e){let o=c(r,e),n=c(r,t);n&&o&&(b({offset:i?o.y-n.y:o.x-n.x,scale:i?o.height/n.height:o.width/n.width}),v(e),g(()=>b({offset:0,scale:1})))}}else d(h)&&v(void 0);if(r)return;let _=0===p.offset&&1===p.scale;e.root.className=(0,n.mergeClasses)(e.root.className,o&&f.base,o&&_&&f.animated,o&&(i?f.vertical:f.horizontal));let y={[s.offsetVar]:"".concat(p.offset,"px"),[s.scaleVar]:"".concat(p.scale)};return e.root.style={...y,...e.root.style}})(e)})(e),((e,t)=>{let r=v(),o=b(),i=p(),{appearance:a,disabled:l,selected:s,size:u,vertical:c}=e,d="subtle-circular"===a,f="filled-circular"===a,h=d||f,m=[i.base,o.circular,"small"===u&&i.small,"medium"===u&&i.medium,"large"===u&&i.large,d&&i.subtle,s&&d&&i.subtleSelected,l&&d&&i.subtleDisabled,s&&l&&d&&i.subtleDisabledSelected,f&&i.filled,s&&f&&i.filledSelected,l&&f&&i.filledDisabled,s&&l&&f&&i.filledDisabledSelected],g=[o.base,!l&&"subtle"===a&&r.subtle,!l&&"transparent"===a&&r.transparent,!l&&s&&r.selected,l&&r.disabled];return t.className=(0,n.mergeClasses)(r.button,c?r.vertical:r.horizontal,"small"===u&&(c?r.smallVertical:r.smallHorizontal),"medium"===u&&(c?r.mediumVertical:r.mediumHorizontal),"large"===u&&(c?r.largeVertical:r.largeHorizontal),...h?m:g,l&&r.disabledCursor,t.className)})(e,e.root),(e=>{let t=_(),r=y(),{selected:o,size:i}=e;return e.icon&&(e.icon.className=(0,n.mergeClasses)(f.icon,t.base,t[i],o&&t.selected,e.icon.className)),e.contentReservedSpace&&(e.contentReservedSpace.className=(0,n.mergeClasses)(h.content,r.base,"large"===i?r.largeSelected:r.selected,e.icon?r.iconBefore:r.noIconBefore,r.placeholder,e.content.className),e.contentReservedSpaceClassName=e.contentReservedSpace.className),e.content.className=(0,n.mergeClasses)(f.content,r.base,"large"===i&&r.large,o&&("large"===i?r.largeSelected:r.selected),e.icon?r.iconBefore:r.noIconBefore,e.content.className)})(e)))(w),(0,k.useCustomStyleHook_unstable)("useTabStyles_unstable")(w),(0,o.renderTab_unstable)(w)});w.displayName="Tab"},59066,e=>{"use strict";e.s(["ArrowLeft20Regular",()=>r,"ArrowSyncCircle20Regular",()=>o]);var t=e.i(39806);let r=(0,t.createFluentIcon)("ArrowLeft20Regular","20",["M9.16 16.87a.5.5 0 1 0 .67-.74L3.67 10.5H17.5a.5.5 0 0 0 0-1H3.67l6.16-5.63a.5.5 0 0 0-.67-.74L2.24 9.44a.75.75 0 0 0 0 1.11l6.92 6.32Z"]),o=(0,t.createFluentIcon)("ArrowSyncCircle20Regular","20",["M10 3a7 7 0 1 1 0 14 7 7 0 0 1 0-14Zm8 7a8 8 0 1 0-16 0 8 8 0 0 0 16 0Zm-8-2.5c1.02 0 1.9.62 2.3 1.5h-.8a.5.5 0 1 0 0 1h2a.5.5 0 0 0 .5-.5v-2a.5.5 0 0 0-1 0v.7a3.5 3.5 0 0 0-5.6-.53.5.5 0 0 0 .74.66A2.5 2.5 0 0 1 10 7.5Zm-3 4.3v.7a.5.5 0 0 1-1 0v-2c0-.28.22-.5.5-.5h2a.5.5 0 0 1 0 1h-.8a2.5 2.5 0 0 0 4.16.67.5.5 0 0 1 .75.66A3.5 3.5 0 0 1 7 11.8Z"],{flipInRtl:!0})},43753,(e,t,r)=>{"use strict";function o(e,t){var r=e.length;for(e.push(t);0>>1,i=e[o];if(0>>1;oa(s,r))ua(c,s)?(e[o]=c,e[u]=r,o=u):(e[o]=s,e[l]=r,o=l);else if(ua(c,r))e[o]=c,e[u]=r,o=u;else break}}return t}function a(e,t){var r=e.sortIndex-t.sortIndex;return 0!==r?r:e.id-t.id}if("object"==typeof performance&&"function"==typeof performance.now){var l,s=performance;r.unstable_now=function(){return s.now()}}else{var u=Date,c=u.now();r.unstable_now=function(){return u.now()-c}}var d=[],f=[],h=1,v=null,p=3,b=!1,m=!1,g=!1,_="function"==typeof setTimeout?setTimeout:null,y="function"==typeof clearTimeout?clearTimeout:null,k="undefined"!=typeof setImmediate?setImmediate:null;function w(e){for(var t=i(f);null!==t;){if(null===t.callback)n(f);else if(t.startTime<=e)n(f),t.sortIndex=t.expirationTime,o(d,t);else break;t=i(f)}}function x(e){if(g=!1,w(e),!m)if(null!==i(d))m=!0,j(T);else{var t=i(f);null!==t&&R(x,t.startTime-e)}}function T(e,t){m=!1,g&&(g=!1,y(E),E=-1),b=!0;var o=p;try{for(w(t),v=i(d);null!==v&&(!(v.expirationTime>t)||e&&!F());){var a=v.callback;if("function"==typeof a){v.callback=null,p=v.priorityLevel;var l=a(v.expirationTime<=t);t=r.unstable_now(),"function"==typeof l?v.callback=l:v===i(d)&&n(d),w(t)}else n(d);v=i(d)}if(null!==v)var s=!0;else{var u=i(f);null!==u&&R(x,u.startTime-t),s=!1}return s}finally{v=null,p=o,b=!1}}"undefined"!=typeof navigator&&void 0!==navigator.scheduling&&void 0!==navigator.scheduling.isInputPending&&navigator.scheduling.isInputPending.bind(navigator.scheduling);var z=!1,B=null,E=-1,C=5,I=-1;function F(){return!(r.unstable_now()-Ie||125a?(e.sortIndex=n,o(f,e),null===i(d)&&e===i(f)&&(g?(y(E),E=-1):g=!0,R(x,n-a))):(e.sortIndex=l,o(d,e),m||b||(m=!0,j(T))),e},r.unstable_shouldYield=F,r.unstable_wrapCallback=function(e){var t=p;return function(){var r=p;p=t;try{return e.apply(this,arguments)}finally{p=r}}}},69960,(e,t,r)=>{"use strict";t.exports=e.r(43753)},87194,40454,88544,40894,e=>{"use strict";e.s(["Accordion",()=>g],87194);var t=e.i(71645),r=e.i(97906),o=e.i(46163);e.i(47167);var i=e.i(52911),n=e.i(69960),a=e.i(17664);let l=(e=>{var r;let o=t.createContext({value:{current:e},version:{current:-1},listeners:[]});return r=o.Provider,o.Provider=e=>{let o=t.useRef(e.value),a=t.useRef(0),l=t.useRef();return l.current||(l.current={value:o,version:a,listeners:[]}),(0,i.useIsomorphicLayoutEffect)(()=>{o.current=e.value,a.current+=1,(0,n.unstable_runWithPriority)(n.unstable_NormalPriority,()=>{l.current.listeners.forEach(t=>{t([a.current,e.value])})})},[e.value]),t.createElement(r,{value:l.current},e.children)},delete o.Consumer,o})(void 0),s={openItems:[],collapsible:!1,multiple:!1,navigation:void 0,requestToggle(){}},{Provider:u}=l,c=e=>((e,r)=>{let{value:{current:o},version:{current:n},listeners:l}=t.useContext(e),s=r(o),[u,c]=t.useState([o,s]),d=e=>{c(t=>{if(!e)return[o,s];if(e[0]<=n)return Object.is(t[1],s)?t:[o,s];try{if(Object.is(t[0],e[1]))return t;let o=r(e[1]);if(Object.is(t[1],o))return t;return[e[1],o]}catch(e){}return[t[0],t[1]]})};Object.is(u[1],s)||d(void 0);let f=(0,a.useEventCallback)(d);return(0,i.useIsomorphicLayoutEffect)(()=>(l.push(f),()=>{let e=l.indexOf(f);l.splice(e,1)}),[f,l]),u[1]})(l,function(){let t=arguments.length>0&&void 0!==arguments[0]?arguments[0]:s;return e(t)});var d=e.i(56720),f=e.i(84179),h=e.i(77074),v=e.i(73564),p=e.i(96019),b=e.i(32778);let m={root:"fui-Accordion"},g=t.forwardRef((e,i)=>{let n=((e,r)=>{let{openItems:o,defaultOpenItems:i,multiple:n=!1,collapsible:l=!1,onToggle:s,navigation:u,...c}=e,[p,b]=(0,f.useControllableState)({state:t.useMemo(()=>(function(e){if(void 0!==e)return Array.isArray(e)?e:[e]})(o),[o]),defaultState:i&&(()=>(function(e){let{defaultOpenItems:t,multiple:r}=e;return void 0!==t?Array.isArray(t)?r?t:[t[0]]:[t]:[]})({defaultOpenItems:i,multiple:n})),initialState:[]}),m=(0,v.useArrowNavigationGroup)({circular:"circular"===u,tabbable:!0}),g=(0,a.useEventCallback)(e=>{let t=function(e,t,r,o){return r?t.includes(e)?t.length>1||o?t.filter(t=>t!==e):t:[...t,e].sort():t[0]===e&&o?[]:[e]}(e.value,p,n,l);null==s||s(e.event,{value:e.value,openItems:t}),b(t)});return{collapsible:l,multiple:n,navigation:u,openItems:p,requestToggle:g,components:{root:"div"},root:h.slot.always((0,d.getIntrinsicElementProps)("div",{...c,...u?m:void 0,ref:r}),{elementType:"div"})}})(e,i),l=function(e){let{navigation:t,openItems:r,requestToggle:o,multiple:i,collapsible:n}=e;return{accordion:{navigation:t,openItems:r,requestToggle:o,collapsible:n,multiple:i}}}(n);return(e=>e.root.className=(0,b.mergeClasses)(m.root,e.root.className))(n),(0,p.useCustomStyleHook_unstable)("useAccordionStyles_unstable")(n),((e,t)=>((0,o.assertSlots)(e),(0,r.jsx)(e.root,{children:(0,r.jsx)(u,{value:t.accordion,children:e.root.children})})))(n,l)});g.displayName="Accordion",e.s(["AccordionItem",()=>T],40454);let _=t.createContext(void 0),y={open:!1,disabled:!1,value:void 0,onHeaderClick(){}},{Provider:k}=_,w=()=>{var e;return null!=(e=t.useContext(_))?e:y},x={root:"fui-AccordionItem"},T=t.forwardRef((e,i)=>{let n=((e,t)=>{let{value:r,disabled:o=!1}=e,i=c(e=>e.requestToggle),n=c(e=>e.openItems.includes(r)),l=(0,a.useEventCallback)(e=>i({event:e,value:r}));return{open:n,value:r,disabled:o,onHeaderClick:l,components:{root:"div"},root:h.slot.always((0,d.getIntrinsicElementProps)("div",{ref:t,...e}),{elementType:"div"})}})(e,i),l=function(e){let{disabled:r,open:o,value:i,onHeaderClick:n}=e;return{accordionItem:t.useMemo(()=>({disabled:r,open:o,value:i,onHeaderClick:n}),[r,o,i,n])}}(n);return(e=>e.root.className=(0,b.mergeClasses)(x.root,e.root.className))(n),(0,p.useCustomStyleHook_unstable)("useAccordionItemStyles_unstable")(n),((e,t)=>((0,o.assertSlots)(e),(0,r.jsx)(e.root,{children:(0,r.jsx)(k,{value:t.accordionItem,children:e.root.children})})))(n,l)});T.displayName="AccordionItem",e.s(["AccordionHeader",()=>j],88544);var z=e.i(63350),B=e.i(21183),E=e.i(39617),C=e.i(1327),I=e.i(77261);let{Provider:F}=t.createContext(void 0);var S=e.i(69024);let N={root:"fui-AccordionHeader",button:"fui-AccordionHeader__button",expandIcon:"fui-AccordionHeader__expandIcon",icon:"fui-AccordionHeader__icon"},q=(0,S.__styles)({resetButton:{B7ck84d:"f1e4lqlz",De3pzq:"f1u2r49w",sj55zd:"f1ym3bx4",Bahqtrf:"f1mo0ibp",Be2twd7:"fjoy568",Bg96gwp:"fytdu2e",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1gl81tg",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1mk8lai",Bv0vk6g:"f37px4s",fsow6f:"fgusgyc"},focusIndicator:{Brovlpu:"ftqa4ok",B486eqv:"f2hkw1w",B8q5s1w:"f8hki3x",Bci5o5g:["f1d2448m","ffh67wi"],n8qw10:"f1bjia2o",Bdrgwmp:["ffh67wi","f1d2448m"],Bb7d1vk:"f226i61",zhwhgb:["f13kzufm","fsx75g8"],dhy2o1:"flujwa2",Gfyso:["fsx75g8","f13kzufm"],Bm4h7ae:"f15bsgw9",B7ys5i9:"f14e48fq",Busjfv9:"f18yb2kv",Bhk32uz:"fd6o370",f6g5ot:0,Boxcth7:0,Bhdgwq3:0,hgwjuy:0,Bshpdp8:0,Bsom6fd:0,Blkhhs4:0,Bonggc9:0,Ddfuxk:0,i03rao:0,kclons:0,clg4pj:0,Bpqj9nj:0,B6dhp37:0,Bf4ptjt:0,Bqtpl0w:0,i4rwgc:"ffwy5si",Dah5zi:0,B1tsrr9:0,qqdqy8:0,Bkh64rk:0,e3fwne:"f3znvyf",J0r882:"f57olzd",Bule8hv:["f4stah7","fs1por5"],Bjwuhne:"f480a47",Ghsupd:["fs1por5","f4stah7"]},root:{sj55zd:"f19n0e5",De3pzq:"f1c21dwh",jrapky:0,Frg6f3:0,t21cq0:0,B6of3ja:0,B74szlk:"f1s184ao",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5"},rootDisabled:{Bcmaq0h:"fwrgwhw",sj55zd:"f1s2aq7o"},rootInline:{mc9l5x:"f14t3ns0"},button:{qhf8xq:"f10pi13n",a9b677:"fly5x3f",B4j52fo:"fre7gi1",Bekrc4i:["f1358rze","f1rvrf73"],Bn0qgzm:"fqdk4by",ibv6hh:["f1rvrf73","f1358rze"],Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:["f1rmphuq","f26yw9j"],sshi5w:"f5pgtk9",mc9l5x:"f22iagw",Bt984gj:"f122n59",Bceei9c:"f1k6fduh",Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi",B7ck84d:"f1ewtqcl"},buttonSmall:{sshi5w:"f1nxs5xn",Be2twd7:"fy9rknc"},buttonLarge:{Bg96gwp:"faaz57k",Be2twd7:"fod5ikn"},buttonExtraLarge:{Bg96gwp:"f106mvju",Be2twd7:"f1pp30po"},buttonInline:{mc9l5x:"ftuwxu6"},buttonExpandIconEndNoIcon:{uwmqm3:["f1uw59to","fw5db7e"]},buttonExpandIconEnd:{z189sj:["f11gcy0p","f1ng84yb"]},buttonDisabled:{Bceei9c:"fdrzuqr"},expandIcon:{Bqenvij:"f1l02sjl",mc9l5x:"f22iagw",Bt984gj:"f122n59",Bg96gwp:"f106mvju",Be2twd7:"f1pp30po"},expandIconStart:{z189sj:["f1vdfbxk","f1f5gg8d"]},expandIconEnd:{Bh6795r:"fqerorx",Bnnss6s:"f1neuvcm",xawz:"flqd7gy",mc9l5x:"f22iagw",Brf1p80:"f9c4gz4",uwmqm3:["f1f5gg8d","f1vdfbxk"]},icon:{Bqenvij:"f1l02sjl",mc9l5x:"f22iagw",Bt984gj:"f122n59",z189sj:["f1vdfbxk","f1f5gg8d"],Bg96gwp:"f106mvju",Be2twd7:"f1pp30po"}},{d:[".f1e4lqlz{box-sizing:content-box;}",".f1u2r49w{background-color:inherit;}",".f1ym3bx4{color:inherit;}",".f1mo0ibp{font-family:inherit;}",".fjoy568{font-size:inherit;}",".fytdu2e{line-height:normal;}",[".f1gl81tg{overflow:visible;}",{p:-1}],[".f1mk8lai{padding:0;}",{p:-1}],".f37px4s{-webkit-appearance:button;}",".fgusgyc{text-align:unset;}",".f8hki3x[data-fui-focus-visible]{border-top-color:transparent;}",".f1d2448m[data-fui-focus-visible]{border-right-color:transparent;}",".ffh67wi[data-fui-focus-visible]{border-left-color:transparent;}",".f1bjia2o[data-fui-focus-visible]{border-bottom-color:transparent;}",'.f15bsgw9[data-fui-focus-visible]::after{content:"";}',".f14e48fq[data-fui-focus-visible]::after{position:absolute;}",".f18yb2kv[data-fui-focus-visible]::after{pointer-events:none;}",".fd6o370[data-fui-focus-visible]::after{z-index:1;}",[".ffwy5si[data-fui-focus-visible]::after{border:2px solid var(--colorStrokeFocus2);}",{p:-2}],[".f3znvyf[data-fui-focus-visible]::after{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f57olzd[data-fui-focus-visible]::after{top:calc(2px * -1);}",".f4stah7[data-fui-focus-visible]::after{right:calc(2px * -1);}",".fs1por5[data-fui-focus-visible]::after{left:calc(2px * -1);}",".f480a47[data-fui-focus-visible]::after{bottom:calc(2px * -1);}",".f19n0e5{color:var(--colorNeutralForeground1);}",".f1c21dwh{background-color:var(--colorTransparentBackground);}",[".f1s184ao{margin:0;}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fwrgwhw{background-image:none;}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f14t3ns0{display:inline-block;}",".f10pi13n{position:relative;}",".fly5x3f{width:100%;}",".fre7gi1{border-top-width:0;}",".f1358rze{border-right-width:0;}",".f1rvrf73{border-left-width:0;}",".fqdk4by{border-bottom-width:0;}",[".f1rmphuq{padding:0 var(--spacingHorizontalM) 0 var(--spacingHorizontalMNudge);}",{p:-1}],[".f26yw9j{padding:0 var(--spacingHorizontalMNudge) 0 var(--spacingHorizontalM);}",{p:-1}],".f5pgtk9{min-height:44px;}",".f22iagw{display:flex;}",".f122n59{align-items:center;}",".f1k6fduh{cursor:pointer;}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".f1ewtqcl{box-sizing:border-box;}",".f1nxs5xn{min-height:32px;}",".fy9rknc{font-size:var(--fontSizeBase200);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".f106mvju{line-height:var(--lineHeightBase500);}",".f1pp30po{font-size:var(--fontSizeBase500);}",".ftuwxu6{display:inline-flex;}",".f1uw59to{padding-left:var(--spacingHorizontalM);}",".fw5db7e{padding-right:var(--spacingHorizontalM);}",".f11gcy0p{padding-right:var(--spacingHorizontalMNudge);}",".f1ng84yb{padding-left:var(--spacingHorizontalMNudge);}",".fdrzuqr{cursor:not-allowed;}",".f1l02sjl{height:100%;}",".f1vdfbxk{padding-right:var(--spacingHorizontalS);}",".f1f5gg8d{padding-left:var(--spacingHorizontalS);}",".fqerorx{flex-grow:1;}",".f1neuvcm{flex-shrink:1;}",".flqd7gy{flex-basis:0%;}",".f9c4gz4{justify-content:flex-end;}"],f:[".ftqa4ok:focus{outline-style:none;}"],i:[".f2hkw1w:focus-visible{outline-style:none;}"],m:[["@media (forced-colors: active){.f226i61[data-fui-focus-visible]::after{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f13kzufm[data-fui-focus-visible]::after{border-right-color:Highlight;}.fsx75g8[data-fui-focus-visible]::after{border-left-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.flujwa2[data-fui-focus-visible]::after{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}]]}),j=t.forwardRef((e,i)=>{let n=((e,r)=>{let o,{icon:i,button:n,expandIcon:l,inline:s=!1,size:u="medium",expandIconPosition:f="start"}=e,{value:v,disabled:p,open:b}=w(),m=c(e=>e.requestToggle),g=c(e=>!e.collapsible&&1===e.openItems.length&&b),{dir:_}=(0,C.useFluent_unstable)();o="end"===f?b?-90:90:b?90:180*("rtl"===_);let y=h.slot.always(n,{elementType:"button",defaultProps:{disabled:p,disabledFocusable:g,"aria-expanded":b,type:"button"}});return y.onClick=(0,a.useEventCallback)(e=>{if((0,z.isResolvedShorthand)(n)){var t;null==(t=n.onClick)||t.call(n,e)}e.defaultPrevented||m({value:v,event:e})}),{disabled:p,open:b,size:u,inline:s,expandIconPosition:f,components:{root:"div",button:"button",expandIcon:"span",icon:"div"},root:h.slot.always((0,d.getIntrinsicElementProps)("div",{ref:r,...e}),{elementType:"div"}),icon:h.slot.optional(i,{elementType:"div"}),expandIcon:h.slot.optional(l,{renderByDefault:!0,defaultProps:{children:t.createElement(E.ChevronRightRegular,{style:{transform:"rotate(".concat(o,"deg)"),transition:"transform ".concat(I.motionTokens.durationNormal,"ms ease-out")}}),"aria-hidden":!0},elementType:"span"}),button:(0,B.useARIAButtonProps)(y.as,y)}})(e,i),l=function(e){let{disabled:r,expandIconPosition:o,open:i,size:n}=e;return{accordionHeader:t.useMemo(()=>({disabled:r,expandIconPosition:o,open:i,size:n}),[r,o,i,n])}}(n);return(e=>{let t=q();return e.root.className=(0,b.mergeClasses)(N.root,t.root,e.inline&&t.rootInline,e.disabled&&t.rootDisabled,e.root.className),e.button.className=(0,b.mergeClasses)(N.button,t.resetButton,t.button,t.focusIndicator,"end"===e.expandIconPosition&&!e.icon&&t.buttonExpandIconEndNoIcon,"end"===e.expandIconPosition&&t.buttonExpandIconEnd,e.inline&&t.buttonInline,"small"===e.size&&t.buttonSmall,"large"===e.size&&t.buttonLarge,"extra-large"===e.size&&t.buttonExtraLarge,e.disabled&&t.buttonDisabled,e.button.className),e.expandIcon&&(e.expandIcon.className=(0,b.mergeClasses)(N.expandIcon,t.expandIcon,"start"===e.expandIconPosition&&t.expandIconStart,"end"===e.expandIconPosition&&t.expandIconEnd,e.expandIcon.className)),e.icon&&(e.icon.className=(0,b.mergeClasses)(N.icon,t.icon,e.icon.className))})(n),(0,p.useCustomStyleHook_unstable)("useAccordionHeaderStyles_unstable")(n),((e,t)=>((0,o.assertSlots)(e),(0,r.jsx)(F,{value:t.accordionHeader,children:(0,r.jsx)(e.root,{children:(0,r.jsxs)(e.button,{children:["start"===e.expandIconPosition&&e.expandIcon&&(0,r.jsx)(e.expandIcon,{}),e.icon&&(0,r.jsx)(e.icon,{}),e.root.children,"end"===e.expandIconPosition&&e.expandIcon&&(0,r.jsx)(e.expandIcon,{})]})})})))(n,l)});j.displayName="AccordionHeader",e.s(["AccordionPanel",()=>O],40894);var R=e.i(56626),P=e.i(65987),M=e.i(54369);let D={root:"fui-AccordionPanel"},A=(0,S.__styles)({root:{jrapky:0,Frg6f3:0,t21cq0:0,B6of3ja:0,B74szlk:"f1axvtxu"}},{d:[[".f1axvtxu{margin:0 var(--spacingHorizontalM);}",{p:-1}]]}),O=t.forwardRef((e,t)=>{let i=((e,t)=>{let{open:r}=w(),o=(0,R.useTabsterAttributes)({focusable:{excludeFromMover:!0}}),i=c(e=>e.navigation);return{open:r,components:{root:"div",collapseMotion:M.Collapse},root:h.slot.always((0,d.getIntrinsicElementProps)("div",{ref:t,...e,...i&&o}),{elementType:"div"}),collapseMotion:(0,P.presenceMotionSlot)(e.collapseMotion,{elementType:M.Collapse,defaultProps:{visible:r,unmountOnExit:!0}})}})(e,t);return(e=>{let t=A();return e.root.className=(0,b.mergeClasses)(D.root,t.root,e.root.className)})(i),(0,p.useCustomStyleHook_unstable)("useAccordionPanelStyles_unstable")(i),(e=>((0,o.assertSlots)(e),e.collapseMotion?(0,r.jsx)(e.collapseMotion,{children:(0,r.jsx)(e.root,{})}):(0,r.jsx)(e.root,{})))(i)});O.displayName="AccordionPanel"}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/d6e54358edd397f0.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/d6e54358edd397f0.js new file mode 100644 index 00000000..b2eca35d --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/d6e54358edd397f0.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,76166,83831,63060,69020,69024,96019,7527,21982,77790,12628,18015,17664,21183,12853,47419,69837,50637,r=>{"use strict";r.s(["makeStyles",()=>rA],76166),r.i(47167),r.i(50519);var e=r.i(49861),o=r.i(82837);function t(r){return r.reduce(function(r,e){var o=e[0],t=e[1];return r[o]=t,r[t]=o,r},{})}function a(r){return"number"==typeof r}function l(r,e){return -1!==r.indexOf(e)}function n(r,e,o,t){return e+(0===parseFloat(o)?o:"-"===o[0]?o.slice(1):"-"+o)+t}function c(r){return r.replace(/ +/g," ").split(" ").map(function(r){return r.trim()}).filter(Boolean).reduce(function(r,e){var o=r.list,t=r.state,a=(e.match(/\(/g)||[]).length,l=(e.match(/\)/g)||[]).length;return t.parensDepth>0?o[o.length-1]=o[o.length-1]+" "+e:o.push(e),t.parensDepth+=a-l,{list:o,state:t}},{list:[],state:{parensDepth:0}}).list}function i(r){var e=c(r);if(e.length<=3||e.length>4)return r;var o=e[0],t=e[1],a=e[2];return[o,e[3],a,t].join(" ")}var d={padding:function(r){var e=r.value;return a(e)?e:i(e)},textShadow:function(r){return(function(r){for(var e=[],o=0,t=0,a=!1;t2||K(X)>3?"":" "}(w);break;case 92:R+=function(r,e){for(var o;--e&&$()&&!(X<48)&&!(X>102)&&(!(X>57)||!(X<65))&&(!(X>70)||!(X<97)););return o=W+(e<6&&32==U()&&32==$()),C(V,r,o)}(W-1,7);continue;case 47:switch(U()){case 42:case 47:L((s=function(r,e){for(;$();)if(r+X===57)break;else if(r+X===84&&47===U())break;return"/*"+C(V,e,W-1)+"*"+T(47===r?r:$())}($(),W),u=o,f=t,g=d,Z(s,u,f,z,T(X),C(s,2,-2),0,g)),d),(5==K(w||1)||5==K(U()||1))&&I(R)&&" "!==C(R,-1,void 0)&&(R+=" ");break;default:R+="/"}break;case 123*y:i[h++]=I(R)*x;case 125*y:case 59:case 0:switch(P){case 0:case 125:S=0;case 59+m:-1==x&&(R=D(R,/\f/g,"")),k>0&&(I(R)-b||0===y&&47===w)&&L(k>32?rt(R+";",a,t,b-1,d):rt(D(R," ","")+";",a,t,b-2,d),d);break;case 59:R+=";";default:if(L(H=ro(R,o,t,h,m,l,i,j,F=[],N=[],b,n),n),123===P)if(0===m)r(R,o,H,H,F,n,b,i,N);else{switch(B){case 99:if(110===A(R,3))break;case 108:if(97===A(R,2))break;default:m=0;case 100:case 109:case 115:}m?r(e,H,H,a&&L(ro(e,H,H,0,0,l,i,j,l,F=[],b,N),N),l,N,b,i,a?F:N):r(R,H,H,H,[""],N,0,i,N)}}h=m=k=0,y=x=1,j=R="",b=c;break;case 58:b=1+I(R),k=w;default:if(y<1){if(123==P)--y;else if(125==P&&0==y++&&125==(X=W>0?A(V,--W):0,M--,10===X&&(M=1,O--),X))continue}switch(R+=T(P),P*y){case 38:x=m>0?1:(R+="\f",-1);break;case 44:i[h++]=(I(R)-1)*x,x=1;break;case 64:45===U()&&(R+=Q($())),B=U(),m=b=I(j=R+=rr(W)),P++;break;case 45:45===w&&2==I(R)&&(y=0)}}return n}("",null,null,null,[""],r=J(r),0,[0],r),V="",e}function ro(r,e,o,t,a,l,n,c,i,d,s,u){for(var f=a-1,g=0===a?l:[""],v=g.length,p=0,h=0,m=0;p0?g[b]+" "+B:D(B,/&\f/g,g[b])).trim())&&(i[m++]=k);return Z(r,e,o,0===a?j:c,i,d,s,u)}function rt(r,e,o,t,a){return Z(r,e,o,F,C(r,0,t),C(r,t+1,-1),t,a)}function ra(r){var e=r.length;return function(o,t,a,l){for(var n="",c=0;c{r.type===j&&"string"!=typeof r.props&&(r.props=r.props.map(r=>-1===r.indexOf(":global(")?r:(function(r){var e;return e=function(r){for(;$();)switch(K(X)){case 0:L(rr(W-1),r);break;case 2:L(Q(X),r);break;default:L(T(X),r)}return r}(J(r)),V="",e})(r).reduce((r,e,o,t)=>{if(""===e)return r;if(":"===e&&"global"===t[o+1]){let e=t[o+2].slice(1,-1)+" ";return r.unshift(e),t[o+1]="",t[o+2]="",r}return r.push(e),r},[]).join("")))};function rc(r,e,o,t){if(r.length>-1&&!r.return)switch(r.type){case F:r.return=function r(e,o,t){switch(45^A(e,0)?(((o<<2^A(e,0))<<2^A(e,1))<<2^A(e,2))<<2^A(e,3):0){case 5103:return P+"print-"+e+e;case 3191:case 6645:case 3005:case 6391:case 5879:case 5623:case 6135:case 4599:case 4855:return P+e+e;case 4215:if(102===A(e,9)||116===A(e,o+1))return P+e+e;break;case 4789:return x+e+e;case 5349:case 4246:case 6968:return P+e+x+e+e;case 6187:if(!R(e,/grab/))return D(D(D(e,/(zoom-|grab)/,P+"$1"),/(image-set)/,P+"$1"),e,"")+e;case 5495:case 3959:return D(e,/(image-set\([^]*)/,P+"$1$`$1");case 4095:case 3583:case 4068:case 2532:return D(e,/(.+)-inline(.+)/,P+"$1$2")+e;case 8116:case 7059:case 5753:case 5535:case 5445:case 5701:case 4933:case 4677:case 5533:case 5789:case 5021:case 4765:if(I(e)-1-o>6)switch(A(e,o+1)){case 102:if(108===A(e,o+3))return D(e,/(.+:)(.+)-([^]+)/,"$1"+P+"$2-$3$1"+x+(108==A(e,o+3)?"$3":"$2-$3"))+e;case 115:return~e.indexOf("stretch",void 0)?r(D(e,"stretch","fill-available"),o)+e:e}}return e}(r.value,r.length);break;case j:if(r.length){var a,l;return a=r.props,l=function(e){switch(R(e,/(::plac\w+|:read-\w+)/)){case":read-only":case":read-write":return _([Y(r,{props:[D(e,/:(read-\w+)/,":"+x+"$1")]})],t);case"::placeholder":return _([Y(r,{props:[D(e,/:(plac\w+)/,":"+P+"input-$1")]}),Y(r,{props:[D(e,/:(plac\w+)/,":"+x+"$1")]})],t)}return""},a.map(l).join("")}}}let ri=r=>{(function(r){switch(r.type){case"@container":case"@media":case"@supports":case N:return!0}return!1})(r)&&Array.isArray(r.children)&&r.children.sort((r,e)=>r.props[0]>e.props[0]?1:-1)};function rd(){}let rs=/,( *[^ &])/g;function ru(r,e,o){let t=e;return o.length>0&&(t=o.reduceRight((r,e)=>"".concat("&"+S(e.replace(rs,",&$1"))," { ").concat(r," }"),e)),"".concat(r,"{").concat(t,"}")}function rf(r,e){let{className:o,selectors:t,property:a,rtlClassName:l,rtlProperty:n,rtlValue:c,value:i}=r,{container:d,layer:s,media:u,supports:f}=e,g=Array.isArray(i)?"".concat(i.map(r=>"".concat(y(a),": ").concat(r)).join(";"),";"):"".concat(y(a),": ").concat(i,";"),v=ru(".".concat(o),g,t);if(n&&l){let r=Array.isArray(c)?"".concat(c.map(r=>"".concat(y(n),": ").concat(r)).join(";"),";"):"".concat(y(n),": ").concat(c,";");v+=ru(".".concat(l),r,t)}u&&(v="@media ".concat(u," { ").concat(v," }")),s&&(v="@layer ".concat(s," { ").concat(v," }")),f&&(v="@supports ".concat(f," { ").concat(v," }")),d&&(v="@container ".concat(d," { ").concat(v," }"));let p=[];return _(re(v),ra([rn,ri,rc,E,rl(r=>p.push(r))])),p}function rg(r){let e="";for(let o in r)e+="".concat(o,"{").concat(function(r){let e="";for(let o in r){let t=r[o];if("string"==typeof t||"number"==typeof t){e+=y(o)+":"+t+";";continue}if(Array.isArray(t))for(let r of t)e+=y(o)+":"+r+";"}return e}(r[o]),"}");return e}function rv(r,e){let o="@keyframes ".concat(r," {").concat(e,"}"),t=[];return _(re(o),ra([E,rc,rl(r=>t.push(r))])),t}let rp={animation:[-1,["animationDelay","animationDirection","animationDuration","animationFillMode","animationIterationCount","animationName","animationPlayState","animationTimeline","animationTimingFunction"]],animationRange:[-1,["animationRangeEnd","animationRangeStart"]],background:[-2,["backgroundAttachment","backgroundClip","backgroundColor","backgroundImage","backgroundOrigin","backgroundPosition","backgroundPositionX","backgroundPositionY","backgroundRepeat","backgroundSize"]],backgroundPosition:[-1,["backgroundPositionX","backgroundPositionY"]],border:[-2,["borderBottom","borderBottomColor","borderBottomStyle","borderBottomWidth","borderLeft","borderLeftColor","borderLeftStyle","borderLeftWidth","borderRight","borderRightColor","borderRightStyle","borderRightWidth","borderTop","borderTopColor","borderTopStyle","borderTopWidth"]],borderBottom:[-1,["borderBottomColor","borderBottomStyle","borderBottomWidth"]],borderImage:[-1,["borderImageOutset","borderImageRepeat","borderImageSlice","borderImageSource","borderImageWidth"]],borderLeft:[-1,["borderLeftColor","borderLeftStyle","borderLeftWidth"]],borderRadius:[-1,["borderBottomLeftRadius","borderBottomRightRadius","borderTopLeftRadius","borderTopRightRadius"]],borderRight:[-1,["borderRightColor","borderRightStyle","borderRightWidth"]],borderTop:[-1,["borderTopColor","borderTopStyle","borderTopWidth"]],caret:[-1,["caretColor","caretShape"]],columnRule:[-1,["columnRuleColor","columnRuleStyle","columnRuleWidth"]],columns:[-1,["columnCount","columnWidth"]],containIntrinsicSize:[-1,["containIntrinsicHeight","containIntrinsicWidth"]],container:[-1,["containerName","containerType"]],flex:[-1,["flexBasis","flexGrow","flexShrink"]],flexFlow:[-1,["flexDirection","flexWrap"]],font:[-1,["fontFamily","fontSize","fontStretch","fontStyle","fontVariant","fontWeight","lineHeight"]],gap:[-1,["columnGap","rowGap"]],grid:[-1,["columnGap","gridAutoColumns","gridAutoFlow","gridAutoRows","gridColumnGap","gridRowGap","gridTemplateAreas","gridTemplateColumns","gridTemplateRows","rowGap"]],gridArea:[-1,["gridColumnEnd","gridColumnStart","gridRowEnd","gridRowStart"]],gridColumn:[-1,["gridColumnEnd","gridColumnStart"]],gridRow:[-1,["gridRowEnd","gridRowStart"]],gridTemplate:[-1,["gridTemplateAreas","gridTemplateColumns","gridTemplateRows"]],inset:[-1,["bottom","left","right","top"]],insetBlock:[-1,["insetBlockEnd","insetBlockStart"]],insetInline:[-1,["insetInlineEnd","insetInlineStart"]],listStyle:[-1,["listStyleImage","listStylePosition","listStyleType"]],margin:[-1,["marginBottom","marginLeft","marginRight","marginTop"]],marginBlock:[-1,["marginBlockEnd","marginBlockStart"]],marginInline:[-1,["marginInlineEnd","marginInlineStart"]],mask:[-1,["maskClip","maskComposite","maskImage","maskMode","maskOrigin","maskPosition","maskRepeat","maskSize"]],maskBorder:[-1,["maskBorderMode","maskBorderOutset","maskBorderRepeat","maskBorderSlice","maskBorderSource","maskBorderWidth"]],offset:[-1,["offsetAnchor","offsetDistance","offsetPath","offsetPosition","offsetRotate"]],outline:[-1,["outlineColor","outlineStyle","outlineWidth"]],overflow:[-1,["overflowX","overflowY"]],overscrollBehavior:[-1,["overscrollBehaviorX","overscrollBehaviorY"]],padding:[-1,["paddingBottom","paddingLeft","paddingRight","paddingTop"]],paddingBlock:[-1,["paddingBlockEnd","paddingBlockStart"]],paddingInline:[-1,["paddingInlineEnd","paddingInlineStart"]],placeContent:[-1,["alignContent","justifyContent"]],placeItems:[-1,["alignItems","justifyItems"]],placeSelf:[-1,["alignSelf","justifySelf"]],scrollMargin:[-1,["scrollMarginBottom","scrollMarginLeft","scrollMarginRight","scrollMarginTop"]],scrollMarginBlock:[-1,["scrollMarginBlockEnd","scrollMarginBlockStart"]],scrollMarginInline:[-1,["scrollMarginInlineEnd","scrollMarginInlineStart"]],scrollPadding:[-1,["scrollPaddingBottom","scrollPaddingLeft","scrollPaddingRight","scrollPaddingTop"]],scrollPaddingBlock:[-1,["scrollPaddingBlockEnd","scrollPaddingBlockStart"]],scrollPaddingInline:[-1,["scrollPaddingInlineEnd","scrollPaddingInlineStart"]],scrollTimeline:[-1,["scrollTimelineAxis","scrollTimelineName"]],textDecoration:[-1,["textDecorationColor","textDecorationLine","textDecorationStyle","textDecorationThickness"]],textEmphasis:[-1,["textEmphasisColor","textEmphasisStyle"]],transition:[-1,["transitionBehavior","transitionDelay","transitionDuration","transitionProperty","transitionTimingFunction"]],viewTimeline:[-1,["viewTimelineAxis","viewTimelineName"]]};function rh(r,e){return 0===r.length?e:"".concat(r," and ").concat(e)}let rm=/^(:|\[|>|&)/,rb={"us-w":"w","us-v":"i",nk:"l",si:"v",cu:"f",ve:"h",ti:"a"};function rB(r,e){if(e.media)return"m";if(e.layer||e.supports)return"t";if(e.container)return"c";if(r.length>0){let e=r[0].trim();if(58===e.charCodeAt(0))return rb[e.slice(4,8)]||rb[e.slice(3,5)]||"d"}return"d"}function rk(r){var e,o,t,a;return((e=r.container)?"c"+e:e)+((o=r.media)?"m"+o:o)+((t=r.layer)?"l"+t:t)+((a=r.supports)?"s"+a:a)}function rw(r,e,t){let a=r+rk(t)+e,l=(0,o.default)(a),n=l.charCodeAt(0);return n>=48&&n<=57?String.fromCharCode(n+17)+l.slice(1):l}function ry(r,e){let{property:t,selector:a,salt:l,value:n}=r;return m.HASH_PREFIX+(0,o.default)(l+a+rk(e)+t+n.trim())}function rS(r){return r.replace(/>\s+/g,">")}function rx(){for(var r=arguments.length,e=Array(r),o=0;o0?[r,Object.fromEntries(e)]:r}function rj(r,e,o,t,a,l){let n=[];0!==l&&n.push(["p",l]),"m"===e&&a&&n.push(["m",a]),null!=r[e]||(r[e]=[]),o&&r[e].push(rz(o,n)),t&&r[e].push(rz(t,n))}var rF=r.i(69016),rN=r.i(11345),rq=r.i(71645);let rT=rq.useInsertionEffect?rq.useInsertionEffect:void 0,rH=()=>{let r={};return function(e,o){if(rT&&(0,rN.canUseDOM)())return void rT(()=>{e.insertCSSRules(o)},[e,o]);void 0===r[e.id]&&(e.insertCSSRules(o),r[e.id]=!0)}};var rR=r.i(91211),rD=r.i(54814);function rA(r){let t=function(r){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e.insertionFactory,a=t(),l=null,n=null,c=null,i=null;return function(e){let{dir:t,renderer:d}=e;null===l&&([l,n]=function(r){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",t={},a={};for(let l in r){let[n,c]=function r(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",a=arguments.length>2&&void 0!==arguments[2]?arguments[2]:[],l=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{container:"",layer:"",media:"",supports:""},n=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},c=arguments.length>5&&void 0!==arguments[5]?arguments[5]:{},i=arguments.length>6?arguments[6]:void 0;for(let u in e){var d,s;if(m.UNSUPPORTED_CSS_PROPERTIES.hasOwnProperty(u)){d=e[u],rx(['@griffel/react: You are using unsupported shorthand CSS property "'.concat(u,'". ')+'Please check your "makeStyles" calls, there *should not* be following:'," ".repeat(2)+"makeStyles({"," ".repeat(4)+"[slot]: { ".concat(u,': "').concat(d,'" }')," ".repeat(2)+"})","\nLearn why CSS shorthands are not supported: https://aka.ms/griffel-css-shorthands"].join("\n"));continue}let f=e[u];if(null!=f){if(f===m.RESET){s=void 0,n[rw(rS(a.join("")),u,l)]=s?[0,s]:0;continue}if("string"==typeof f||"number"==typeof f){let e=rS(a.join("")),o=rp[u];o&&r(Object.fromEntries(o[1].map(r=>[r,m.RESET])),t,a,l,n,c);let d=rw(e,u,l),s=ry({value:f.toString(),salt:t,selector:e,property:u},l),g=i&&{key:u,value:i}||h(u,f),v=g.key!==u||g.value!==f,p=v?ry({value:g.value.toString(),property:g.key,salt:t,selector:e},l):void 0,b=v?{rtlClassName:p,rtlProperty:g.key,rtlValue:g.value}:void 0,B=rB(a,l),[k,w]=rf(Object.assign({className:s,selectors:a,property:u,value:f},b),l);n[d]=p?[s,p]:s,rj(c,B,k,w,l.media,rP(o))}else if("animationName"===u){let e=Array.isArray(f)?f:[f],i=[],d=[];for(let r of e){let e,t=rg(r),a=rg(p(r)),n=m.HASH_PREFIX+(0,o.default)(t),s=rv(n,t),u=[];t===a?e=n:u=rv(e=m.HASH_PREFIX+(0,o.default)(a),a);for(let r=0;r[r,m.RESET])),t,a,l,n,c);let i=rw(e,u,l),d=ry({value:f.map(r=>(null!=r?r:"").toString()).join(";"),salt:t,selector:e,property:u},l),s=f.map(r=>h(u,r));if(s.some(r=>r.key!==s[0].key))continue;let g=s[0].key!==u||s.some((r,e)=>r.value!==f[e]),v=g?ry({value:s.map(r=>{var e;return(null!=(e=null==r?void 0:r.value)?e:"").toString()}).join(";"),salt:t,property:s[0].key,selector:e},l):void 0,p=g?{rtlClassName:v,rtlProperty:s[0].key,rtlValue:s.map(r=>r.value)}:void 0,b=rB(a,l),[B,k]=rf(Object.assign({className:d,selectors:a,property:u,value:f},p),l);n[i]=v?[d,v]:d,rj(c,b,B,k,l.media,rP(o))}else if(null!=f&&"object"==typeof f&&!1===Array.isArray(f))if(rm.test(u))r(f,t,a.concat(S(u)),l,n,c);else if("@media"===u.substr(0,6)){let e=rh(l.media,u.slice(6).trim());r(f,t,a,Object.assign({},l,{media:e}),n,c)}else if("@layer"===u.substr(0,6)){let e=(l.layer?"".concat(l.layer,"."):"")+u.slice(6).trim();r(f,t,a,Object.assign({},l,{layer:e}),n,c)}else if("@supports"===u.substr(0,9)){let e=rh(l.supports,u.slice(9).trim());r(f,t,a,Object.assign({},l,{supports:e}),n,c)}else"@container"===u.substring(0,10)?r(f,t,a,Object.assign({},l,{container:u.slice(10).trim()}),n,c):!function(r,e){rx((()=>{let o=JSON.stringify(e,null,2),t=["@griffel/react: A rule was not resolved to CSS properly. Please check your `makeStyles` or `makeResetStyles` calls for following:"," ".repeat(2)+"makeStyles({"," ".repeat(4)+"[slot]: {"," ".repeat(6)+'"'.concat(r,'": ').concat(o.split("\n").map((r,e)=>" ".repeat(6*(0!==e))+r).join("\n"))," ".repeat(4)+"}"," ".repeat(2)+"})",""];return -1===r.indexOf("&")?(t.push("It looks that you're are using a nested selector, but it is missing an ampersand placeholder where the generated class name should be injected."),t.push('Try to update a property to include it i.e "'.concat(r,'" => "&').concat(r,'".'))):(t.push(""),t.push("If it's not obvious what triggers a problem, please report an issue at https://github.com/microsoft/griffel/issues")),t.join("\n")})())}(u,f)}}return[n,c]}(r[l],e);t[l]=n,Object.keys(c).forEach(r=>{a[r]=(a[r]||[]).concat(c[r])})}return[t,a]}(r,d.classNameHashSalt));let s="ltr"===t;return s?null===c&&(c=(0,rF.reduceToClassNameForSlots)(l,t)):null===i&&(i=(0,rF.reduceToClassNameForSlots)(l,t)),a(d,n),s?c:i}}(r,rH);return function(){return t({dir:(0,rD.useTextDirection)(),renderer:(0,rR.useRenderer)()})}}r.s(["tokens",()=>rC],83831);let rC={colorNeutralForeground1:"var(--colorNeutralForeground1)",colorNeutralForeground1Hover:"var(--colorNeutralForeground1Hover)",colorNeutralForeground1Pressed:"var(--colorNeutralForeground1Pressed)",colorNeutralForeground1Selected:"var(--colorNeutralForeground1Selected)",colorNeutralForeground2:"var(--colorNeutralForeground2)",colorNeutralForeground2Hover:"var(--colorNeutralForeground2Hover)",colorNeutralForeground2Pressed:"var(--colorNeutralForeground2Pressed)",colorNeutralForeground2Selected:"var(--colorNeutralForeground2Selected)",colorNeutralForeground2BrandHover:"var(--colorNeutralForeground2BrandHover)",colorNeutralForeground2BrandPressed:"var(--colorNeutralForeground2BrandPressed)",colorNeutralForeground2BrandSelected:"var(--colorNeutralForeground2BrandSelected)",colorNeutralForeground3:"var(--colorNeutralForeground3)",colorNeutralForeground3Hover:"var(--colorNeutralForeground3Hover)",colorNeutralForeground3Pressed:"var(--colorNeutralForeground3Pressed)",colorNeutralForeground3Selected:"var(--colorNeutralForeground3Selected)",colorNeutralForeground3BrandHover:"var(--colorNeutralForeground3BrandHover)",colorNeutralForeground3BrandPressed:"var(--colorNeutralForeground3BrandPressed)",colorNeutralForeground3BrandSelected:"var(--colorNeutralForeground3BrandSelected)",colorNeutralForeground4:"var(--colorNeutralForeground4)",colorNeutralForegroundDisabled:"var(--colorNeutralForegroundDisabled)",colorBrandForegroundLink:"var(--colorBrandForegroundLink)",colorBrandForegroundLinkHover:"var(--colorBrandForegroundLinkHover)",colorBrandForegroundLinkPressed:"var(--colorBrandForegroundLinkPressed)",colorBrandForegroundLinkSelected:"var(--colorBrandForegroundLinkSelected)",colorNeutralForeground2Link:"var(--colorNeutralForeground2Link)",colorNeutralForeground2LinkHover:"var(--colorNeutralForeground2LinkHover)",colorNeutralForeground2LinkPressed:"var(--colorNeutralForeground2LinkPressed)",colorNeutralForeground2LinkSelected:"var(--colorNeutralForeground2LinkSelected)",colorCompoundBrandForeground1:"var(--colorCompoundBrandForeground1)",colorCompoundBrandForeground1Hover:"var(--colorCompoundBrandForeground1Hover)",colorCompoundBrandForeground1Pressed:"var(--colorCompoundBrandForeground1Pressed)",colorNeutralForegroundOnBrand:"var(--colorNeutralForegroundOnBrand)",colorNeutralForegroundInverted:"var(--colorNeutralForegroundInverted)",colorNeutralForegroundInvertedHover:"var(--colorNeutralForegroundInvertedHover)",colorNeutralForegroundInvertedPressed:"var(--colorNeutralForegroundInvertedPressed)",colorNeutralForegroundInvertedSelected:"var(--colorNeutralForegroundInvertedSelected)",colorNeutralForegroundInverted2:"var(--colorNeutralForegroundInverted2)",colorNeutralForegroundStaticInverted:"var(--colorNeutralForegroundStaticInverted)",colorNeutralForegroundInvertedLink:"var(--colorNeutralForegroundInvertedLink)",colorNeutralForegroundInvertedLinkHover:"var(--colorNeutralForegroundInvertedLinkHover)",colorNeutralForegroundInvertedLinkPressed:"var(--colorNeutralForegroundInvertedLinkPressed)",colorNeutralForegroundInvertedLinkSelected:"var(--colorNeutralForegroundInvertedLinkSelected)",colorNeutralForegroundInvertedDisabled:"var(--colorNeutralForegroundInvertedDisabled)",colorBrandForeground1:"var(--colorBrandForeground1)",colorBrandForeground2:"var(--colorBrandForeground2)",colorBrandForeground2Hover:"var(--colorBrandForeground2Hover)",colorBrandForeground2Pressed:"var(--colorBrandForeground2Pressed)",colorNeutralForeground1Static:"var(--colorNeutralForeground1Static)",colorBrandForegroundInverted:"var(--colorBrandForegroundInverted)",colorBrandForegroundInvertedHover:"var(--colorBrandForegroundInvertedHover)",colorBrandForegroundInvertedPressed:"var(--colorBrandForegroundInvertedPressed)",colorBrandForegroundOnLight:"var(--colorBrandForegroundOnLight)",colorBrandForegroundOnLightHover:"var(--colorBrandForegroundOnLightHover)",colorBrandForegroundOnLightPressed:"var(--colorBrandForegroundOnLightPressed)",colorBrandForegroundOnLightSelected:"var(--colorBrandForegroundOnLightSelected)",colorNeutralBackground1:"var(--colorNeutralBackground1)",colorNeutralBackground1Hover:"var(--colorNeutralBackground1Hover)",colorNeutralBackground1Pressed:"var(--colorNeutralBackground1Pressed)",colorNeutralBackground1Selected:"var(--colorNeutralBackground1Selected)",colorNeutralBackground2:"var(--colorNeutralBackground2)",colorNeutralBackground2Hover:"var(--colorNeutralBackground2Hover)",colorNeutralBackground2Pressed:"var(--colorNeutralBackground2Pressed)",colorNeutralBackground2Selected:"var(--colorNeutralBackground2Selected)",colorNeutralBackground3:"var(--colorNeutralBackground3)",colorNeutralBackground3Hover:"var(--colorNeutralBackground3Hover)",colorNeutralBackground3Pressed:"var(--colorNeutralBackground3Pressed)",colorNeutralBackground3Selected:"var(--colorNeutralBackground3Selected)",colorNeutralBackground4:"var(--colorNeutralBackground4)",colorNeutralBackground4Hover:"var(--colorNeutralBackground4Hover)",colorNeutralBackground4Pressed:"var(--colorNeutralBackground4Pressed)",colorNeutralBackground4Selected:"var(--colorNeutralBackground4Selected)",colorNeutralBackground5:"var(--colorNeutralBackground5)",colorNeutralBackground5Hover:"var(--colorNeutralBackground5Hover)",colorNeutralBackground5Pressed:"var(--colorNeutralBackground5Pressed)",colorNeutralBackground5Selected:"var(--colorNeutralBackground5Selected)",colorNeutralBackground6:"var(--colorNeutralBackground6)",colorNeutralBackgroundInverted:"var(--colorNeutralBackgroundInverted)",colorNeutralBackgroundStatic:"var(--colorNeutralBackgroundStatic)",colorNeutralBackgroundAlpha:"var(--colorNeutralBackgroundAlpha)",colorNeutralBackgroundAlpha2:"var(--colorNeutralBackgroundAlpha2)",colorSubtleBackground:"var(--colorSubtleBackground)",colorSubtleBackgroundHover:"var(--colorSubtleBackgroundHover)",colorSubtleBackgroundPressed:"var(--colorSubtleBackgroundPressed)",colorSubtleBackgroundSelected:"var(--colorSubtleBackgroundSelected)",colorSubtleBackgroundLightAlphaHover:"var(--colorSubtleBackgroundLightAlphaHover)",colorSubtleBackgroundLightAlphaPressed:"var(--colorSubtleBackgroundLightAlphaPressed)",colorSubtleBackgroundLightAlphaSelected:"var(--colorSubtleBackgroundLightAlphaSelected)",colorSubtleBackgroundInverted:"var(--colorSubtleBackgroundInverted)",colorSubtleBackgroundInvertedHover:"var(--colorSubtleBackgroundInvertedHover)",colorSubtleBackgroundInvertedPressed:"var(--colorSubtleBackgroundInvertedPressed)",colorSubtleBackgroundInvertedSelected:"var(--colorSubtleBackgroundInvertedSelected)",colorTransparentBackground:"var(--colorTransparentBackground)",colorTransparentBackgroundHover:"var(--colorTransparentBackgroundHover)",colorTransparentBackgroundPressed:"var(--colorTransparentBackgroundPressed)",colorTransparentBackgroundSelected:"var(--colorTransparentBackgroundSelected)",colorNeutralBackgroundDisabled:"var(--colorNeutralBackgroundDisabled)",colorNeutralBackgroundInvertedDisabled:"var(--colorNeutralBackgroundInvertedDisabled)",colorNeutralStencil1:"var(--colorNeutralStencil1)",colorNeutralStencil2:"var(--colorNeutralStencil2)",colorNeutralStencil1Alpha:"var(--colorNeutralStencil1Alpha)",colorNeutralStencil2Alpha:"var(--colorNeutralStencil2Alpha)",colorBackgroundOverlay:"var(--colorBackgroundOverlay)",colorScrollbarOverlay:"var(--colorScrollbarOverlay)",colorBrandBackground:"var(--colorBrandBackground)",colorBrandBackgroundHover:"var(--colorBrandBackgroundHover)",colorBrandBackgroundPressed:"var(--colorBrandBackgroundPressed)",colorBrandBackgroundSelected:"var(--colorBrandBackgroundSelected)",colorCompoundBrandBackground:"var(--colorCompoundBrandBackground)",colorCompoundBrandBackgroundHover:"var(--colorCompoundBrandBackgroundHover)",colorCompoundBrandBackgroundPressed:"var(--colorCompoundBrandBackgroundPressed)",colorBrandBackgroundStatic:"var(--colorBrandBackgroundStatic)",colorBrandBackground2:"var(--colorBrandBackground2)",colorBrandBackground2Hover:"var(--colorBrandBackground2Hover)",colorBrandBackground2Pressed:"var(--colorBrandBackground2Pressed)",colorBrandBackground3Static:"var(--colorBrandBackground3Static)",colorBrandBackground4Static:"var(--colorBrandBackground4Static)",colorBrandBackgroundInverted:"var(--colorBrandBackgroundInverted)",colorBrandBackgroundInvertedHover:"var(--colorBrandBackgroundInvertedHover)",colorBrandBackgroundInvertedPressed:"var(--colorBrandBackgroundInvertedPressed)",colorBrandBackgroundInvertedSelected:"var(--colorBrandBackgroundInvertedSelected)",colorNeutralCardBackground:"var(--colorNeutralCardBackground)",colorNeutralCardBackgroundHover:"var(--colorNeutralCardBackgroundHover)",colorNeutralCardBackgroundPressed:"var(--colorNeutralCardBackgroundPressed)",colorNeutralCardBackgroundSelected:"var(--colorNeutralCardBackgroundSelected)",colorNeutralCardBackgroundDisabled:"var(--colorNeutralCardBackgroundDisabled)",colorNeutralStrokeAccessible:"var(--colorNeutralStrokeAccessible)",colorNeutralStrokeAccessibleHover:"var(--colorNeutralStrokeAccessibleHover)",colorNeutralStrokeAccessiblePressed:"var(--colorNeutralStrokeAccessiblePressed)",colorNeutralStrokeAccessibleSelected:"var(--colorNeutralStrokeAccessibleSelected)",colorNeutralStroke1:"var(--colorNeutralStroke1)",colorNeutralStroke1Hover:"var(--colorNeutralStroke1Hover)",colorNeutralStroke1Pressed:"var(--colorNeutralStroke1Pressed)",colorNeutralStroke1Selected:"var(--colorNeutralStroke1Selected)",colorNeutralStroke2:"var(--colorNeutralStroke2)",colorNeutralStroke3:"var(--colorNeutralStroke3)",colorNeutralStrokeSubtle:"var(--colorNeutralStrokeSubtle)",colorNeutralStrokeOnBrand:"var(--colorNeutralStrokeOnBrand)",colorNeutralStrokeOnBrand2:"var(--colorNeutralStrokeOnBrand2)",colorNeutralStrokeOnBrand2Hover:"var(--colorNeutralStrokeOnBrand2Hover)",colorNeutralStrokeOnBrand2Pressed:"var(--colorNeutralStrokeOnBrand2Pressed)",colorNeutralStrokeOnBrand2Selected:"var(--colorNeutralStrokeOnBrand2Selected)",colorBrandStroke1:"var(--colorBrandStroke1)",colorBrandStroke2:"var(--colorBrandStroke2)",colorBrandStroke2Hover:"var(--colorBrandStroke2Hover)",colorBrandStroke2Pressed:"var(--colorBrandStroke2Pressed)",colorBrandStroke2Contrast:"var(--colorBrandStroke2Contrast)",colorCompoundBrandStroke:"var(--colorCompoundBrandStroke)",colorCompoundBrandStrokeHover:"var(--colorCompoundBrandStrokeHover)",colorCompoundBrandStrokePressed:"var(--colorCompoundBrandStrokePressed)",colorNeutralStrokeDisabled:"var(--colorNeutralStrokeDisabled)",colorNeutralStrokeInvertedDisabled:"var(--colorNeutralStrokeInvertedDisabled)",colorTransparentStroke:"var(--colorTransparentStroke)",colorTransparentStrokeInteractive:"var(--colorTransparentStrokeInteractive)",colorTransparentStrokeDisabled:"var(--colorTransparentStrokeDisabled)",colorNeutralStrokeAlpha:"var(--colorNeutralStrokeAlpha)",colorNeutralStrokeAlpha2:"var(--colorNeutralStrokeAlpha2)",colorStrokeFocus1:"var(--colorStrokeFocus1)",colorStrokeFocus2:"var(--colorStrokeFocus2)",colorNeutralShadowAmbient:"var(--colorNeutralShadowAmbient)",colorNeutralShadowKey:"var(--colorNeutralShadowKey)",colorNeutralShadowAmbientLighter:"var(--colorNeutralShadowAmbientLighter)",colorNeutralShadowKeyLighter:"var(--colorNeutralShadowKeyLighter)",colorNeutralShadowAmbientDarker:"var(--colorNeutralShadowAmbientDarker)",colorNeutralShadowKeyDarker:"var(--colorNeutralShadowKeyDarker)",colorBrandShadowAmbient:"var(--colorBrandShadowAmbient)",colorBrandShadowKey:"var(--colorBrandShadowKey)",colorPaletteRedBackground1:"var(--colorPaletteRedBackground1)",colorPaletteRedBackground2:"var(--colorPaletteRedBackground2)",colorPaletteRedBackground3:"var(--colorPaletteRedBackground3)",colorPaletteRedBorderActive:"var(--colorPaletteRedBorderActive)",colorPaletteRedBorder1:"var(--colorPaletteRedBorder1)",colorPaletteRedBorder2:"var(--colorPaletteRedBorder2)",colorPaletteRedForeground1:"var(--colorPaletteRedForeground1)",colorPaletteRedForeground2:"var(--colorPaletteRedForeground2)",colorPaletteRedForeground3:"var(--colorPaletteRedForeground3)",colorPaletteRedForegroundInverted:"var(--colorPaletteRedForegroundInverted)",colorPaletteGreenBackground1:"var(--colorPaletteGreenBackground1)",colorPaletteGreenBackground2:"var(--colorPaletteGreenBackground2)",colorPaletteGreenBackground3:"var(--colorPaletteGreenBackground3)",colorPaletteGreenBorderActive:"var(--colorPaletteGreenBorderActive)",colorPaletteGreenBorder1:"var(--colorPaletteGreenBorder1)",colorPaletteGreenBorder2:"var(--colorPaletteGreenBorder2)",colorPaletteGreenForeground1:"var(--colorPaletteGreenForeground1)",colorPaletteGreenForeground2:"var(--colorPaletteGreenForeground2)",colorPaletteGreenForeground3:"var(--colorPaletteGreenForeground3)",colorPaletteGreenForegroundInverted:"var(--colorPaletteGreenForegroundInverted)",colorPaletteDarkOrangeBackground1:"var(--colorPaletteDarkOrangeBackground1)",colorPaletteDarkOrangeBackground2:"var(--colorPaletteDarkOrangeBackground2)",colorPaletteDarkOrangeBackground3:"var(--colorPaletteDarkOrangeBackground3)",colorPaletteDarkOrangeBorderActive:"var(--colorPaletteDarkOrangeBorderActive)",colorPaletteDarkOrangeBorder1:"var(--colorPaletteDarkOrangeBorder1)",colorPaletteDarkOrangeBorder2:"var(--colorPaletteDarkOrangeBorder2)",colorPaletteDarkOrangeForeground1:"var(--colorPaletteDarkOrangeForeground1)",colorPaletteDarkOrangeForeground2:"var(--colorPaletteDarkOrangeForeground2)",colorPaletteDarkOrangeForeground3:"var(--colorPaletteDarkOrangeForeground3)",colorPaletteYellowBackground1:"var(--colorPaletteYellowBackground1)",colorPaletteYellowBackground2:"var(--colorPaletteYellowBackground2)",colorPaletteYellowBackground3:"var(--colorPaletteYellowBackground3)",colorPaletteYellowBorderActive:"var(--colorPaletteYellowBorderActive)",colorPaletteYellowBorder1:"var(--colorPaletteYellowBorder1)",colorPaletteYellowBorder2:"var(--colorPaletteYellowBorder2)",colorPaletteYellowForeground1:"var(--colorPaletteYellowForeground1)",colorPaletteYellowForeground2:"var(--colorPaletteYellowForeground2)",colorPaletteYellowForeground3:"var(--colorPaletteYellowForeground3)",colorPaletteYellowForegroundInverted:"var(--colorPaletteYellowForegroundInverted)",colorPaletteBerryBackground1:"var(--colorPaletteBerryBackground1)",colorPaletteBerryBackground2:"var(--colorPaletteBerryBackground2)",colorPaletteBerryBackground3:"var(--colorPaletteBerryBackground3)",colorPaletteBerryBorderActive:"var(--colorPaletteBerryBorderActive)",colorPaletteBerryBorder1:"var(--colorPaletteBerryBorder1)",colorPaletteBerryBorder2:"var(--colorPaletteBerryBorder2)",colorPaletteBerryForeground1:"var(--colorPaletteBerryForeground1)",colorPaletteBerryForeground2:"var(--colorPaletteBerryForeground2)",colorPaletteBerryForeground3:"var(--colorPaletteBerryForeground3)",colorPaletteMarigoldBackground1:"var(--colorPaletteMarigoldBackground1)",colorPaletteMarigoldBackground2:"var(--colorPaletteMarigoldBackground2)",colorPaletteMarigoldBackground3:"var(--colorPaletteMarigoldBackground3)",colorPaletteMarigoldBorderActive:"var(--colorPaletteMarigoldBorderActive)",colorPaletteMarigoldBorder1:"var(--colorPaletteMarigoldBorder1)",colorPaletteMarigoldBorder2:"var(--colorPaletteMarigoldBorder2)",colorPaletteMarigoldForeground1:"var(--colorPaletteMarigoldForeground1)",colorPaletteMarigoldForeground2:"var(--colorPaletteMarigoldForeground2)",colorPaletteMarigoldForeground3:"var(--colorPaletteMarigoldForeground3)",colorPaletteLightGreenBackground1:"var(--colorPaletteLightGreenBackground1)",colorPaletteLightGreenBackground2:"var(--colorPaletteLightGreenBackground2)",colorPaletteLightGreenBackground3:"var(--colorPaletteLightGreenBackground3)",colorPaletteLightGreenBorderActive:"var(--colorPaletteLightGreenBorderActive)",colorPaletteLightGreenBorder1:"var(--colorPaletteLightGreenBorder1)",colorPaletteLightGreenBorder2:"var(--colorPaletteLightGreenBorder2)",colorPaletteLightGreenForeground1:"var(--colorPaletteLightGreenForeground1)",colorPaletteLightGreenForeground2:"var(--colorPaletteLightGreenForeground2)",colorPaletteLightGreenForeground3:"var(--colorPaletteLightGreenForeground3)",colorPaletteAnchorBackground2:"var(--colorPaletteAnchorBackground2)",colorPaletteAnchorBorderActive:"var(--colorPaletteAnchorBorderActive)",colorPaletteAnchorForeground2:"var(--colorPaletteAnchorForeground2)",colorPaletteBeigeBackground2:"var(--colorPaletteBeigeBackground2)",colorPaletteBeigeBorderActive:"var(--colorPaletteBeigeBorderActive)",colorPaletteBeigeForeground2:"var(--colorPaletteBeigeForeground2)",colorPaletteBlueBackground2:"var(--colorPaletteBlueBackground2)",colorPaletteBlueBorderActive:"var(--colorPaletteBlueBorderActive)",colorPaletteBlueForeground2:"var(--colorPaletteBlueForeground2)",colorPaletteBrassBackground2:"var(--colorPaletteBrassBackground2)",colorPaletteBrassBorderActive:"var(--colorPaletteBrassBorderActive)",colorPaletteBrassForeground2:"var(--colorPaletteBrassForeground2)",colorPaletteBrownBackground2:"var(--colorPaletteBrownBackground2)",colorPaletteBrownBorderActive:"var(--colorPaletteBrownBorderActive)",colorPaletteBrownForeground2:"var(--colorPaletteBrownForeground2)",colorPaletteCornflowerBackground2:"var(--colorPaletteCornflowerBackground2)",colorPaletteCornflowerBorderActive:"var(--colorPaletteCornflowerBorderActive)",colorPaletteCornflowerForeground2:"var(--colorPaletteCornflowerForeground2)",colorPaletteCranberryBackground2:"var(--colorPaletteCranberryBackground2)",colorPaletteCranberryBorderActive:"var(--colorPaletteCranberryBorderActive)",colorPaletteCranberryForeground2:"var(--colorPaletteCranberryForeground2)",colorPaletteDarkGreenBackground2:"var(--colorPaletteDarkGreenBackground2)",colorPaletteDarkGreenBorderActive:"var(--colorPaletteDarkGreenBorderActive)",colorPaletteDarkGreenForeground2:"var(--colorPaletteDarkGreenForeground2)",colorPaletteDarkRedBackground2:"var(--colorPaletteDarkRedBackground2)",colorPaletteDarkRedBorderActive:"var(--colorPaletteDarkRedBorderActive)",colorPaletteDarkRedForeground2:"var(--colorPaletteDarkRedForeground2)",colorPaletteForestBackground2:"var(--colorPaletteForestBackground2)",colorPaletteForestBorderActive:"var(--colorPaletteForestBorderActive)",colorPaletteForestForeground2:"var(--colorPaletteForestForeground2)",colorPaletteGoldBackground2:"var(--colorPaletteGoldBackground2)",colorPaletteGoldBorderActive:"var(--colorPaletteGoldBorderActive)",colorPaletteGoldForeground2:"var(--colorPaletteGoldForeground2)",colorPaletteGrapeBackground2:"var(--colorPaletteGrapeBackground2)",colorPaletteGrapeBorderActive:"var(--colorPaletteGrapeBorderActive)",colorPaletteGrapeForeground2:"var(--colorPaletteGrapeForeground2)",colorPaletteLavenderBackground2:"var(--colorPaletteLavenderBackground2)",colorPaletteLavenderBorderActive:"var(--colorPaletteLavenderBorderActive)",colorPaletteLavenderForeground2:"var(--colorPaletteLavenderForeground2)",colorPaletteLightTealBackground2:"var(--colorPaletteLightTealBackground2)",colorPaletteLightTealBorderActive:"var(--colorPaletteLightTealBorderActive)",colorPaletteLightTealForeground2:"var(--colorPaletteLightTealForeground2)",colorPaletteLilacBackground2:"var(--colorPaletteLilacBackground2)",colorPaletteLilacBorderActive:"var(--colorPaletteLilacBorderActive)",colorPaletteLilacForeground2:"var(--colorPaletteLilacForeground2)",colorPaletteMagentaBackground2:"var(--colorPaletteMagentaBackground2)",colorPaletteMagentaBorderActive:"var(--colorPaletteMagentaBorderActive)",colorPaletteMagentaForeground2:"var(--colorPaletteMagentaForeground2)",colorPaletteMinkBackground2:"var(--colorPaletteMinkBackground2)",colorPaletteMinkBorderActive:"var(--colorPaletteMinkBorderActive)",colorPaletteMinkForeground2:"var(--colorPaletteMinkForeground2)",colorPaletteNavyBackground2:"var(--colorPaletteNavyBackground2)",colorPaletteNavyBorderActive:"var(--colorPaletteNavyBorderActive)",colorPaletteNavyForeground2:"var(--colorPaletteNavyForeground2)",colorPalettePeachBackground2:"var(--colorPalettePeachBackground2)",colorPalettePeachBorderActive:"var(--colorPalettePeachBorderActive)",colorPalettePeachForeground2:"var(--colorPalettePeachForeground2)",colorPalettePinkBackground2:"var(--colorPalettePinkBackground2)",colorPalettePinkBorderActive:"var(--colorPalettePinkBorderActive)",colorPalettePinkForeground2:"var(--colorPalettePinkForeground2)",colorPalettePlatinumBackground2:"var(--colorPalettePlatinumBackground2)",colorPalettePlatinumBorderActive:"var(--colorPalettePlatinumBorderActive)",colorPalettePlatinumForeground2:"var(--colorPalettePlatinumForeground2)",colorPalettePlumBackground2:"var(--colorPalettePlumBackground2)",colorPalettePlumBorderActive:"var(--colorPalettePlumBorderActive)",colorPalettePlumForeground2:"var(--colorPalettePlumForeground2)",colorPalettePumpkinBackground2:"var(--colorPalettePumpkinBackground2)",colorPalettePumpkinBorderActive:"var(--colorPalettePumpkinBorderActive)",colorPalettePumpkinForeground2:"var(--colorPalettePumpkinForeground2)",colorPalettePurpleBackground2:"var(--colorPalettePurpleBackground2)",colorPalettePurpleBorderActive:"var(--colorPalettePurpleBorderActive)",colorPalettePurpleForeground2:"var(--colorPalettePurpleForeground2)",colorPaletteRoyalBlueBackground2:"var(--colorPaletteRoyalBlueBackground2)",colorPaletteRoyalBlueBorderActive:"var(--colorPaletteRoyalBlueBorderActive)",colorPaletteRoyalBlueForeground2:"var(--colorPaletteRoyalBlueForeground2)",colorPaletteSeafoamBackground2:"var(--colorPaletteSeafoamBackground2)",colorPaletteSeafoamBorderActive:"var(--colorPaletteSeafoamBorderActive)",colorPaletteSeafoamForeground2:"var(--colorPaletteSeafoamForeground2)",colorPaletteSteelBackground2:"var(--colorPaletteSteelBackground2)",colorPaletteSteelBorderActive:"var(--colorPaletteSteelBorderActive)",colorPaletteSteelForeground2:"var(--colorPaletteSteelForeground2)",colorPaletteTealBackground2:"var(--colorPaletteTealBackground2)",colorPaletteTealBorderActive:"var(--colorPaletteTealBorderActive)",colorPaletteTealForeground2:"var(--colorPaletteTealForeground2)",colorStatusSuccessBackground1:"var(--colorStatusSuccessBackground1)",colorStatusSuccessBackground2:"var(--colorStatusSuccessBackground2)",colorStatusSuccessBackground3:"var(--colorStatusSuccessBackground3)",colorStatusSuccessForeground1:"var(--colorStatusSuccessForeground1)",colorStatusSuccessForeground2:"var(--colorStatusSuccessForeground2)",colorStatusSuccessForeground3:"var(--colorStatusSuccessForeground3)",colorStatusSuccessForegroundInverted:"var(--colorStatusSuccessForegroundInverted)",colorStatusSuccessBorderActive:"var(--colorStatusSuccessBorderActive)",colorStatusSuccessBorder1:"var(--colorStatusSuccessBorder1)",colorStatusSuccessBorder2:"var(--colorStatusSuccessBorder2)",colorStatusWarningBackground1:"var(--colorStatusWarningBackground1)",colorStatusWarningBackground2:"var(--colorStatusWarningBackground2)",colorStatusWarningBackground3:"var(--colorStatusWarningBackground3)",colorStatusWarningForeground1:"var(--colorStatusWarningForeground1)",colorStatusWarningForeground2:"var(--colorStatusWarningForeground2)",colorStatusWarningForeground3:"var(--colorStatusWarningForeground3)",colorStatusWarningForegroundInverted:"var(--colorStatusWarningForegroundInverted)",colorStatusWarningBorderActive:"var(--colorStatusWarningBorderActive)",colorStatusWarningBorder1:"var(--colorStatusWarningBorder1)",colorStatusWarningBorder2:"var(--colorStatusWarningBorder2)",colorStatusDangerBackground1:"var(--colorStatusDangerBackground1)",colorStatusDangerBackground2:"var(--colorStatusDangerBackground2)",colorStatusDangerBackground3:"var(--colorStatusDangerBackground3)",colorStatusDangerBackground3Hover:"var(--colorStatusDangerBackground3Hover)",colorStatusDangerBackground3Pressed:"var(--colorStatusDangerBackground3Pressed)",colorStatusDangerForeground1:"var(--colorStatusDangerForeground1)",colorStatusDangerForeground2:"var(--colorStatusDangerForeground2)",colorStatusDangerForeground3:"var(--colorStatusDangerForeground3)",colorStatusDangerForegroundInverted:"var(--colorStatusDangerForegroundInverted)",colorStatusDangerBorderActive:"var(--colorStatusDangerBorderActive)",colorStatusDangerBorder1:"var(--colorStatusDangerBorder1)",colorStatusDangerBorder2:"var(--colorStatusDangerBorder2)",borderRadiusNone:"var(--borderRadiusNone)",borderRadiusSmall:"var(--borderRadiusSmall)",borderRadiusMedium:"var(--borderRadiusMedium)",borderRadiusLarge:"var(--borderRadiusLarge)",borderRadiusXLarge:"var(--borderRadiusXLarge)",borderRadiusCircular:"var(--borderRadiusCircular)",fontFamilyBase:"var(--fontFamilyBase)",fontFamilyMonospace:"var(--fontFamilyMonospace)",fontFamilyNumeric:"var(--fontFamilyNumeric)",fontSizeBase100:"var(--fontSizeBase100)",fontSizeBase200:"var(--fontSizeBase200)",fontSizeBase300:"var(--fontSizeBase300)",fontSizeBase400:"var(--fontSizeBase400)",fontSizeBase500:"var(--fontSizeBase500)",fontSizeBase600:"var(--fontSizeBase600)",fontSizeHero700:"var(--fontSizeHero700)",fontSizeHero800:"var(--fontSizeHero800)",fontSizeHero900:"var(--fontSizeHero900)",fontSizeHero1000:"var(--fontSizeHero1000)",fontWeightRegular:"var(--fontWeightRegular)",fontWeightMedium:"var(--fontWeightMedium)",fontWeightSemibold:"var(--fontWeightSemibold)",fontWeightBold:"var(--fontWeightBold)",lineHeightBase100:"var(--lineHeightBase100)",lineHeightBase200:"var(--lineHeightBase200)",lineHeightBase300:"var(--lineHeightBase300)",lineHeightBase400:"var(--lineHeightBase400)",lineHeightBase500:"var(--lineHeightBase500)",lineHeightBase600:"var(--lineHeightBase600)",lineHeightHero700:"var(--lineHeightHero700)",lineHeightHero800:"var(--lineHeightHero800)",lineHeightHero900:"var(--lineHeightHero900)",lineHeightHero1000:"var(--lineHeightHero1000)",shadow2:"var(--shadow2)",shadow4:"var(--shadow4)",shadow8:"var(--shadow8)",shadow16:"var(--shadow16)",shadow28:"var(--shadow28)",shadow64:"var(--shadow64)",shadow2Brand:"var(--shadow2Brand)",shadow4Brand:"var(--shadow4Brand)",shadow8Brand:"var(--shadow8Brand)",shadow16Brand:"var(--shadow16Brand)",shadow28Brand:"var(--shadow28Brand)",shadow64Brand:"var(--shadow64Brand)",strokeWidthThin:"var(--strokeWidthThin)",strokeWidthThick:"var(--strokeWidthThick)",strokeWidthThicker:"var(--strokeWidthThicker)",strokeWidthThickest:"var(--strokeWidthThickest)",spacingHorizontalNone:"var(--spacingHorizontalNone)",spacingHorizontalXXS:"var(--spacingHorizontalXXS)",spacingHorizontalXS:"var(--spacingHorizontalXS)",spacingHorizontalSNudge:"var(--spacingHorizontalSNudge)",spacingHorizontalS:"var(--spacingHorizontalS)",spacingHorizontalMNudge:"var(--spacingHorizontalMNudge)",spacingHorizontalM:"var(--spacingHorizontalM)",spacingHorizontalL:"var(--spacingHorizontalL)",spacingHorizontalXL:"var(--spacingHorizontalXL)",spacingHorizontalXXL:"var(--spacingHorizontalXXL)",spacingHorizontalXXXL:"var(--spacingHorizontalXXXL)",spacingVerticalNone:"var(--spacingVerticalNone)",spacingVerticalXXS:"var(--spacingVerticalXXS)",spacingVerticalXS:"var(--spacingVerticalXS)",spacingVerticalSNudge:"var(--spacingVerticalSNudge)",spacingVerticalS:"var(--spacingVerticalS)",spacingVerticalMNudge:"var(--spacingVerticalMNudge)",spacingVerticalM:"var(--spacingVerticalM)",spacingVerticalL:"var(--spacingVerticalL)",spacingVerticalXL:"var(--spacingVerticalXL)",spacingVerticalXXL:"var(--spacingVerticalXXL)",spacingVerticalXXXL:"var(--spacingVerticalXXXL)",durationUltraFast:"var(--durationUltraFast)",durationFaster:"var(--durationFaster)",durationFast:"var(--durationFast)",durationNormal:"var(--durationNormal)",durationGentle:"var(--durationGentle)",durationSlow:"var(--durationSlow)",durationSlower:"var(--durationSlower)",durationUltraSlow:"var(--durationUltraSlow)",curveAccelerateMax:"var(--curveAccelerateMax)",curveAccelerateMid:"var(--curveAccelerateMid)",curveAccelerateMin:"var(--curveAccelerateMin)",curveDecelerateMax:"var(--curveDecelerateMax)",curveDecelerateMid:"var(--curveDecelerateMid)",curveDecelerateMin:"var(--curveDecelerateMin)",curveEasyEaseMax:"var(--curveEasyEaseMax)",curveEasyEase:"var(--curveEasyEase)",curveLinear:"var(--curveLinear)",zIndexBackground:"var(--zIndexBackground, 0)",zIndexContent:"var(--zIndexContent, 1)",zIndexOverlay:"var(--zIndexOverlay, 1000)",zIndexPopup:"var(--zIndexPopup, 2000)",zIndexMessages:"var(--zIndexMessages, 3000)",zIndexFloating:"var(--zIndexFloating, 4000)",zIndexPriority:"var(--zIndexPriority, 5000)",zIndexDebug:"var(--zIndexDebug, 6000)"};r.s(["Spinner",()=>er],77790);var rI=r.i(56720),rL=r.i(90312);function r_(r,e){let o=rq.useRef(void 0),t=rq.useCallback((t,a)=>(void 0!==o.current&&e(o.current),o.current=r(t,a),o.current),[e,r]),a=rq.useCallback(()=>{void 0!==o.current&&(e(o.current),o.current=void 0)},[e]);return rq.useEffect(()=>a,[a]),[t,a]}r.s(["useTimeout",()=>rG],69020),r.s(["useBrowserTimer",()=>r_],63060);var rE=r.i(1327);let rO=r=>-1,rM=r=>void 0;function rG(){let{targetDocument:r}=(0,rE.useFluent_unstable)(),e=null==r?void 0:r.defaultView;return r_(e?e.setTimeout:rO,e?e.clearTimeout:rM)}var rW=r.i(77074);r.s(["Label",()=>rQ],7527);var rX=r.i(97906),rV=r.i(46163);r.s(["__styles",()=>rY],69024);var rZ=r.i(6013);function rY(r,e){let o=(0,rZ.__styles)(r,e,rH);return function(){return o({dir:(0,rD.useTextDirection)(),renderer:(0,rR.useRenderer)()})}}var r$=r.i(32778);let rU={root:"fui-Label",required:"fui-Label__required"},rK=rY({root:{Bahqtrf:"fk6fouc",sj55zd:"f19n0e5"},disabled:{sj55zd:"f1s2aq7o",Bbusuzp:"f1dcs8yz"},required:{sj55zd:"f1whyuy6",uwmqm3:["fruq291","f7x41pl"]},small:{Be2twd7:"fy9rknc",Bg96gwp:"fwrc4pm"},medium:{Be2twd7:"fkhj508",Bg96gwp:"f1i3iumi"},large:{Be2twd7:"fod5ikn",Bg96gwp:"faaz57k",Bhrd7zp:"fl43uef"},semibold:{Bhrd7zp:"fl43uef"}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".f19n0e5{color:var(--colorNeutralForeground1);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f1whyuy6{color:var(--colorPaletteRedForeground3);}",".fruq291{padding-left:var(--spacingHorizontalXS);}",".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fy9rknc{font-size:var(--fontSizeBase200);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".fkhj508{font-size:var(--fontSizeBase300);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fl43uef{font-weight:var(--fontWeightSemibold);}"],m:[["@media (forced-colors: active){.f1dcs8yz{color:GrayText;}}",{m:"(forced-colors: active)"}]]});r.s(["useCustomStyleHook_unstable",()=>rJ.useCustomStyleHook],96019);var rJ=r.i(69421),rJ=rJ;let rQ=rq.forwardRef((r,e)=>{let o=((r,e)=>{let{disabled:o=!1,required:t=!1,weight:a="regular",size:l="medium"}=r;return{disabled:o,required:rW.slot.optional(!0===t?"*":t||void 0,{defaultProps:{"aria-hidden":"true"},elementType:"span"}),weight:a,size:l,components:{root:"label",required:"span"},root:rW.slot.always((0,rI.getIntrinsicElementProps)("label",{ref:e,...r}),{elementType:"label"})}})(r,e);return(r=>{let e=rK();return r.root.className=(0,r$.mergeClasses)(rU.root,e.root,r.disabled&&e.disabled,e[r.size],"semibold"===r.weight&&e.semibold,r.root.className),r.required&&(r.required.className=(0,r$.mergeClasses)(rU.required,e.required,r.disabled&&e.disabled,r.required.className))})(o),(0,rJ.useCustomStyleHook)("useLabelStyles_unstable")(o),(r=>((0,rV.assertSlots)(r),(0,rX.jsxs)(r.root,{children:[r.root.children,r.required&&(0,rX.jsx)(r.required,{})]})))(o)});rQ.displayName="Label";let r1=rq.createContext(void 0),r0={};function r5(r,o,t){let a=function(r,o,t){let a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:e.insertionFactory,l=a();return function(e){let{dir:a,renderer:n}=e;return l(n,Array.isArray(t)?{r:t}:t),"ltr"===a?r:o||r}}(r,o,t,rH);return function(){return a({dir:(0,rD.useTextDirection)(),renderer:(0,rR.useRenderer)()})}}r1.Provider,r.s(["__resetStyles",()=>r5],21982);let r2={root:"fui-Spinner",spinner:"fui-Spinner__spinner",spinnerTail:"fui-Spinner__spinnerTail",label:"fui-Spinner__label"},r3=r5("rpp59a7",null,[".rpp59a7{display:flex;align-items:center;justify-content:center;line-height:0;gap:8px;overflow:hidden;min-width:min-content;}"]),r6=rY({vertical:{Beiy3e4:"f1vx9l62"}},{d:[".f1vx9l62{flex-direction:column;}"]}),r4=r5("rvgcg50","r15nd2jo",{r:[".rvgcg50{position:relative;flex-shrink:0;-webkit-mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);background-color:var(--colorBrandStroke2Contrast);color:var(--colorBrandStroke1);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:linear;animation-name:rb7n1on;}","@keyframes rb7n1on{0%{transform:rotate(0deg);}100%{transform:rotate(360deg);}}",".r15nd2jo{position:relative;flex-shrink:0;-webkit-mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);background-color:var(--colorBrandStroke2Contrast);color:var(--colorBrandStroke1);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:linear;animation-name:r1gx3jof;}","@keyframes r1gx3jof{0%{transform:rotate(0deg);}100%{transform:rotate(-360deg);}}"],s:["@media screen and (forced-colors: active){.rvgcg50{background-color:HighlightText;color:Highlight;forced-color-adjust:none;}}","@media screen and (prefers-reduced-motion: reduce){.rvgcg50{animation-duration:1.8s;}}","@media screen and (forced-colors: active){.r15nd2jo{background-color:HighlightText;color:Highlight;forced-color-adjust:none;}}","@media screen and (prefers-reduced-motion: reduce){.r15nd2jo{animation-duration:1.8s;}}"]}),r7=r5("rxov3xa","r1o544mv",{r:[".rxov3xa{position:absolute;display:block;width:100%;height:100%;-webkit-mask-image:conic-gradient(transparent 105deg, white 105deg);mask-image:conic-gradient(transparent 105deg, white 105deg);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:var(--curveEasyEase);animation-name:r15mim6k;}",'.rxov3xa::before,.rxov3xa::after{content:"";position:absolute;display:block;width:100%;height:100%;animation:inherit;background-image:conic-gradient(currentcolor 135deg, transparent 135deg);}',"@keyframes r15mim6k{0%{transform:rotate(-135deg);}50%{transform:rotate(0deg);}100%{transform:rotate(225deg);}}",".rxov3xa::before{animation-name:r18vhmn8;}","@keyframes r18vhmn8{0%{transform:rotate(0deg);}50%{transform:rotate(105deg);}100%{transform:rotate(0deg);}}",".rxov3xa::after{animation-name:rkgrvoi;}","@keyframes rkgrvoi{0%{transform:rotate(0deg);}50%{transform:rotate(225deg);}100%{transform:rotate(0deg);}}",".r1o544mv{position:absolute;display:block;width:100%;height:100%;-webkit-mask-image:conic-gradient(transparent 105deg, white 105deg);mask-image:conic-gradient(transparent 105deg, white 105deg);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:var(--curveEasyEase);animation-name:r109gmi5;}",'.r1o544mv::before,.r1o544mv::after{content:"";position:absolute;display:block;width:100%;height:100%;animation:inherit;background-image:conic-gradient(currentcolor 135deg, transparent 135deg);}',"@keyframes r109gmi5{0%{transform:rotate(135deg);}50%{transform:rotate(0deg);}100%{transform:rotate(-225deg);}}",".r1o544mv::before{animation-name:r17whflh;}","@keyframes r17whflh{0%{transform:rotate(0deg);}50%{transform:rotate(-105deg);}100%{transform:rotate(0deg);}}",".r1o544mv::after{animation-name:re4odhl;}","@keyframes re4odhl{0%{transform:rotate(0deg);}50%{transform:rotate(-225deg);}100%{transform:rotate(0deg);}}"],s:["@media screen and (prefers-reduced-motion: reduce){.rxov3xa{animation-iteration-count:0;background-image:conic-gradient(transparent 120deg, currentcolor 360deg);}.rxov3xa::before,.rxov3xa::after{content:none;}}","@media screen and (prefers-reduced-motion: reduce){.r1o544mv{animation-iteration-count:0;background-image:conic-gradient(transparent 120deg, currentcolor 360deg);}.r1o544mv::before,.r1o544mv::after{content:none;}}"]}),r9=rY({inverted:{De3pzq:"fr407j0",sj55zd:"f1f7voed"},rtlTail:{btxmck:"f179dep3",gb5jj2:"fbz9ihp",Br2kee7:"f1wkkxo7"},"extra-tiny":{Bqenvij:"fd461yt",a9b677:"fjw5fx7",qmp6fs:"f1v3ph3m"},tiny:{Bqenvij:"fjamq6b",a9b677:"f64fuq3",qmp6fs:"f1v3ph3m"},"extra-small":{Bqenvij:"frvgh55",a9b677:"fq4mcun",qmp6fs:"f1v3ph3m"},small:{Bqenvij:"fxldao9",a9b677:"f1w9dchk",qmp6fs:"f1v3ph3m"},medium:{Bqenvij:"f1d2rq10",a9b677:"f1szoe96",qmp6fs:"fb52u90"},large:{Bqenvij:"f8ljn23",a9b677:"fpdz1er",qmp6fs:"fb52u90"},"extra-large":{Bqenvij:"fbhnoac",a9b677:"feqmc2u",qmp6fs:"fb52u90"},huge:{Bqenvij:"f1ft4266",a9b677:"fksc0bp",qmp6fs:"fa3u9ii"}},{d:[".fr407j0{background-color:var(--colorNeutralStrokeAlpha2);}",".f1f7voed{color:var(--colorNeutralStrokeOnBrand2);}",".f179dep3{-webkit-mask-image:conic-gradient(white 255deg, transparent 255deg);mask-image:conic-gradient(white 255deg, transparent 255deg);}",".fbz9ihp::before,.fbz9ihp::after{background-image:conic-gradient(transparent 225deg, currentcolor 225deg);}",".fd461yt{height:16px;}",".fjw5fx7{width:16px;}",".f1v3ph3m{--fui-Spinner--strokeWidth:var(--strokeWidthThick);}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",".frvgh55{height:24px;}",".fq4mcun{width:24px;}",".fxldao9{height:28px;}",".f1w9dchk{width:28px;}",".f1d2rq10{height:32px;}",".f1szoe96{width:32px;}",".fb52u90{--fui-Spinner--strokeWidth:var(--strokeWidthThicker);}",".f8ljn23{height:36px;}",".fpdz1er{width:36px;}",".fbhnoac{height:40px;}",".feqmc2u{width:40px;}",".f1ft4266{height:44px;}",".fksc0bp{width:44px;}",".fa3u9ii{--fui-Spinner--strokeWidth:var(--strokeWidthThickest);}"],m:[["@media screen and (prefers-reduced-motion: reduce){.f1wkkxo7{background-image:conic-gradient(currentcolor 0deg, transparent 240deg);}}",{m:"screen and (prefers-reduced-motion: reduce)"}]]}),r8=rY({inverted:{sj55zd:"fonrgv7"},"extra-tiny":{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},tiny:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},"extra-small":{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},small:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},medium:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},large:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},"extra-large":{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},huge:{Bahqtrf:"fk6fouc",Be2twd7:"f1pp30po",Bhrd7zp:"fl43uef",Bg96gwp:"f106mvju"}},{d:[".fonrgv7{color:var(--colorNeutralForegroundStaticInverted);}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".faaz57k{line-height:var(--lineHeightBase400);}",".f1pp30po{font-size:var(--fontSizeBase500);}",".f106mvju{line-height:var(--lineHeightBase500);}"]});var rJ=rJ;let er=rq.forwardRef((r,e)=>{let o=((r,e)=>{let{size:o}=(()=>{var r;return null!=(r=rq.useContext(r1))?r:r0})(),{appearance:t="primary",labelPosition:a="after",size:l=null!=o?o:"medium",delay:n=0}=r,c=(0,rL.useId)("spinner"),{role:i="progressbar",...d}=r,s=rW.slot.always((0,rI.getIntrinsicElementProps)("div",{ref:e,role:i,...d},["size"]),{elementType:"div"}),[u,f]=rq.useState(!1),[g,v]=rG();rq.useEffect(()=>{if(!(n<=0))return g(()=>{f(!0)},n),()=>{v()}},[g,v,n]);let p=rW.slot.optional(r.label,{defaultProps:{id:c},renderByDefault:!1,elementType:rQ}),h=rW.slot.optional(r.spinner,{renderByDefault:!0,elementType:"span"});return p&&s&&!s["aria-labelledby"]&&(s["aria-labelledby"]=p.id),{appearance:t,delay:n,labelPosition:a,size:l,shouldRenderSpinner:!n||u,components:{root:"div",spinner:"span",spinnerTail:"span",label:rQ},root:s,spinner:h,spinnerTail:rW.slot.always(r.spinnerTail,{elementType:"span"}),label:p}})(r,e);return(r=>{let{labelPosition:e,size:o,appearance:t}=r,{dir:a}=(0,rE.useFluent_unstable)(),l=r3(),n=r6(),c=r4(),i=r9(),d=r7(),s=r8();return r.root.className=(0,r$.mergeClasses)(r2.root,l,("above"===e||"below"===e)&&n.vertical,r.root.className),r.spinner&&(r.spinner.className=(0,r$.mergeClasses)(r2.spinner,c,i[o],"inverted"===t&&i.inverted,r.spinner.className)),r.spinnerTail&&(r.spinnerTail.className=(0,r$.mergeClasses)(r2.spinnerTail,d,"rtl"===a&&i.rtlTail,r.spinnerTail.className)),r.label&&(r.label.className=(0,r$.mergeClasses)(r2.label,s[o],"inverted"===t&&s.inverted,r.label.className))})(o),(0,rJ.useCustomStyleHook)("useSpinnerStyles_unstable")(o),(r=>{(0,rV.assertSlots)(r);let{labelPosition:e,shouldRenderSpinner:o}=r;return(0,rX.jsxs)(r.root,{children:[r.label&&o&&("above"===e||"before"===e)&&(0,rX.jsx)(r.label,{}),r.spinner&&o&&(0,rX.jsx)(r.spinner,{children:r.spinnerTail&&(0,rX.jsx)(r.spinnerTail,{})}),r.label&&o&&("below"===e||"after"===e)&&(0,rX.jsx)(r.label,{})]})})(o)});er.displayName="Spinner",r.s(["Button",()=>eH],50637),r.s(["renderButton_unstable",()=>ee],12628);let ee=r=>{(0,rV.assertSlots)(r);let{iconOnly:e,iconPosition:o}=r;return(0,rX.jsxs)(r.root,{children:["after"!==o&&r.icon&&(0,rX.jsx)(r.icon,{}),!e&&r.root.children,"after"===o&&r.icon&&(0,rX.jsx)(r.icon,{})]})};r.s(["useButton_unstable",()=>ey],47419),r.s(["useARIAButtonProps",()=>em],21183),r.s(["ArrowDown",()=>en,"ArrowLeft",()=>ec,"ArrowRight",()=>ei,"ArrowUp",()=>ed,"End",()=>es,"Enter",()=>et,"Escape",()=>ev,"Home",()=>eu,"PageDown",()=>ef,"PageUp",()=>eg,"Shift",()=>eo,"Space",()=>ea,"Tab",()=>el],18015);let eo="Shift",et="Enter",ea=" ",el="Tab",en="ArrowDown",ec="ArrowLeft",ei="ArrowRight",ed="ArrowUp",es="End",eu="Home",ef="PageDown",eg="PageUp",ev="Escape";r.s(["useEventCallback",()=>eh],17664);var ep=r.i(52911);let eh=r=>{let e=rq.useRef(()=>{throw Error("Cannot call an event handler while rendering")});return(0,ep.useIsomorphicLayoutEffect)(()=>{e.current=r},[r]),rq.useCallback(function(){for(var r=arguments.length,o=Array(r),t=0;t{s?(r.preventDefault(),r.stopPropagation()):null==l||l(r)}),f=eh(r=>{if(null==n||n(r),r.isDefaultPrevented())return;let e=r.key;if(s&&(e===et||e===ea)){r.preventDefault(),r.stopPropagation();return}if(e===ea)return void r.preventDefault();e===et&&(r.preventDefault(),r.currentTarget.click())}),g=eh(r=>{if(null==c||c(r),r.isDefaultPrevented())return;let e=r.key;if(s&&(e===et||e===ea)){r.preventDefault(),r.stopPropagation();return}e===ea&&(r.preventDefault(),r.currentTarget.click())});if("button"===r||void 0===r)return{...i,disabled:o&&!t,"aria-disabled":!!t||d,onClick:t?void 0:u,onKeyUp:t?void 0:c,onKeyDown:t?void 0:n};{let e=!!i.href,a=e?void 0:"button";!a&&s&&(a="link");let l={role:a,tabIndex:!t&&(e||o)?void 0:0,...i,onClick:u,onKeyUp:g,onKeyDown:f,"aria-disabled":s};return"a"===r&&s&&(l.href=void 0),l}}r.s(["ButtonContextProvider",()=>ek,"useButtonContext",()=>ew],12853);let eb=rq.createContext(void 0),eB={},ek=eb.Provider,ew=()=>{var r;return null!=(r=rq.useContext(eb))?r:eB},ey=(r,e)=>{let{size:o}=ew(),{appearance:t="secondary",as:a="button",disabled:l=!1,disabledFocusable:n=!1,icon:c,iconPosition:i="before",shape:d="rounded",size:s=null!=o?o:"medium"}=r,u=rW.slot.optional(c,{elementType:"span"});return{appearance:t,disabled:l,disabledFocusable:n,iconPosition:i,shape:d,size:s,iconOnly:!!((null==u?void 0:u.children)&&!r.children),components:{root:"button",icon:"span"},root:rW.slot.always((0,rI.getIntrinsicElementProps)(a,em(r.as,r)),{elementType:"button",defaultProps:{ref:e,type:"button"===a?"button":void 0}}),icon:u}};r.s(["useButtonStyles_unstable",()=>eT],69837);let eS={root:"fui-Button",icon:"fui-Button__icon"};rC.strokeWidthThin;let ex=r5("r1alrhcs",null,{r:[".r1alrhcs{align-items:center;box-sizing:border-box;display:inline-flex;justify-content:center;text-decoration-line:none;vertical-align:middle;margin:0;overflow:hidden;background-color:var(--colorNeutralBackground1);color:var(--colorNeutralForeground1);border:var(--strokeWidthThin) solid var(--colorNeutralStroke1);font-family:var(--fontFamilyBase);outline-style:none;padding:5px var(--spacingHorizontalM);min-width:96px;border-radius:var(--borderRadiusMedium);font-size:var(--fontSizeBase300);font-weight:var(--fontWeightSemibold);line-height:var(--lineHeightBase300);transition-duration:var(--durationFaster);transition-property:background,border,color;transition-timing-function:var(--curveEasyEase);}",".r1alrhcs:hover{background-color:var(--colorNeutralBackground1Hover);border-color:var(--colorNeutralStroke1Hover);color:var(--colorNeutralForeground1Hover);cursor:pointer;}",".r1alrhcs:hover:active{background-color:var(--colorNeutralBackground1Pressed);border-color:var(--colorNeutralStroke1Pressed);color:var(--colorNeutralForeground1Pressed);outline-style:none;}",".r1alrhcs[data-fui-focus-visible]{border-color:var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);border-width:1px;outline:var(--strokeWidthThick) solid var(--colorTransparentStroke);box-shadow:0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset;z-index:1;}"],s:["@media screen and (prefers-reduced-motion: reduce){.r1alrhcs{transition-duration:0.01ms;}}","@media (forced-colors: active){.r1alrhcs:focus{border-color:ButtonText;}.r1alrhcs:hover{background-color:HighlightText;border-color:Highlight;color:Highlight;forced-color-adjust:none;}.r1alrhcs:hover:active{background-color:HighlightText;border-color:Highlight;color:Highlight;forced-color-adjust:none;}}","@supports (-moz-appearance:button){.r1alrhcs[data-fui-focus-visible]{box-shadow:0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset;}}"]}),eP=r5("rywnvv2",null,[".rywnvv2{align-items:center;display:inline-flex;justify-content:center;font-size:20px;height:20px;width:20px;--fui-Button__icon--spacing:var(--spacingHorizontalSNudge);}"]),ez=rY({outline:{De3pzq:"f1c21dwh",Jwef8y:"fjxutwb",iro3zm:"fwiml72"},primary:{De3pzq:"ffp7eso",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],sj55zd:"f1phragk",Jwef8y:"f15wkkf3",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],Bi91k9c:"f1rq72xc",iro3zm:"fnp9lpt",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"],B2d53fq:"f1d6v5y2",Bsw6fvg:"f1rirnrt",Bjwas2f:"f1uu00uk",Bn1d65q:["fkvaka8","f9a0qzu"],Bxeuatn:"f1ux7til",n51gp8:["f9a0qzu","fkvaka8"],Bbusuzp:"f1lkg8j3",ycbfsm:"fkc42ay",Bqrx1nm:"fq7113v",pgvf35:"ff1wgvm",Bh7lczh:["fiob0tu","f1x4h75k"],dpv3f4:"f1j6scgf",Bpnjhaq:["f1x4h75k","fiob0tu"],ze5xyy:"f4xjyn1",g2kj27:"fbgcvur",Bf756sw:"f1ks1yx8",Bow2dr7:["f1o6qegi","fmxjhhp"],Bvhedfk:"fcnxywj",Gye4lf:["fmxjhhp","f1o6qegi"],pc6evw:"f9ddjv3"},secondary:{},subtle:{De3pzq:"fhovq9v",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],sj55zd:"fkfq4zb",Jwef8y:"f1t94bn6",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],Bi91k9c:"fnwyq0v",Bk3fhr4:"ft1hn21",Bmfj8id:"fuxngvv",Bbdnnc7:"fy5bs14",iro3zm:"fsv2rcd",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"],B2d53fq:"f1omzyqd",em6i61:"f1dfjoow",vm6p8p:"f1j98vj9",x3br3k:"fj8yq94",ze5xyy:"f4xjyn1",Bx3q9su:"f1et0tmh",pc6evw:"f9ddjv3",xd2cci:"f1wi8ngl"},transparent:{De3pzq:"f1c21dwh",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],sj55zd:"fkfq4zb",Jwef8y:"fjxutwb",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],Bi91k9c:"f139oj5f",Bk3fhr4:"ft1hn21",Bmfj8id:"fuxngvv",iro3zm:"fwiml72",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"],B2d53fq:"f1fg1p5m",em6i61:"f1dfjoow",vm6p8p:"f1j98vj9",Bqrx1nm:"f1tme0vf",ze5xyy:"f4xjyn1",g2kj27:"f18onu3q",pc6evw:"f9ddjv3"},circular:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f44lkw9"},rounded:{},square:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f1fabniw"},small:{Bf4jedk:"fh7ncta",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fneth5b",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm"},smallWithIcon:{Byoj8tv:"f1brlhvm",z8tnut:"f1sl3k7w"},medium:{},large:{Bf4jedk:"f14es27b",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f4db1ww",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},largeWithIcon:{Byoj8tv:"fy7v416",z8tnut:"f1a1bwwz"}},{d:[".f1c21dwh{background-color:var(--colorTransparentBackground);}",".ffp7eso{background-color:var(--colorBrandBackground);}",".f1p3nwhy{border-top-color:transparent;}",".f11589ue{border-right-color:transparent;}",".f1pdflbu{border-left-color:transparent;}",".f1q5o8ev{border-bottom-color:transparent;}",".f1phragk{color:var(--colorNeutralForegroundOnBrand);}",".fhovq9v{background-color:var(--colorSubtleBackground);}",".fkfq4zb{color:var(--colorNeutralForeground2);}",[".f44lkw9{border-radius:var(--borderRadiusCircular);}",{p:-1}],[".f1fabniw{border-radius:var(--borderRadiusNone);}",{p:-1}],".fh7ncta{min-width:64px;}",[".fneth5b{padding:3px var(--spacingHorizontalS);}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fy9rknc{font-size:var(--fontSizeBase200);}",".figsok6{font-weight:var(--fontWeightRegular);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".f1brlhvm{padding-bottom:1px;}",".f1sl3k7w{padding-top:1px;}",".f14es27b{min-width:96px;}",[".f4db1ww{padding:8px var(--spacingHorizontalL);}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fod5ikn{font-size:var(--fontSizeBase400);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fy7v416{padding-bottom:7px;}",".f1a1bwwz{padding-top:7px;}"],h:[".fjxutwb:hover{background-color:var(--colorTransparentBackgroundHover);}",".fwiml72:hover:active{background-color:var(--colorTransparentBackgroundPressed);}",".f15wkkf3:hover{background-color:var(--colorBrandBackgroundHover);}",".f1s2uweq:hover{border-top-color:transparent;}",".fr80ssc:hover{border-right-color:transparent;}",".fecsdlb:hover{border-left-color:transparent;}",".f1ukrpxl:hover{border-bottom-color:transparent;}",".f1rq72xc:hover{color:var(--colorNeutralForegroundOnBrand);}",".fnp9lpt:hover:active{background-color:var(--colorBrandBackgroundPressed);}",".f1h0usnq:hover:active{border-top-color:transparent;}",".fs4ktlq:hover:active{border-right-color:transparent;}",".fx2bmrt:hover:active{border-left-color:transparent;}",".f16h9ulv:hover:active{border-bottom-color:transparent;}",".f1d6v5y2:hover:active{color:var(--colorNeutralForegroundOnBrand);}",".f1t94bn6:hover{background-color:var(--colorSubtleBackgroundHover);}",".fnwyq0v:hover{color:var(--colorNeutralForeground2Hover);}",".ft1hn21:hover .fui-Icon-filled{display:inline;}",".fuxngvv:hover .fui-Icon-regular{display:none;}",".fy5bs14:hover .fui-Button__icon{color:var(--colorNeutralForeground2BrandHover);}",".fsv2rcd:hover:active{background-color:var(--colorSubtleBackgroundPressed);}",".f1omzyqd:hover:active{color:var(--colorNeutralForeground2Pressed);}",".f1dfjoow:hover:active .fui-Icon-filled{display:inline;}",".f1j98vj9:hover:active .fui-Icon-regular{display:none;}",".fj8yq94:hover:active .fui-Button__icon{color:var(--colorNeutralForeground2BrandPressed);}",".f139oj5f:hover{color:var(--colorNeutralForeground2BrandHover);}",".f1fg1p5m:hover:active{color:var(--colorNeutralForeground2BrandPressed);}"],m:[["@media (forced-colors: active){.f1rirnrt{background-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1uu00uk{border-top-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f9a0qzu{border-left-color:HighlightText;}.fkvaka8{border-right-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1ux7til{border-bottom-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1lkg8j3{color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fkc42ay{forced-color-adjust:none;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fq7113v:hover{background-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.ff1wgvm:hover{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1x4h75k:hover{border-left-color:Highlight;}.fiob0tu:hover{border-right-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1j6scgf:hover{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f4xjyn1:hover{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fbgcvur:hover:active{background-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1ks1yx8:hover:active{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1o6qegi:hover:active{border-right-color:Highlight;}.fmxjhhp:hover:active{border-left-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fcnxywj:hover:active{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f9ddjv3:hover:active{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1et0tmh:hover .fui-Button__icon{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1wi8ngl:hover:active .fui-Button__icon{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1tme0vf:hover{background-color:var(--colorTransparentBackground);}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f18onu3q:hover:active{background-color:var(--colorTransparentBackground);}}",{m:"(forced-colors: active)"}]]}),ej=rY({base:{De3pzq:"f1bg9a2p",g2u3we:"f1jj8ep1",h3c5rm:["f15xbau","fy0fskl"],B9xav0g:"f4ikngz",zhjwy3:["fy0fskl","f15xbau"],sj55zd:"f1s2aq7o",Bceei9c:"fdrzuqr",Bfinmwp:"f15x8b5r",Jwef8y:"f1falr9n",Bgoe8wy:"f12mpcsy",Bwzppfd:["f1gwvigk","f18rmfxp"],oetu4i:"f1jnshp0",gg5e9n:["f18rmfxp","f1gwvigk"],Bi91k9c:"fvgxktp",eoavqd:"fphbwmw",Bk3fhr4:"f19vpps7",Bmfj8id:"fv5swzo",Bbdnnc7:"f1al02dq",iro3zm:"f1t6o4dc",b661bw:"f10ztigi",Bk6r4ia:["f1ft5sdu","f1gzf82w"],B9zn80p:"f12zbtn2",Bpld233:["f1gzf82w","f1ft5sdu"],B2d53fq:"fcvwxyo",c3iz72:"f8w4c43",em6i61:"f1ol4fw6",vm6p8p:"f1q1lw4e",x3br3k:"f1dwjv2g"},highContrast:{Bsw6fvg:"f4lkoma",Bjwas2f:"fg455y9",Bn1d65q:["f1rvyvqg","f14g86mu"],Bxeuatn:"f1cwzwz",n51gp8:["f14g86mu","f1rvyvqg"],Bbusuzp:"f1dcs8yz",Bm2fdqk:"fuigjrg",G867l3:"fjwq6ea",gdbnj:["f1lr3nhc","f1mbxvi6"],mxns5l:"fn5gmvv",o3nasb:["f1mbxvi6","f1lr3nhc"],Bqrx1nm:"f1vmkb5g",pgvf35:"f53ppgq",Bh7lczh:["f1663y11","f80fkiy"],dpv3f4:"f18v5270",Bpnjhaq:["f80fkiy","f1663y11"],ze5xyy:"f1kc2mi9",Bx3q9su:"f4dhi0o",g2kj27:"f1y0svfh",Bf756sw:"fihuait",Bow2dr7:["fnxhupq","fyd6l6x"],Bvhedfk:"fx507ft",Gye4lf:["fyd6l6x","fnxhupq"],pc6evw:"fb3rf2x",xd2cci:"fequ9m0"},outline:{De3pzq:"f1c21dwh",Jwef8y:"f9ql6rf",iro3zm:"f3h1zc4"},primary:{g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"]},secondary:{},subtle:{De3pzq:"f1c21dwh",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],Jwef8y:"f9ql6rf",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],iro3zm:"f3h1zc4",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"]},transparent:{De3pzq:"f1c21dwh",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],Jwef8y:"f9ql6rf",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],iro3zm:"f3h1zc4",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"]}},{d:[".f1bg9a2p{background-color:var(--colorNeutralBackgroundDisabled);}",".f1jj8ep1{border-top-color:var(--colorNeutralStrokeDisabled);}",".f15xbau{border-right-color:var(--colorNeutralStrokeDisabled);}",".fy0fskl{border-left-color:var(--colorNeutralStrokeDisabled);}",".f4ikngz{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".fdrzuqr{cursor:not-allowed;}",".f15x8b5r .fui-Button__icon{color:var(--colorNeutralForegroundDisabled);}",".f1c21dwh{background-color:var(--colorTransparentBackground);}",".f1p3nwhy{border-top-color:transparent;}",".f11589ue{border-right-color:transparent;}",".f1pdflbu{border-left-color:transparent;}",".f1q5o8ev{border-bottom-color:transparent;}"],h:[".f1falr9n:hover{background-color:var(--colorNeutralBackgroundDisabled);}",".f12mpcsy:hover{border-top-color:var(--colorNeutralStrokeDisabled);}",".f1gwvigk:hover{border-right-color:var(--colorNeutralStrokeDisabled);}",".f18rmfxp:hover{border-left-color:var(--colorNeutralStrokeDisabled);}",".f1jnshp0:hover{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".fvgxktp:hover{color:var(--colorNeutralForegroundDisabled);}",".fphbwmw:hover{cursor:not-allowed;}",".f19vpps7:hover .fui-Icon-filled{display:none;}",".fv5swzo:hover .fui-Icon-regular{display:inline;}",".f1al02dq:hover .fui-Button__icon{color:var(--colorNeutralForegroundDisabled);}",".f1t6o4dc:hover:active{background-color:var(--colorNeutralBackgroundDisabled);}",".f10ztigi:hover:active{border-top-color:var(--colorNeutralStrokeDisabled);}",".f1ft5sdu:hover:active{border-right-color:var(--colorNeutralStrokeDisabled);}",".f1gzf82w:hover:active{border-left-color:var(--colorNeutralStrokeDisabled);}",".f12zbtn2:hover:active{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".fcvwxyo:hover:active{color:var(--colorNeutralForegroundDisabled);}",".f8w4c43:hover:active{cursor:not-allowed;}",".f1ol4fw6:hover:active .fui-Icon-filled{display:none;}",".f1q1lw4e:hover:active .fui-Icon-regular{display:inline;}",".f1dwjv2g:hover:active .fui-Button__icon{color:var(--colorNeutralForegroundDisabled);}",".f9ql6rf:hover{background-color:var(--colorTransparentBackground);}",".f3h1zc4:hover:active{background-color:var(--colorTransparentBackground);}",".f1s2uweq:hover{border-top-color:transparent;}",".fr80ssc:hover{border-right-color:transparent;}",".fecsdlb:hover{border-left-color:transparent;}",".f1ukrpxl:hover{border-bottom-color:transparent;}",".f1h0usnq:hover:active{border-top-color:transparent;}",".fs4ktlq:hover:active{border-right-color:transparent;}",".fx2bmrt:hover:active{border-left-color:transparent;}",".f16h9ulv:hover:active{border-bottom-color:transparent;}"],m:[["@media (forced-colors: active){.f4lkoma{background-color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fg455y9{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f14g86mu{border-left-color:GrayText;}.f1rvyvqg{border-right-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1cwzwz{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1dcs8yz{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fuigjrg .fui-Button__icon{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fjwq6ea:focus{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1lr3nhc:focus{border-right-color:GrayText;}.f1mbxvi6:focus{border-left-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fn5gmvv:focus{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1vmkb5g:hover{background-color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f53ppgq:hover{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1663y11:hover{border-right-color:GrayText;}.f80fkiy:hover{border-left-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f18v5270:hover{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1kc2mi9:hover{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f4dhi0o:hover .fui-Button__icon{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1y0svfh:hover:active{background-color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fihuait:hover:active{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fnxhupq:hover:active{border-right-color:GrayText;}.fyd6l6x:hover:active{border-left-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fx507ft:hover:active{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fb3rf2x:hover:active{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fequ9m0:hover:active .fui-Button__icon{color:GrayText;}}",{m:"(forced-colors: active)"}]]}),eF=rY({circular:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f1062rbf"},rounded:{},square:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"fj0ryk1"},primary:{B8q5s1w:"f17t0x8g",Bci5o5g:["f194v5ow","fk7jm04"],n8qw10:"f1qgg65p",Bdrgwmp:["fk7jm04","f194v5ow"],j6ew2k:["fhgccpy","fjo7pq6"],he4mth:"f32wu9k",Byr4aka:"fu5nqqq",lks7q5:["f13prjl2","f1nl83rv"],Bnan3qt:"f1czftr5",k1dn9:["f1nl83rv","f13prjl2"],Boium3a:["f12k37oa","fdnykm2"],tm8e47:"fr96u23"},small:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"fazmxh"},medium:{},large:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f1b6alqh"}},{d:[[".f1062rbf[data-fui-focus-visible]{border-radius:var(--borderRadiusCircular);}",{p:-1}],[".fj0ryk1[data-fui-focus-visible]{border-radius:var(--borderRadiusNone);}",{p:-1}],".f17t0x8g[data-fui-focus-visible]{border-top-color:var(--colorStrokeFocus2);}",".f194v5ow[data-fui-focus-visible]{border-right-color:var(--colorStrokeFocus2);}",".fk7jm04[data-fui-focus-visible]{border-left-color:var(--colorStrokeFocus2);}",".f1qgg65p[data-fui-focus-visible]{border-bottom-color:var(--colorStrokeFocus2);}",".fhgccpy[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}",".fjo7pq6[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}",".f32wu9k[data-fui-focus-visible]:hover{box-shadow:var(--shadow2),0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset;}",".fu5nqqq[data-fui-focus-visible]:hover{border-top-color:var(--colorStrokeFocus2);}",".f13prjl2[data-fui-focus-visible]:hover{border-right-color:var(--colorStrokeFocus2);}",".f1nl83rv[data-fui-focus-visible]:hover{border-left-color:var(--colorStrokeFocus2);}",".f1czftr5[data-fui-focus-visible]:hover{border-bottom-color:var(--colorStrokeFocus2);}",[".fazmxh[data-fui-focus-visible]{border-radius:var(--borderRadiusSmall);}",{p:-1}],[".f1b6alqh[data-fui-focus-visible]{border-radius:var(--borderRadiusLarge);}",{p:-1}]],t:["@supports (-moz-appearance:button){.f12k37oa[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}.fdnykm2[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}}","@supports (-moz-appearance:button){.fr96u23[data-fui-focus-visible]:hover{box-shadow:var(--shadow2),0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset;}}"]}),eN=rY({small:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fu97m5z",Bf4jedk:"f17fgpbq",B2u0y6b:"f1jt17bm"},medium:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f18ktai2",Bf4jedk:"fwbmr0d",B2u0y6b:"f44c6la"},large:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1hbd1aw",Bf4jedk:"f12clzc2",B2u0y6b:"fjy1crr"}},{d:[[".fu97m5z{padding:1px;}",{p:-1}],".f17fgpbq{min-width:24px;}",".f1jt17bm{max-width:24px;}",[".f18ktai2{padding:5px;}",{p:-1}],".fwbmr0d{min-width:32px;}",".f44c6la{max-width:32px;}",[".f1hbd1aw{padding:7px;}",{p:-1}],".f12clzc2{min-width:40px;}",".fjy1crr{max-width:40px;}"]}),eq=rY({small:{Be2twd7:"fe5j1ua",Bqenvij:"fjamq6b",a9b677:"f64fuq3",Bqrlyyl:"fbaiahx"},medium:{},large:{Be2twd7:"f1rt2boy",Bqenvij:"frvgh55",a9b677:"fq4mcun",Bqrlyyl:"f1exjqw5"},before:{t21cq0:["f1nizpg2","f1a695kz"]},after:{Frg6f3:["f1a695kz","f1nizpg2"]}},{d:[".fe5j1ua{font-size:20px;}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",".fbaiahx{--fui-Button__icon--spacing:var(--spacingHorizontalXS);}",".f1rt2boy{font-size:24px;}",".frvgh55{height:24px;}",".fq4mcun{width:24px;}",".f1exjqw5{--fui-Button__icon--spacing:var(--spacingHorizontalSNudge);}",".f1nizpg2{margin-right:var(--fui-Button__icon--spacing);}",".f1a695kz{margin-left:var(--fui-Button__icon--spacing);}"]}),eT=r=>{let e=ex(),o=eP(),t=ez(),a=ej(),l=eF(),n=eN(),c=eq(),{appearance:i,disabled:d,disabledFocusable:s,icon:u,iconOnly:f,iconPosition:g,shape:v,size:p}=r;return r.root.className=(0,r$.mergeClasses)(eS.root,e,i&&t[i],t[p],u&&"small"===p&&t.smallWithIcon,u&&"large"===p&&t.largeWithIcon,t[v],(d||s)&&a.base,(d||s)&&a.highContrast,i&&(d||s)&&a[i],"primary"===i&&l.primary,l[p],l[v],f&&n[p],r.root.className),r.icon&&(r.icon.className=(0,r$.mergeClasses)(eS.icon,o,!!r.root.children&&c[g],c[p],r.icon.className)),r};var rJ=rJ;let eH=rq.forwardRef((r,e)=>{let o=ey(r,e);return eT(o),(0,rJ.useCustomStyleHook)("useButtonStyles_unstable")(o),ee(o)});eH.displayName="Button"},24330,34263,r=>{"use strict";r.s(["getFieldControlProps",()=>n,"useFieldControlProps_unstable",()=>l],24330),r.s(["FieldContextProvider",()=>t,"useFieldContext_unstable",()=>a],34263);var e=r.i(71645);let o=e.createContext(void 0),t=o.Provider,a=()=>e.useContext(o);function l(r,e){return n(a(),r,e)}function n(r,e,o){var t,a,l,n,c,i;if(!r)return e;e={...e};let{generatedControlId:d,hintId:s,labelFor:u,labelId:f,required:g,validationMessageId:v,validationState:p}=r;return d&&(null!=(t=e).id||(t.id=d)),!f||(null==o?void 0:o.supportsLabelFor)&&u===e.id||null!=(a=e)["aria-labelledby"]||(a["aria-labelledby"]=f),(v||s)&&(e["aria-describedby"]=[v,s,null==e?void 0:e["aria-describedby"]].filter(Boolean).join(" ")),"error"===p&&(null!=(l=e)["aria-invalid"]||(l["aria-invalid"]=!0)),g&&((null==o?void 0:o.supportsRequired)?null!=(n=e).required||(n.required=!0):null!=(c=e)["aria-required"]||(c["aria-required"]=!0)),(null==o?void 0:o.supportsSize)&&(null!=(i=e).size||(i.size=r.size)),e}},39806,r=>{"use strict";r.s(["createFluentIcon",()=>c],39806);var e=r.i(71645),o=r.i(32778),t=r.i(11774),a=r.i(69024);let l=(0,a.__styles)({root:{mc9l5x:"f1w7gpdv",Bg96gwp:"fez10in"},rtl:{Bz10aip:"f13rod7r"}},{d:[".f1w7gpdv{display:inline;}",".fez10in{line-height:0;}",".f13rod7r{transform:scaleX(-1);}"]}),n=(0,a.__styles)({root:{B8gzw0y:"f1dd5bof"}},{m:[["@media (forced-colors: active){.f1dd5bof{forced-color-adjust:auto;}}",{m:"(forced-colors: active)"}]]}),c=(r,a,c,i)=>{let d="1em"===a?"20":a,s=e.forwardRef((r,s)=>{let u=n(),f=((r,e)=>{let{title:a,primaryFill:n="currentColor",...c}=r,i={...c,title:void 0,fill:n},d=l(),s=(0,t.useIconContext)();return i.className=(0,o.mergeClasses)(d.root,(null==e?void 0:e.flipInRtl)&&(null==s?void 0:s.textDirection)==="rtl"&&d.rtl,i.className),a&&(i["aria-label"]=a),i["aria-label"]||i["aria-labelledby"]?i.role="img":i["aria-hidden"]=!0,i})(r,{flipInRtl:null==i?void 0:i.flipInRtl}),g={...f,className:(0,o.mergeClasses)(f.className,u.root),ref:s,width:a,height:a,viewBox:"0 0 ".concat(d," ").concat(d),xmlns:"http://www.w3.org/2000/svg"};return"string"==typeof c?e.createElement("svg",{...g,dangerouslySetInnerHTML:{__html:c}}):e.createElement("svg",g,...c.map(r=>e.createElement("path",{d:r,fill:g.fill})))});return s.displayName=r,s}},39617,r=>{"use strict";r.s(["CheckmarkFilled",()=>o,"ChevronDownRegular",()=>t,"ChevronRightRegular",()=>a,"CircleFilled",()=>l,"DismissRegular",()=>n,"DocumentFilled",()=>c,"DocumentRegular",()=>i]);var e=r.i(39806);let o=(0,e.createFluentIcon)("CheckmarkFilled","1em",["M7.03 13.9 3.56 10a.75.75 0 0 0-1.12 1l4 4.5c.29.32.79.34 1.09.03l10.5-10.5a.75.75 0 0 0-1.06-1.06l-9.94 9.94Z"]),t=(0,e.createFluentIcon)("ChevronDownRegular","1em",["M15.85 7.65c.2.2.2.5 0 .7l-5.46 5.49a.55.55 0 0 1-.78 0L4.15 8.35a.5.5 0 1 1 .7-.7L10 12.8l5.15-5.16c.2-.2.5-.2.7 0Z"]),a=(0,e.createFluentIcon)("ChevronRightRegular","1em",["M7.65 4.15c.2-.2.5-.2.7 0l5.49 5.46c.21.22.21.57 0 .78l-5.49 5.46a.5.5 0 0 1-.7-.7L12.8 10 7.65 4.85a.5.5 0 0 1 0-.7Z"]),l=(0,e.createFluentIcon)("CircleFilled","1em",["M10 2a8 8 0 1 0 0 16 8 8 0 0 0 0-16Z"]),n=(0,e.createFluentIcon)("DismissRegular","1em",["m4.09 4.22.06-.07a.5.5 0 0 1 .63-.06l.07.06L10 9.29l5.15-5.14a.5.5 0 0 1 .63-.06l.07.06c.18.17.2.44.06.63l-.06.07L10.71 10l5.14 5.15c.18.17.2.44.06.63l-.06.07a.5.5 0 0 1-.63.06l-.07-.06L10 10.71l-5.15 5.14a.5.5 0 0 1-.63.06l-.07-.06a.5.5 0 0 1-.06-.63l.06-.07L9.29 10 4.15 4.85a.5.5 0 0 1-.06-.63l.06-.07-.06.07Z"]),c=(0,e.createFluentIcon)("DocumentFilled","1em",["M10 2v4.5c0 .83.67 1.5 1.5 1.5H16v8.5c0 .83-.67 1.5-1.5 1.5h-9A1.5 1.5 0 0 1 4 16.5v-13C4 2.67 4.67 2 5.5 2H10Zm1 .25V6.5c0 .28.22.5.5.5h4.25L11 2.25Z"]),i=(0,e.createFluentIcon)("DocumentRegular","1em",["M6 2a2 2 0 0 0-2 2v12c0 1.1.9 2 2 2h8a2 2 0 0 0 2-2V7.41c0-.4-.16-.78-.44-1.06l-3.91-3.91A1.5 1.5 0 0 0 10.59 2H6ZM5 4a1 1 0 0 1 1-1h4v3.5c0 .83.67 1.5 1.5 1.5H15v8a1 1 0 0 1-1 1H6a1 1 0 0 1-1-1V4Zm9.8 3h-3.3a.5.5 0 0 1-.5-.5V3.2L14.8 7Z"])},52536,r=>{"use strict";r.s(["useFocusWithin",()=>c],52536);var e=r.i(71645),o=r.i(1327),t=r.i(87950),a=r.i(44148);function l(r){r.removeAttribute(a.FOCUS_WITHIN_ATTR)}function n(r){return!!r&&!!(r&&"object"==typeof r&&"classList"in r&&"contains"in r)}function c(){let{targetDocument:r}=(0,o.useFluent_unstable)(),c=e.useRef(null);return e.useEffect(()=>{if((null==r?void 0:r.defaultView)&&c.current)return function(r,e){let o=(0,t.createKeyborg)(e);o.subscribe(e=>{e||l(r)});let c=e=>{o.isNavigatingWithKeyboard()&&n(e.target)&&r.setAttribute(a.FOCUS_WITHIN_ATTR,"")},i=e=>{(!e.relatedTarget||n(e.relatedTarget)&&!r.contains(e.relatedTarget))&&l(r)};return r.addEventListener(t.KEYBORG_FOCUSIN,c),r.addEventListener("focusout",i),()=>{r.removeEventListener(t.KEYBORG_FOCUSIN,c),r.removeEventListener("focusout",i),(0,t.disposeKeyborg)(o)}}(c.current,r.defaultView)},[c,r]),c}},9485,r=>{"use strict";function e(r,e){return function(){for(var o=arguments.length,t=Array(o),a=0;ae])},90885,r=>{"use strict";r.s(["History20Regular",()=>o,"Home20Regular",()=>t]);var e=r.i(39806);let o=(0,e.createFluentIcon)("History20Regular","20",["M10 4a6 6 0 1 1-5.98 5.54.5.5 0 1 0-1-.08A7 7 0 1 0 5 5.1V3.5a.5.5 0 0 0-1 0v3c0 .28.22.5.5.5h3a.5.5 0 0 0 0-1H5.53c1.1-1.23 2.7-2 4.47-2Zm0 2.5a.5.5 0 0 0-1 0v4c0 .28.22.5.5.5h3a.5.5 0 0 0 0-1H10V6.5Z"]),t=(0,e.createFluentIcon)("Home20Regular","20",["M9 2.39a1.5 1.5 0 0 1 2 0l5.5 4.94c.32.28.5.69.5 1.12v7.05c0 .83-.67 1.5-1.5 1.5H13a1.5 1.5 0 0 1-1.5-1.5V12a.5.5 0 0 0-.5-.5H9a.5.5 0 0 0-.5.5v3.5c0 .83-.67 1.5-1.5 1.5H4.5A1.5 1.5 0 0 1 3 15.5V8.45c0-.43.18-.84.5-1.12L9 2.39Zm1.33.74a.5.5 0 0 0-.66 0l-5.5 4.94a.5.5 0 0 0-.17.38v7.05c0 .28.22.5.5.5H7a.5.5 0 0 0 .5-.5V12c0-.83.67-1.5 1.5-1.5h2c.83 0 1.5.67 1.5 1.5v3.5c0 .28.22.5.5.5h2.5a.5.5 0 0 0 .5-.5V8.45a.5.5 0 0 0-.17-.38l-5.5-4.94Z"])},17944,r=>{"use strict";r.s(["ArrowDownRegular",()=>o,"ArrowUpRegular",()=>t,"BuildingFilled",()=>a,"BuildingRegular",()=>l]);var e=r.i(39806);let o=(0,e.createFluentIcon)("ArrowDownRegular","1em",["M16.87 10.84a.5.5 0 1 0-.74-.68l-5.63 6.17V2.5a.5.5 0 0 0-1 0v13.83l-5.63-6.17a.5.5 0 0 0-.74.68l6.31 6.91a.75.75 0 0 0 1.11 0l6.32-6.91Z"]),t=(0,e.createFluentIcon)("ArrowUpRegular","1em",["M3.13 9.16a.5.5 0 1 0 .74.68L9.5 3.67V17.5a.5.5 0 1 0 1 0V3.67l5.63 6.17a.5.5 0 0 0 .74-.68l-6.32-6.92a.75.75 0 0 0-1.1 0L3.13 9.16Z"],{flipInRtl:!0}),a=(0,e.createFluentIcon)("BuildingFilled","1em",["M4 3.5C4 2.67 4.67 2 5.5 2h6c.83 0 1.5.67 1.5 1.5V8h1.5c.83 0 1.5.67 1.5 1.5v8a.5.5 0 0 1-.5.5H13v-3.5a.5.5 0 0 0-.5-.5h-5a.5.5 0 0 0-.5.5V18H4.5a.5.5 0 0 1-.5-.5v-14Zm2.75 3a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 0-1.5 0 .75.75 0 0 0 1.5 0Zm-.75 3.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm3.75-6.75a.75.75 0 1 0-1.5 0 .75.75 0 0 0 1.5 0ZM9.75 9.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 0-1.5 0 .75.75 0 0 0 1.5 0Zm2.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM12 15v3h-1.5v-3H12Zm-2.5 0H8v3h1.5v-3Z"]),l=(0,e.createFluentIcon)("BuildingRegular","1em",["M6.75 6.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm-.75 3.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm3.75-6.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM9.75 9.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm2.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM4.5 18a.5.5 0 0 1-.5-.5v-14C4 2.67 4.67 2 5.5 2h6c.83 0 1.5.67 1.5 1.5V8h1.5c.83 0 1.5.67 1.5 1.5v8a.5.5 0 0 1-.5.5h-11ZM5 3.5V17h2v-2.5c0-.28.22-.5.5-.5h5c.28 0 .5.22.5.5V17h2V9.5a.5.5 0 0 0-.5-.5h-2a.5.5 0 0 1-.5-.5v-5a.5.5 0 0 0-.5-.5h-6a.5.5 0 0 0-.5.5ZM12 15h-1.5v2H12v-2Zm-2.5 0H8v2h1.5v-2Z"])},13768,2012,75345,807,58725,17304,51351,r=>{"use strict";r.s(["useTable_unstable",()=>a],13768);var e=r.i(71645),o=r.i(56720),t=r.i(77074);let a=(r,e)=>{var a,l,n,c;let i=(null!=(a=r.as)?a:r.noNativeElements)?"div":"table";return{components:{root:i},root:t.slot.always((0,o.getIntrinsicElementProps)(i,{ref:e,role:"div"===i?"table":void 0,...r}),{elementType:i}),size:null!=(l=r.size)?l:"medium",noNativeElements:null!=(n=r.noNativeElements)&&n,sortable:null!=(c=r.sortable)&&c}};r.s(["renderTable_unstable",()=>u],75345);var l=r.i(97906),n=r.i(46163);r.s(["TableContextProvider",()=>d,"useTableContext",()=>s],2012);let c=e.createContext(void 0),i={size:"medium",noNativeElements:!1,sortable:!1},d=c.Provider,s=()=>{var r;return null!=(r=e.useContext(c))?r:i},u=(r,e)=>((0,n.assertSlots)(r),(0,l.jsx)(d,{value:e.table,children:(0,l.jsx)(r.root,{})}));r.s(["useTableStyles_unstable",()=>m],807);var f=r.i(69024),g=r.i(32778);let v=(0,f.__styles)({root:{mc9l5x:"f1w4nmp0",ha4doy:"fmrv4ls",a9b677:"fly5x3f",B73mfa3:"f14m3nip"}},{d:[".f1w4nmp0{display:table;}",".fmrv4ls{vertical-align:middle;}",".fly5x3f{width:100%;}",".f14m3nip{table-layout:fixed;}"]}),p=(0,f.__styles)({root:{mc9l5x:"ftgm304"}},{d:[".ftgm304{display:block;}"]}),h=(0,f.__styles)({root:{po53p8:"fgkb47j",De3pzq:"fhovq9v"}},{d:[".fgkb47j{border-collapse:collapse;}",".fhovq9v{background-color:var(--colorSubtleBackground);}"]}),m=r=>{let e=h(),o={table:v(),flex:p()};return r.root.className=(0,g.mergeClasses)("fui-Table",e.root,r.noNativeElements?o.flex.root:o.table.root,r.root.className),r};function b(r){let{size:o,noNativeElements:t,sortable:a}=r;return{table:e.useMemo(()=>({noNativeElements:t,size:o,sortable:a}),[t,o,a])}}r.s(["useTableContextValues_unstable",()=>b],58725),r.s(["useTableBody_unstable",()=>B],17304);let B=(r,e)=>{var a;let{noNativeElements:l}=s(),n=(null!=(a=r.as)?a:l)?"div":"tbody";return{components:{root:n},root:t.slot.always((0,o.getIntrinsicElementProps)(n,{ref:e,role:"div"===n?"rowgroup":void 0,...r}),{elementType:n}),noNativeElements:l}};r.s(["useTableBodyStyles_unstable",()=>y],51351);let k=(0,f.__styles)({root:{mc9l5x:"f1tp1avn"}},{d:[".f1tp1avn{display:table-row-group;}"]}),w=(0,f.__styles)({root:{mc9l5x:"ftgm304"}},{d:[".ftgm304{display:block;}"]}),y=r=>{let e={table:k(),flex:w()};return r.root.className=(0,g.mergeClasses)("fui-TableBody",r.noNativeElements?e.flex.root:e.table.root,r.root.className),r}},70218,5129,r=>{"use strict";r.s(["useTableRow_unstable",()=>u],70218);var e=r.i(71645),o=r.i(56720),t=r.i(51701),a=r.i(77074),l=r.i(76865),n=r.i(52536),c=r.i(2012);r.s(["TableHeaderContextProvider",()=>d,"useIsInTableHeader",()=>s],5129);let i=e.createContext(void 0),d=i.Provider,s=()=>""===e.useContext(i),u=(r,e)=>{var i,d;let{noNativeElements:u,size:f}=(0,c.useTableContext)(),g=(null!=(i=r.as)?i:u)?"div":"tr",v=(0,l.useFocusVisible)(),p=(0,n.useFocusWithin)(),h=s();return{components:{root:g},root:a.slot.always((0,o.getIntrinsicElementProps)(g,{ref:(0,t.useMergedRefs)(e,v,p),role:"div"===g?"row":void 0,...r}),{elementType:g}),size:f,noNativeElements:u,appearance:null!=(d=r.appearance)?d:"none",isHeaderRow:h}}},78945,r=>{"use strict";r.s(["useTableCell_unstable",()=>a]),r.i(71645);var e=r.i(56720),o=r.i(77074),t=r.i(2012);let a=(r,a)=>{var l;let{noNativeElements:n,size:c}=(0,t.useTableContext)(),i=(null!=(l=r.as)?l:n)?"div":"td";return{components:{root:i},root:o.slot.always((0,e.getIntrinsicElementProps)(i,{ref:a,role:"div"===i?"cell":void 0,...r}),{elementType:i}),noNativeElements:n,size:c}}},84003,55983,6903,9671,r=>{"use strict";r.s(["useTableRowStyles_unstable",()=>c],84003);var e=r.i(69024),o=r.i(32778);let t={root:"fui-TableRow"},a=(0,e.__styles)({root:{mc9l5x:"f1u0rzck"}},{d:[".f1u0rzck{display:table-row;}"]}),l=(0,e.__styles)({root:{mc9l5x:"f22iagw",Bt984gj:"f122n59"}},{d:[".f22iagw{display:flex;}",".f122n59{align-items:center;}"]}),n=(0,e.__styles)({root:{sj55zd:"f19n0e5",B7ck84d:"f1ewtqcl",Bconypa:"f1jazu75",B6guboy:"f1xeqee6",Bfpq7zp:0,g9k6zt:0,Bn4voq9:0,giviqs:"f1dxfoyt",Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f2krc9w"},rootInteractive:{B6guboy:"f1xeqee6",ecr2s2:"f1wfn5kd",lj723h:"f1g4hkjv",B43xm9u:"f15ngxrw",i921ia:"fjbbrdp",Jwef8y:"f1t94bn6",Bi91k9c:"feu1g3u",Bpt6rm4:"f1uorfem",ff6mpl:"fw60kww",ze5xyy:"f4xjyn1",pgvf35:"ff1wgvm",Bh7lczh:["fiob0tu","f1x4h75k"],dpv3f4:"f1j6scgf",Bpnjhaq:["f1x4h75k","fiob0tu"]},medium:{B9xav0g:0,oivjwe:0,Bn0qgzm:0,Bgfg5da:"f1facbz3"},small:{B9xav0g:0,oivjwe:0,Bn0qgzm:0,Bgfg5da:"f1facbz3"},"extra-small":{Be2twd7:"fy9rknc"},brand:{De3pzq:"f16xkysk",g2u3we:"f1bh3yvw",h3c5rm:["fmi79ni","f11fozsx"],B9xav0g:"fnzw4c6",zhjwy3:["f11fozsx","fmi79ni"],ecr2s2:"f7tkmfy",lj723h:"f1r2dosr",uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f95l9gw",h6lo6r:0,Beo2b4z:0,w1pwid:0,Btyw6ap:0,Hkxhyr:"fw8kmcu",Brwvgy3:"fd94n53",yadkgm:"f1e0wld5"},neutral:{uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f95l9gw",h6lo6r:0,Beo2b4z:0,w1pwid:0,Btyw6ap:0,Hkxhyr:"fw8kmcu",Brwvgy3:"fd94n53",yadkgm:"f1e0wld5",De3pzq:"fq5gl1p",sj55zd:"f1cgsbmv",Jwef8y:"f1uqaxdt",ecr2s2:"fa9o754",g2u3we:"frmsihh",h3c5rm:["frttxa5","f11o2r7f"],B9xav0g:"fem5et0",zhjwy3:["f11o2r7f","frttxa5"]},none:{}},{d:[".f19n0e5{color:var(--colorNeutralForeground1);}",".f1ewtqcl{box-sizing:border-box;}",".f1jazu75[data-fui-focus-within]:focus-within .fui-TableSelectionCell{opacity:1;}",".f1xeqee6[data-fui-focus-within]:focus-within .fui-TableCellActions{opacity:1;}",[".f1dxfoyt[data-fui-focus-visible]{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f2krc9w[data-fui-focus-visible]{border-radius:var(--borderRadiusMedium);}",{p:-1}],[".f1facbz3{border-bottom:var(--strokeWidthThin) solid var(--colorNeutralStroke2);}",{p:-1}],[".f1facbz3{border-bottom:var(--strokeWidthThin) solid var(--colorNeutralStroke2);}",{p:-1}],".fy9rknc{font-size:var(--fontSizeBase200);}",".f16xkysk{background-color:var(--colorBrandBackground2);}",".f1bh3yvw{border-top-color:var(--colorTransparentStrokeInteractive);}",".fmi79ni{border-right-color:var(--colorTransparentStrokeInteractive);}",".f11fozsx{border-left-color:var(--colorTransparentStrokeInteractive);}",".fnzw4c6{border-bottom-color:var(--colorTransparentStrokeInteractive);}",".fq5gl1p{background-color:var(--colorSubtleBackgroundSelected);}",".f1cgsbmv{color:var(--colorNeutralForeground1Hover);}",".frmsihh{border-top-color:var(--colorNeutralStrokeOnBrand);}",".frttxa5{border-right-color:var(--colorNeutralStrokeOnBrand);}",".f11o2r7f{border-left-color:var(--colorNeutralStrokeOnBrand);}",".fem5et0{border-bottom-color:var(--colorNeutralStrokeOnBrand);}"],a:[".f1wfn5kd:active{background-color:var(--colorSubtleBackgroundPressed);}",".f1g4hkjv:active{color:var(--colorNeutralForeground1Pressed);}",".f15ngxrw:active .fui-TableCellActions{opacity:1;}",".fjbbrdp:active .fui-TableSelectionCell{opacity:1;}",".f7tkmfy:active{background-color:var(--colorBrandBackground2);}",".f1r2dosr:active{color:var(--colorNeutralForeground1);}",".fa9o754:active{background-color:var(--colorSubtleBackgroundSelected);}"],h:[".f1t94bn6:hover{background-color:var(--colorSubtleBackgroundHover);}",".feu1g3u:hover{color:var(--colorNeutralForeground1Hover);}",".f1uorfem:hover .fui-TableCellActions{opacity:1;}",".fw60kww:hover .fui-TableSelectionCell{opacity:1;}",".f1uqaxdt:hover{background-color:var(--colorSubtleBackgroundSelected);}"],m:[["@media (forced-colors: active){.f4xjyn1:hover{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.ff1wgvm:hover{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1x4h75k:hover{border-left-color:Highlight;}.fiob0tu:hover{border-right-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1j6scgf:hover{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f95l9gw{border:2px solid transparent;}}",{p:-2,m:"(forced-colors: active)"}],["@media (forced-colors: active){.fw8kmcu{border-radius:var(--borderRadiusMedium);}}",{p:-1,m:"(forced-colors: active)"}],["@media (forced-colors: active){.fd94n53{box-sizing:border-box;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1e0wld5:focus-visible{outline-offset:-4px;}}",{m:"(forced-colors: active)"}]]}),c=r=>{let e=n(),c={table:a(),flex:l()};return r.root.className=(0,o.mergeClasses)(t.root,e.root,!r.isHeaderRow&&e.rootInteractive,e[r.size],r.noNativeElements?c.flex.root:c.table.root,e[r.appearance],r.root.className),r};r.s(["useTableHeader_unstable",()=>u],55983),r.i(71645);var i=r.i(56720),d=r.i(77074),s=r.i(2012);let u=(r,e)=>{var o;let{noNativeElements:t}=(0,s.useTableContext)(),a=(null!=(o=r.as)?o:t)?"div":"thead";return{components:{root:a},root:d.slot.always((0,i.getIntrinsicElementProps)(a,{ref:e,role:"div"===a?"rowgroup":void 0,...r}),{elementType:a}),noNativeElements:t}};r.s(["renderTableHeader_unstable",()=>p],6903);var f=r.i(97906),g=r.i(46163),v=r.i(5129);let p=r=>((0,g.assertSlots)(r),(0,f.jsx)(v.TableHeaderContextProvider,{value:"",children:(0,f.jsx)(r.root,{})}));r.s(["useTableHeaderStyles_unstable",()=>b],9671);let h=(0,e.__styles)({root:{mc9l5x:"ftgm304"}},{d:[".ftgm304{display:block;}"]}),m=(0,e.__styles)({root:{mc9l5x:"f1tp1avn"}},{d:[".f1tp1avn{display:table-row-group;}"]}),b=r=>{let e={table:m(),flex:h()};return r.root.className=(0,o.mergeClasses)("fui-TableHeader",r.noNativeElements?e.flex.root:e.table.root,r.root.className),r}},35738,76365,91058,r=>{"use strict";r.s(["useTableHeaderCell_unstable",()=>s],35738);var e=r.i(71645),o=r.i(56720),t=r.i(51701),a=r.i(77074),l=r.i(52536),n=r.i(17944),c=r.i(21183),i=r.i(2012);let d={ascending:e.createElement(n.ArrowUpRegular,{fontSize:12}),descending:e.createElement(n.ArrowDownRegular,{fontSize:12})},s=(r,e)=>{var n,s;let{noNativeElements:u,sortable:f}=(0,i.useTableContext)(),{sortable:g=f}=r,v=(null!=(n=r.as)?n:u)?"div":"th",p=a.slot.always(r.button,{elementType:"div",defaultProps:{as:"div"}}),h=(0,c.useARIAButtonProps)(p.as,p);return{components:{root:v,button:"div",sortIcon:"span",aside:"span"},root:a.slot.always((0,o.getIntrinsicElementProps)(v,{ref:(0,t.useMergedRefs)(e,(0,l.useFocusWithin)()),role:"div"===v?"columnheader":void 0,"aria-sort":g?null!=(s=r.sortDirection)?s:"none":void 0,...r}),{elementType:v}),aside:a.slot.optional(r.aside,{elementType:"span"}),sortIcon:a.slot.optional(r.sortIcon,{renderByDefault:!!r.sortDirection,defaultProps:{children:r.sortDirection?d[r.sortDirection]:void 0},elementType:"span"}),button:g?h:p,sortable:g,noNativeElements:u}};r.s(["renderTableHeaderCell_unstable",()=>g],76365);var u=r.i(97906),f=r.i(46163);let g=r=>((0,f.assertSlots)(r),(0,u.jsxs)(r.root,{children:[(0,u.jsxs)(r.button,{children:[r.root.children,r.sortIcon&&(0,u.jsx)(r.sortIcon,{})]}),r.aside&&(0,u.jsx)(r.aside,{})]}));r.s(["useTableHeaderCellStyles_unstable",()=>k],91058);var v=r.i(69024),p=r.i(32778);let h={root:"fui-TableHeaderCell",button:"fui-TableHeaderCell__button",sortIcon:"fui-TableHeaderCell__sortIcon",aside:"fui-TableHeaderCell__aside"},m=(0,v.__styles)({root:{mc9l5x:"f15pt5es",ha4doy:"fmrv4ls"}},{d:[".f15pt5es{display:table-cell;}",".fmrv4ls{vertical-align:middle;}"]}),b=(0,v.__styles)({root:{mc9l5x:"f22iagw",xawz:0,Bh6795r:0,Bnnss6s:0,fkmc3a:"f1izfyrr",Bf4jedk:"f10tiqix"}},{d:[".f22iagw{display:flex;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".f10tiqix{min-width:0px;}"]}),B=(0,v.__styles)({root:{Bhrd7zp:"figsok6",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f3gpkru",robkg1:0,Bmvh20x:0,B3nxjsc:0,Bmkhcsx:"f14ym4q2",B8osjzx:0,pehzd3:0,Blsv9te:0,u7xebq:0,Bsvwmf7:"f1euou18",qhf8xq:"f10pi13n"},rootInteractive:{Bi91k9c:"feu1g3u",Jwef8y:"f1t94bn6",lj723h:"f1g4hkjv",ecr2s2:"f1wfn5kd"},resetButton:{B3rzk8w:"fq6nmtn",B7ck84d:"f1e4lqlz",De3pzq:"f1u2r49w",sj55zd:"f1ym3bx4",Bahqtrf:"f1mo0ibp",Be2twd7:"fjoy568",Bg96gwp:"fytdu2e",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1gl81tg",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1mk8lai",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"f3bhgqh",fsow6f:"fgusgyc"},button:{qhf8xq:"f10pi13n",a9b677:"fly5x3f",mc9l5x:"f22iagw",Bh6795r:0,Bqenvij:"f1l02sjl",Bt984gj:"f122n59",i8kkvl:0,Belr9w4:0,rmohyg:"fkln5zr",sshi5w:"f1nxs5xn",xawz:0,Bnnss6s:0,fkmc3a:"f1izfyrr",oeaueh:"f1s6fcnf"},sortable:{Bceei9c:"f1k6fduh"},sortIcon:{mc9l5x:"f22iagw",Bt984gj:"f122n59",z8tnut:"fclwglc"},resizeHandle:{}},{d:[".figsok6{font-weight:var(--fontWeightRegular);}",[".f3gpkru{padding:0px var(--spacingHorizontalS);}",{p:-1}],[".f14ym4q2[data-fui-focus-within]:focus-within{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f1euou18[data-fui-focus-within]:focus-within{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f10pi13n{position:relative;}",".fq6nmtn{resize:horizontal;}",".f1e4lqlz{box-sizing:content-box;}",".f1u2r49w{background-color:inherit;}",".f1ym3bx4{color:inherit;}",".f1mo0ibp{font-family:inherit;}",".fjoy568{font-size:inherit;}",".fytdu2e{line-height:normal;}",[".f1gl81tg{overflow:visible;}",{p:-1}],[".f1mk8lai{padding:0;}",{p:-1}],[".f3bhgqh{border:none;}",{p:-2}],".fgusgyc{text-align:unset;}",".fly5x3f{width:100%;}",".f22iagw{display:flex;}",".fqerorx{flex-grow:1;}",".f1l02sjl{height:100%;}",".f122n59{align-items:center;}",[".fkln5zr{gap:var(--spacingHorizontalXS);}",{p:-1}],".f1nxs5xn{min-height:32px;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".f1s6fcnf{outline-style:none;}",".f1k6fduh{cursor:pointer;}",".fclwglc{padding-top:var(--spacingVerticalXXS);}"],h:[".feu1g3u:hover{color:var(--colorNeutralForeground1Hover);}",".f1t94bn6:hover{background-color:var(--colorSubtleBackgroundHover);}"],a:[".f1g4hkjv:active{color:var(--colorNeutralForeground1Pressed);}",".f1wfn5kd:active{background-color:var(--colorSubtleBackgroundPressed);}"]}),k=r=>{let e=B(),o={table:m(),flex:b()};return r.root.className=(0,p.mergeClasses)(h.root,e.root,r.sortable&&e.rootInteractive,r.noNativeElements?o.flex.root:o.table.root,r.root.className),r.button.className=(0,p.mergeClasses)(h.button,e.resetButton,e.button,r.sortable&&e.sortable,r.button.className),r.sortIcon&&(r.sortIcon.className=(0,p.mergeClasses)(h.sortIcon,e.sortIcon,r.sortIcon.className)),r.aside&&(r.aside.className=(0,p.mergeClasses)(h.aside,e.resizeHandle,r.aside.className)),r}},7654,66658,r=>{"use strict";r.s(["renderTableCell_unstable",()=>t],7654);var e=r.i(97906),o=r.i(46163);let t=r=>((0,o.assertSlots)(r),(0,e.jsx)(r.root,{}));r.s(["useTableCellStyles_unstable",()=>s],66658);var a=r.i(69024),l=r.i(32778);let n={root:"fui-TableCell"},c=(0,a.__styles)({root:{mc9l5x:"f15pt5es",ha4doy:"fmrv4ls"},medium:{Bqenvij:"f1ft4266"},small:{Bqenvij:"fbsu25e"},"extra-small":{Bqenvij:"frvgh55"}},{d:[".f15pt5es{display:table-cell;}",".fmrv4ls{vertical-align:middle;}",".f1ft4266{height:44px;}",".fbsu25e{height:34px;}",".frvgh55{height:24px;}"]}),i=(0,a.__styles)({root:{mc9l5x:"f22iagw",Bf4jedk:"f10tiqix",Bt984gj:"f122n59",xawz:0,Bh6795r:0,Bnnss6s:0,fkmc3a:"f1izfyrr"},medium:{sshi5w:"f5pgtk9"},small:{sshi5w:"fcep9tg"},"extra-small":{sshi5w:"f1pha7fy"}},{d:[".f22iagw{display:flex;}",".f10tiqix{min-width:0px;}",".f122n59{align-items:center;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".f5pgtk9{min-height:44px;}",".fcep9tg{min-height:34px;}",".f1pha7fy{min-height:24px;}"]}),d=(0,a.__styles)({root:{qhf8xq:"f10pi13n",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f3gpkru",Bfpq7zp:0,g9k6zt:0,Bn4voq9:0,giviqs:"f1dxfoyt",Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f2krc9w"}},{d:[".f10pi13n{position:relative;}",[".f3gpkru{padding:0px var(--spacingHorizontalS);}",{p:-1}],[".f1dxfoyt[data-fui-focus-visible]{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f2krc9w[data-fui-focus-visible]{border-radius:var(--borderRadiusMedium);}",{p:-1}]]}),s=r=>{let e=d(),o={table:c(),flex:i()};return r.root.className=(0,l.mergeClasses)(n.root,e.root,r.noNativeElements?o.flex.root:o.table.root,r.noNativeElements?o.flex[r.size]:o.table[r.size],r.root.className),r}},31131,r=>{"use strict";r.s(["dataverseClient",()=>t]);let e="/api/data/v9.2",o="/api/audit",t=new class{async fetchEntities(r,o){var t;let a=new URLSearchParams;(null==o||null==(t=o.select)?void 0:t.length)&&a.append("$select",o.select.join(",")),(null==o?void 0:o.filter)&&a.append("$filter",o.filter),(null==o?void 0:o.orderby)&&a.append("$orderby",o.orderby),(null==o?void 0:o.top)!==void 0&&a.append("$top",o.top.toString()),(null==o?void 0:o.skip)!==void 0&&a.append("$skip",o.skip.toString()),(null==o?void 0:o.count)&&a.append("$count","true");let l="".concat(e,"/").concat(r).concat(a.toString()?"?"+a.toString():""),n=await fetch(l,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!n.ok)throw Error("API request failed: ".concat(n.status," ").concat(n.statusText));return n.json()}async fetchEntity(r,o,t){var a;let l=new URLSearchParams;(null==t||null==(a=t.select)?void 0:a.length)&&l.append("$select",t.select.join(","));let n="".concat(e,"/").concat(r,"(").concat(o,")").concat(l.toString()?"?"+l.toString():""),c=await fetch(n,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!c.ok)throw Error("API request failed: ".concat(c.status," ").concat(c.statusText));return c.json()}async createEntity(r,o){let t="".concat(e,"/").concat(r),a=await fetch(t,{method:"POST",headers:{Accept:"application/json","Content-Type":"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"},body:JSON.stringify(o)});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText));let l=a.headers.get("Location");if(l){let r=l.match(/\(([^)]+)\)/);if(r)return r[1]}return""}async updateEntity(r,o,t){let a="".concat(e,"/").concat(r,"(").concat(o,")"),l=await fetch(a,{method:"PATCH",headers:{Accept:"application/json","Content-Type":"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"},body:JSON.stringify(t)});if(!l.ok)throw Error("API request failed: ".concat(l.status," ").concat(l.statusText))}async deleteEntity(r,o){let t="".concat(e,"/").concat(r,"(").concat(o,")"),a=await fetch(t,{method:"DELETE",headers:{"OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText))}async fetchEntityDefinitions(r){var o;let t=new URLSearchParams;(null==r||null==(o=r.select)?void 0:o.length)&&t.append("$select",r.select.join(",")),(null==r?void 0:r.filter)&&t.append("$filter",r.filter);let a="".concat(e,"/EntityDefinitions").concat(t.toString()?"?"+t.toString():""),l=await fetch(a,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!l.ok)throw Error("API request failed: ".concat(l.status," ").concat(l.statusText));return l.json()}async fetchEntityDefinition(r,o){var t;let a=new URLSearchParams;(null==o||null==(t=o.expand)?void 0:t.length)&&a.append("$expand",o.expand.join(","));let l="".concat(e,"/EntityDefinitions(LogicalName='").concat(r,"')").concat(a.toString()?"?"+a.toString():""),n=await fetch(l,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!n.ok)throw Error("API request failed: ".concat(n.status," ").concat(n.statusText));return n.json()}async fetchAuditRecords(r){let e=new URLSearchParams;(null==r?void 0:r.top)!==void 0&&e.append("top",r.top.toString()),(null==r?void 0:r.skip)!==void 0&&e.append("skip",r.skip.toString()),(null==r?void 0:r.orderby)&&e.append("orderby",r.orderby),(null==r?void 0:r.filter)&&e.append("filter",r.filter);let t="".concat(o).concat(e.toString()?"?"+e.toString():""),a=await fetch(t,{method:"GET",headers:{Accept:"application/json"}});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText));return a.json()}async fetchEntityAuditRecords(r,e){let t="".concat(o,"/entity/").concat(r,"/").concat(e),a=await fetch(t,{method:"GET",headers:{Accept:"application/json"}});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText));return a.json()}async fetchAuditDetails(r){let e="".concat(o,"/details/").concat(r),t=await fetch(e,{method:"GET",headers:{Accept:"application/json"}});if(!t.ok)throw Error("API request failed: ".concat(t.status," ").concat(t.statusText));return t.json()}async fetchAuditStatus(){let r=await fetch("".concat(o,"/status"),{method:"GET",headers:{Accept:"application/json"}});if(!r.ok)throw Error("API request failed: ".concat(r.status," ").concat(r.statusText));return r.json()}async setAuditStatus(r){let e=await fetch("".concat(o,"/status"),{method:"POST",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({isAuditEnabled:r})});if(!e.ok)throw Error("API request failed: ".concat(e.status," ").concat(e.statusText));return e.json()}}},98358,r=>{"use strict";r.s(["Badge",()=>h],98358);var e=r.i(71645),o=r.i(56720),t=r.i(77074),a=r.i(21982),l=r.i(69024),n=r.i(32778),c=r.i(83831);let i={root:"fui-Badge",icon:"fui-Badge__icon"};c.tokens.spacingHorizontalXXS;let d=(0,a.__resetStyles)("r1iycov","r115jdol",[".r1iycov{display:inline-flex;box-sizing:border-box;align-items:center;justify-content:center;position:relative;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase200);font-weight:var(--fontWeightSemibold);line-height:var(--lineHeightBase200);height:20px;min-width:20px;padding:0 calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));border-radius:var(--borderRadiusCircular);border-color:var(--colorTransparentStroke);}",'.r1iycov::after{content:"";position:absolute;top:0;left:0;bottom:0;right:0;border-style:solid;border-color:inherit;border-width:var(--strokeWidthThin);border-radius:inherit;}',".r115jdol{display:inline-flex;box-sizing:border-box;align-items:center;justify-content:center;position:relative;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase200);font-weight:var(--fontWeightSemibold);line-height:var(--lineHeightBase200);height:20px;min-width:20px;padding:0 calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));border-radius:var(--borderRadiusCircular);border-color:var(--colorTransparentStroke);}",'.r115jdol::after{content:"";position:absolute;top:0;right:0;bottom:0;left:0;border-style:solid;border-color:inherit;border-width:var(--strokeWidthThin);border-radius:inherit;}']),s=(0,l.__styles)({fontSmallToTiny:{Bahqtrf:"fk6fouc",Be2twd7:"f13mqy1h",Bhrd7zp:"fl43uef",Bg96gwp:"fcpl73t"},tiny:{a9b677:"f16dn6v3",Bqenvij:"f3mu39s",Be2twd7:"f130uwy9",Bg96gwp:"fod1mrr",Bf4jedk:"f18p0k4z",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f19jm9xf"},"extra-small":{a9b677:"fpd43o0",Bqenvij:"f30q22z",Be2twd7:"f1tccstq",Bg96gwp:"f1y3arg5",Bf4jedk:"f18p0k4z",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f19jm9xf"},small:{Bf4jedk:"fq2vo04",Bqenvij:"fd461yt",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fupdldz"},medium:{},large:{Bf4jedk:"f17fgpbq",Bqenvij:"frvgh55",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1996nqw"},"extra-large":{Bf4jedk:"fwbmr0d",Bqenvij:"f1d2rq10",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fty64o7"},square:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f1fabniw"},rounded:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5"},roundedSmallToTiny:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"fq9zq91"},circular:{},borderGhost:{ap17g6:"f10ludwy"},filled:{},"filled-brand":{De3pzq:"ffp7eso",sj55zd:"f1phragk"},"filled-danger":{De3pzq:"fdl5y0r",sj55zd:"f1phragk"},"filled-important":{De3pzq:"f1c73kur",sj55zd:"fr0bkrk"},"filled-informative":{De3pzq:"f3vzo32",sj55zd:"f11d4kpn"},"filled-severe":{De3pzq:"f1s438gw",sj55zd:"f1phragk"},"filled-subtle":{De3pzq:"fxugw4r",sj55zd:"f19n0e5"},"filled-success":{De3pzq:"flxk52p",sj55zd:"f1phragk"},"filled-warning":{De3pzq:"ffq97bm",sj55zd:"ff5vbop"},ghost:{},"ghost-brand":{sj55zd:"f16muhyy"},"ghost-danger":{sj55zd:"f1whyuy6"},"ghost-important":{sj55zd:"f19n0e5"},"ghost-informative":{sj55zd:"f11d4kpn"},"ghost-severe":{sj55zd:"f1l8vj45"},"ghost-subtle":{sj55zd:"fonrgv7"},"ghost-success":{sj55zd:"f1m7fhi8"},"ghost-warning":{sj55zd:"fpti2h4"},outline:{g2u3we:"f23ftbb",h3c5rm:["f1gkuv52","f1p1bl80"],B9xav0g:"fioka3i",zhjwy3:["f1p1bl80","f1gkuv52"]},"outline-brand":{sj55zd:"f16muhyy"},"outline-danger":{sj55zd:"f1whyuy6",g2u3we:"fyqpifd",h3c5rm:["f3ukxca","f1k7dugc"],B9xav0g:"f1njxb2b",zhjwy3:["f1k7dugc","f3ukxca"]},"outline-important":{sj55zd:"f11d4kpn",g2u3we:"fq0vr37",h3c5rm:["f1byw159","f11cr0be"],B9xav0g:"f1c1zstj",zhjwy3:["f11cr0be","f1byw159"]},"outline-informative":{sj55zd:"f11d4kpn",g2u3we:"f68mrw8",h3c5rm:["f7pw515","fw35ms5"],B9xav0g:"frpde29",zhjwy3:["fw35ms5","f7pw515"]},"outline-severe":{sj55zd:"f1l8vj45"},"outline-subtle":{sj55zd:"fonrgv7"},"outline-success":{sj55zd:"f1m7fhi8",g2u3we:"f1mmhl11",h3c5rm:["f1tjpp2f","f1ocn5n7"],B9xav0g:"f1gjv25d",zhjwy3:["f1ocn5n7","f1tjpp2f"]},"outline-warning":{sj55zd:"fpti2h4"},tint:{},"tint-brand":{De3pzq:"f16xkysk",sj55zd:"faj9fo0",g2u3we:"f161y7kd",h3c5rm:["f1c8dzaj","f1sl6hi9"],B9xav0g:"f1619yhw",zhjwy3:["f1sl6hi9","f1c8dzaj"]},"tint-danger":{De3pzq:"ff0poqj",sj55zd:"f1hcrxcs",g2u3we:"f1oqjm8o",h3c5rm:["fkgrb8g","frb5wm0"],B9xav0g:"f1iai1ph",zhjwy3:["frb5wm0","fkgrb8g"]},"tint-important":{De3pzq:"f945g0u",sj55zd:"fr0bkrk",g2u3we:"fghlq4f",h3c5rm:["f1gn591s","fjscplz"],B9xav0g:"fb073pr",zhjwy3:["fjscplz","f1gn591s"]},"tint-informative":{De3pzq:"f1ctqxl6",sj55zd:"f11d4kpn",g2u3we:"f68mrw8",h3c5rm:["f7pw515","fw35ms5"],B9xav0g:"frpde29",zhjwy3:["fw35ms5","f7pw515"]},"tint-severe":{De3pzq:"f1xzsg4",sj55zd:"f1k5f75o",g2u3we:"fxy9dsj",h3c5rm:["f54u6j2","fcm23ze"],B9xav0g:"f4vf0uq",zhjwy3:["fcm23ze","f54u6j2"]},"tint-subtle":{De3pzq:"fxugw4r",sj55zd:"f11d4kpn",g2u3we:"f68mrw8",h3c5rm:["f7pw515","fw35ms5"],B9xav0g:"frpde29",zhjwy3:["fw35ms5","f7pw515"]},"tint-success":{De3pzq:"f2vsrz6",sj55zd:"ffmvakt",g2u3we:"fdmic9h",h3c5rm:["f196y6m","fetptd8"],B9xav0g:"f1pev5xq",zhjwy3:["fetptd8","f196y6m"]},"tint-warning":{De3pzq:"f10s6hli",sj55zd:"f42v8de",g2u3we:"fn9i3n",h3c5rm:["f1aw8cx4","f51if14"],B9xav0g:"fvq8iai",zhjwy3:["f51if14","f1aw8cx4"]}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".f13mqy1h{font-size:var(--fontSizeBase100);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".fcpl73t{line-height:var(--lineHeightBase100);}",".f16dn6v3{width:6px;}",".f3mu39s{height:6px;}",".f130uwy9{font-size:4px;}",".fod1mrr{line-height:4px;}",".f18p0k4z{min-width:unset;}",[".f19jm9xf{padding:unset;}",{p:-1}],".fpd43o0{width:10px;}",".f30q22z{height:10px;}",".f1tccstq{font-size:6px;}",".f1y3arg5{line-height:6px;}",[".f19jm9xf{padding:unset;}",{p:-1}],".fq2vo04{min-width:16px;}",".fd461yt{height:16px;}",[".fupdldz{padding:0 calc(var(--spacingHorizontalXXS) + var(--spacingHorizontalXXS));}",{p:-1}],".f17fgpbq{min-width:24px;}",".frvgh55{height:24px;}",[".f1996nqw{padding:0 calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));}",{p:-1}],".fwbmr0d{min-width:32px;}",".f1d2rq10{height:32px;}",[".fty64o7{padding:0 calc(var(--spacingHorizontalSNudge) + var(--spacingHorizontalXXS));}",{p:-1}],[".f1fabniw{border-radius:var(--borderRadiusNone);}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],[".fq9zq91{border-radius:var(--borderRadiusSmall);}",{p:-1}],".f10ludwy::after{display:none;}",".ffp7eso{background-color:var(--colorBrandBackground);}",".f1phragk{color:var(--colorNeutralForegroundOnBrand);}",".fdl5y0r{background-color:var(--colorPaletteRedBackground3);}",".f1c73kur{background-color:var(--colorNeutralForeground1);}",".fr0bkrk{color:var(--colorNeutralBackground1);}",".f3vzo32{background-color:var(--colorNeutralBackground5);}",".f11d4kpn{color:var(--colorNeutralForeground3);}",".f1s438gw{background-color:var(--colorPaletteDarkOrangeBackground3);}",".fxugw4r{background-color:var(--colorNeutralBackground1);}",".f19n0e5{color:var(--colorNeutralForeground1);}",".flxk52p{background-color:var(--colorPaletteGreenBackground3);}",".ffq97bm{background-color:var(--colorPaletteYellowBackground3);}",".ff5vbop{color:var(--colorNeutralForeground1Static);}",".f16muhyy{color:var(--colorBrandForeground1);}",".f1whyuy6{color:var(--colorPaletteRedForeground3);}",".f1l8vj45{color:var(--colorPaletteDarkOrangeForeground3);}",".fonrgv7{color:var(--colorNeutralForegroundStaticInverted);}",".f1m7fhi8{color:var(--colorPaletteGreenForeground3);}",".fpti2h4{color:var(--colorPaletteYellowForeground2);}",".f23ftbb{border-top-color:currentColor;}",".f1gkuv52{border-right-color:currentColor;}",".f1p1bl80{border-left-color:currentColor;}",".fioka3i{border-bottom-color:currentColor;}",".fyqpifd{border-top-color:var(--colorPaletteRedBorder2);}",".f3ukxca{border-right-color:var(--colorPaletteRedBorder2);}",".f1k7dugc{border-left-color:var(--colorPaletteRedBorder2);}",".f1njxb2b{border-bottom-color:var(--colorPaletteRedBorder2);}",".fq0vr37{border-top-color:var(--colorNeutralStrokeAccessible);}",".f1byw159{border-right-color:var(--colorNeutralStrokeAccessible);}",".f11cr0be{border-left-color:var(--colorNeutralStrokeAccessible);}",".f1c1zstj{border-bottom-color:var(--colorNeutralStrokeAccessible);}",".f68mrw8{border-top-color:var(--colorNeutralStroke2);}",".f7pw515{border-right-color:var(--colorNeutralStroke2);}",".fw35ms5{border-left-color:var(--colorNeutralStroke2);}",".frpde29{border-bottom-color:var(--colorNeutralStroke2);}",".f1mmhl11{border-top-color:var(--colorPaletteGreenBorder2);}",".f1tjpp2f{border-right-color:var(--colorPaletteGreenBorder2);}",".f1ocn5n7{border-left-color:var(--colorPaletteGreenBorder2);}",".f1gjv25d{border-bottom-color:var(--colorPaletteGreenBorder2);}",".f16xkysk{background-color:var(--colorBrandBackground2);}",".faj9fo0{color:var(--colorBrandForeground2);}",".f161y7kd{border-top-color:var(--colorBrandStroke2);}",".f1c8dzaj{border-right-color:var(--colorBrandStroke2);}",".f1sl6hi9{border-left-color:var(--colorBrandStroke2);}",".f1619yhw{border-bottom-color:var(--colorBrandStroke2);}",".ff0poqj{background-color:var(--colorPaletteRedBackground1);}",".f1hcrxcs{color:var(--colorPaletteRedForeground1);}",".f1oqjm8o{border-top-color:var(--colorPaletteRedBorder1);}",".fkgrb8g{border-right-color:var(--colorPaletteRedBorder1);}",".frb5wm0{border-left-color:var(--colorPaletteRedBorder1);}",".f1iai1ph{border-bottom-color:var(--colorPaletteRedBorder1);}",".f945g0u{background-color:var(--colorNeutralForeground3);}",".fghlq4f{border-top-color:var(--colorTransparentStroke);}",".f1gn591s{border-right-color:var(--colorTransparentStroke);}",".fjscplz{border-left-color:var(--colorTransparentStroke);}",".fb073pr{border-bottom-color:var(--colorTransparentStroke);}",".f1ctqxl6{background-color:var(--colorNeutralBackground4);}",".f1xzsg4{background-color:var(--colorPaletteDarkOrangeBackground1);}",".f1k5f75o{color:var(--colorPaletteDarkOrangeForeground1);}",".fxy9dsj{border-top-color:var(--colorPaletteDarkOrangeBorder1);}",".f54u6j2{border-right-color:var(--colorPaletteDarkOrangeBorder1);}",".fcm23ze{border-left-color:var(--colorPaletteDarkOrangeBorder1);}",".f4vf0uq{border-bottom-color:var(--colorPaletteDarkOrangeBorder1);}",".f2vsrz6{background-color:var(--colorPaletteGreenBackground1);}",".ffmvakt{color:var(--colorPaletteGreenForeground1);}",".fdmic9h{border-top-color:var(--colorPaletteGreenBorder1);}",".f196y6m{border-right-color:var(--colorPaletteGreenBorder1);}",".fetptd8{border-left-color:var(--colorPaletteGreenBorder1);}",".f1pev5xq{border-bottom-color:var(--colorPaletteGreenBorder1);}",".f10s6hli{background-color:var(--colorPaletteYellowBackground1);}",".f42v8de{color:var(--colorPaletteYellowForeground1);}",".fn9i3n{border-top-color:var(--colorPaletteYellowBorder1);}",".f1aw8cx4{border-right-color:var(--colorPaletteYellowBorder1);}",".f51if14{border-left-color:var(--colorPaletteYellowBorder1);}",".fvq8iai{border-bottom-color:var(--colorPaletteYellowBorder1);}"]}),u=(0,a.__resetStyles)("rttl5z0",null,[".rttl5z0{display:flex;line-height:1;margin:0 calc(-1 * var(--spacingHorizontalXXS));font-size:12px;}"]),f=(0,l.__styles)({beforeText:{t21cq0:["f1t8l4o1","f11juvx6"]},afterText:{Frg6f3:["f11juvx6","f1t8l4o1"]},beforeTextXL:{t21cq0:["f1rs9grm","f1kwmkpi"]},afterTextXL:{Frg6f3:["f1kwmkpi","f1rs9grm"]},tiny:{Be2twd7:"f1tccstq"},"extra-small":{Be2twd7:"fnmn6fi"},small:{Be2twd7:"f1ugzwwg"},medium:{},large:{Be2twd7:"f4ybsrx"},"extra-large":{Be2twd7:"fe5j1ua"}},{d:[".f1t8l4o1{margin-right:calc(var(--spacingHorizontalXXS) + var(--spacingHorizontalXXS));}",".f11juvx6{margin-left:calc(var(--spacingHorizontalXXS) + var(--spacingHorizontalXXS));}",".f1rs9grm{margin-right:calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));}",".f1kwmkpi{margin-left:calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));}",".f1tccstq{font-size:6px;}",".fnmn6fi{font-size:10px;}",".f1ugzwwg{font-size:12px;}",".f4ybsrx{font-size:16px;}",".fe5j1ua{font-size:20px;}"]});var g=r.i(96019),v=r.i(97906),p=r.i(46163);let h=e.forwardRef((r,a)=>{let l=((r,e)=>{let{shape:a="circular",size:l="medium",iconPosition:n="before",appearance:c="filled",color:i="brand"}=r;return{shape:a,size:l,iconPosition:n,appearance:c,color:i,components:{root:"div",icon:"span"},root:t.slot.always((0,o.getIntrinsicElementProps)("div",{ref:e,...r}),{elementType:"div"}),icon:t.slot.optional(r.icon,{elementType:"span"})}})(r,a);return(r=>{let o=d(),t=s(),a="small"===r.size||"extra-small"===r.size||"tiny"===r.size;r.root.className=(0,n.mergeClasses)(i.root,o,a&&t.fontSmallToTiny,t[r.size],t[r.shape],"rounded"===r.shape&&a&&t.roundedSmallToTiny,"ghost"===r.appearance&&t.borderGhost,t[r.appearance],t["".concat(r.appearance,"-").concat(r.color)],r.root.className);let l=u(),c=f();if(r.icon){let o;e.Children.toArray(r.root.children).length>0&&(o="extra-large"===r.size?"after"===r.iconPosition?c.afterTextXL:c.beforeTextXL:"after"===r.iconPosition?c.afterText:c.beforeText),r.icon.className=(0,n.mergeClasses)(i.icon,l,o,c[r.size],r.icon.className)}})(l),(0,g.useCustomStyleHook_unstable)("useBadgeStyles_unstable")(l),(r=>((0,p.assertSlots)(r),(0,v.jsxs)(r.root,{children:["before"===r.iconPosition&&r.icon&&(0,v.jsx)(r.icon,{}),r.root.children,"after"===r.iconPosition&&r.icon&&(0,v.jsx)(r.icon,{})]})))(l)});h.displayName="Badge"}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/d7a95211c66b583c.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/d7a95211c66b583c.js new file mode 100644 index 00000000..c01dec32 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/d7a95211c66b583c.js @@ -0,0 +1,5 @@ +__turbopack_load_page_chunks__("/_app", [ + "static/chunks/9aef17d28e289f37.js", + "static/chunks/3404f422118a690e.js", + "static/chunks/turbopack-821b1f58ed1b599a.js" +]) diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/e22c209edb0e9458.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/e22c209edb0e9458.js new file mode 100644 index 00000000..ce648edc --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/e22c209edb0e9458.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,76166,83831,63060,69020,69024,96019,7527,21982,77790,12628,18015,17664,21183,12853,47419,69837,50637,r=>{"use strict";r.s(["makeStyles",()=>rA],76166),r.i(47167),r.i(50519);var e=r.i(49861),o=r.i(82837);function t(r){return r.reduce(function(r,e){var o=e[0],t=e[1];return r[o]=t,r[t]=o,r},{})}function a(r){return"number"==typeof r}function l(r,e){return -1!==r.indexOf(e)}function n(r,e,o,t){return e+(0===parseFloat(o)?o:"-"===o[0]?o.slice(1):"-"+o)+t}function c(r){return r.replace(/ +/g," ").split(" ").map(function(r){return r.trim()}).filter(Boolean).reduce(function(r,e){var o=r.list,t=r.state,a=(e.match(/\(/g)||[]).length,l=(e.match(/\)/g)||[]).length;return t.parensDepth>0?o[o.length-1]=o[o.length-1]+" "+e:o.push(e),t.parensDepth+=a-l,{list:o,state:t}},{list:[],state:{parensDepth:0}}).list}function i(r){var e=c(r);if(e.length<=3||e.length>4)return r;var o=e[0],t=e[1],a=e[2];return[o,e[3],a,t].join(" ")}var d={padding:function(r){var e=r.value;return a(e)?e:i(e)},textShadow:function(r){return(function(r){for(var e=[],o=0,t=0,a=!1;t2||K(X)>3?"":" "}(w);break;case 92:R+=function(r,e){for(var o;--e&&$()&&!(X<48)&&!(X>102)&&(!(X>57)||!(X<65))&&(!(X>70)||!(X<97)););return o=W+(e<6&&32==U()&&32==$()),C(V,r,o)}(W-1,7);continue;case 47:switch(U()){case 42:case 47:L((s=function(r,e){for(;$();)if(r+X===57)break;else if(r+X===84&&47===U())break;return"/*"+C(V,e,W-1)+"*"+T(47===r?r:$())}($(),W),u=o,f=t,g=d,Z(s,u,f,z,T(X),C(s,2,-2),0,g)),d),(5==K(w||1)||5==K(U()||1))&&I(R)&&" "!==C(R,-1,void 0)&&(R+=" ");break;default:R+="/"}break;case 123*y:i[h++]=I(R)*x;case 125*y:case 59:case 0:switch(P){case 0:case 125:S=0;case 59+m:-1==x&&(R=D(R,/\f/g,"")),k>0&&(I(R)-b||0===y&&47===w)&&L(k>32?rt(R+";",a,t,b-1,d):rt(D(R," ","")+";",a,t,b-2,d),d);break;case 59:R+=";";default:if(L(H=ro(R,o,t,h,m,l,i,j,F=[],N=[],b,n),n),123===P)if(0===m)r(R,o,H,H,F,n,b,i,N);else{switch(B){case 99:if(110===A(R,3))break;case 108:if(97===A(R,2))break;default:m=0;case 100:case 109:case 115:}m?r(e,H,H,a&&L(ro(e,H,H,0,0,l,i,j,l,F=[],b,N),N),l,N,b,i,a?F:N):r(R,H,H,H,[""],N,0,i,N)}}h=m=k=0,y=x=1,j=R="",b=c;break;case 58:b=1+I(R),k=w;default:if(y<1){if(123==P)--y;else if(125==P&&0==y++&&125==(X=W>0?A(V,--W):0,M--,10===X&&(M=1,O--),X))continue}switch(R+=T(P),P*y){case 38:x=m>0?1:(R+="\f",-1);break;case 44:i[h++]=(I(R)-1)*x,x=1;break;case 64:45===U()&&(R+=Q($())),B=U(),m=b=I(j=R+=rr(W)),P++;break;case 45:45===w&&2==I(R)&&(y=0)}}return n}("",null,null,null,[""],r=J(r),0,[0],r),V="",e}function ro(r,e,o,t,a,l,n,c,i,d,s,u){for(var f=a-1,g=0===a?l:[""],v=g.length,p=0,h=0,m=0;p0?g[b]+" "+B:D(B,/&\f/g,g[b])).trim())&&(i[m++]=k);return Z(r,e,o,0===a?j:c,i,d,s,u)}function rt(r,e,o,t,a){return Z(r,e,o,F,C(r,0,t),C(r,t+1,-1),t,a)}function ra(r){var e=r.length;return function(o,t,a,l){for(var n="",c=0;c{r.type===j&&"string"!=typeof r.props&&(r.props=r.props.map(r=>-1===r.indexOf(":global(")?r:(function(r){var e;return e=function(r){for(;$();)switch(K(X)){case 0:L(rr(W-1),r);break;case 2:L(Q(X),r);break;default:L(T(X),r)}return r}(J(r)),V="",e})(r).reduce((r,e,o,t)=>{if(""===e)return r;if(":"===e&&"global"===t[o+1]){let e=t[o+2].slice(1,-1)+" ";return r.unshift(e),t[o+1]="",t[o+2]="",r}return r.push(e),r},[]).join("")))};function rc(r,e,o,t){if(r.length>-1&&!r.return)switch(r.type){case F:r.return=function r(e,o,t){switch(45^A(e,0)?(((o<<2^A(e,0))<<2^A(e,1))<<2^A(e,2))<<2^A(e,3):0){case 5103:return P+"print-"+e+e;case 3191:case 6645:case 3005:case 6391:case 5879:case 5623:case 6135:case 4599:case 4855:return P+e+e;case 4215:if(102===A(e,9)||116===A(e,o+1))return P+e+e;break;case 4789:return x+e+e;case 5349:case 4246:case 6968:return P+e+x+e+e;case 6187:if(!R(e,/grab/))return D(D(D(e,/(zoom-|grab)/,P+"$1"),/(image-set)/,P+"$1"),e,"")+e;case 5495:case 3959:return D(e,/(image-set\([^]*)/,P+"$1$`$1");case 4095:case 3583:case 4068:case 2532:return D(e,/(.+)-inline(.+)/,P+"$1$2")+e;case 8116:case 7059:case 5753:case 5535:case 5445:case 5701:case 4933:case 4677:case 5533:case 5789:case 5021:case 4765:if(I(e)-1-o>6)switch(A(e,o+1)){case 102:if(108===A(e,o+3))return D(e,/(.+:)(.+)-([^]+)/,"$1"+P+"$2-$3$1"+x+(108==A(e,o+3)?"$3":"$2-$3"))+e;case 115:return~e.indexOf("stretch",void 0)?r(D(e,"stretch","fill-available"),o)+e:e}}return e}(r.value,r.length);break;case j:if(r.length){var a,l;return a=r.props,l=function(e){switch(R(e,/(::plac\w+|:read-\w+)/)){case":read-only":case":read-write":return _([Y(r,{props:[D(e,/:(read-\w+)/,":"+x+"$1")]})],t);case"::placeholder":return _([Y(r,{props:[D(e,/:(plac\w+)/,":"+P+"input-$1")]}),Y(r,{props:[D(e,/:(plac\w+)/,":"+x+"$1")]})],t)}return""},a.map(l).join("")}}}let ri=r=>{(function(r){switch(r.type){case"@container":case"@media":case"@supports":case N:return!0}return!1})(r)&&Array.isArray(r.children)&&r.children.sort((r,e)=>r.props[0]>e.props[0]?1:-1)};function rd(){}let rs=/,( *[^ &])/g;function ru(r,e,o){let t=e;return o.length>0&&(t=o.reduceRight((r,e)=>"".concat("&"+S(e.replace(rs,",&$1"))," { ").concat(r," }"),e)),"".concat(r,"{").concat(t,"}")}function rf(r,e){let{className:o,selectors:t,property:a,rtlClassName:l,rtlProperty:n,rtlValue:c,value:i}=r,{container:d,layer:s,media:u,supports:f}=e,g=Array.isArray(i)?"".concat(i.map(r=>"".concat(y(a),": ").concat(r)).join(";"),";"):"".concat(y(a),": ").concat(i,";"),v=ru(".".concat(o),g,t);if(n&&l){let r=Array.isArray(c)?"".concat(c.map(r=>"".concat(y(n),": ").concat(r)).join(";"),";"):"".concat(y(n),": ").concat(c,";");v+=ru(".".concat(l),r,t)}u&&(v="@media ".concat(u," { ").concat(v," }")),s&&(v="@layer ".concat(s," { ").concat(v," }")),f&&(v="@supports ".concat(f," { ").concat(v," }")),d&&(v="@container ".concat(d," { ").concat(v," }"));let p=[];return _(re(v),ra([rn,ri,rc,E,rl(r=>p.push(r))])),p}function rg(r){let e="";for(let o in r)e+="".concat(o,"{").concat(function(r){let e="";for(let o in r){let t=r[o];if("string"==typeof t||"number"==typeof t){e+=y(o)+":"+t+";";continue}if(Array.isArray(t))for(let r of t)e+=y(o)+":"+r+";"}return e}(r[o]),"}");return e}function rv(r,e){let o="@keyframes ".concat(r," {").concat(e,"}"),t=[];return _(re(o),ra([E,rc,rl(r=>t.push(r))])),t}let rp={animation:[-1,["animationDelay","animationDirection","animationDuration","animationFillMode","animationIterationCount","animationName","animationPlayState","animationTimeline","animationTimingFunction"]],animationRange:[-1,["animationRangeEnd","animationRangeStart"]],background:[-2,["backgroundAttachment","backgroundClip","backgroundColor","backgroundImage","backgroundOrigin","backgroundPosition","backgroundPositionX","backgroundPositionY","backgroundRepeat","backgroundSize"]],backgroundPosition:[-1,["backgroundPositionX","backgroundPositionY"]],border:[-2,["borderBottom","borderBottomColor","borderBottomStyle","borderBottomWidth","borderLeft","borderLeftColor","borderLeftStyle","borderLeftWidth","borderRight","borderRightColor","borderRightStyle","borderRightWidth","borderTop","borderTopColor","borderTopStyle","borderTopWidth"]],borderBottom:[-1,["borderBottomColor","borderBottomStyle","borderBottomWidth"]],borderImage:[-1,["borderImageOutset","borderImageRepeat","borderImageSlice","borderImageSource","borderImageWidth"]],borderLeft:[-1,["borderLeftColor","borderLeftStyle","borderLeftWidth"]],borderRadius:[-1,["borderBottomLeftRadius","borderBottomRightRadius","borderTopLeftRadius","borderTopRightRadius"]],borderRight:[-1,["borderRightColor","borderRightStyle","borderRightWidth"]],borderTop:[-1,["borderTopColor","borderTopStyle","borderTopWidth"]],caret:[-1,["caretColor","caretShape"]],columnRule:[-1,["columnRuleColor","columnRuleStyle","columnRuleWidth"]],columns:[-1,["columnCount","columnWidth"]],containIntrinsicSize:[-1,["containIntrinsicHeight","containIntrinsicWidth"]],container:[-1,["containerName","containerType"]],flex:[-1,["flexBasis","flexGrow","flexShrink"]],flexFlow:[-1,["flexDirection","flexWrap"]],font:[-1,["fontFamily","fontSize","fontStretch","fontStyle","fontVariant","fontWeight","lineHeight"]],gap:[-1,["columnGap","rowGap"]],grid:[-1,["columnGap","gridAutoColumns","gridAutoFlow","gridAutoRows","gridColumnGap","gridRowGap","gridTemplateAreas","gridTemplateColumns","gridTemplateRows","rowGap"]],gridArea:[-1,["gridColumnEnd","gridColumnStart","gridRowEnd","gridRowStart"]],gridColumn:[-1,["gridColumnEnd","gridColumnStart"]],gridRow:[-1,["gridRowEnd","gridRowStart"]],gridTemplate:[-1,["gridTemplateAreas","gridTemplateColumns","gridTemplateRows"]],inset:[-1,["bottom","left","right","top"]],insetBlock:[-1,["insetBlockEnd","insetBlockStart"]],insetInline:[-1,["insetInlineEnd","insetInlineStart"]],listStyle:[-1,["listStyleImage","listStylePosition","listStyleType"]],margin:[-1,["marginBottom","marginLeft","marginRight","marginTop"]],marginBlock:[-1,["marginBlockEnd","marginBlockStart"]],marginInline:[-1,["marginInlineEnd","marginInlineStart"]],mask:[-1,["maskClip","maskComposite","maskImage","maskMode","maskOrigin","maskPosition","maskRepeat","maskSize"]],maskBorder:[-1,["maskBorderMode","maskBorderOutset","maskBorderRepeat","maskBorderSlice","maskBorderSource","maskBorderWidth"]],offset:[-1,["offsetAnchor","offsetDistance","offsetPath","offsetPosition","offsetRotate"]],outline:[-1,["outlineColor","outlineStyle","outlineWidth"]],overflow:[-1,["overflowX","overflowY"]],overscrollBehavior:[-1,["overscrollBehaviorX","overscrollBehaviorY"]],padding:[-1,["paddingBottom","paddingLeft","paddingRight","paddingTop"]],paddingBlock:[-1,["paddingBlockEnd","paddingBlockStart"]],paddingInline:[-1,["paddingInlineEnd","paddingInlineStart"]],placeContent:[-1,["alignContent","justifyContent"]],placeItems:[-1,["alignItems","justifyItems"]],placeSelf:[-1,["alignSelf","justifySelf"]],scrollMargin:[-1,["scrollMarginBottom","scrollMarginLeft","scrollMarginRight","scrollMarginTop"]],scrollMarginBlock:[-1,["scrollMarginBlockEnd","scrollMarginBlockStart"]],scrollMarginInline:[-1,["scrollMarginInlineEnd","scrollMarginInlineStart"]],scrollPadding:[-1,["scrollPaddingBottom","scrollPaddingLeft","scrollPaddingRight","scrollPaddingTop"]],scrollPaddingBlock:[-1,["scrollPaddingBlockEnd","scrollPaddingBlockStart"]],scrollPaddingInline:[-1,["scrollPaddingInlineEnd","scrollPaddingInlineStart"]],scrollTimeline:[-1,["scrollTimelineAxis","scrollTimelineName"]],textDecoration:[-1,["textDecorationColor","textDecorationLine","textDecorationStyle","textDecorationThickness"]],textEmphasis:[-1,["textEmphasisColor","textEmphasisStyle"]],transition:[-1,["transitionBehavior","transitionDelay","transitionDuration","transitionProperty","transitionTimingFunction"]],viewTimeline:[-1,["viewTimelineAxis","viewTimelineName"]]};function rh(r,e){return 0===r.length?e:"".concat(r," and ").concat(e)}let rm=/^(:|\[|>|&)/,rb={"us-w":"w","us-v":"i",nk:"l",si:"v",cu:"f",ve:"h",ti:"a"};function rB(r,e){if(e.media)return"m";if(e.layer||e.supports)return"t";if(e.container)return"c";if(r.length>0){let e=r[0].trim();if(58===e.charCodeAt(0))return rb[e.slice(4,8)]||rb[e.slice(3,5)]||"d"}return"d"}function rk(r){var e,o,t,a;return((e=r.container)?"c"+e:e)+((o=r.media)?"m"+o:o)+((t=r.layer)?"l"+t:t)+((a=r.supports)?"s"+a:a)}function rw(r,e,t){let a=r+rk(t)+e,l=(0,o.default)(a),n=l.charCodeAt(0);return n>=48&&n<=57?String.fromCharCode(n+17)+l.slice(1):l}function ry(r,e){let{property:t,selector:a,salt:l,value:n}=r;return m.HASH_PREFIX+(0,o.default)(l+a+rk(e)+t+n.trim())}function rS(r){return r.replace(/>\s+/g,">")}function rx(){for(var r=arguments.length,e=Array(r),o=0;o0?[r,Object.fromEntries(e)]:r}function rj(r,e,o,t,a,l){let n=[];0!==l&&n.push(["p",l]),"m"===e&&a&&n.push(["m",a]),null!=r[e]||(r[e]=[]),o&&r[e].push(rz(o,n)),t&&r[e].push(rz(t,n))}var rF=r.i(69016),rN=r.i(11345),rq=r.i(71645);let rT=rq.useInsertionEffect?rq.useInsertionEffect:void 0,rH=()=>{let r={};return function(e,o){if(rT&&(0,rN.canUseDOM)())return void rT(()=>{e.insertCSSRules(o)},[e,o]);void 0===r[e.id]&&(e.insertCSSRules(o),r[e.id]=!0)}};var rR=r.i(91211),rD=r.i(54814);function rA(r){let t=function(r){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:e.insertionFactory,a=t(),l=null,n=null,c=null,i=null;return function(e){let{dir:t,renderer:d}=e;null===l&&([l,n]=function(r){let e=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",t={},a={};for(let l in r){let[n,c]=function r(e){let t=arguments.length>1&&void 0!==arguments[1]?arguments[1]:"",a=arguments.length>2&&void 0!==arguments[2]?arguments[2]:[],l=arguments.length>3&&void 0!==arguments[3]?arguments[3]:{container:"",layer:"",media:"",supports:""},n=arguments.length>4&&void 0!==arguments[4]?arguments[4]:{},c=arguments.length>5&&void 0!==arguments[5]?arguments[5]:{},i=arguments.length>6?arguments[6]:void 0;for(let u in e){var d,s;if(m.UNSUPPORTED_CSS_PROPERTIES.hasOwnProperty(u)){d=e[u],rx(['@griffel/react: You are using unsupported shorthand CSS property "'.concat(u,'". ')+'Please check your "makeStyles" calls, there *should not* be following:'," ".repeat(2)+"makeStyles({"," ".repeat(4)+"[slot]: { ".concat(u,': "').concat(d,'" }')," ".repeat(2)+"})","\nLearn why CSS shorthands are not supported: https://aka.ms/griffel-css-shorthands"].join("\n"));continue}let f=e[u];if(null!=f){if(f===m.RESET){s=void 0,n[rw(rS(a.join("")),u,l)]=s?[0,s]:0;continue}if("string"==typeof f||"number"==typeof f){let e=rS(a.join("")),o=rp[u];o&&r(Object.fromEntries(o[1].map(r=>[r,m.RESET])),t,a,l,n,c);let d=rw(e,u,l),s=ry({value:f.toString(),salt:t,selector:e,property:u},l),g=i&&{key:u,value:i}||h(u,f),v=g.key!==u||g.value!==f,p=v?ry({value:g.value.toString(),property:g.key,salt:t,selector:e},l):void 0,b=v?{rtlClassName:p,rtlProperty:g.key,rtlValue:g.value}:void 0,B=rB(a,l),[k,w]=rf(Object.assign({className:s,selectors:a,property:u,value:f},b),l);n[d]=p?[s,p]:s,rj(c,B,k,w,l.media,rP(o))}else if("animationName"===u){let e=Array.isArray(f)?f:[f],i=[],d=[];for(let r of e){let e,t=rg(r),a=rg(p(r)),n=m.HASH_PREFIX+(0,o.default)(t),s=rv(n,t),u=[];t===a?e=n:u=rv(e=m.HASH_PREFIX+(0,o.default)(a),a);for(let r=0;r[r,m.RESET])),t,a,l,n,c);let i=rw(e,u,l),d=ry({value:f.map(r=>(null!=r?r:"").toString()).join(";"),salt:t,selector:e,property:u},l),s=f.map(r=>h(u,r));if(s.some(r=>r.key!==s[0].key))continue;let g=s[0].key!==u||s.some((r,e)=>r.value!==f[e]),v=g?ry({value:s.map(r=>{var e;return(null!=(e=null==r?void 0:r.value)?e:"").toString()}).join(";"),salt:t,property:s[0].key,selector:e},l):void 0,p=g?{rtlClassName:v,rtlProperty:s[0].key,rtlValue:s.map(r=>r.value)}:void 0,b=rB(a,l),[B,k]=rf(Object.assign({className:d,selectors:a,property:u,value:f},p),l);n[i]=v?[d,v]:d,rj(c,b,B,k,l.media,rP(o))}else if(null!=f&&"object"==typeof f&&!1===Array.isArray(f))if(rm.test(u))r(f,t,a.concat(S(u)),l,n,c);else if("@media"===u.substr(0,6)){let e=rh(l.media,u.slice(6).trim());r(f,t,a,Object.assign({},l,{media:e}),n,c)}else if("@layer"===u.substr(0,6)){let e=(l.layer?"".concat(l.layer,"."):"")+u.slice(6).trim();r(f,t,a,Object.assign({},l,{layer:e}),n,c)}else if("@supports"===u.substr(0,9)){let e=rh(l.supports,u.slice(9).trim());r(f,t,a,Object.assign({},l,{supports:e}),n,c)}else"@container"===u.substring(0,10)?r(f,t,a,Object.assign({},l,{container:u.slice(10).trim()}),n,c):!function(r,e){rx((()=>{let o=JSON.stringify(e,null,2),t=["@griffel/react: A rule was not resolved to CSS properly. Please check your `makeStyles` or `makeResetStyles` calls for following:"," ".repeat(2)+"makeStyles({"," ".repeat(4)+"[slot]: {"," ".repeat(6)+'"'.concat(r,'": ').concat(o.split("\n").map((r,e)=>" ".repeat(6*(0!==e))+r).join("\n"))," ".repeat(4)+"}"," ".repeat(2)+"})",""];return -1===r.indexOf("&")?(t.push("It looks that you're are using a nested selector, but it is missing an ampersand placeholder where the generated class name should be injected."),t.push('Try to update a property to include it i.e "'.concat(r,'" => "&').concat(r,'".'))):(t.push(""),t.push("If it's not obvious what triggers a problem, please report an issue at https://github.com/microsoft/griffel/issues")),t.join("\n")})())}(u,f)}}return[n,c]}(r[l],e);t[l]=n,Object.keys(c).forEach(r=>{a[r]=(a[r]||[]).concat(c[r])})}return[t,a]}(r,d.classNameHashSalt));let s="ltr"===t;return s?null===c&&(c=(0,rF.reduceToClassNameForSlots)(l,t)):null===i&&(i=(0,rF.reduceToClassNameForSlots)(l,t)),a(d,n),s?c:i}}(r,rH);return function(){return t({dir:(0,rD.useTextDirection)(),renderer:(0,rR.useRenderer)()})}}r.s(["tokens",()=>rC],83831);let rC={colorNeutralForeground1:"var(--colorNeutralForeground1)",colorNeutralForeground1Hover:"var(--colorNeutralForeground1Hover)",colorNeutralForeground1Pressed:"var(--colorNeutralForeground1Pressed)",colorNeutralForeground1Selected:"var(--colorNeutralForeground1Selected)",colorNeutralForeground2:"var(--colorNeutralForeground2)",colorNeutralForeground2Hover:"var(--colorNeutralForeground2Hover)",colorNeutralForeground2Pressed:"var(--colorNeutralForeground2Pressed)",colorNeutralForeground2Selected:"var(--colorNeutralForeground2Selected)",colorNeutralForeground2BrandHover:"var(--colorNeutralForeground2BrandHover)",colorNeutralForeground2BrandPressed:"var(--colorNeutralForeground2BrandPressed)",colorNeutralForeground2BrandSelected:"var(--colorNeutralForeground2BrandSelected)",colorNeutralForeground3:"var(--colorNeutralForeground3)",colorNeutralForeground3Hover:"var(--colorNeutralForeground3Hover)",colorNeutralForeground3Pressed:"var(--colorNeutralForeground3Pressed)",colorNeutralForeground3Selected:"var(--colorNeutralForeground3Selected)",colorNeutralForeground3BrandHover:"var(--colorNeutralForeground3BrandHover)",colorNeutralForeground3BrandPressed:"var(--colorNeutralForeground3BrandPressed)",colorNeutralForeground3BrandSelected:"var(--colorNeutralForeground3BrandSelected)",colorNeutralForeground4:"var(--colorNeutralForeground4)",colorNeutralForegroundDisabled:"var(--colorNeutralForegroundDisabled)",colorBrandForegroundLink:"var(--colorBrandForegroundLink)",colorBrandForegroundLinkHover:"var(--colorBrandForegroundLinkHover)",colorBrandForegroundLinkPressed:"var(--colorBrandForegroundLinkPressed)",colorBrandForegroundLinkSelected:"var(--colorBrandForegroundLinkSelected)",colorNeutralForeground2Link:"var(--colorNeutralForeground2Link)",colorNeutralForeground2LinkHover:"var(--colorNeutralForeground2LinkHover)",colorNeutralForeground2LinkPressed:"var(--colorNeutralForeground2LinkPressed)",colorNeutralForeground2LinkSelected:"var(--colorNeutralForeground2LinkSelected)",colorCompoundBrandForeground1:"var(--colorCompoundBrandForeground1)",colorCompoundBrandForeground1Hover:"var(--colorCompoundBrandForeground1Hover)",colorCompoundBrandForeground1Pressed:"var(--colorCompoundBrandForeground1Pressed)",colorNeutralForegroundOnBrand:"var(--colorNeutralForegroundOnBrand)",colorNeutralForegroundInverted:"var(--colorNeutralForegroundInverted)",colorNeutralForegroundInvertedHover:"var(--colorNeutralForegroundInvertedHover)",colorNeutralForegroundInvertedPressed:"var(--colorNeutralForegroundInvertedPressed)",colorNeutralForegroundInvertedSelected:"var(--colorNeutralForegroundInvertedSelected)",colorNeutralForegroundInverted2:"var(--colorNeutralForegroundInverted2)",colorNeutralForegroundStaticInverted:"var(--colorNeutralForegroundStaticInverted)",colorNeutralForegroundInvertedLink:"var(--colorNeutralForegroundInvertedLink)",colorNeutralForegroundInvertedLinkHover:"var(--colorNeutralForegroundInvertedLinkHover)",colorNeutralForegroundInvertedLinkPressed:"var(--colorNeutralForegroundInvertedLinkPressed)",colorNeutralForegroundInvertedLinkSelected:"var(--colorNeutralForegroundInvertedLinkSelected)",colorNeutralForegroundInvertedDisabled:"var(--colorNeutralForegroundInvertedDisabled)",colorBrandForeground1:"var(--colorBrandForeground1)",colorBrandForeground2:"var(--colorBrandForeground2)",colorBrandForeground2Hover:"var(--colorBrandForeground2Hover)",colorBrandForeground2Pressed:"var(--colorBrandForeground2Pressed)",colorNeutralForeground1Static:"var(--colorNeutralForeground1Static)",colorBrandForegroundInverted:"var(--colorBrandForegroundInverted)",colorBrandForegroundInvertedHover:"var(--colorBrandForegroundInvertedHover)",colorBrandForegroundInvertedPressed:"var(--colorBrandForegroundInvertedPressed)",colorBrandForegroundOnLight:"var(--colorBrandForegroundOnLight)",colorBrandForegroundOnLightHover:"var(--colorBrandForegroundOnLightHover)",colorBrandForegroundOnLightPressed:"var(--colorBrandForegroundOnLightPressed)",colorBrandForegroundOnLightSelected:"var(--colorBrandForegroundOnLightSelected)",colorNeutralBackground1:"var(--colorNeutralBackground1)",colorNeutralBackground1Hover:"var(--colorNeutralBackground1Hover)",colorNeutralBackground1Pressed:"var(--colorNeutralBackground1Pressed)",colorNeutralBackground1Selected:"var(--colorNeutralBackground1Selected)",colorNeutralBackground2:"var(--colorNeutralBackground2)",colorNeutralBackground2Hover:"var(--colorNeutralBackground2Hover)",colorNeutralBackground2Pressed:"var(--colorNeutralBackground2Pressed)",colorNeutralBackground2Selected:"var(--colorNeutralBackground2Selected)",colorNeutralBackground3:"var(--colorNeutralBackground3)",colorNeutralBackground3Hover:"var(--colorNeutralBackground3Hover)",colorNeutralBackground3Pressed:"var(--colorNeutralBackground3Pressed)",colorNeutralBackground3Selected:"var(--colorNeutralBackground3Selected)",colorNeutralBackground4:"var(--colorNeutralBackground4)",colorNeutralBackground4Hover:"var(--colorNeutralBackground4Hover)",colorNeutralBackground4Pressed:"var(--colorNeutralBackground4Pressed)",colorNeutralBackground4Selected:"var(--colorNeutralBackground4Selected)",colorNeutralBackground5:"var(--colorNeutralBackground5)",colorNeutralBackground5Hover:"var(--colorNeutralBackground5Hover)",colorNeutralBackground5Pressed:"var(--colorNeutralBackground5Pressed)",colorNeutralBackground5Selected:"var(--colorNeutralBackground5Selected)",colorNeutralBackground6:"var(--colorNeutralBackground6)",colorNeutralBackgroundInverted:"var(--colorNeutralBackgroundInverted)",colorNeutralBackgroundStatic:"var(--colorNeutralBackgroundStatic)",colorNeutralBackgroundAlpha:"var(--colorNeutralBackgroundAlpha)",colorNeutralBackgroundAlpha2:"var(--colorNeutralBackgroundAlpha2)",colorSubtleBackground:"var(--colorSubtleBackground)",colorSubtleBackgroundHover:"var(--colorSubtleBackgroundHover)",colorSubtleBackgroundPressed:"var(--colorSubtleBackgroundPressed)",colorSubtleBackgroundSelected:"var(--colorSubtleBackgroundSelected)",colorSubtleBackgroundLightAlphaHover:"var(--colorSubtleBackgroundLightAlphaHover)",colorSubtleBackgroundLightAlphaPressed:"var(--colorSubtleBackgroundLightAlphaPressed)",colorSubtleBackgroundLightAlphaSelected:"var(--colorSubtleBackgroundLightAlphaSelected)",colorSubtleBackgroundInverted:"var(--colorSubtleBackgroundInverted)",colorSubtleBackgroundInvertedHover:"var(--colorSubtleBackgroundInvertedHover)",colorSubtleBackgroundInvertedPressed:"var(--colorSubtleBackgroundInvertedPressed)",colorSubtleBackgroundInvertedSelected:"var(--colorSubtleBackgroundInvertedSelected)",colorTransparentBackground:"var(--colorTransparentBackground)",colorTransparentBackgroundHover:"var(--colorTransparentBackgroundHover)",colorTransparentBackgroundPressed:"var(--colorTransparentBackgroundPressed)",colorTransparentBackgroundSelected:"var(--colorTransparentBackgroundSelected)",colorNeutralBackgroundDisabled:"var(--colorNeutralBackgroundDisabled)",colorNeutralBackgroundInvertedDisabled:"var(--colorNeutralBackgroundInvertedDisabled)",colorNeutralStencil1:"var(--colorNeutralStencil1)",colorNeutralStencil2:"var(--colorNeutralStencil2)",colorNeutralStencil1Alpha:"var(--colorNeutralStencil1Alpha)",colorNeutralStencil2Alpha:"var(--colorNeutralStencil2Alpha)",colorBackgroundOverlay:"var(--colorBackgroundOverlay)",colorScrollbarOverlay:"var(--colorScrollbarOverlay)",colorBrandBackground:"var(--colorBrandBackground)",colorBrandBackgroundHover:"var(--colorBrandBackgroundHover)",colorBrandBackgroundPressed:"var(--colorBrandBackgroundPressed)",colorBrandBackgroundSelected:"var(--colorBrandBackgroundSelected)",colorCompoundBrandBackground:"var(--colorCompoundBrandBackground)",colorCompoundBrandBackgroundHover:"var(--colorCompoundBrandBackgroundHover)",colorCompoundBrandBackgroundPressed:"var(--colorCompoundBrandBackgroundPressed)",colorBrandBackgroundStatic:"var(--colorBrandBackgroundStatic)",colorBrandBackground2:"var(--colorBrandBackground2)",colorBrandBackground2Hover:"var(--colorBrandBackground2Hover)",colorBrandBackground2Pressed:"var(--colorBrandBackground2Pressed)",colorBrandBackground3Static:"var(--colorBrandBackground3Static)",colorBrandBackground4Static:"var(--colorBrandBackground4Static)",colorBrandBackgroundInverted:"var(--colorBrandBackgroundInverted)",colorBrandBackgroundInvertedHover:"var(--colorBrandBackgroundInvertedHover)",colorBrandBackgroundInvertedPressed:"var(--colorBrandBackgroundInvertedPressed)",colorBrandBackgroundInvertedSelected:"var(--colorBrandBackgroundInvertedSelected)",colorNeutralCardBackground:"var(--colorNeutralCardBackground)",colorNeutralCardBackgroundHover:"var(--colorNeutralCardBackgroundHover)",colorNeutralCardBackgroundPressed:"var(--colorNeutralCardBackgroundPressed)",colorNeutralCardBackgroundSelected:"var(--colorNeutralCardBackgroundSelected)",colorNeutralCardBackgroundDisabled:"var(--colorNeutralCardBackgroundDisabled)",colorNeutralStrokeAccessible:"var(--colorNeutralStrokeAccessible)",colorNeutralStrokeAccessibleHover:"var(--colorNeutralStrokeAccessibleHover)",colorNeutralStrokeAccessiblePressed:"var(--colorNeutralStrokeAccessiblePressed)",colorNeutralStrokeAccessibleSelected:"var(--colorNeutralStrokeAccessibleSelected)",colorNeutralStroke1:"var(--colorNeutralStroke1)",colorNeutralStroke1Hover:"var(--colorNeutralStroke1Hover)",colorNeutralStroke1Pressed:"var(--colorNeutralStroke1Pressed)",colorNeutralStroke1Selected:"var(--colorNeutralStroke1Selected)",colorNeutralStroke2:"var(--colorNeutralStroke2)",colorNeutralStroke3:"var(--colorNeutralStroke3)",colorNeutralStrokeSubtle:"var(--colorNeutralStrokeSubtle)",colorNeutralStrokeOnBrand:"var(--colorNeutralStrokeOnBrand)",colorNeutralStrokeOnBrand2:"var(--colorNeutralStrokeOnBrand2)",colorNeutralStrokeOnBrand2Hover:"var(--colorNeutralStrokeOnBrand2Hover)",colorNeutralStrokeOnBrand2Pressed:"var(--colorNeutralStrokeOnBrand2Pressed)",colorNeutralStrokeOnBrand2Selected:"var(--colorNeutralStrokeOnBrand2Selected)",colorBrandStroke1:"var(--colorBrandStroke1)",colorBrandStroke2:"var(--colorBrandStroke2)",colorBrandStroke2Hover:"var(--colorBrandStroke2Hover)",colorBrandStroke2Pressed:"var(--colorBrandStroke2Pressed)",colorBrandStroke2Contrast:"var(--colorBrandStroke2Contrast)",colorCompoundBrandStroke:"var(--colorCompoundBrandStroke)",colorCompoundBrandStrokeHover:"var(--colorCompoundBrandStrokeHover)",colorCompoundBrandStrokePressed:"var(--colorCompoundBrandStrokePressed)",colorNeutralStrokeDisabled:"var(--colorNeutralStrokeDisabled)",colorNeutralStrokeInvertedDisabled:"var(--colorNeutralStrokeInvertedDisabled)",colorTransparentStroke:"var(--colorTransparentStroke)",colorTransparentStrokeInteractive:"var(--colorTransparentStrokeInteractive)",colorTransparentStrokeDisabled:"var(--colorTransparentStrokeDisabled)",colorNeutralStrokeAlpha:"var(--colorNeutralStrokeAlpha)",colorNeutralStrokeAlpha2:"var(--colorNeutralStrokeAlpha2)",colorStrokeFocus1:"var(--colorStrokeFocus1)",colorStrokeFocus2:"var(--colorStrokeFocus2)",colorNeutralShadowAmbient:"var(--colorNeutralShadowAmbient)",colorNeutralShadowKey:"var(--colorNeutralShadowKey)",colorNeutralShadowAmbientLighter:"var(--colorNeutralShadowAmbientLighter)",colorNeutralShadowKeyLighter:"var(--colorNeutralShadowKeyLighter)",colorNeutralShadowAmbientDarker:"var(--colorNeutralShadowAmbientDarker)",colorNeutralShadowKeyDarker:"var(--colorNeutralShadowKeyDarker)",colorBrandShadowAmbient:"var(--colorBrandShadowAmbient)",colorBrandShadowKey:"var(--colorBrandShadowKey)",colorPaletteRedBackground1:"var(--colorPaletteRedBackground1)",colorPaletteRedBackground2:"var(--colorPaletteRedBackground2)",colorPaletteRedBackground3:"var(--colorPaletteRedBackground3)",colorPaletteRedBorderActive:"var(--colorPaletteRedBorderActive)",colorPaletteRedBorder1:"var(--colorPaletteRedBorder1)",colorPaletteRedBorder2:"var(--colorPaletteRedBorder2)",colorPaletteRedForeground1:"var(--colorPaletteRedForeground1)",colorPaletteRedForeground2:"var(--colorPaletteRedForeground2)",colorPaletteRedForeground3:"var(--colorPaletteRedForeground3)",colorPaletteRedForegroundInverted:"var(--colorPaletteRedForegroundInverted)",colorPaletteGreenBackground1:"var(--colorPaletteGreenBackground1)",colorPaletteGreenBackground2:"var(--colorPaletteGreenBackground2)",colorPaletteGreenBackground3:"var(--colorPaletteGreenBackground3)",colorPaletteGreenBorderActive:"var(--colorPaletteGreenBorderActive)",colorPaletteGreenBorder1:"var(--colorPaletteGreenBorder1)",colorPaletteGreenBorder2:"var(--colorPaletteGreenBorder2)",colorPaletteGreenForeground1:"var(--colorPaletteGreenForeground1)",colorPaletteGreenForeground2:"var(--colorPaletteGreenForeground2)",colorPaletteGreenForeground3:"var(--colorPaletteGreenForeground3)",colorPaletteGreenForegroundInverted:"var(--colorPaletteGreenForegroundInverted)",colorPaletteDarkOrangeBackground1:"var(--colorPaletteDarkOrangeBackground1)",colorPaletteDarkOrangeBackground2:"var(--colorPaletteDarkOrangeBackground2)",colorPaletteDarkOrangeBackground3:"var(--colorPaletteDarkOrangeBackground3)",colorPaletteDarkOrangeBorderActive:"var(--colorPaletteDarkOrangeBorderActive)",colorPaletteDarkOrangeBorder1:"var(--colorPaletteDarkOrangeBorder1)",colorPaletteDarkOrangeBorder2:"var(--colorPaletteDarkOrangeBorder2)",colorPaletteDarkOrangeForeground1:"var(--colorPaletteDarkOrangeForeground1)",colorPaletteDarkOrangeForeground2:"var(--colorPaletteDarkOrangeForeground2)",colorPaletteDarkOrangeForeground3:"var(--colorPaletteDarkOrangeForeground3)",colorPaletteYellowBackground1:"var(--colorPaletteYellowBackground1)",colorPaletteYellowBackground2:"var(--colorPaletteYellowBackground2)",colorPaletteYellowBackground3:"var(--colorPaletteYellowBackground3)",colorPaletteYellowBorderActive:"var(--colorPaletteYellowBorderActive)",colorPaletteYellowBorder1:"var(--colorPaletteYellowBorder1)",colorPaletteYellowBorder2:"var(--colorPaletteYellowBorder2)",colorPaletteYellowForeground1:"var(--colorPaletteYellowForeground1)",colorPaletteYellowForeground2:"var(--colorPaletteYellowForeground2)",colorPaletteYellowForeground3:"var(--colorPaletteYellowForeground3)",colorPaletteYellowForegroundInverted:"var(--colorPaletteYellowForegroundInverted)",colorPaletteBerryBackground1:"var(--colorPaletteBerryBackground1)",colorPaletteBerryBackground2:"var(--colorPaletteBerryBackground2)",colorPaletteBerryBackground3:"var(--colorPaletteBerryBackground3)",colorPaletteBerryBorderActive:"var(--colorPaletteBerryBorderActive)",colorPaletteBerryBorder1:"var(--colorPaletteBerryBorder1)",colorPaletteBerryBorder2:"var(--colorPaletteBerryBorder2)",colorPaletteBerryForeground1:"var(--colorPaletteBerryForeground1)",colorPaletteBerryForeground2:"var(--colorPaletteBerryForeground2)",colorPaletteBerryForeground3:"var(--colorPaletteBerryForeground3)",colorPaletteMarigoldBackground1:"var(--colorPaletteMarigoldBackground1)",colorPaletteMarigoldBackground2:"var(--colorPaletteMarigoldBackground2)",colorPaletteMarigoldBackground3:"var(--colorPaletteMarigoldBackground3)",colorPaletteMarigoldBorderActive:"var(--colorPaletteMarigoldBorderActive)",colorPaletteMarigoldBorder1:"var(--colorPaletteMarigoldBorder1)",colorPaletteMarigoldBorder2:"var(--colorPaletteMarigoldBorder2)",colorPaletteMarigoldForeground1:"var(--colorPaletteMarigoldForeground1)",colorPaletteMarigoldForeground2:"var(--colorPaletteMarigoldForeground2)",colorPaletteMarigoldForeground3:"var(--colorPaletteMarigoldForeground3)",colorPaletteLightGreenBackground1:"var(--colorPaletteLightGreenBackground1)",colorPaletteLightGreenBackground2:"var(--colorPaletteLightGreenBackground2)",colorPaletteLightGreenBackground3:"var(--colorPaletteLightGreenBackground3)",colorPaletteLightGreenBorderActive:"var(--colorPaletteLightGreenBorderActive)",colorPaletteLightGreenBorder1:"var(--colorPaletteLightGreenBorder1)",colorPaletteLightGreenBorder2:"var(--colorPaletteLightGreenBorder2)",colorPaletteLightGreenForeground1:"var(--colorPaletteLightGreenForeground1)",colorPaletteLightGreenForeground2:"var(--colorPaletteLightGreenForeground2)",colorPaletteLightGreenForeground3:"var(--colorPaletteLightGreenForeground3)",colorPaletteAnchorBackground2:"var(--colorPaletteAnchorBackground2)",colorPaletteAnchorBorderActive:"var(--colorPaletteAnchorBorderActive)",colorPaletteAnchorForeground2:"var(--colorPaletteAnchorForeground2)",colorPaletteBeigeBackground2:"var(--colorPaletteBeigeBackground2)",colorPaletteBeigeBorderActive:"var(--colorPaletteBeigeBorderActive)",colorPaletteBeigeForeground2:"var(--colorPaletteBeigeForeground2)",colorPaletteBlueBackground2:"var(--colorPaletteBlueBackground2)",colorPaletteBlueBorderActive:"var(--colorPaletteBlueBorderActive)",colorPaletteBlueForeground2:"var(--colorPaletteBlueForeground2)",colorPaletteBrassBackground2:"var(--colorPaletteBrassBackground2)",colorPaletteBrassBorderActive:"var(--colorPaletteBrassBorderActive)",colorPaletteBrassForeground2:"var(--colorPaletteBrassForeground2)",colorPaletteBrownBackground2:"var(--colorPaletteBrownBackground2)",colorPaletteBrownBorderActive:"var(--colorPaletteBrownBorderActive)",colorPaletteBrownForeground2:"var(--colorPaletteBrownForeground2)",colorPaletteCornflowerBackground2:"var(--colorPaletteCornflowerBackground2)",colorPaletteCornflowerBorderActive:"var(--colorPaletteCornflowerBorderActive)",colorPaletteCornflowerForeground2:"var(--colorPaletteCornflowerForeground2)",colorPaletteCranberryBackground2:"var(--colorPaletteCranberryBackground2)",colorPaletteCranberryBorderActive:"var(--colorPaletteCranberryBorderActive)",colorPaletteCranberryForeground2:"var(--colorPaletteCranberryForeground2)",colorPaletteDarkGreenBackground2:"var(--colorPaletteDarkGreenBackground2)",colorPaletteDarkGreenBorderActive:"var(--colorPaletteDarkGreenBorderActive)",colorPaletteDarkGreenForeground2:"var(--colorPaletteDarkGreenForeground2)",colorPaletteDarkRedBackground2:"var(--colorPaletteDarkRedBackground2)",colorPaletteDarkRedBorderActive:"var(--colorPaletteDarkRedBorderActive)",colorPaletteDarkRedForeground2:"var(--colorPaletteDarkRedForeground2)",colorPaletteForestBackground2:"var(--colorPaletteForestBackground2)",colorPaletteForestBorderActive:"var(--colorPaletteForestBorderActive)",colorPaletteForestForeground2:"var(--colorPaletteForestForeground2)",colorPaletteGoldBackground2:"var(--colorPaletteGoldBackground2)",colorPaletteGoldBorderActive:"var(--colorPaletteGoldBorderActive)",colorPaletteGoldForeground2:"var(--colorPaletteGoldForeground2)",colorPaletteGrapeBackground2:"var(--colorPaletteGrapeBackground2)",colorPaletteGrapeBorderActive:"var(--colorPaletteGrapeBorderActive)",colorPaletteGrapeForeground2:"var(--colorPaletteGrapeForeground2)",colorPaletteLavenderBackground2:"var(--colorPaletteLavenderBackground2)",colorPaletteLavenderBorderActive:"var(--colorPaletteLavenderBorderActive)",colorPaletteLavenderForeground2:"var(--colorPaletteLavenderForeground2)",colorPaletteLightTealBackground2:"var(--colorPaletteLightTealBackground2)",colorPaletteLightTealBorderActive:"var(--colorPaletteLightTealBorderActive)",colorPaletteLightTealForeground2:"var(--colorPaletteLightTealForeground2)",colorPaletteLilacBackground2:"var(--colorPaletteLilacBackground2)",colorPaletteLilacBorderActive:"var(--colorPaletteLilacBorderActive)",colorPaletteLilacForeground2:"var(--colorPaletteLilacForeground2)",colorPaletteMagentaBackground2:"var(--colorPaletteMagentaBackground2)",colorPaletteMagentaBorderActive:"var(--colorPaletteMagentaBorderActive)",colorPaletteMagentaForeground2:"var(--colorPaletteMagentaForeground2)",colorPaletteMinkBackground2:"var(--colorPaletteMinkBackground2)",colorPaletteMinkBorderActive:"var(--colorPaletteMinkBorderActive)",colorPaletteMinkForeground2:"var(--colorPaletteMinkForeground2)",colorPaletteNavyBackground2:"var(--colorPaletteNavyBackground2)",colorPaletteNavyBorderActive:"var(--colorPaletteNavyBorderActive)",colorPaletteNavyForeground2:"var(--colorPaletteNavyForeground2)",colorPalettePeachBackground2:"var(--colorPalettePeachBackground2)",colorPalettePeachBorderActive:"var(--colorPalettePeachBorderActive)",colorPalettePeachForeground2:"var(--colorPalettePeachForeground2)",colorPalettePinkBackground2:"var(--colorPalettePinkBackground2)",colorPalettePinkBorderActive:"var(--colorPalettePinkBorderActive)",colorPalettePinkForeground2:"var(--colorPalettePinkForeground2)",colorPalettePlatinumBackground2:"var(--colorPalettePlatinumBackground2)",colorPalettePlatinumBorderActive:"var(--colorPalettePlatinumBorderActive)",colorPalettePlatinumForeground2:"var(--colorPalettePlatinumForeground2)",colorPalettePlumBackground2:"var(--colorPalettePlumBackground2)",colorPalettePlumBorderActive:"var(--colorPalettePlumBorderActive)",colorPalettePlumForeground2:"var(--colorPalettePlumForeground2)",colorPalettePumpkinBackground2:"var(--colorPalettePumpkinBackground2)",colorPalettePumpkinBorderActive:"var(--colorPalettePumpkinBorderActive)",colorPalettePumpkinForeground2:"var(--colorPalettePumpkinForeground2)",colorPalettePurpleBackground2:"var(--colorPalettePurpleBackground2)",colorPalettePurpleBorderActive:"var(--colorPalettePurpleBorderActive)",colorPalettePurpleForeground2:"var(--colorPalettePurpleForeground2)",colorPaletteRoyalBlueBackground2:"var(--colorPaletteRoyalBlueBackground2)",colorPaletteRoyalBlueBorderActive:"var(--colorPaletteRoyalBlueBorderActive)",colorPaletteRoyalBlueForeground2:"var(--colorPaletteRoyalBlueForeground2)",colorPaletteSeafoamBackground2:"var(--colorPaletteSeafoamBackground2)",colorPaletteSeafoamBorderActive:"var(--colorPaletteSeafoamBorderActive)",colorPaletteSeafoamForeground2:"var(--colorPaletteSeafoamForeground2)",colorPaletteSteelBackground2:"var(--colorPaletteSteelBackground2)",colorPaletteSteelBorderActive:"var(--colorPaletteSteelBorderActive)",colorPaletteSteelForeground2:"var(--colorPaletteSteelForeground2)",colorPaletteTealBackground2:"var(--colorPaletteTealBackground2)",colorPaletteTealBorderActive:"var(--colorPaletteTealBorderActive)",colorPaletteTealForeground2:"var(--colorPaletteTealForeground2)",colorStatusSuccessBackground1:"var(--colorStatusSuccessBackground1)",colorStatusSuccessBackground2:"var(--colorStatusSuccessBackground2)",colorStatusSuccessBackground3:"var(--colorStatusSuccessBackground3)",colorStatusSuccessForeground1:"var(--colorStatusSuccessForeground1)",colorStatusSuccessForeground2:"var(--colorStatusSuccessForeground2)",colorStatusSuccessForeground3:"var(--colorStatusSuccessForeground3)",colorStatusSuccessForegroundInverted:"var(--colorStatusSuccessForegroundInverted)",colorStatusSuccessBorderActive:"var(--colorStatusSuccessBorderActive)",colorStatusSuccessBorder1:"var(--colorStatusSuccessBorder1)",colorStatusSuccessBorder2:"var(--colorStatusSuccessBorder2)",colorStatusWarningBackground1:"var(--colorStatusWarningBackground1)",colorStatusWarningBackground2:"var(--colorStatusWarningBackground2)",colorStatusWarningBackground3:"var(--colorStatusWarningBackground3)",colorStatusWarningForeground1:"var(--colorStatusWarningForeground1)",colorStatusWarningForeground2:"var(--colorStatusWarningForeground2)",colorStatusWarningForeground3:"var(--colorStatusWarningForeground3)",colorStatusWarningForegroundInverted:"var(--colorStatusWarningForegroundInverted)",colorStatusWarningBorderActive:"var(--colorStatusWarningBorderActive)",colorStatusWarningBorder1:"var(--colorStatusWarningBorder1)",colorStatusWarningBorder2:"var(--colorStatusWarningBorder2)",colorStatusDangerBackground1:"var(--colorStatusDangerBackground1)",colorStatusDangerBackground2:"var(--colorStatusDangerBackground2)",colorStatusDangerBackground3:"var(--colorStatusDangerBackground3)",colorStatusDangerBackground3Hover:"var(--colorStatusDangerBackground3Hover)",colorStatusDangerBackground3Pressed:"var(--colorStatusDangerBackground3Pressed)",colorStatusDangerForeground1:"var(--colorStatusDangerForeground1)",colorStatusDangerForeground2:"var(--colorStatusDangerForeground2)",colorStatusDangerForeground3:"var(--colorStatusDangerForeground3)",colorStatusDangerForegroundInverted:"var(--colorStatusDangerForegroundInverted)",colorStatusDangerBorderActive:"var(--colorStatusDangerBorderActive)",colorStatusDangerBorder1:"var(--colorStatusDangerBorder1)",colorStatusDangerBorder2:"var(--colorStatusDangerBorder2)",borderRadiusNone:"var(--borderRadiusNone)",borderRadiusSmall:"var(--borderRadiusSmall)",borderRadiusMedium:"var(--borderRadiusMedium)",borderRadiusLarge:"var(--borderRadiusLarge)",borderRadiusXLarge:"var(--borderRadiusXLarge)",borderRadiusCircular:"var(--borderRadiusCircular)",fontFamilyBase:"var(--fontFamilyBase)",fontFamilyMonospace:"var(--fontFamilyMonospace)",fontFamilyNumeric:"var(--fontFamilyNumeric)",fontSizeBase100:"var(--fontSizeBase100)",fontSizeBase200:"var(--fontSizeBase200)",fontSizeBase300:"var(--fontSizeBase300)",fontSizeBase400:"var(--fontSizeBase400)",fontSizeBase500:"var(--fontSizeBase500)",fontSizeBase600:"var(--fontSizeBase600)",fontSizeHero700:"var(--fontSizeHero700)",fontSizeHero800:"var(--fontSizeHero800)",fontSizeHero900:"var(--fontSizeHero900)",fontSizeHero1000:"var(--fontSizeHero1000)",fontWeightRegular:"var(--fontWeightRegular)",fontWeightMedium:"var(--fontWeightMedium)",fontWeightSemibold:"var(--fontWeightSemibold)",fontWeightBold:"var(--fontWeightBold)",lineHeightBase100:"var(--lineHeightBase100)",lineHeightBase200:"var(--lineHeightBase200)",lineHeightBase300:"var(--lineHeightBase300)",lineHeightBase400:"var(--lineHeightBase400)",lineHeightBase500:"var(--lineHeightBase500)",lineHeightBase600:"var(--lineHeightBase600)",lineHeightHero700:"var(--lineHeightHero700)",lineHeightHero800:"var(--lineHeightHero800)",lineHeightHero900:"var(--lineHeightHero900)",lineHeightHero1000:"var(--lineHeightHero1000)",shadow2:"var(--shadow2)",shadow4:"var(--shadow4)",shadow8:"var(--shadow8)",shadow16:"var(--shadow16)",shadow28:"var(--shadow28)",shadow64:"var(--shadow64)",shadow2Brand:"var(--shadow2Brand)",shadow4Brand:"var(--shadow4Brand)",shadow8Brand:"var(--shadow8Brand)",shadow16Brand:"var(--shadow16Brand)",shadow28Brand:"var(--shadow28Brand)",shadow64Brand:"var(--shadow64Brand)",strokeWidthThin:"var(--strokeWidthThin)",strokeWidthThick:"var(--strokeWidthThick)",strokeWidthThicker:"var(--strokeWidthThicker)",strokeWidthThickest:"var(--strokeWidthThickest)",spacingHorizontalNone:"var(--spacingHorizontalNone)",spacingHorizontalXXS:"var(--spacingHorizontalXXS)",spacingHorizontalXS:"var(--spacingHorizontalXS)",spacingHorizontalSNudge:"var(--spacingHorizontalSNudge)",spacingHorizontalS:"var(--spacingHorizontalS)",spacingHorizontalMNudge:"var(--spacingHorizontalMNudge)",spacingHorizontalM:"var(--spacingHorizontalM)",spacingHorizontalL:"var(--spacingHorizontalL)",spacingHorizontalXL:"var(--spacingHorizontalXL)",spacingHorizontalXXL:"var(--spacingHorizontalXXL)",spacingHorizontalXXXL:"var(--spacingHorizontalXXXL)",spacingVerticalNone:"var(--spacingVerticalNone)",spacingVerticalXXS:"var(--spacingVerticalXXS)",spacingVerticalXS:"var(--spacingVerticalXS)",spacingVerticalSNudge:"var(--spacingVerticalSNudge)",spacingVerticalS:"var(--spacingVerticalS)",spacingVerticalMNudge:"var(--spacingVerticalMNudge)",spacingVerticalM:"var(--spacingVerticalM)",spacingVerticalL:"var(--spacingVerticalL)",spacingVerticalXL:"var(--spacingVerticalXL)",spacingVerticalXXL:"var(--spacingVerticalXXL)",spacingVerticalXXXL:"var(--spacingVerticalXXXL)",durationUltraFast:"var(--durationUltraFast)",durationFaster:"var(--durationFaster)",durationFast:"var(--durationFast)",durationNormal:"var(--durationNormal)",durationGentle:"var(--durationGentle)",durationSlow:"var(--durationSlow)",durationSlower:"var(--durationSlower)",durationUltraSlow:"var(--durationUltraSlow)",curveAccelerateMax:"var(--curveAccelerateMax)",curveAccelerateMid:"var(--curveAccelerateMid)",curveAccelerateMin:"var(--curveAccelerateMin)",curveDecelerateMax:"var(--curveDecelerateMax)",curveDecelerateMid:"var(--curveDecelerateMid)",curveDecelerateMin:"var(--curveDecelerateMin)",curveEasyEaseMax:"var(--curveEasyEaseMax)",curveEasyEase:"var(--curveEasyEase)",curveLinear:"var(--curveLinear)",zIndexBackground:"var(--zIndexBackground, 0)",zIndexContent:"var(--zIndexContent, 1)",zIndexOverlay:"var(--zIndexOverlay, 1000)",zIndexPopup:"var(--zIndexPopup, 2000)",zIndexMessages:"var(--zIndexMessages, 3000)",zIndexFloating:"var(--zIndexFloating, 4000)",zIndexPriority:"var(--zIndexPriority, 5000)",zIndexDebug:"var(--zIndexDebug, 6000)"};r.s(["Spinner",()=>er],77790);var rI=r.i(56720),rL=r.i(90312);function r_(r,e){let o=rq.useRef(void 0),t=rq.useCallback((t,a)=>(void 0!==o.current&&e(o.current),o.current=r(t,a),o.current),[e,r]),a=rq.useCallback(()=>{void 0!==o.current&&(e(o.current),o.current=void 0)},[e]);return rq.useEffect(()=>a,[a]),[t,a]}r.s(["useTimeout",()=>rG],69020),r.s(["useBrowserTimer",()=>r_],63060);var rE=r.i(1327);let rO=r=>-1,rM=r=>void 0;function rG(){let{targetDocument:r}=(0,rE.useFluent_unstable)(),e=null==r?void 0:r.defaultView;return r_(e?e.setTimeout:rO,e?e.clearTimeout:rM)}var rW=r.i(77074);r.s(["Label",()=>rQ],7527);var rX=r.i(97906),rV=r.i(46163);r.s(["__styles",()=>rY],69024);var rZ=r.i(6013);function rY(r,e){let o=(0,rZ.__styles)(r,e,rH);return function(){return o({dir:(0,rD.useTextDirection)(),renderer:(0,rR.useRenderer)()})}}var r$=r.i(32778);let rU={root:"fui-Label",required:"fui-Label__required"},rK=rY({root:{Bahqtrf:"fk6fouc",sj55zd:"f19n0e5"},disabled:{sj55zd:"f1s2aq7o",Bbusuzp:"f1dcs8yz"},required:{sj55zd:"f1whyuy6",uwmqm3:["fruq291","f7x41pl"]},small:{Be2twd7:"fy9rknc",Bg96gwp:"fwrc4pm"},medium:{Be2twd7:"fkhj508",Bg96gwp:"f1i3iumi"},large:{Be2twd7:"fod5ikn",Bg96gwp:"faaz57k",Bhrd7zp:"fl43uef"},semibold:{Bhrd7zp:"fl43uef"}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".f19n0e5{color:var(--colorNeutralForeground1);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".f1whyuy6{color:var(--colorPaletteRedForeground3);}",".fruq291{padding-left:var(--spacingHorizontalXS);}",".f7x41pl{padding-right:var(--spacingHorizontalXS);}",".fy9rknc{font-size:var(--fontSizeBase200);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".fkhj508{font-size:var(--fontSizeBase300);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fl43uef{font-weight:var(--fontWeightSemibold);}"],m:[["@media (forced-colors: active){.f1dcs8yz{color:GrayText;}}",{m:"(forced-colors: active)"}]]});r.s(["useCustomStyleHook_unstable",()=>rJ.useCustomStyleHook],96019);var rJ=r.i(69421),rJ=rJ;let rQ=rq.forwardRef((r,e)=>{let o=((r,e)=>{let{disabled:o=!1,required:t=!1,weight:a="regular",size:l="medium"}=r;return{disabled:o,required:rW.slot.optional(!0===t?"*":t||void 0,{defaultProps:{"aria-hidden":"true"},elementType:"span"}),weight:a,size:l,components:{root:"label",required:"span"},root:rW.slot.always((0,rI.getIntrinsicElementProps)("label",{ref:e,...r}),{elementType:"label"})}})(r,e);return(r=>{let e=rK();return r.root.className=(0,r$.mergeClasses)(rU.root,e.root,r.disabled&&e.disabled,e[r.size],"semibold"===r.weight&&e.semibold,r.root.className),r.required&&(r.required.className=(0,r$.mergeClasses)(rU.required,e.required,r.disabled&&e.disabled,r.required.className))})(o),(0,rJ.useCustomStyleHook)("useLabelStyles_unstable")(o),(r=>((0,rV.assertSlots)(r),(0,rX.jsxs)(r.root,{children:[r.root.children,r.required&&(0,rX.jsx)(r.required,{})]})))(o)});rQ.displayName="Label";let r1=rq.createContext(void 0),r0={};function r5(r,o,t){let a=function(r,o,t){let a=arguments.length>3&&void 0!==arguments[3]?arguments[3]:e.insertionFactory,l=a();return function(e){let{dir:a,renderer:n}=e;return l(n,Array.isArray(t)?{r:t}:t),"ltr"===a?r:o||r}}(r,o,t,rH);return function(){return a({dir:(0,rD.useTextDirection)(),renderer:(0,rR.useRenderer)()})}}r1.Provider,r.s(["__resetStyles",()=>r5],21982);let r2={root:"fui-Spinner",spinner:"fui-Spinner__spinner",spinnerTail:"fui-Spinner__spinnerTail",label:"fui-Spinner__label"},r3=r5("rpp59a7",null,[".rpp59a7{display:flex;align-items:center;justify-content:center;line-height:0;gap:8px;overflow:hidden;min-width:min-content;}"]),r6=rY({vertical:{Beiy3e4:"f1vx9l62"}},{d:[".f1vx9l62{flex-direction:column;}"]}),r4=r5("rvgcg50","r15nd2jo",{r:[".rvgcg50{position:relative;flex-shrink:0;-webkit-mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);background-color:var(--colorBrandStroke2Contrast);color:var(--colorBrandStroke1);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:linear;animation-name:rb7n1on;}","@keyframes rb7n1on{0%{transform:rotate(0deg);}100%{transform:rotate(360deg);}}",".r15nd2jo{position:relative;flex-shrink:0;-webkit-mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);mask-image:radial-gradient(closest-side, transparent calc(100% - var(--fui-Spinner--strokeWidth) - 1px), white calc(100% - var(--fui-Spinner--strokeWidth)) calc(100% - 1px), transparent 100%);background-color:var(--colorBrandStroke2Contrast);color:var(--colorBrandStroke1);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:linear;animation-name:r1gx3jof;}","@keyframes r1gx3jof{0%{transform:rotate(0deg);}100%{transform:rotate(-360deg);}}"],s:["@media screen and (forced-colors: active){.rvgcg50{background-color:HighlightText;color:Highlight;forced-color-adjust:none;}}","@media screen and (prefers-reduced-motion: reduce){.rvgcg50{animation-duration:1.8s;}}","@media screen and (forced-colors: active){.r15nd2jo{background-color:HighlightText;color:Highlight;forced-color-adjust:none;}}","@media screen and (prefers-reduced-motion: reduce){.r15nd2jo{animation-duration:1.8s;}}"]}),r7=r5("rxov3xa","r1o544mv",{r:[".rxov3xa{position:absolute;display:block;width:100%;height:100%;-webkit-mask-image:conic-gradient(transparent 105deg, white 105deg);mask-image:conic-gradient(transparent 105deg, white 105deg);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:var(--curveEasyEase);animation-name:r15mim6k;}",'.rxov3xa::before,.rxov3xa::after{content:"";position:absolute;display:block;width:100%;height:100%;animation:inherit;background-image:conic-gradient(currentcolor 135deg, transparent 135deg);}',"@keyframes r15mim6k{0%{transform:rotate(-135deg);}50%{transform:rotate(0deg);}100%{transform:rotate(225deg);}}",".rxov3xa::before{animation-name:r18vhmn8;}","@keyframes r18vhmn8{0%{transform:rotate(0deg);}50%{transform:rotate(105deg);}100%{transform:rotate(0deg);}}",".rxov3xa::after{animation-name:rkgrvoi;}","@keyframes rkgrvoi{0%{transform:rotate(0deg);}50%{transform:rotate(225deg);}100%{transform:rotate(0deg);}}",".r1o544mv{position:absolute;display:block;width:100%;height:100%;-webkit-mask-image:conic-gradient(transparent 105deg, white 105deg);mask-image:conic-gradient(transparent 105deg, white 105deg);animation-duration:1.5s;animation-iteration-count:infinite;animation-timing-function:var(--curveEasyEase);animation-name:r109gmi5;}",'.r1o544mv::before,.r1o544mv::after{content:"";position:absolute;display:block;width:100%;height:100%;animation:inherit;background-image:conic-gradient(currentcolor 135deg, transparent 135deg);}',"@keyframes r109gmi5{0%{transform:rotate(135deg);}50%{transform:rotate(0deg);}100%{transform:rotate(-225deg);}}",".r1o544mv::before{animation-name:r17whflh;}","@keyframes r17whflh{0%{transform:rotate(0deg);}50%{transform:rotate(-105deg);}100%{transform:rotate(0deg);}}",".r1o544mv::after{animation-name:re4odhl;}","@keyframes re4odhl{0%{transform:rotate(0deg);}50%{transform:rotate(-225deg);}100%{transform:rotate(0deg);}}"],s:["@media screen and (prefers-reduced-motion: reduce){.rxov3xa{animation-iteration-count:0;background-image:conic-gradient(transparent 120deg, currentcolor 360deg);}.rxov3xa::before,.rxov3xa::after{content:none;}}","@media screen and (prefers-reduced-motion: reduce){.r1o544mv{animation-iteration-count:0;background-image:conic-gradient(transparent 120deg, currentcolor 360deg);}.r1o544mv::before,.r1o544mv::after{content:none;}}"]}),r9=rY({inverted:{De3pzq:"fr407j0",sj55zd:"f1f7voed"},rtlTail:{btxmck:"f179dep3",gb5jj2:"fbz9ihp",Br2kee7:"f1wkkxo7"},"extra-tiny":{Bqenvij:"fd461yt",a9b677:"fjw5fx7",qmp6fs:"f1v3ph3m"},tiny:{Bqenvij:"fjamq6b",a9b677:"f64fuq3",qmp6fs:"f1v3ph3m"},"extra-small":{Bqenvij:"frvgh55",a9b677:"fq4mcun",qmp6fs:"f1v3ph3m"},small:{Bqenvij:"fxldao9",a9b677:"f1w9dchk",qmp6fs:"f1v3ph3m"},medium:{Bqenvij:"f1d2rq10",a9b677:"f1szoe96",qmp6fs:"fb52u90"},large:{Bqenvij:"f8ljn23",a9b677:"fpdz1er",qmp6fs:"fb52u90"},"extra-large":{Bqenvij:"fbhnoac",a9b677:"feqmc2u",qmp6fs:"fb52u90"},huge:{Bqenvij:"f1ft4266",a9b677:"fksc0bp",qmp6fs:"fa3u9ii"}},{d:[".fr407j0{background-color:var(--colorNeutralStrokeAlpha2);}",".f1f7voed{color:var(--colorNeutralStrokeOnBrand2);}",".f179dep3{-webkit-mask-image:conic-gradient(white 255deg, transparent 255deg);mask-image:conic-gradient(white 255deg, transparent 255deg);}",".fbz9ihp::before,.fbz9ihp::after{background-image:conic-gradient(transparent 225deg, currentcolor 225deg);}",".fd461yt{height:16px;}",".fjw5fx7{width:16px;}",".f1v3ph3m{--fui-Spinner--strokeWidth:var(--strokeWidthThick);}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",".frvgh55{height:24px;}",".fq4mcun{width:24px;}",".fxldao9{height:28px;}",".f1w9dchk{width:28px;}",".f1d2rq10{height:32px;}",".f1szoe96{width:32px;}",".fb52u90{--fui-Spinner--strokeWidth:var(--strokeWidthThicker);}",".f8ljn23{height:36px;}",".fpdz1er{width:36px;}",".fbhnoac{height:40px;}",".feqmc2u{width:40px;}",".f1ft4266{height:44px;}",".fksc0bp{width:44px;}",".fa3u9ii{--fui-Spinner--strokeWidth:var(--strokeWidthThickest);}"],m:[["@media screen and (prefers-reduced-motion: reduce){.f1wkkxo7{background-image:conic-gradient(currentcolor 0deg, transparent 240deg);}}",{m:"screen and (prefers-reduced-motion: reduce)"}]]}),r8=rY({inverted:{sj55zd:"fonrgv7"},"extra-tiny":{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},tiny:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},"extra-small":{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},small:{Bahqtrf:"fk6fouc",Be2twd7:"fkhj508",Bhrd7zp:"figsok6",Bg96gwp:"f1i3iumi"},medium:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},large:{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},"extra-large":{Bahqtrf:"fk6fouc",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},huge:{Bahqtrf:"fk6fouc",Be2twd7:"f1pp30po",Bhrd7zp:"fl43uef",Bg96gwp:"f106mvju"}},{d:[".fonrgv7{color:var(--colorNeutralForegroundStaticInverted);}",".fk6fouc{font-family:var(--fontFamilyBase);}",".fkhj508{font-size:var(--fontSizeBase300);}",".figsok6{font-weight:var(--fontWeightRegular);}",".f1i3iumi{line-height:var(--lineHeightBase300);}",".fod5ikn{font-size:var(--fontSizeBase400);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".faaz57k{line-height:var(--lineHeightBase400);}",".f1pp30po{font-size:var(--fontSizeBase500);}",".f106mvju{line-height:var(--lineHeightBase500);}"]});var rJ=rJ;let er=rq.forwardRef((r,e)=>{let o=((r,e)=>{let{size:o}=(()=>{var r;return null!=(r=rq.useContext(r1))?r:r0})(),{appearance:t="primary",labelPosition:a="after",size:l=null!=o?o:"medium",delay:n=0}=r,c=(0,rL.useId)("spinner"),{role:i="progressbar",...d}=r,s=rW.slot.always((0,rI.getIntrinsicElementProps)("div",{ref:e,role:i,...d},["size"]),{elementType:"div"}),[u,f]=rq.useState(!1),[g,v]=rG();rq.useEffect(()=>{if(!(n<=0))return g(()=>{f(!0)},n),()=>{v()}},[g,v,n]);let p=rW.slot.optional(r.label,{defaultProps:{id:c},renderByDefault:!1,elementType:rQ}),h=rW.slot.optional(r.spinner,{renderByDefault:!0,elementType:"span"});return p&&s&&!s["aria-labelledby"]&&(s["aria-labelledby"]=p.id),{appearance:t,delay:n,labelPosition:a,size:l,shouldRenderSpinner:!n||u,components:{root:"div",spinner:"span",spinnerTail:"span",label:rQ},root:s,spinner:h,spinnerTail:rW.slot.always(r.spinnerTail,{elementType:"span"}),label:p}})(r,e);return(r=>{let{labelPosition:e,size:o,appearance:t}=r,{dir:a}=(0,rE.useFluent_unstable)(),l=r3(),n=r6(),c=r4(),i=r9(),d=r7(),s=r8();return r.root.className=(0,r$.mergeClasses)(r2.root,l,("above"===e||"below"===e)&&n.vertical,r.root.className),r.spinner&&(r.spinner.className=(0,r$.mergeClasses)(r2.spinner,c,i[o],"inverted"===t&&i.inverted,r.spinner.className)),r.spinnerTail&&(r.spinnerTail.className=(0,r$.mergeClasses)(r2.spinnerTail,d,"rtl"===a&&i.rtlTail,r.spinnerTail.className)),r.label&&(r.label.className=(0,r$.mergeClasses)(r2.label,s[o],"inverted"===t&&s.inverted,r.label.className))})(o),(0,rJ.useCustomStyleHook)("useSpinnerStyles_unstable")(o),(r=>{(0,rV.assertSlots)(r);let{labelPosition:e,shouldRenderSpinner:o}=r;return(0,rX.jsxs)(r.root,{children:[r.label&&o&&("above"===e||"before"===e)&&(0,rX.jsx)(r.label,{}),r.spinner&&o&&(0,rX.jsx)(r.spinner,{children:r.spinnerTail&&(0,rX.jsx)(r.spinnerTail,{})}),r.label&&o&&("below"===e||"after"===e)&&(0,rX.jsx)(r.label,{})]})})(o)});er.displayName="Spinner",r.s(["Button",()=>eH],50637),r.s(["renderButton_unstable",()=>ee],12628);let ee=r=>{(0,rV.assertSlots)(r);let{iconOnly:e,iconPosition:o}=r;return(0,rX.jsxs)(r.root,{children:["after"!==o&&r.icon&&(0,rX.jsx)(r.icon,{}),!e&&r.root.children,"after"===o&&r.icon&&(0,rX.jsx)(r.icon,{})]})};r.s(["useButton_unstable",()=>ey],47419),r.s(["useARIAButtonProps",()=>em],21183),r.s(["ArrowDown",()=>en,"ArrowLeft",()=>ec,"ArrowRight",()=>ei,"ArrowUp",()=>ed,"End",()=>es,"Enter",()=>et,"Escape",()=>ev,"Home",()=>eu,"PageDown",()=>ef,"PageUp",()=>eg,"Shift",()=>eo,"Space",()=>ea,"Tab",()=>el],18015);let eo="Shift",et="Enter",ea=" ",el="Tab",en="ArrowDown",ec="ArrowLeft",ei="ArrowRight",ed="ArrowUp",es="End",eu="Home",ef="PageDown",eg="PageUp",ev="Escape";r.s(["useEventCallback",()=>eh],17664);var ep=r.i(52911);let eh=r=>{let e=rq.useRef(()=>{throw Error("Cannot call an event handler while rendering")});return(0,ep.useIsomorphicLayoutEffect)(()=>{e.current=r},[r]),rq.useCallback(function(){for(var r=arguments.length,o=Array(r),t=0;t{s?(r.preventDefault(),r.stopPropagation()):null==l||l(r)}),f=eh(r=>{if(null==n||n(r),r.isDefaultPrevented())return;let e=r.key;if(s&&(e===et||e===ea)){r.preventDefault(),r.stopPropagation();return}if(e===ea)return void r.preventDefault();e===et&&(r.preventDefault(),r.currentTarget.click())}),g=eh(r=>{if(null==c||c(r),r.isDefaultPrevented())return;let e=r.key;if(s&&(e===et||e===ea)){r.preventDefault(),r.stopPropagation();return}e===ea&&(r.preventDefault(),r.currentTarget.click())});if("button"===r||void 0===r)return{...i,disabled:o&&!t,"aria-disabled":!!t||d,onClick:t?void 0:u,onKeyUp:t?void 0:c,onKeyDown:t?void 0:n};{let e=!!i.href,a=e?void 0:"button";!a&&s&&(a="link");let l={role:a,tabIndex:!t&&(e||o)?void 0:0,...i,onClick:u,onKeyUp:g,onKeyDown:f,"aria-disabled":s};return"a"===r&&s&&(l.href=void 0),l}}r.s(["ButtonContextProvider",()=>ek,"useButtonContext",()=>ew],12853);let eb=rq.createContext(void 0),eB={},ek=eb.Provider,ew=()=>{var r;return null!=(r=rq.useContext(eb))?r:eB},ey=(r,e)=>{let{size:o}=ew(),{appearance:t="secondary",as:a="button",disabled:l=!1,disabledFocusable:n=!1,icon:c,iconPosition:i="before",shape:d="rounded",size:s=null!=o?o:"medium"}=r,u=rW.slot.optional(c,{elementType:"span"});return{appearance:t,disabled:l,disabledFocusable:n,iconPosition:i,shape:d,size:s,iconOnly:!!((null==u?void 0:u.children)&&!r.children),components:{root:"button",icon:"span"},root:rW.slot.always((0,rI.getIntrinsicElementProps)(a,em(r.as,r)),{elementType:"button",defaultProps:{ref:e,type:"button"===a?"button":void 0}}),icon:u}};r.s(["useButtonStyles_unstable",()=>eT],69837);let eS={root:"fui-Button",icon:"fui-Button__icon"};rC.strokeWidthThin;let ex=r5("r1alrhcs",null,{r:[".r1alrhcs{align-items:center;box-sizing:border-box;display:inline-flex;justify-content:center;text-decoration-line:none;vertical-align:middle;margin:0;overflow:hidden;background-color:var(--colorNeutralBackground1);color:var(--colorNeutralForeground1);border:var(--strokeWidthThin) solid var(--colorNeutralStroke1);font-family:var(--fontFamilyBase);outline-style:none;padding:5px var(--spacingHorizontalM);min-width:96px;border-radius:var(--borderRadiusMedium);font-size:var(--fontSizeBase300);font-weight:var(--fontWeightSemibold);line-height:var(--lineHeightBase300);transition-duration:var(--durationFaster);transition-property:background,border,color;transition-timing-function:var(--curveEasyEase);}",".r1alrhcs:hover{background-color:var(--colorNeutralBackground1Hover);border-color:var(--colorNeutralStroke1Hover);color:var(--colorNeutralForeground1Hover);cursor:pointer;}",".r1alrhcs:hover:active{background-color:var(--colorNeutralBackground1Pressed);border-color:var(--colorNeutralStroke1Pressed);color:var(--colorNeutralForeground1Pressed);outline-style:none;}",".r1alrhcs[data-fui-focus-visible]{border-color:var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);border-width:1px;outline:var(--strokeWidthThick) solid var(--colorTransparentStroke);box-shadow:0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset;z-index:1;}"],s:["@media screen and (prefers-reduced-motion: reduce){.r1alrhcs{transition-duration:0.01ms;}}","@media (forced-colors: active){.r1alrhcs:focus{border-color:ButtonText;}.r1alrhcs:hover{background-color:HighlightText;border-color:Highlight;color:Highlight;forced-color-adjust:none;}.r1alrhcs:hover:active{background-color:HighlightText;border-color:Highlight;color:Highlight;forced-color-adjust:none;}}","@supports (-moz-appearance:button){.r1alrhcs[data-fui-focus-visible]{box-shadow:0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset;}}"]}),eP=r5("rywnvv2",null,[".rywnvv2{align-items:center;display:inline-flex;justify-content:center;font-size:20px;height:20px;width:20px;--fui-Button__icon--spacing:var(--spacingHorizontalSNudge);}"]),ez=rY({outline:{De3pzq:"f1c21dwh",Jwef8y:"fjxutwb",iro3zm:"fwiml72"},primary:{De3pzq:"ffp7eso",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],sj55zd:"f1phragk",Jwef8y:"f15wkkf3",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],Bi91k9c:"f1rq72xc",iro3zm:"fnp9lpt",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"],B2d53fq:"f1d6v5y2",Bsw6fvg:"f1rirnrt",Bjwas2f:"f1uu00uk",Bn1d65q:["fkvaka8","f9a0qzu"],Bxeuatn:"f1ux7til",n51gp8:["f9a0qzu","fkvaka8"],Bbusuzp:"f1lkg8j3",ycbfsm:"fkc42ay",Bqrx1nm:"fq7113v",pgvf35:"ff1wgvm",Bh7lczh:["fiob0tu","f1x4h75k"],dpv3f4:"f1j6scgf",Bpnjhaq:["f1x4h75k","fiob0tu"],ze5xyy:"f4xjyn1",g2kj27:"fbgcvur",Bf756sw:"f1ks1yx8",Bow2dr7:["f1o6qegi","fmxjhhp"],Bvhedfk:"fcnxywj",Gye4lf:["fmxjhhp","f1o6qegi"],pc6evw:"f9ddjv3"},secondary:{},subtle:{De3pzq:"fhovq9v",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],sj55zd:"fkfq4zb",Jwef8y:"f1t94bn6",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],Bi91k9c:"fnwyq0v",Bk3fhr4:"ft1hn21",Bmfj8id:"fuxngvv",Bbdnnc7:"fy5bs14",iro3zm:"fsv2rcd",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"],B2d53fq:"f1omzyqd",em6i61:"f1dfjoow",vm6p8p:"f1j98vj9",x3br3k:"fj8yq94",ze5xyy:"f4xjyn1",Bx3q9su:"f1et0tmh",pc6evw:"f9ddjv3",xd2cci:"f1wi8ngl"},transparent:{De3pzq:"f1c21dwh",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],sj55zd:"fkfq4zb",Jwef8y:"fjxutwb",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],Bi91k9c:"f139oj5f",Bk3fhr4:"ft1hn21",Bmfj8id:"fuxngvv",iro3zm:"fwiml72",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"],B2d53fq:"f1fg1p5m",em6i61:"f1dfjoow",vm6p8p:"f1j98vj9",Bqrx1nm:"f1tme0vf",ze5xyy:"f4xjyn1",g2kj27:"f18onu3q",pc6evw:"f9ddjv3"},circular:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f44lkw9"},rounded:{},square:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f1fabniw"},small:{Bf4jedk:"fh7ncta",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fneth5b",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",Be2twd7:"fy9rknc",Bhrd7zp:"figsok6",Bg96gwp:"fwrc4pm"},smallWithIcon:{Byoj8tv:"f1brlhvm",z8tnut:"f1sl3k7w"},medium:{},large:{Bf4jedk:"f14es27b",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f4db1ww",Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5",Be2twd7:"fod5ikn",Bhrd7zp:"fl43uef",Bg96gwp:"faaz57k"},largeWithIcon:{Byoj8tv:"fy7v416",z8tnut:"f1a1bwwz"}},{d:[".f1c21dwh{background-color:var(--colorTransparentBackground);}",".ffp7eso{background-color:var(--colorBrandBackground);}",".f1p3nwhy{border-top-color:transparent;}",".f11589ue{border-right-color:transparent;}",".f1pdflbu{border-left-color:transparent;}",".f1q5o8ev{border-bottom-color:transparent;}",".f1phragk{color:var(--colorNeutralForegroundOnBrand);}",".fhovq9v{background-color:var(--colorSubtleBackground);}",".fkfq4zb{color:var(--colorNeutralForeground2);}",[".f44lkw9{border-radius:var(--borderRadiusCircular);}",{p:-1}],[".f1fabniw{border-radius:var(--borderRadiusNone);}",{p:-1}],".fh7ncta{min-width:64px;}",[".fneth5b{padding:3px var(--spacingHorizontalS);}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fy9rknc{font-size:var(--fontSizeBase200);}",".figsok6{font-weight:var(--fontWeightRegular);}",".fwrc4pm{line-height:var(--lineHeightBase200);}",".f1brlhvm{padding-bottom:1px;}",".f1sl3k7w{padding-top:1px;}",".f14es27b{min-width:96px;}",[".f4db1ww{padding:8px var(--spacingHorizontalL);}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],".fod5ikn{font-size:var(--fontSizeBase400);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".faaz57k{line-height:var(--lineHeightBase400);}",".fy7v416{padding-bottom:7px;}",".f1a1bwwz{padding-top:7px;}"],h:[".fjxutwb:hover{background-color:var(--colorTransparentBackgroundHover);}",".fwiml72:hover:active{background-color:var(--colorTransparentBackgroundPressed);}",".f15wkkf3:hover{background-color:var(--colorBrandBackgroundHover);}",".f1s2uweq:hover{border-top-color:transparent;}",".fr80ssc:hover{border-right-color:transparent;}",".fecsdlb:hover{border-left-color:transparent;}",".f1ukrpxl:hover{border-bottom-color:transparent;}",".f1rq72xc:hover{color:var(--colorNeutralForegroundOnBrand);}",".fnp9lpt:hover:active{background-color:var(--colorBrandBackgroundPressed);}",".f1h0usnq:hover:active{border-top-color:transparent;}",".fs4ktlq:hover:active{border-right-color:transparent;}",".fx2bmrt:hover:active{border-left-color:transparent;}",".f16h9ulv:hover:active{border-bottom-color:transparent;}",".f1d6v5y2:hover:active{color:var(--colorNeutralForegroundOnBrand);}",".f1t94bn6:hover{background-color:var(--colorSubtleBackgroundHover);}",".fnwyq0v:hover{color:var(--colorNeutralForeground2Hover);}",".ft1hn21:hover .fui-Icon-filled{display:inline;}",".fuxngvv:hover .fui-Icon-regular{display:none;}",".fy5bs14:hover .fui-Button__icon{color:var(--colorNeutralForeground2BrandHover);}",".fsv2rcd:hover:active{background-color:var(--colorSubtleBackgroundPressed);}",".f1omzyqd:hover:active{color:var(--colorNeutralForeground2Pressed);}",".f1dfjoow:hover:active .fui-Icon-filled{display:inline;}",".f1j98vj9:hover:active .fui-Icon-regular{display:none;}",".fj8yq94:hover:active .fui-Button__icon{color:var(--colorNeutralForeground2BrandPressed);}",".f139oj5f:hover{color:var(--colorNeutralForeground2BrandHover);}",".f1fg1p5m:hover:active{color:var(--colorNeutralForeground2BrandPressed);}"],m:[["@media (forced-colors: active){.f1rirnrt{background-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1uu00uk{border-top-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f9a0qzu{border-left-color:HighlightText;}.fkvaka8{border-right-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1ux7til{border-bottom-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1lkg8j3{color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fkc42ay{forced-color-adjust:none;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fq7113v:hover{background-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.ff1wgvm:hover{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1x4h75k:hover{border-left-color:Highlight;}.fiob0tu:hover{border-right-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1j6scgf:hover{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f4xjyn1:hover{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fbgcvur:hover:active{background-color:HighlightText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1ks1yx8:hover:active{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1o6qegi:hover:active{border-right-color:Highlight;}.fmxjhhp:hover:active{border-left-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fcnxywj:hover:active{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f9ddjv3:hover:active{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1et0tmh:hover .fui-Button__icon{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1wi8ngl:hover:active .fui-Button__icon{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1tme0vf:hover{background-color:var(--colorTransparentBackground);}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f18onu3q:hover:active{background-color:var(--colorTransparentBackground);}}",{m:"(forced-colors: active)"}]]}),ej=rY({base:{De3pzq:"f1bg9a2p",g2u3we:"f1jj8ep1",h3c5rm:["f15xbau","fy0fskl"],B9xav0g:"f4ikngz",zhjwy3:["fy0fskl","f15xbau"],sj55zd:"f1s2aq7o",Bceei9c:"fdrzuqr",Bfinmwp:"f15x8b5r",Jwef8y:"f1falr9n",Bgoe8wy:"f12mpcsy",Bwzppfd:["f1gwvigk","f18rmfxp"],oetu4i:"f1jnshp0",gg5e9n:["f18rmfxp","f1gwvigk"],Bi91k9c:"fvgxktp",eoavqd:"fphbwmw",Bk3fhr4:"f19vpps7",Bmfj8id:"fv5swzo",Bbdnnc7:"f1al02dq",iro3zm:"f1t6o4dc",b661bw:"f10ztigi",Bk6r4ia:["f1ft5sdu","f1gzf82w"],B9zn80p:"f12zbtn2",Bpld233:["f1gzf82w","f1ft5sdu"],B2d53fq:"fcvwxyo",c3iz72:"f8w4c43",em6i61:"f1ol4fw6",vm6p8p:"f1q1lw4e",x3br3k:"f1dwjv2g"},highContrast:{Bsw6fvg:"f4lkoma",Bjwas2f:"fg455y9",Bn1d65q:["f1rvyvqg","f14g86mu"],Bxeuatn:"f1cwzwz",n51gp8:["f14g86mu","f1rvyvqg"],Bbusuzp:"f1dcs8yz",Bm2fdqk:"fuigjrg",G867l3:"fjwq6ea",gdbnj:["f1lr3nhc","f1mbxvi6"],mxns5l:"fn5gmvv",o3nasb:["f1mbxvi6","f1lr3nhc"],Bqrx1nm:"f1vmkb5g",pgvf35:"f53ppgq",Bh7lczh:["f1663y11","f80fkiy"],dpv3f4:"f18v5270",Bpnjhaq:["f80fkiy","f1663y11"],ze5xyy:"f1kc2mi9",Bx3q9su:"f4dhi0o",g2kj27:"f1y0svfh",Bf756sw:"fihuait",Bow2dr7:["fnxhupq","fyd6l6x"],Bvhedfk:"fx507ft",Gye4lf:["fyd6l6x","fnxhupq"],pc6evw:"fb3rf2x",xd2cci:"fequ9m0"},outline:{De3pzq:"f1c21dwh",Jwef8y:"f9ql6rf",iro3zm:"f3h1zc4"},primary:{g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"]},secondary:{},subtle:{De3pzq:"f1c21dwh",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],Jwef8y:"f9ql6rf",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],iro3zm:"f3h1zc4",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"]},transparent:{De3pzq:"f1c21dwh",g2u3we:"f1p3nwhy",h3c5rm:["f11589ue","f1pdflbu"],B9xav0g:"f1q5o8ev",zhjwy3:["f1pdflbu","f11589ue"],Jwef8y:"f9ql6rf",Bgoe8wy:"f1s2uweq",Bwzppfd:["fr80ssc","fecsdlb"],oetu4i:"f1ukrpxl",gg5e9n:["fecsdlb","fr80ssc"],iro3zm:"f3h1zc4",b661bw:"f1h0usnq",Bk6r4ia:["fs4ktlq","fx2bmrt"],B9zn80p:"f16h9ulv",Bpld233:["fx2bmrt","fs4ktlq"]}},{d:[".f1bg9a2p{background-color:var(--colorNeutralBackgroundDisabled);}",".f1jj8ep1{border-top-color:var(--colorNeutralStrokeDisabled);}",".f15xbau{border-right-color:var(--colorNeutralStrokeDisabled);}",".fy0fskl{border-left-color:var(--colorNeutralStrokeDisabled);}",".f4ikngz{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".f1s2aq7o{color:var(--colorNeutralForegroundDisabled);}",".fdrzuqr{cursor:not-allowed;}",".f15x8b5r .fui-Button__icon{color:var(--colorNeutralForegroundDisabled);}",".f1c21dwh{background-color:var(--colorTransparentBackground);}",".f1p3nwhy{border-top-color:transparent;}",".f11589ue{border-right-color:transparent;}",".f1pdflbu{border-left-color:transparent;}",".f1q5o8ev{border-bottom-color:transparent;}"],h:[".f1falr9n:hover{background-color:var(--colorNeutralBackgroundDisabled);}",".f12mpcsy:hover{border-top-color:var(--colorNeutralStrokeDisabled);}",".f1gwvigk:hover{border-right-color:var(--colorNeutralStrokeDisabled);}",".f18rmfxp:hover{border-left-color:var(--colorNeutralStrokeDisabled);}",".f1jnshp0:hover{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".fvgxktp:hover{color:var(--colorNeutralForegroundDisabled);}",".fphbwmw:hover{cursor:not-allowed;}",".f19vpps7:hover .fui-Icon-filled{display:none;}",".fv5swzo:hover .fui-Icon-regular{display:inline;}",".f1al02dq:hover .fui-Button__icon{color:var(--colorNeutralForegroundDisabled);}",".f1t6o4dc:hover:active{background-color:var(--colorNeutralBackgroundDisabled);}",".f10ztigi:hover:active{border-top-color:var(--colorNeutralStrokeDisabled);}",".f1ft5sdu:hover:active{border-right-color:var(--colorNeutralStrokeDisabled);}",".f1gzf82w:hover:active{border-left-color:var(--colorNeutralStrokeDisabled);}",".f12zbtn2:hover:active{border-bottom-color:var(--colorNeutralStrokeDisabled);}",".fcvwxyo:hover:active{color:var(--colorNeutralForegroundDisabled);}",".f8w4c43:hover:active{cursor:not-allowed;}",".f1ol4fw6:hover:active .fui-Icon-filled{display:none;}",".f1q1lw4e:hover:active .fui-Icon-regular{display:inline;}",".f1dwjv2g:hover:active .fui-Button__icon{color:var(--colorNeutralForegroundDisabled);}",".f9ql6rf:hover{background-color:var(--colorTransparentBackground);}",".f3h1zc4:hover:active{background-color:var(--colorTransparentBackground);}",".f1s2uweq:hover{border-top-color:transparent;}",".fr80ssc:hover{border-right-color:transparent;}",".fecsdlb:hover{border-left-color:transparent;}",".f1ukrpxl:hover{border-bottom-color:transparent;}",".f1h0usnq:hover:active{border-top-color:transparent;}",".fs4ktlq:hover:active{border-right-color:transparent;}",".fx2bmrt:hover:active{border-left-color:transparent;}",".f16h9ulv:hover:active{border-bottom-color:transparent;}"],m:[["@media (forced-colors: active){.f4lkoma{background-color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fg455y9{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f14g86mu{border-left-color:GrayText;}.f1rvyvqg{border-right-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1cwzwz{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1dcs8yz{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fuigjrg .fui-Button__icon{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fjwq6ea:focus{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1lr3nhc:focus{border-right-color:GrayText;}.f1mbxvi6:focus{border-left-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fn5gmvv:focus{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1vmkb5g:hover{background-color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f53ppgq:hover{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1663y11:hover{border-right-color:GrayText;}.f80fkiy:hover{border-left-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f18v5270:hover{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1kc2mi9:hover{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f4dhi0o:hover .fui-Button__icon{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1y0svfh:hover:active{background-color:ButtonFace;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fihuait:hover:active{border-top-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fnxhupq:hover:active{border-right-color:GrayText;}.fyd6l6x:hover:active{border-left-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fx507ft:hover:active{border-bottom-color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fb3rf2x:hover:active{color:GrayText;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.fequ9m0:hover:active .fui-Button__icon{color:GrayText;}}",{m:"(forced-colors: active)"}]]}),eF=rY({circular:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f1062rbf"},rounded:{},square:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"fj0ryk1"},primary:{B8q5s1w:"f17t0x8g",Bci5o5g:["f194v5ow","fk7jm04"],n8qw10:"f1qgg65p",Bdrgwmp:["fk7jm04","f194v5ow"],j6ew2k:["fhgccpy","fjo7pq6"],he4mth:"f32wu9k",Byr4aka:"fu5nqqq",lks7q5:["f13prjl2","f1nl83rv"],Bnan3qt:"f1czftr5",k1dn9:["f1nl83rv","f13prjl2"],Boium3a:["f12k37oa","fdnykm2"],tm8e47:"fr96u23"},small:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"fazmxh"},medium:{},large:{Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f1b6alqh"}},{d:[[".f1062rbf[data-fui-focus-visible]{border-radius:var(--borderRadiusCircular);}",{p:-1}],[".fj0ryk1[data-fui-focus-visible]{border-radius:var(--borderRadiusNone);}",{p:-1}],".f17t0x8g[data-fui-focus-visible]{border-top-color:var(--colorStrokeFocus2);}",".f194v5ow[data-fui-focus-visible]{border-right-color:var(--colorStrokeFocus2);}",".fk7jm04[data-fui-focus-visible]{border-left-color:var(--colorStrokeFocus2);}",".f1qgg65p[data-fui-focus-visible]{border-bottom-color:var(--colorStrokeFocus2);}",".fhgccpy[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}",".fjo7pq6[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}",".f32wu9k[data-fui-focus-visible]:hover{box-shadow:var(--shadow2),0 0 0 var(--strokeWidthThin) var(--colorStrokeFocus2) inset;}",".fu5nqqq[data-fui-focus-visible]:hover{border-top-color:var(--colorStrokeFocus2);}",".f13prjl2[data-fui-focus-visible]:hover{border-right-color:var(--colorStrokeFocus2);}",".f1nl83rv[data-fui-focus-visible]:hover{border-left-color:var(--colorStrokeFocus2);}",".f1czftr5[data-fui-focus-visible]:hover{border-bottom-color:var(--colorStrokeFocus2);}",[".fazmxh[data-fui-focus-visible]{border-radius:var(--borderRadiusSmall);}",{p:-1}],[".f1b6alqh[data-fui-focus-visible]{border-radius:var(--borderRadiusLarge);}",{p:-1}]],t:["@supports (-moz-appearance:button){.f12k37oa[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}.fdnykm2[data-fui-focus-visible]{box-shadow:var(--shadow2),0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset,0 0 0 var(--strokeWidthThick) var(--colorNeutralForegroundOnBrand) inset;}}","@supports (-moz-appearance:button){.fr96u23[data-fui-focus-visible]:hover{box-shadow:var(--shadow2),0 0 0 calc(var(--strokeWidthThin) + 0.25px) var(--colorStrokeFocus2) inset;}}"]}),eN=rY({small:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fu97m5z",Bf4jedk:"f17fgpbq",B2u0y6b:"f1jt17bm"},medium:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f18ktai2",Bf4jedk:"fwbmr0d",B2u0y6b:"f44c6la"},large:{Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1hbd1aw",Bf4jedk:"f12clzc2",B2u0y6b:"fjy1crr"}},{d:[[".fu97m5z{padding:1px;}",{p:-1}],".f17fgpbq{min-width:24px;}",".f1jt17bm{max-width:24px;}",[".f18ktai2{padding:5px;}",{p:-1}],".fwbmr0d{min-width:32px;}",".f44c6la{max-width:32px;}",[".f1hbd1aw{padding:7px;}",{p:-1}],".f12clzc2{min-width:40px;}",".fjy1crr{max-width:40px;}"]}),eq=rY({small:{Be2twd7:"fe5j1ua",Bqenvij:"fjamq6b",a9b677:"f64fuq3",Bqrlyyl:"fbaiahx"},medium:{},large:{Be2twd7:"f1rt2boy",Bqenvij:"frvgh55",a9b677:"fq4mcun",Bqrlyyl:"f1exjqw5"},before:{t21cq0:["f1nizpg2","f1a695kz"]},after:{Frg6f3:["f1a695kz","f1nizpg2"]}},{d:[".fe5j1ua{font-size:20px;}",".fjamq6b{height:20px;}",".f64fuq3{width:20px;}",".fbaiahx{--fui-Button__icon--spacing:var(--spacingHorizontalXS);}",".f1rt2boy{font-size:24px;}",".frvgh55{height:24px;}",".fq4mcun{width:24px;}",".f1exjqw5{--fui-Button__icon--spacing:var(--spacingHorizontalSNudge);}",".f1nizpg2{margin-right:var(--fui-Button__icon--spacing);}",".f1a695kz{margin-left:var(--fui-Button__icon--spacing);}"]}),eT=r=>{let e=ex(),o=eP(),t=ez(),a=ej(),l=eF(),n=eN(),c=eq(),{appearance:i,disabled:d,disabledFocusable:s,icon:u,iconOnly:f,iconPosition:g,shape:v,size:p}=r;return r.root.className=(0,r$.mergeClasses)(eS.root,e,i&&t[i],t[p],u&&"small"===p&&t.smallWithIcon,u&&"large"===p&&t.largeWithIcon,t[v],(d||s)&&a.base,(d||s)&&a.highContrast,i&&(d||s)&&a[i],"primary"===i&&l.primary,l[p],l[v],f&&n[p],r.root.className),r.icon&&(r.icon.className=(0,r$.mergeClasses)(eS.icon,o,!!r.root.children&&c[g],c[p],r.icon.className)),r};var rJ=rJ;let eH=rq.forwardRef((r,e)=>{let o=ey(r,e);return eT(o),(0,rJ.useCustomStyleHook)("useButtonStyles_unstable")(o),ee(o)});eH.displayName="Button"},13768,2012,75345,807,58725,17304,51351,r=>{"use strict";r.s(["useTable_unstable",()=>a],13768);var e=r.i(71645),o=r.i(56720),t=r.i(77074);let a=(r,e)=>{var a,l,n,c;let i=(null!=(a=r.as)?a:r.noNativeElements)?"div":"table";return{components:{root:i},root:t.slot.always((0,o.getIntrinsicElementProps)(i,{ref:e,role:"div"===i?"table":void 0,...r}),{elementType:i}),size:null!=(l=r.size)?l:"medium",noNativeElements:null!=(n=r.noNativeElements)&&n,sortable:null!=(c=r.sortable)&&c}};r.s(["renderTable_unstable",()=>u],75345);var l=r.i(97906),n=r.i(46163);r.s(["TableContextProvider",()=>d,"useTableContext",()=>s],2012);let c=e.createContext(void 0),i={size:"medium",noNativeElements:!1,sortable:!1},d=c.Provider,s=()=>{var r;return null!=(r=e.useContext(c))?r:i},u=(r,e)=>((0,n.assertSlots)(r),(0,l.jsx)(d,{value:e.table,children:(0,l.jsx)(r.root,{})}));r.s(["useTableStyles_unstable",()=>m],807);var f=r.i(69024),g=r.i(32778);let v=(0,f.__styles)({root:{mc9l5x:"f1w4nmp0",ha4doy:"fmrv4ls",a9b677:"fly5x3f",B73mfa3:"f14m3nip"}},{d:[".f1w4nmp0{display:table;}",".fmrv4ls{vertical-align:middle;}",".fly5x3f{width:100%;}",".f14m3nip{table-layout:fixed;}"]}),p=(0,f.__styles)({root:{mc9l5x:"ftgm304"}},{d:[".ftgm304{display:block;}"]}),h=(0,f.__styles)({root:{po53p8:"fgkb47j",De3pzq:"fhovq9v"}},{d:[".fgkb47j{border-collapse:collapse;}",".fhovq9v{background-color:var(--colorSubtleBackground);}"]}),m=r=>{let e=h(),o={table:v(),flex:p()};return r.root.className=(0,g.mergeClasses)("fui-Table",e.root,r.noNativeElements?o.flex.root:o.table.root,r.root.className),r};function b(r){let{size:o,noNativeElements:t,sortable:a}=r;return{table:e.useMemo(()=>({noNativeElements:t,size:o,sortable:a}),[t,o,a])}}r.s(["useTableContextValues_unstable",()=>b],58725),r.s(["useTableBody_unstable",()=>B],17304);let B=(r,e)=>{var a;let{noNativeElements:l}=s(),n=(null!=(a=r.as)?a:l)?"div":"tbody";return{components:{root:n},root:t.slot.always((0,o.getIntrinsicElementProps)(n,{ref:e,role:"div"===n?"rowgroup":void 0,...r}),{elementType:n}),noNativeElements:l}};r.s(["useTableBodyStyles_unstable",()=>y],51351);let k=(0,f.__styles)({root:{mc9l5x:"f1tp1avn"}},{d:[".f1tp1avn{display:table-row-group;}"]}),w=(0,f.__styles)({root:{mc9l5x:"ftgm304"}},{d:[".ftgm304{display:block;}"]}),y=r=>{let e={table:k(),flex:w()};return r.root.className=(0,g.mergeClasses)("fui-TableBody",r.noNativeElements?e.flex.root:e.table.root,r.root.className),r}},78945,r=>{"use strict";r.s(["useTableCell_unstable",()=>a]),r.i(71645);var e=r.i(56720),o=r.i(77074),t=r.i(2012);let a=(r,a)=>{var l;let{noNativeElements:n,size:c}=(0,t.useTableContext)(),i=(null!=(l=r.as)?l:n)?"div":"td";return{components:{root:i},root:o.slot.always((0,e.getIntrinsicElementProps)(i,{ref:a,role:"div"===i?"cell":void 0,...r}),{elementType:i}),noNativeElements:n,size:c}}},7654,66658,r=>{"use strict";r.s(["renderTableCell_unstable",()=>t],7654);var e=r.i(97906),o=r.i(46163);let t=r=>((0,o.assertSlots)(r),(0,e.jsx)(r.root,{}));r.s(["useTableCellStyles_unstable",()=>s],66658);var a=r.i(69024),l=r.i(32778);let n={root:"fui-TableCell"},c=(0,a.__styles)({root:{mc9l5x:"f15pt5es",ha4doy:"fmrv4ls"},medium:{Bqenvij:"f1ft4266"},small:{Bqenvij:"fbsu25e"},"extra-small":{Bqenvij:"frvgh55"}},{d:[".f15pt5es{display:table-cell;}",".fmrv4ls{vertical-align:middle;}",".f1ft4266{height:44px;}",".fbsu25e{height:34px;}",".frvgh55{height:24px;}"]}),i=(0,a.__styles)({root:{mc9l5x:"f22iagw",Bf4jedk:"f10tiqix",Bt984gj:"f122n59",xawz:0,Bh6795r:0,Bnnss6s:0,fkmc3a:"f1izfyrr"},medium:{sshi5w:"f5pgtk9"},small:{sshi5w:"fcep9tg"},"extra-small":{sshi5w:"f1pha7fy"}},{d:[".f22iagw{display:flex;}",".f10tiqix{min-width:0px;}",".f122n59{align-items:center;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".f5pgtk9{min-height:44px;}",".fcep9tg{min-height:34px;}",".f1pha7fy{min-height:24px;}"]}),d=(0,a.__styles)({root:{qhf8xq:"f10pi13n",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f3gpkru",Bfpq7zp:0,g9k6zt:0,Bn4voq9:0,giviqs:"f1dxfoyt",Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f2krc9w"}},{d:[".f10pi13n{position:relative;}",[".f3gpkru{padding:0px var(--spacingHorizontalS);}",{p:-1}],[".f1dxfoyt[data-fui-focus-visible]{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f2krc9w[data-fui-focus-visible]{border-radius:var(--borderRadiusMedium);}",{p:-1}]]}),s=r=>{let e=d(),o={table:c(),flex:i()};return r.root.className=(0,l.mergeClasses)(n.root,e.root,r.noNativeElements?o.flex.root:o.table.root,r.noNativeElements?o.flex[r.size]:o.table[r.size],r.root.className),r}},52536,r=>{"use strict";r.s(["useFocusWithin",()=>c],52536);var e=r.i(71645),o=r.i(1327),t=r.i(87950),a=r.i(44148);function l(r){r.removeAttribute(a.FOCUS_WITHIN_ATTR)}function n(r){return!!r&&!!(r&&"object"==typeof r&&"classList"in r&&"contains"in r)}function c(){let{targetDocument:r}=(0,o.useFluent_unstable)(),c=e.useRef(null);return e.useEffect(()=>{if((null==r?void 0:r.defaultView)&&c.current)return function(r,e){let o=(0,t.createKeyborg)(e);o.subscribe(e=>{e||l(r)});let c=e=>{o.isNavigatingWithKeyboard()&&n(e.target)&&r.setAttribute(a.FOCUS_WITHIN_ATTR,"")},i=e=>{(!e.relatedTarget||n(e.relatedTarget)&&!r.contains(e.relatedTarget))&&l(r)};return r.addEventListener(t.KEYBORG_FOCUSIN,c),r.addEventListener("focusout",i),()=>{r.removeEventListener(t.KEYBORG_FOCUSIN,c),r.removeEventListener("focusout",i),(0,t.disposeKeyborg)(o)}}(c.current,r.defaultView)},[c,r]),c}},70218,5129,r=>{"use strict";r.s(["useTableRow_unstable",()=>u],70218);var e=r.i(71645),o=r.i(56720),t=r.i(51701),a=r.i(77074),l=r.i(76865),n=r.i(52536),c=r.i(2012);r.s(["TableHeaderContextProvider",()=>d,"useIsInTableHeader",()=>s],5129);let i=e.createContext(void 0),d=i.Provider,s=()=>""===e.useContext(i),u=(r,e)=>{var i,d;let{noNativeElements:u,size:f}=(0,c.useTableContext)(),g=(null!=(i=r.as)?i:u)?"div":"tr",v=(0,l.useFocusVisible)(),p=(0,n.useFocusWithin)(),h=s();return{components:{root:g},root:a.slot.always((0,o.getIntrinsicElementProps)(g,{ref:(0,t.useMergedRefs)(e,v,p),role:"div"===g?"row":void 0,...r}),{elementType:g}),size:f,noNativeElements:u,appearance:null!=(d=r.appearance)?d:"none",isHeaderRow:h}}},84003,55983,6903,9671,r=>{"use strict";r.s(["useTableRowStyles_unstable",()=>c],84003);var e=r.i(69024),o=r.i(32778);let t={root:"fui-TableRow"},a=(0,e.__styles)({root:{mc9l5x:"f1u0rzck"}},{d:[".f1u0rzck{display:table-row;}"]}),l=(0,e.__styles)({root:{mc9l5x:"f22iagw",Bt984gj:"f122n59"}},{d:[".f22iagw{display:flex;}",".f122n59{align-items:center;}"]}),n=(0,e.__styles)({root:{sj55zd:"f19n0e5",B7ck84d:"f1ewtqcl",Bconypa:"f1jazu75",B6guboy:"f1xeqee6",Bfpq7zp:0,g9k6zt:0,Bn4voq9:0,giviqs:"f1dxfoyt",Bw81rd7:0,kdpuga:0,dm238s:0,B6xbmo0:0,B3whbx2:"f2krc9w"},rootInteractive:{B6guboy:"f1xeqee6",ecr2s2:"f1wfn5kd",lj723h:"f1g4hkjv",B43xm9u:"f15ngxrw",i921ia:"fjbbrdp",Jwef8y:"f1t94bn6",Bi91k9c:"feu1g3u",Bpt6rm4:"f1uorfem",ff6mpl:"fw60kww",ze5xyy:"f4xjyn1",pgvf35:"ff1wgvm",Bh7lczh:["fiob0tu","f1x4h75k"],dpv3f4:"f1j6scgf",Bpnjhaq:["f1x4h75k","fiob0tu"]},medium:{B9xav0g:0,oivjwe:0,Bn0qgzm:0,Bgfg5da:"f1facbz3"},small:{B9xav0g:0,oivjwe:0,Bn0qgzm:0,Bgfg5da:"f1facbz3"},"extra-small":{Be2twd7:"fy9rknc"},brand:{De3pzq:"f16xkysk",g2u3we:"f1bh3yvw",h3c5rm:["fmi79ni","f11fozsx"],B9xav0g:"fnzw4c6",zhjwy3:["f11fozsx","fmi79ni"],ecr2s2:"f7tkmfy",lj723h:"f1r2dosr",uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f95l9gw",h6lo6r:0,Beo2b4z:0,w1pwid:0,Btyw6ap:0,Hkxhyr:"fw8kmcu",Brwvgy3:"fd94n53",yadkgm:"f1e0wld5"},neutral:{uu68id:0,Bxeuatn:0,felo30:0,Bc736ss:0,Bhz882k:0,n51gp8:0,Eshu5l:0,Bk6ri7n:0,v49c4f:0,Bn1d65q:0,c4eypz:0,v3aym:0,hft9gk:0,Bjwas2f:0,Bk5ld8o:0,gwxt9v:0,B6k8go:"f95l9gw",h6lo6r:0,Beo2b4z:0,w1pwid:0,Btyw6ap:0,Hkxhyr:"fw8kmcu",Brwvgy3:"fd94n53",yadkgm:"f1e0wld5",De3pzq:"fq5gl1p",sj55zd:"f1cgsbmv",Jwef8y:"f1uqaxdt",ecr2s2:"fa9o754",g2u3we:"frmsihh",h3c5rm:["frttxa5","f11o2r7f"],B9xav0g:"fem5et0",zhjwy3:["f11o2r7f","frttxa5"]},none:{}},{d:[".f19n0e5{color:var(--colorNeutralForeground1);}",".f1ewtqcl{box-sizing:border-box;}",".f1jazu75[data-fui-focus-within]:focus-within .fui-TableSelectionCell{opacity:1;}",".f1xeqee6[data-fui-focus-within]:focus-within .fui-TableCellActions{opacity:1;}",[".f1dxfoyt[data-fui-focus-visible]{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f2krc9w[data-fui-focus-visible]{border-radius:var(--borderRadiusMedium);}",{p:-1}],[".f1facbz3{border-bottom:var(--strokeWidthThin) solid var(--colorNeutralStroke2);}",{p:-1}],[".f1facbz3{border-bottom:var(--strokeWidthThin) solid var(--colorNeutralStroke2);}",{p:-1}],".fy9rknc{font-size:var(--fontSizeBase200);}",".f16xkysk{background-color:var(--colorBrandBackground2);}",".f1bh3yvw{border-top-color:var(--colorTransparentStrokeInteractive);}",".fmi79ni{border-right-color:var(--colorTransparentStrokeInteractive);}",".f11fozsx{border-left-color:var(--colorTransparentStrokeInteractive);}",".fnzw4c6{border-bottom-color:var(--colorTransparentStrokeInteractive);}",".fq5gl1p{background-color:var(--colorSubtleBackgroundSelected);}",".f1cgsbmv{color:var(--colorNeutralForeground1Hover);}",".frmsihh{border-top-color:var(--colorNeutralStrokeOnBrand);}",".frttxa5{border-right-color:var(--colorNeutralStrokeOnBrand);}",".f11o2r7f{border-left-color:var(--colorNeutralStrokeOnBrand);}",".fem5et0{border-bottom-color:var(--colorNeutralStrokeOnBrand);}"],a:[".f1wfn5kd:active{background-color:var(--colorSubtleBackgroundPressed);}",".f1g4hkjv:active{color:var(--colorNeutralForeground1Pressed);}",".f15ngxrw:active .fui-TableCellActions{opacity:1;}",".fjbbrdp:active .fui-TableSelectionCell{opacity:1;}",".f7tkmfy:active{background-color:var(--colorBrandBackground2);}",".f1r2dosr:active{color:var(--colorNeutralForeground1);}",".fa9o754:active{background-color:var(--colorSubtleBackgroundSelected);}"],h:[".f1t94bn6:hover{background-color:var(--colorSubtleBackgroundHover);}",".feu1g3u:hover{color:var(--colorNeutralForeground1Hover);}",".f1uorfem:hover .fui-TableCellActions{opacity:1;}",".fw60kww:hover .fui-TableSelectionCell{opacity:1;}",".f1uqaxdt:hover{background-color:var(--colorSubtleBackgroundSelected);}"],m:[["@media (forced-colors: active){.f4xjyn1:hover{color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.ff1wgvm:hover{border-top-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1x4h75k:hover{border-left-color:Highlight;}.fiob0tu:hover{border-right-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1j6scgf:hover{border-bottom-color:Highlight;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f95l9gw{border:2px solid transparent;}}",{p:-2,m:"(forced-colors: active)"}],["@media (forced-colors: active){.fw8kmcu{border-radius:var(--borderRadiusMedium);}}",{p:-1,m:"(forced-colors: active)"}],["@media (forced-colors: active){.fd94n53{box-sizing:border-box;}}",{m:"(forced-colors: active)"}],["@media (forced-colors: active){.f1e0wld5:focus-visible{outline-offset:-4px;}}",{m:"(forced-colors: active)"}]]}),c=r=>{let e=n(),c={table:a(),flex:l()};return r.root.className=(0,o.mergeClasses)(t.root,e.root,!r.isHeaderRow&&e.rootInteractive,e[r.size],r.noNativeElements?c.flex.root:c.table.root,e[r.appearance],r.root.className),r};r.s(["useTableHeader_unstable",()=>u],55983),r.i(71645);var i=r.i(56720),d=r.i(77074),s=r.i(2012);let u=(r,e)=>{var o;let{noNativeElements:t}=(0,s.useTableContext)(),a=(null!=(o=r.as)?o:t)?"div":"thead";return{components:{root:a},root:d.slot.always((0,i.getIntrinsicElementProps)(a,{ref:e,role:"div"===a?"rowgroup":void 0,...r}),{elementType:a}),noNativeElements:t}};r.s(["renderTableHeader_unstable",()=>p],6903);var f=r.i(97906),g=r.i(46163),v=r.i(5129);let p=r=>((0,g.assertSlots)(r),(0,f.jsx)(v.TableHeaderContextProvider,{value:"",children:(0,f.jsx)(r.root,{})}));r.s(["useTableHeaderStyles_unstable",()=>b],9671);let h=(0,e.__styles)({root:{mc9l5x:"ftgm304"}},{d:[".ftgm304{display:block;}"]}),m=(0,e.__styles)({root:{mc9l5x:"f1tp1avn"}},{d:[".f1tp1avn{display:table-row-group;}"]}),b=r=>{let e={table:m(),flex:h()};return r.root.className=(0,o.mergeClasses)("fui-TableHeader",r.noNativeElements?e.flex.root:e.table.root,r.root.className),r}},39806,r=>{"use strict";r.s(["createFluentIcon",()=>c],39806);var e=r.i(71645),o=r.i(32778),t=r.i(11774),a=r.i(69024);let l=(0,a.__styles)({root:{mc9l5x:"f1w7gpdv",Bg96gwp:"fez10in"},rtl:{Bz10aip:"f13rod7r"}},{d:[".f1w7gpdv{display:inline;}",".fez10in{line-height:0;}",".f13rod7r{transform:scaleX(-1);}"]}),n=(0,a.__styles)({root:{B8gzw0y:"f1dd5bof"}},{m:[["@media (forced-colors: active){.f1dd5bof{forced-color-adjust:auto;}}",{m:"(forced-colors: active)"}]]}),c=(r,a,c,i)=>{let d="1em"===a?"20":a,s=e.forwardRef((r,s)=>{let u=n(),f=((r,e)=>{let{title:a,primaryFill:n="currentColor",...c}=r,i={...c,title:void 0,fill:n},d=l(),s=(0,t.useIconContext)();return i.className=(0,o.mergeClasses)(d.root,(null==e?void 0:e.flipInRtl)&&(null==s?void 0:s.textDirection)==="rtl"&&d.rtl,i.className),a&&(i["aria-label"]=a),i["aria-label"]||i["aria-labelledby"]?i.role="img":i["aria-hidden"]=!0,i})(r,{flipInRtl:null==i?void 0:i.flipInRtl}),g={...f,className:(0,o.mergeClasses)(f.className,u.root),ref:s,width:a,height:a,viewBox:"0 0 ".concat(d," ").concat(d),xmlns:"http://www.w3.org/2000/svg"};return"string"==typeof c?e.createElement("svg",{...g,dangerouslySetInnerHTML:{__html:c}}):e.createElement("svg",g,...c.map(r=>e.createElement("path",{d:r,fill:g.fill})))});return s.displayName=r,s}},17944,r=>{"use strict";r.s(["ArrowDownRegular",()=>o,"ArrowUpRegular",()=>t,"BuildingFilled",()=>a,"BuildingRegular",()=>l]);var e=r.i(39806);let o=(0,e.createFluentIcon)("ArrowDownRegular","1em",["M16.87 10.84a.5.5 0 1 0-.74-.68l-5.63 6.17V2.5a.5.5 0 0 0-1 0v13.83l-5.63-6.17a.5.5 0 0 0-.74.68l6.31 6.91a.75.75 0 0 0 1.11 0l6.32-6.91Z"]),t=(0,e.createFluentIcon)("ArrowUpRegular","1em",["M3.13 9.16a.5.5 0 1 0 .74.68L9.5 3.67V17.5a.5.5 0 1 0 1 0V3.67l5.63 6.17a.5.5 0 0 0 .74-.68l-6.32-6.92a.75.75 0 0 0-1.1 0L3.13 9.16Z"],{flipInRtl:!0}),a=(0,e.createFluentIcon)("BuildingFilled","1em",["M4 3.5C4 2.67 4.67 2 5.5 2h6c.83 0 1.5.67 1.5 1.5V8h1.5c.83 0 1.5.67 1.5 1.5v8a.5.5 0 0 1-.5.5H13v-3.5a.5.5 0 0 0-.5-.5h-5a.5.5 0 0 0-.5.5V18H4.5a.5.5 0 0 1-.5-.5v-14Zm2.75 3a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 0-1.5 0 .75.75 0 0 0 1.5 0Zm-.75 3.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm3.75-6.75a.75.75 0 1 0-1.5 0 .75.75 0 0 0 1.5 0ZM9.75 9.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 0-1.5 0 .75.75 0 0 0 1.5 0Zm2.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM12 15v3h-1.5v-3H12Zm-2.5 0H8v3h1.5v-3Z"]),l=(0,e.createFluentIcon)("BuildingRegular","1em",["M6.75 6.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm-.75 3.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm3.75-6.75a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0ZM9.75 9.5a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5Zm.75 2.25a.75.75 0 1 1-1.5 0 .75.75 0 0 1 1.5 0Zm2.25.75a.75.75 0 1 0 0-1.5.75.75 0 0 0 0 1.5ZM4.5 18a.5.5 0 0 1-.5-.5v-14C4 2.67 4.67 2 5.5 2h6c.83 0 1.5.67 1.5 1.5V8h1.5c.83 0 1.5.67 1.5 1.5v8a.5.5 0 0 1-.5.5h-11ZM5 3.5V17h2v-2.5c0-.28.22-.5.5-.5h5c.28 0 .5.22.5.5V17h2V9.5a.5.5 0 0 0-.5-.5h-2a.5.5 0 0 1-.5-.5v-5a.5.5 0 0 0-.5-.5h-6a.5.5 0 0 0-.5.5ZM12 15h-1.5v2H12v-2Zm-2.5 0H8v2h1.5v-2Z"])},35738,76365,91058,r=>{"use strict";r.s(["useTableHeaderCell_unstable",()=>s],35738);var e=r.i(71645),o=r.i(56720),t=r.i(51701),a=r.i(77074),l=r.i(52536),n=r.i(17944),c=r.i(21183),i=r.i(2012);let d={ascending:e.createElement(n.ArrowUpRegular,{fontSize:12}),descending:e.createElement(n.ArrowDownRegular,{fontSize:12})},s=(r,e)=>{var n,s;let{noNativeElements:u,sortable:f}=(0,i.useTableContext)(),{sortable:g=f}=r,v=(null!=(n=r.as)?n:u)?"div":"th",p=a.slot.always(r.button,{elementType:"div",defaultProps:{as:"div"}}),h=(0,c.useARIAButtonProps)(p.as,p);return{components:{root:v,button:"div",sortIcon:"span",aside:"span"},root:a.slot.always((0,o.getIntrinsicElementProps)(v,{ref:(0,t.useMergedRefs)(e,(0,l.useFocusWithin)()),role:"div"===v?"columnheader":void 0,"aria-sort":g?null!=(s=r.sortDirection)?s:"none":void 0,...r}),{elementType:v}),aside:a.slot.optional(r.aside,{elementType:"span"}),sortIcon:a.slot.optional(r.sortIcon,{renderByDefault:!!r.sortDirection,defaultProps:{children:r.sortDirection?d[r.sortDirection]:void 0},elementType:"span"}),button:g?h:p,sortable:g,noNativeElements:u}};r.s(["renderTableHeaderCell_unstable",()=>g],76365);var u=r.i(97906),f=r.i(46163);let g=r=>((0,f.assertSlots)(r),(0,u.jsxs)(r.root,{children:[(0,u.jsxs)(r.button,{children:[r.root.children,r.sortIcon&&(0,u.jsx)(r.sortIcon,{})]}),r.aside&&(0,u.jsx)(r.aside,{})]}));r.s(["useTableHeaderCellStyles_unstable",()=>k],91058);var v=r.i(69024),p=r.i(32778);let h={root:"fui-TableHeaderCell",button:"fui-TableHeaderCell__button",sortIcon:"fui-TableHeaderCell__sortIcon",aside:"fui-TableHeaderCell__aside"},m=(0,v.__styles)({root:{mc9l5x:"f15pt5es",ha4doy:"fmrv4ls"}},{d:[".f15pt5es{display:table-cell;}",".fmrv4ls{vertical-align:middle;}"]}),b=(0,v.__styles)({root:{mc9l5x:"f22iagw",xawz:0,Bh6795r:0,Bnnss6s:0,fkmc3a:"f1izfyrr",Bf4jedk:"f10tiqix"}},{d:[".f22iagw{display:flex;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".f10tiqix{min-width:0px;}"]}),B=(0,v.__styles)({root:{Bhrd7zp:"figsok6",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f3gpkru",robkg1:0,Bmvh20x:0,B3nxjsc:0,Bmkhcsx:"f14ym4q2",B8osjzx:0,pehzd3:0,Blsv9te:0,u7xebq:0,Bsvwmf7:"f1euou18",qhf8xq:"f10pi13n"},rootInteractive:{Bi91k9c:"feu1g3u",Jwef8y:"f1t94bn6",lj723h:"f1g4hkjv",ecr2s2:"f1wfn5kd"},resetButton:{B3rzk8w:"fq6nmtn",B7ck84d:"f1e4lqlz",De3pzq:"f1u2r49w",sj55zd:"f1ym3bx4",Bahqtrf:"f1mo0ibp",Be2twd7:"fjoy568",Bg96gwp:"fytdu2e",B68tc82:0,Bmxbyg5:0,Bpg54ce:"f1gl81tg",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1mk8lai",Bgfg5da:0,B9xav0g:0,oivjwe:0,Bn0qgzm:0,B4g9neb:0,zhjwy3:0,wvpqe5:0,ibv6hh:0,u1mtju:0,h3c5rm:0,vrafjx:0,Bekrc4i:0,i8vvqc:0,g2u3we:0,icvyot:0,B4j52fo:0,irswps:"f3bhgqh",fsow6f:"fgusgyc"},button:{qhf8xq:"f10pi13n",a9b677:"fly5x3f",mc9l5x:"f22iagw",Bh6795r:0,Bqenvij:"f1l02sjl",Bt984gj:"f122n59",i8kkvl:0,Belr9w4:0,rmohyg:"fkln5zr",sshi5w:"f1nxs5xn",xawz:0,Bnnss6s:0,fkmc3a:"f1izfyrr",oeaueh:"f1s6fcnf"},sortable:{Bceei9c:"f1k6fduh"},sortIcon:{mc9l5x:"f22iagw",Bt984gj:"f122n59",z8tnut:"fclwglc"},resizeHandle:{}},{d:[".figsok6{font-weight:var(--fontWeightRegular);}",[".f3gpkru{padding:0px var(--spacingHorizontalS);}",{p:-1}],[".f14ym4q2[data-fui-focus-within]:focus-within{outline:2px solid var(--colorStrokeFocus2);}",{p:-1}],[".f1euou18[data-fui-focus-within]:focus-within{border-radius:var(--borderRadiusMedium);}",{p:-1}],".f10pi13n{position:relative;}",".fq6nmtn{resize:horizontal;}",".f1e4lqlz{box-sizing:content-box;}",".f1u2r49w{background-color:inherit;}",".f1ym3bx4{color:inherit;}",".f1mo0ibp{font-family:inherit;}",".fjoy568{font-size:inherit;}",".fytdu2e{line-height:normal;}",[".f1gl81tg{overflow:visible;}",{p:-1}],[".f1mk8lai{padding:0;}",{p:-1}],[".f3bhgqh{border:none;}",{p:-2}],".fgusgyc{text-align:unset;}",".fly5x3f{width:100%;}",".f22iagw{display:flex;}",".fqerorx{flex-grow:1;}",".f1l02sjl{height:100%;}",".f122n59{align-items:center;}",[".fkln5zr{gap:var(--spacingHorizontalXS);}",{p:-1}],".f1nxs5xn{min-height:32px;}",[".f1izfyrr{flex:1 1 0px;}",{p:-1}],".f1s6fcnf{outline-style:none;}",".f1k6fduh{cursor:pointer;}",".fclwglc{padding-top:var(--spacingVerticalXXS);}"],h:[".feu1g3u:hover{color:var(--colorNeutralForeground1Hover);}",".f1t94bn6:hover{background-color:var(--colorSubtleBackgroundHover);}"],a:[".f1g4hkjv:active{color:var(--colorNeutralForeground1Pressed);}",".f1wfn5kd:active{background-color:var(--colorSubtleBackgroundPressed);}"]}),k=r=>{let e=B(),o={table:m(),flex:b()};return r.root.className=(0,p.mergeClasses)(h.root,e.root,r.sortable&&e.rootInteractive,r.noNativeElements?o.flex.root:o.table.root,r.root.className),r.button.className=(0,p.mergeClasses)(h.button,e.resetButton,e.button,r.sortable&&e.sortable,r.button.className),r.sortIcon&&(r.sortIcon.className=(0,p.mergeClasses)(h.sortIcon,e.sortIcon,r.sortIcon.className)),r.aside&&(r.aside.className=(0,p.mergeClasses)(h.aside,e.resizeHandle,r.aside.className)),r}},24330,34263,r=>{"use strict";r.s(["getFieldControlProps",()=>n,"useFieldControlProps_unstable",()=>l],24330),r.s(["FieldContextProvider",()=>t,"useFieldContext_unstable",()=>a],34263);var e=r.i(71645);let o=e.createContext(void 0),t=o.Provider,a=()=>e.useContext(o);function l(r,e){return n(a(),r,e)}function n(r,e,o){var t,a,l,n,c,i;if(!r)return e;e={...e};let{generatedControlId:d,hintId:s,labelFor:u,labelId:f,required:g,validationMessageId:v,validationState:p}=r;return d&&(null!=(t=e).id||(t.id=d)),!f||(null==o?void 0:o.supportsLabelFor)&&u===e.id||null!=(a=e)["aria-labelledby"]||(a["aria-labelledby"]=f),(v||s)&&(e["aria-describedby"]=[v,s,null==e?void 0:e["aria-describedby"]].filter(Boolean).join(" ")),"error"===p&&(null!=(l=e)["aria-invalid"]||(l["aria-invalid"]=!0)),g&&((null==o?void 0:o.supportsRequired)?null!=(n=e).required||(n.required=!0):null!=(c=e)["aria-required"]||(c["aria-required"]=!0)),(null==o?void 0:o.supportsSize)&&(null!=(i=e).size||(i.size=r.size)),e}},39617,r=>{"use strict";r.s(["CheckmarkFilled",()=>o,"ChevronDownRegular",()=>t,"ChevronRightRegular",()=>a,"CircleFilled",()=>l,"DismissRegular",()=>n,"DocumentFilled",()=>c,"DocumentRegular",()=>i]);var e=r.i(39806);let o=(0,e.createFluentIcon)("CheckmarkFilled","1em",["M7.03 13.9 3.56 10a.75.75 0 0 0-1.12 1l4 4.5c.29.32.79.34 1.09.03l10.5-10.5a.75.75 0 0 0-1.06-1.06l-9.94 9.94Z"]),t=(0,e.createFluentIcon)("ChevronDownRegular","1em",["M15.85 7.65c.2.2.2.5 0 .7l-5.46 5.49a.55.55 0 0 1-.78 0L4.15 8.35a.5.5 0 1 1 .7-.7L10 12.8l5.15-5.16c.2-.2.5-.2.7 0Z"]),a=(0,e.createFluentIcon)("ChevronRightRegular","1em",["M7.65 4.15c.2-.2.5-.2.7 0l5.49 5.46c.21.22.21.57 0 .78l-5.49 5.46a.5.5 0 0 1-.7-.7L12.8 10 7.65 4.85a.5.5 0 0 1 0-.7Z"]),l=(0,e.createFluentIcon)("CircleFilled","1em",["M10 2a8 8 0 1 0 0 16 8 8 0 0 0 0-16Z"]),n=(0,e.createFluentIcon)("DismissRegular","1em",["m4.09 4.22.06-.07a.5.5 0 0 1 .63-.06l.07.06L10 9.29l5.15-5.14a.5.5 0 0 1 .63-.06l.07.06c.18.17.2.44.06.63l-.06.07L10.71 10l5.14 5.15c.18.17.2.44.06.63l-.06.07a.5.5 0 0 1-.63.06l-.07-.06L10 10.71l-5.15 5.14a.5.5 0 0 1-.63.06l-.07-.06a.5.5 0 0 1-.06-.63l.06-.07L9.29 10 4.15 4.85a.5.5 0 0 1-.06-.63l.06-.07-.06.07Z"]),c=(0,e.createFluentIcon)("DocumentFilled","1em",["M10 2v4.5c0 .83.67 1.5 1.5 1.5H16v8.5c0 .83-.67 1.5-1.5 1.5h-9A1.5 1.5 0 0 1 4 16.5v-13C4 2.67 4.67 2 5.5 2H10Zm1 .25V6.5c0 .28.22.5.5.5h4.25L11 2.25Z"]),i=(0,e.createFluentIcon)("DocumentRegular","1em",["M6 2a2 2 0 0 0-2 2v12c0 1.1.9 2 2 2h8a2 2 0 0 0 2-2V7.41c0-.4-.16-.78-.44-1.06l-3.91-3.91A1.5 1.5 0 0 0 10.59 2H6ZM5 4a1 1 0 0 1 1-1h4v3.5c0 .83.67 1.5 1.5 1.5H15v8a1 1 0 0 1-1 1H6a1 1 0 0 1-1-1V4Zm9.8 3h-3.3a.5.5 0 0 1-.5-.5V3.2L14.8 7Z"])},9485,r=>{"use strict";function e(r,e){return function(){for(var o=arguments.length,t=Array(o),a=0;ae])},98358,r=>{"use strict";r.s(["Badge",()=>h],98358);var e=r.i(71645),o=r.i(56720),t=r.i(77074),a=r.i(21982),l=r.i(69024),n=r.i(32778),c=r.i(83831);let i={root:"fui-Badge",icon:"fui-Badge__icon"};c.tokens.spacingHorizontalXXS;let d=(0,a.__resetStyles)("r1iycov","r115jdol",[".r1iycov{display:inline-flex;box-sizing:border-box;align-items:center;justify-content:center;position:relative;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase200);font-weight:var(--fontWeightSemibold);line-height:var(--lineHeightBase200);height:20px;min-width:20px;padding:0 calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));border-radius:var(--borderRadiusCircular);border-color:var(--colorTransparentStroke);}",'.r1iycov::after{content:"";position:absolute;top:0;left:0;bottom:0;right:0;border-style:solid;border-color:inherit;border-width:var(--strokeWidthThin);border-radius:inherit;}',".r115jdol{display:inline-flex;box-sizing:border-box;align-items:center;justify-content:center;position:relative;font-family:var(--fontFamilyBase);font-size:var(--fontSizeBase200);font-weight:var(--fontWeightSemibold);line-height:var(--lineHeightBase200);height:20px;min-width:20px;padding:0 calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));border-radius:var(--borderRadiusCircular);border-color:var(--colorTransparentStroke);}",'.r115jdol::after{content:"";position:absolute;top:0;right:0;bottom:0;left:0;border-style:solid;border-color:inherit;border-width:var(--strokeWidthThin);border-radius:inherit;}']),s=(0,l.__styles)({fontSmallToTiny:{Bahqtrf:"fk6fouc",Be2twd7:"f13mqy1h",Bhrd7zp:"fl43uef",Bg96gwp:"fcpl73t"},tiny:{a9b677:"f16dn6v3",Bqenvij:"f3mu39s",Be2twd7:"f130uwy9",Bg96gwp:"fod1mrr",Bf4jedk:"f18p0k4z",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f19jm9xf"},"extra-small":{a9b677:"fpd43o0",Bqenvij:"f30q22z",Be2twd7:"f1tccstq",Bg96gwp:"f1y3arg5",Bf4jedk:"f18p0k4z",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f19jm9xf"},small:{Bf4jedk:"fq2vo04",Bqenvij:"fd461yt",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fupdldz"},medium:{},large:{Bf4jedk:"f17fgpbq",Bqenvij:"frvgh55",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1996nqw"},"extra-large":{Bf4jedk:"fwbmr0d",Bqenvij:"f1d2rq10",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"fty64o7"},square:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"f1fabniw"},rounded:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"ft85np5"},roundedSmallToTiny:{Beyfa6y:0,Bbmb7ep:0,Btl43ni:0,B7oj6ja:0,Dimara:"fq9zq91"},circular:{},borderGhost:{ap17g6:"f10ludwy"},filled:{},"filled-brand":{De3pzq:"ffp7eso",sj55zd:"f1phragk"},"filled-danger":{De3pzq:"fdl5y0r",sj55zd:"f1phragk"},"filled-important":{De3pzq:"f1c73kur",sj55zd:"fr0bkrk"},"filled-informative":{De3pzq:"f3vzo32",sj55zd:"f11d4kpn"},"filled-severe":{De3pzq:"f1s438gw",sj55zd:"f1phragk"},"filled-subtle":{De3pzq:"fxugw4r",sj55zd:"f19n0e5"},"filled-success":{De3pzq:"flxk52p",sj55zd:"f1phragk"},"filled-warning":{De3pzq:"ffq97bm",sj55zd:"ff5vbop"},ghost:{},"ghost-brand":{sj55zd:"f16muhyy"},"ghost-danger":{sj55zd:"f1whyuy6"},"ghost-important":{sj55zd:"f19n0e5"},"ghost-informative":{sj55zd:"f11d4kpn"},"ghost-severe":{sj55zd:"f1l8vj45"},"ghost-subtle":{sj55zd:"fonrgv7"},"ghost-success":{sj55zd:"f1m7fhi8"},"ghost-warning":{sj55zd:"fpti2h4"},outline:{g2u3we:"f23ftbb",h3c5rm:["f1gkuv52","f1p1bl80"],B9xav0g:"fioka3i",zhjwy3:["f1p1bl80","f1gkuv52"]},"outline-brand":{sj55zd:"f16muhyy"},"outline-danger":{sj55zd:"f1whyuy6",g2u3we:"fyqpifd",h3c5rm:["f3ukxca","f1k7dugc"],B9xav0g:"f1njxb2b",zhjwy3:["f1k7dugc","f3ukxca"]},"outline-important":{sj55zd:"f11d4kpn",g2u3we:"fq0vr37",h3c5rm:["f1byw159","f11cr0be"],B9xav0g:"f1c1zstj",zhjwy3:["f11cr0be","f1byw159"]},"outline-informative":{sj55zd:"f11d4kpn",g2u3we:"f68mrw8",h3c5rm:["f7pw515","fw35ms5"],B9xav0g:"frpde29",zhjwy3:["fw35ms5","f7pw515"]},"outline-severe":{sj55zd:"f1l8vj45"},"outline-subtle":{sj55zd:"fonrgv7"},"outline-success":{sj55zd:"f1m7fhi8",g2u3we:"f1mmhl11",h3c5rm:["f1tjpp2f","f1ocn5n7"],B9xav0g:"f1gjv25d",zhjwy3:["f1ocn5n7","f1tjpp2f"]},"outline-warning":{sj55zd:"fpti2h4"},tint:{},"tint-brand":{De3pzq:"f16xkysk",sj55zd:"faj9fo0",g2u3we:"f161y7kd",h3c5rm:["f1c8dzaj","f1sl6hi9"],B9xav0g:"f1619yhw",zhjwy3:["f1sl6hi9","f1c8dzaj"]},"tint-danger":{De3pzq:"ff0poqj",sj55zd:"f1hcrxcs",g2u3we:"f1oqjm8o",h3c5rm:["fkgrb8g","frb5wm0"],B9xav0g:"f1iai1ph",zhjwy3:["frb5wm0","fkgrb8g"]},"tint-important":{De3pzq:"f945g0u",sj55zd:"fr0bkrk",g2u3we:"fghlq4f",h3c5rm:["f1gn591s","fjscplz"],B9xav0g:"fb073pr",zhjwy3:["fjscplz","f1gn591s"]},"tint-informative":{De3pzq:"f1ctqxl6",sj55zd:"f11d4kpn",g2u3we:"f68mrw8",h3c5rm:["f7pw515","fw35ms5"],B9xav0g:"frpde29",zhjwy3:["fw35ms5","f7pw515"]},"tint-severe":{De3pzq:"f1xzsg4",sj55zd:"f1k5f75o",g2u3we:"fxy9dsj",h3c5rm:["f54u6j2","fcm23ze"],B9xav0g:"f4vf0uq",zhjwy3:["fcm23ze","f54u6j2"]},"tint-subtle":{De3pzq:"fxugw4r",sj55zd:"f11d4kpn",g2u3we:"f68mrw8",h3c5rm:["f7pw515","fw35ms5"],B9xav0g:"frpde29",zhjwy3:["fw35ms5","f7pw515"]},"tint-success":{De3pzq:"f2vsrz6",sj55zd:"ffmvakt",g2u3we:"fdmic9h",h3c5rm:["f196y6m","fetptd8"],B9xav0g:"f1pev5xq",zhjwy3:["fetptd8","f196y6m"]},"tint-warning":{De3pzq:"f10s6hli",sj55zd:"f42v8de",g2u3we:"fn9i3n",h3c5rm:["f1aw8cx4","f51if14"],B9xav0g:"fvq8iai",zhjwy3:["f51if14","f1aw8cx4"]}},{d:[".fk6fouc{font-family:var(--fontFamilyBase);}",".f13mqy1h{font-size:var(--fontSizeBase100);}",".fl43uef{font-weight:var(--fontWeightSemibold);}",".fcpl73t{line-height:var(--lineHeightBase100);}",".f16dn6v3{width:6px;}",".f3mu39s{height:6px;}",".f130uwy9{font-size:4px;}",".fod1mrr{line-height:4px;}",".f18p0k4z{min-width:unset;}",[".f19jm9xf{padding:unset;}",{p:-1}],".fpd43o0{width:10px;}",".f30q22z{height:10px;}",".f1tccstq{font-size:6px;}",".f1y3arg5{line-height:6px;}",[".f19jm9xf{padding:unset;}",{p:-1}],".fq2vo04{min-width:16px;}",".fd461yt{height:16px;}",[".fupdldz{padding:0 calc(var(--spacingHorizontalXXS) + var(--spacingHorizontalXXS));}",{p:-1}],".f17fgpbq{min-width:24px;}",".frvgh55{height:24px;}",[".f1996nqw{padding:0 calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));}",{p:-1}],".fwbmr0d{min-width:32px;}",".f1d2rq10{height:32px;}",[".fty64o7{padding:0 calc(var(--spacingHorizontalSNudge) + var(--spacingHorizontalXXS));}",{p:-1}],[".f1fabniw{border-radius:var(--borderRadiusNone);}",{p:-1}],[".ft85np5{border-radius:var(--borderRadiusMedium);}",{p:-1}],[".fq9zq91{border-radius:var(--borderRadiusSmall);}",{p:-1}],".f10ludwy::after{display:none;}",".ffp7eso{background-color:var(--colorBrandBackground);}",".f1phragk{color:var(--colorNeutralForegroundOnBrand);}",".fdl5y0r{background-color:var(--colorPaletteRedBackground3);}",".f1c73kur{background-color:var(--colorNeutralForeground1);}",".fr0bkrk{color:var(--colorNeutralBackground1);}",".f3vzo32{background-color:var(--colorNeutralBackground5);}",".f11d4kpn{color:var(--colorNeutralForeground3);}",".f1s438gw{background-color:var(--colorPaletteDarkOrangeBackground3);}",".fxugw4r{background-color:var(--colorNeutralBackground1);}",".f19n0e5{color:var(--colorNeutralForeground1);}",".flxk52p{background-color:var(--colorPaletteGreenBackground3);}",".ffq97bm{background-color:var(--colorPaletteYellowBackground3);}",".ff5vbop{color:var(--colorNeutralForeground1Static);}",".f16muhyy{color:var(--colorBrandForeground1);}",".f1whyuy6{color:var(--colorPaletteRedForeground3);}",".f1l8vj45{color:var(--colorPaletteDarkOrangeForeground3);}",".fonrgv7{color:var(--colorNeutralForegroundStaticInverted);}",".f1m7fhi8{color:var(--colorPaletteGreenForeground3);}",".fpti2h4{color:var(--colorPaletteYellowForeground2);}",".f23ftbb{border-top-color:currentColor;}",".f1gkuv52{border-right-color:currentColor;}",".f1p1bl80{border-left-color:currentColor;}",".fioka3i{border-bottom-color:currentColor;}",".fyqpifd{border-top-color:var(--colorPaletteRedBorder2);}",".f3ukxca{border-right-color:var(--colorPaletteRedBorder2);}",".f1k7dugc{border-left-color:var(--colorPaletteRedBorder2);}",".f1njxb2b{border-bottom-color:var(--colorPaletteRedBorder2);}",".fq0vr37{border-top-color:var(--colorNeutralStrokeAccessible);}",".f1byw159{border-right-color:var(--colorNeutralStrokeAccessible);}",".f11cr0be{border-left-color:var(--colorNeutralStrokeAccessible);}",".f1c1zstj{border-bottom-color:var(--colorNeutralStrokeAccessible);}",".f68mrw8{border-top-color:var(--colorNeutralStroke2);}",".f7pw515{border-right-color:var(--colorNeutralStroke2);}",".fw35ms5{border-left-color:var(--colorNeutralStroke2);}",".frpde29{border-bottom-color:var(--colorNeutralStroke2);}",".f1mmhl11{border-top-color:var(--colorPaletteGreenBorder2);}",".f1tjpp2f{border-right-color:var(--colorPaletteGreenBorder2);}",".f1ocn5n7{border-left-color:var(--colorPaletteGreenBorder2);}",".f1gjv25d{border-bottom-color:var(--colorPaletteGreenBorder2);}",".f16xkysk{background-color:var(--colorBrandBackground2);}",".faj9fo0{color:var(--colorBrandForeground2);}",".f161y7kd{border-top-color:var(--colorBrandStroke2);}",".f1c8dzaj{border-right-color:var(--colorBrandStroke2);}",".f1sl6hi9{border-left-color:var(--colorBrandStroke2);}",".f1619yhw{border-bottom-color:var(--colorBrandStroke2);}",".ff0poqj{background-color:var(--colorPaletteRedBackground1);}",".f1hcrxcs{color:var(--colorPaletteRedForeground1);}",".f1oqjm8o{border-top-color:var(--colorPaletteRedBorder1);}",".fkgrb8g{border-right-color:var(--colorPaletteRedBorder1);}",".frb5wm0{border-left-color:var(--colorPaletteRedBorder1);}",".f1iai1ph{border-bottom-color:var(--colorPaletteRedBorder1);}",".f945g0u{background-color:var(--colorNeutralForeground3);}",".fghlq4f{border-top-color:var(--colorTransparentStroke);}",".f1gn591s{border-right-color:var(--colorTransparentStroke);}",".fjscplz{border-left-color:var(--colorTransparentStroke);}",".fb073pr{border-bottom-color:var(--colorTransparentStroke);}",".f1ctqxl6{background-color:var(--colorNeutralBackground4);}",".f1xzsg4{background-color:var(--colorPaletteDarkOrangeBackground1);}",".f1k5f75o{color:var(--colorPaletteDarkOrangeForeground1);}",".fxy9dsj{border-top-color:var(--colorPaletteDarkOrangeBorder1);}",".f54u6j2{border-right-color:var(--colorPaletteDarkOrangeBorder1);}",".fcm23ze{border-left-color:var(--colorPaletteDarkOrangeBorder1);}",".f4vf0uq{border-bottom-color:var(--colorPaletteDarkOrangeBorder1);}",".f2vsrz6{background-color:var(--colorPaletteGreenBackground1);}",".ffmvakt{color:var(--colorPaletteGreenForeground1);}",".fdmic9h{border-top-color:var(--colorPaletteGreenBorder1);}",".f196y6m{border-right-color:var(--colorPaletteGreenBorder1);}",".fetptd8{border-left-color:var(--colorPaletteGreenBorder1);}",".f1pev5xq{border-bottom-color:var(--colorPaletteGreenBorder1);}",".f10s6hli{background-color:var(--colorPaletteYellowBackground1);}",".f42v8de{color:var(--colorPaletteYellowForeground1);}",".fn9i3n{border-top-color:var(--colorPaletteYellowBorder1);}",".f1aw8cx4{border-right-color:var(--colorPaletteYellowBorder1);}",".f51if14{border-left-color:var(--colorPaletteYellowBorder1);}",".fvq8iai{border-bottom-color:var(--colorPaletteYellowBorder1);}"]}),u=(0,a.__resetStyles)("rttl5z0",null,[".rttl5z0{display:flex;line-height:1;margin:0 calc(-1 * var(--spacingHorizontalXXS));font-size:12px;}"]),f=(0,l.__styles)({beforeText:{t21cq0:["f1t8l4o1","f11juvx6"]},afterText:{Frg6f3:["f11juvx6","f1t8l4o1"]},beforeTextXL:{t21cq0:["f1rs9grm","f1kwmkpi"]},afterTextXL:{Frg6f3:["f1kwmkpi","f1rs9grm"]},tiny:{Be2twd7:"f1tccstq"},"extra-small":{Be2twd7:"fnmn6fi"},small:{Be2twd7:"f1ugzwwg"},medium:{},large:{Be2twd7:"f4ybsrx"},"extra-large":{Be2twd7:"fe5j1ua"}},{d:[".f1t8l4o1{margin-right:calc(var(--spacingHorizontalXXS) + var(--spacingHorizontalXXS));}",".f11juvx6{margin-left:calc(var(--spacingHorizontalXXS) + var(--spacingHorizontalXXS));}",".f1rs9grm{margin-right:calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));}",".f1kwmkpi{margin-left:calc(var(--spacingHorizontalXS) + var(--spacingHorizontalXXS));}",".f1tccstq{font-size:6px;}",".fnmn6fi{font-size:10px;}",".f1ugzwwg{font-size:12px;}",".f4ybsrx{font-size:16px;}",".fe5j1ua{font-size:20px;}"]});var g=r.i(96019),v=r.i(97906),p=r.i(46163);let h=e.forwardRef((r,a)=>{let l=((r,e)=>{let{shape:a="circular",size:l="medium",iconPosition:n="before",appearance:c="filled",color:i="brand"}=r;return{shape:a,size:l,iconPosition:n,appearance:c,color:i,components:{root:"div",icon:"span"},root:t.slot.always((0,o.getIntrinsicElementProps)("div",{ref:e,...r}),{elementType:"div"}),icon:t.slot.optional(r.icon,{elementType:"span"})}})(r,a);return(r=>{let o=d(),t=s(),a="small"===r.size||"extra-small"===r.size||"tiny"===r.size;r.root.className=(0,n.mergeClasses)(i.root,o,a&&t.fontSmallToTiny,t[r.size],t[r.shape],"rounded"===r.shape&&a&&t.roundedSmallToTiny,"ghost"===r.appearance&&t.borderGhost,t[r.appearance],t["".concat(r.appearance,"-").concat(r.color)],r.root.className);let l=u(),c=f();if(r.icon){let o;e.Children.toArray(r.root.children).length>0&&(o="extra-large"===r.size?"after"===r.iconPosition?c.afterTextXL:c.beforeTextXL:"after"===r.iconPosition?c.afterText:c.beforeText),r.icon.className=(0,n.mergeClasses)(i.icon,l,o,c[r.size],r.icon.className)}})(l),(0,g.useCustomStyleHook_unstable)("useBadgeStyles_unstable")(l),(r=>((0,p.assertSlots)(r),(0,v.jsxs)(r.root,{children:["before"===r.iconPosition&&r.icon&&(0,v.jsx)(r.icon,{}),r.root.children,"after"===r.iconPosition&&r.icon&&(0,v.jsx)(r.icon,{})]})))(l)});h.displayName="Badge"},90885,r=>{"use strict";r.s(["History20Regular",()=>o,"Home20Regular",()=>t]);var e=r.i(39806);let o=(0,e.createFluentIcon)("History20Regular","20",["M10 4a6 6 0 1 1-5.98 5.54.5.5 0 1 0-1-.08A7 7 0 1 0 5 5.1V3.5a.5.5 0 0 0-1 0v3c0 .28.22.5.5.5h3a.5.5 0 0 0 0-1H5.53c1.1-1.23 2.7-2 4.47-2Zm0 2.5a.5.5 0 0 0-1 0v4c0 .28.22.5.5.5h3a.5.5 0 0 0 0-1H10V6.5Z"]),t=(0,e.createFluentIcon)("Home20Regular","20",["M9 2.39a1.5 1.5 0 0 1 2 0l5.5 4.94c.32.28.5.69.5 1.12v7.05c0 .83-.67 1.5-1.5 1.5H13a1.5 1.5 0 0 1-1.5-1.5V12a.5.5 0 0 0-.5-.5H9a.5.5 0 0 0-.5.5v3.5c0 .83-.67 1.5-1.5 1.5H4.5A1.5 1.5 0 0 1 3 15.5V8.45c0-.43.18-.84.5-1.12L9 2.39Zm1.33.74a.5.5 0 0 0-.66 0l-5.5 4.94a.5.5 0 0 0-.17.38v7.05c0 .28.22.5.5.5H7a.5.5 0 0 0 .5-.5V12c0-.83.67-1.5 1.5-1.5h2c.83 0 1.5.67 1.5 1.5v3.5c0 .28.22.5.5.5h2.5a.5.5 0 0 0 .5-.5V8.45a.5.5 0 0 0-.17-.38l-5.5-4.94Z"])},31131,r=>{"use strict";r.s(["dataverseClient",()=>t]);let e="/api/data/v9.2",o="/api/audit",t=new class{async fetchEntities(r,o){var t;let a=new URLSearchParams;(null==o||null==(t=o.select)?void 0:t.length)&&a.append("$select",o.select.join(",")),(null==o?void 0:o.filter)&&a.append("$filter",o.filter),(null==o?void 0:o.orderby)&&a.append("$orderby",o.orderby),(null==o?void 0:o.top)!==void 0&&a.append("$top",o.top.toString()),(null==o?void 0:o.skip)!==void 0&&a.append("$skip",o.skip.toString()),(null==o?void 0:o.count)&&a.append("$count","true");let l="".concat(e,"/").concat(r).concat(a.toString()?"?"+a.toString():""),n=await fetch(l,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!n.ok)throw Error("API request failed: ".concat(n.status," ").concat(n.statusText));return n.json()}async fetchEntity(r,o,t){var a;let l=new URLSearchParams;(null==t||null==(a=t.select)?void 0:a.length)&&l.append("$select",t.select.join(","));let n="".concat(e,"/").concat(r,"(").concat(o,")").concat(l.toString()?"?"+l.toString():""),c=await fetch(n,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!c.ok)throw Error("API request failed: ".concat(c.status," ").concat(c.statusText));return c.json()}async createEntity(r,o){let t="".concat(e,"/").concat(r),a=await fetch(t,{method:"POST",headers:{Accept:"application/json","Content-Type":"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"},body:JSON.stringify(o)});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText));let l=a.headers.get("Location");if(l){let r=l.match(/\(([^)]+)\)/);if(r)return r[1]}return""}async updateEntity(r,o,t){let a="".concat(e,"/").concat(r,"(").concat(o,")"),l=await fetch(a,{method:"PATCH",headers:{Accept:"application/json","Content-Type":"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"},body:JSON.stringify(t)});if(!l.ok)throw Error("API request failed: ".concat(l.status," ").concat(l.statusText))}async deleteEntity(r,o){let t="".concat(e,"/").concat(r,"(").concat(o,")"),a=await fetch(t,{method:"DELETE",headers:{"OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText))}async fetchEntityDefinitions(r){var o;let t=new URLSearchParams;(null==r||null==(o=r.select)?void 0:o.length)&&t.append("$select",r.select.join(",")),(null==r?void 0:r.filter)&&t.append("$filter",r.filter);let a="".concat(e,"/EntityDefinitions").concat(t.toString()?"?"+t.toString():""),l=await fetch(a,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!l.ok)throw Error("API request failed: ".concat(l.status," ").concat(l.statusText));return l.json()}async fetchEntityDefinition(r,o){var t;let a=new URLSearchParams;(null==o||null==(t=o.expand)?void 0:t.length)&&a.append("$expand",o.expand.join(","));let l="".concat(e,"/EntityDefinitions(LogicalName='").concat(r,"')").concat(a.toString()?"?"+a.toString():""),n=await fetch(l,{method:"GET",headers:{Accept:"application/json","OData-MaxVersion":"4.0","OData-Version":"4.0"}});if(!n.ok)throw Error("API request failed: ".concat(n.status," ").concat(n.statusText));return n.json()}async fetchAuditRecords(r){let e=new URLSearchParams;(null==r?void 0:r.top)!==void 0&&e.append("top",r.top.toString()),(null==r?void 0:r.skip)!==void 0&&e.append("skip",r.skip.toString()),(null==r?void 0:r.orderby)&&e.append("orderby",r.orderby),(null==r?void 0:r.filter)&&e.append("filter",r.filter);let t="".concat(o).concat(e.toString()?"?"+e.toString():""),a=await fetch(t,{method:"GET",headers:{Accept:"application/json"}});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText));return a.json()}async fetchEntityAuditRecords(r,e){let t="".concat(o,"/entity/").concat(r,"/").concat(e),a=await fetch(t,{method:"GET",headers:{Accept:"application/json"}});if(!a.ok)throw Error("API request failed: ".concat(a.status," ").concat(a.statusText));return a.json()}async fetchAuditDetails(r){let e="".concat(o,"/details/").concat(r),t=await fetch(e,{method:"GET",headers:{Accept:"application/json"}});if(!t.ok)throw Error("API request failed: ".concat(t.status," ").concat(t.statusText));return t.json()}async fetchAuditStatus(){let r=await fetch("".concat(o,"/status"),{method:"GET",headers:{Accept:"application/json"}});if(!r.ok)throw Error("API request failed: ".concat(r.status," ").concat(r.statusText));return r.json()}async setAuditStatus(r){let e=await fetch("".concat(o,"/status"),{method:"POST",headers:{Accept:"application/json","Content-Type":"application/json"},body:JSON.stringify({isAuditEnabled:r})});if(!e.ok)throw Error("API request failed: ".concat(e.status," ").concat(e.statusText));return e.json()}}}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/ecc06a285db80228.js b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/ecc06a285db80228.js new file mode 100644 index 00000000..c64782b4 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/_next/static/chunks/ecc06a285db80228.js @@ -0,0 +1 @@ +(globalThis.TURBOPACK||(globalThis.TURBOPACK=[])).push(["object"==typeof document?document.currentScript:void 0,22053,46036,38120,82267,68748,84019,e=>{"use strict";e.s(["Table",()=>s],22053);var r=e.i(71645),o=e.i(13768),a=e.i(75345),t=e.i(807),i=e.i(58725),l=e.i(96019);let s=r.forwardRef((e,r)=>{let s=(0,o.useTable_unstable)(e,r);return(0,t.useTableStyles_unstable)(s),(0,l.useCustomStyleHook_unstable)("useTableStyles_unstable")(s),(0,a.renderTable_unstable)(s,(0,i.useTableContextValues_unstable)(s))});s.displayName="Table",e.s(["TableBody",()=>b],46036);var n=e.i(17304),c=e.i(97906),d=e.i(46163),u=e.i(51351);let b=r.forwardRef((e,r)=>{let o=(0,n.useTableBody_unstable)(e,r);return(0,u.useTableBodyStyles_unstable)(o),(0,l.useCustomStyleHook_unstable)("useTableBodyStyles_unstable")(o),(e=>((0,d.assertSlots)(e),(0,c.jsx)(e.root,{})))(o)});b.displayName="TableBody",e.s(["TableCell",()=>p],38120);var h=e.i(78945),f=e.i(7654),g=e.i(66658);let p=r.forwardRef((e,r)=>{let o=(0,h.useTableCell_unstable)(e,r);return(0,g.useTableCellStyles_unstable)(o),(0,l.useCustomStyleHook_unstable)("useTableCellStyles_unstable")(o),(0,f.renderTableCell_unstable)(o)});p.displayName="TableCell",e.s(["TableRow",()=>m],82267);var v=e.i(70218),x=e.i(84003);let m=r.forwardRef((e,r)=>{let o=(0,v.useTableRow_unstable)(e,r);return(0,x.useTableRowStyles_unstable)(o),(0,l.useCustomStyleHook_unstable)("useTableRowStyles_unstable")(o),(e=>((0,d.assertSlots)(e),(0,c.jsx)(e.root,{})))(o)});m.displayName="TableRow",e.s(["TableHeader",()=>y],68748);var k=e.i(55983),S=e.i(6903),_=e.i(9671);let y=r.forwardRef((e,r)=>{let o=(0,k.useTableHeader_unstable)(e,r);return(0,_.useTableHeaderStyles_unstable)(o),(0,l.useCustomStyleHook_unstable)("useTableHeaderStyles_unstable")(o),(0,S.renderTableHeader_unstable)(o)});y.displayName="TableHeader",e.s(["TableHeaderCell",()=>T],84019);var w=e.i(35738),j=e.i(76365),C=e.i(91058);let T=r.forwardRef((e,r)=>{let o=(0,w.useTableHeaderCell_unstable)(e,r);return(0,C.useTableHeaderCellStyles_unstable)(o),(0,l.useCustomStyleHook_unstable)("useTableHeaderCellStyles_unstable")(o),(0,j.renderTableHeaderCell_unstable)(o)});T.displayName="TableHeaderCell"},96747,e=>{"use strict";e.s(["default",()=>X],96747);var r=e.i(43476),o=e.i(71645),a=e.i(76166),t=e.i(83831),i=e.i(77790),l=e.i(50637),s=e.i(22053),n=e.i(46036),c=e.i(38120),d=e.i(82267),u=e.i(68748),b=e.i(84019),h=e.i(24330),f=e.i(39617),g=e.i(7527),p=e.i(52536),v=e.i(67999),x=e.i(9485),m=e.i(90312),k=e.i(77074),S=e.i(97906),_=e.i(46163),y=e.i(21982),w=e.i(69024),j=e.i(32778);let C={root:"fui-Switch",indicator:"fui-Switch__indicator",input:"fui-Switch__input",label:"fui-Switch__label"};C.root;let T=(0,y.__resetStyles)("r2i81i2","rofhmb8",{r:[".r2i81i2{align-items:flex-start;box-sizing:border-box;display:inline-flex;position:relative;}",".r2i81i2:focus{outline-style:none;}",".r2i81i2:focus-visible{outline-style:none;}",".r2i81i2[data-fui-focus-within]:focus-within{border-top-color:transparent;border-right-color:transparent;border-bottom-color:transparent;border-left-color:transparent;}",'.r2i81i2[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);right:calc(2px * -1);bottom:calc(2px * -1);left:calc(2px * -1);}',".rofhmb8{align-items:flex-start;box-sizing:border-box;display:inline-flex;position:relative;}",".rofhmb8:focus{outline-style:none;}",".rofhmb8:focus-visible{outline-style:none;}",".rofhmb8[data-fui-focus-within]:focus-within{border-top-color:transparent;border-left-color:transparent;border-bottom-color:transparent;border-right-color:transparent;}",'.rofhmb8[data-fui-focus-within]:focus-within::after{content:"";position:absolute;pointer-events:none;z-index:1;border:2px solid var(--colorStrokeFocus2);border-radius:var(--borderRadiusMedium);top:calc(2px * -1);left:calc(2px * -1);bottom:calc(2px * -1);right:calc(2px * -1);}'],s:["@media (forced-colors: active){.r2i81i2[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-right-color:Highlight;border-bottom-color:Highlight;border-left-color:Highlight;}}","@media (forced-colors: active){.rofhmb8[data-fui-focus-within]:focus-within::after{border-top-color:Highlight;border-left-color:Highlight;border-bottom-color:Highlight;border-right-color:Highlight;}}"]}),N=(0,w.__styles)({vertical:{Beiy3e4:"f1vx9l62"}},{d:[".f1vx9l62{flex-direction:column;}"]}),H=(0,y.__resetStyles)("r1c3hft5",null,{r:[".r1c3hft5{border-radius:var(--borderRadiusCircular);border:1px solid;line-height:0;box-sizing:border-box;fill:currentColor;flex-shrink:0;font-size:18px;height:20px;margin:var(--spacingVerticalS) var(--spacingHorizontalS);pointer-events:none;transition-duration:var(--durationNormal);transition-timing-function:var(--curveEasyEase);transition-property:background,border,color;width:40px;}",".r1c3hft5>*{transition-duration:var(--durationNormal);transition-timing-function:var(--curveEasyEase);transition-property:transform;}"],s:["@media screen and (prefers-reduced-motion: reduce){.r1c3hft5{transition-duration:0.01ms;}}","@media (forced-colors: active){.r1c3hft5{color:CanvasText;}.r1c3hft5>i{forced-color-adjust:none;}}","@media screen and (prefers-reduced-motion: reduce){.r1c3hft5>*{transition-duration:0.01ms;}}"]}),B=(0,w.__styles)({labelAbove:{B6of3ja:"f1hu3pq6"}},{d:[".f1hu3pq6{margin-top:0;}"]}),A=(0,y.__resetStyles)("rsji9ng","r15xih98",{r:[".rsji9ng{box-sizing:border-box;cursor:pointer;height:100%;margin:0;opacity:0;position:absolute;width:calc(40px + 2 * var(--spacingHorizontalS));}",".rsji9ng:checked~.fui-Switch__indicator>*{transform:translateX(20px);}",".rsji9ng:disabled{cursor:default;}",".rsji9ng:disabled~.fui-Switch__indicator{color:var(--colorNeutralForegroundDisabled);}",".rsji9ng:disabled~.fui-Switch__label{cursor:default;color:var(--colorNeutralForegroundDisabled);}",".rsji9ng:enabled:not(:checked)~.fui-Switch__indicator{color:var(--colorNeutralStrokeAccessible);border-color:var(--colorNeutralStrokeAccessible);}",".rsji9ng:enabled:not(:checked)~.fui-Switch__label{color:var(--colorNeutralForeground1);}",".rsji9ng:enabled:not(:checked):hover~.fui-Switch__indicator{color:var(--colorNeutralStrokeAccessibleHover);border-color:var(--colorNeutralStrokeAccessibleHover);}",".rsji9ng:enabled:not(:checked):hover:active~.fui-Switch__indicator{color:var(--colorNeutralStrokeAccessiblePressed);border-color:var(--colorNeutralStrokeAccessiblePressed);}",".rsji9ng:enabled:checked~.fui-Switch__indicator{background-color:var(--colorCompoundBrandBackground);color:var(--colorNeutralForegroundInverted);border-color:var(--colorTransparentStroke);}",".rsji9ng:enabled:checked:hover~.fui-Switch__indicator{background-color:var(--colorCompoundBrandBackgroundHover);border-color:var(--colorTransparentStrokeInteractive);}",".rsji9ng:enabled:checked:hover:active~.fui-Switch__indicator{background-color:var(--colorCompoundBrandBackgroundPressed);border-color:var(--colorTransparentStrokeInteractive);}",".rsji9ng:disabled:not(:checked)~.fui-Switch__indicator{border-color:var(--colorNeutralStrokeDisabled);}",".rsji9ng:disabled:checked~.fui-Switch__indicator{background-color:var(--colorNeutralBackgroundDisabled);border-color:var(--colorTransparentStrokeDisabled);}",".r15xih98{box-sizing:border-box;cursor:pointer;height:100%;margin:0;opacity:0;position:absolute;width:calc(40px + 2 * var(--spacingHorizontalS));}",".r15xih98:checked~.fui-Switch__indicator>*{transform:translateX(-20px);}",".r15xih98:disabled{cursor:default;}",".r15xih98:disabled~.fui-Switch__indicator{color:var(--colorNeutralForegroundDisabled);}",".r15xih98:disabled~.fui-Switch__label{cursor:default;color:var(--colorNeutralForegroundDisabled);}",".r15xih98:enabled:not(:checked)~.fui-Switch__indicator{color:var(--colorNeutralStrokeAccessible);border-color:var(--colorNeutralStrokeAccessible);}",".r15xih98:enabled:not(:checked)~.fui-Switch__label{color:var(--colorNeutralForeground1);}",".r15xih98:enabled:not(:checked):hover~.fui-Switch__indicator{color:var(--colorNeutralStrokeAccessibleHover);border-color:var(--colorNeutralStrokeAccessibleHover);}",".r15xih98:enabled:not(:checked):hover:active~.fui-Switch__indicator{color:var(--colorNeutralStrokeAccessiblePressed);border-color:var(--colorNeutralStrokeAccessiblePressed);}",".r15xih98:enabled:checked~.fui-Switch__indicator{background-color:var(--colorCompoundBrandBackground);color:var(--colorNeutralForegroundInverted);border-color:var(--colorTransparentStroke);}",".r15xih98:enabled:checked:hover~.fui-Switch__indicator{background-color:var(--colorCompoundBrandBackgroundHover);border-color:var(--colorTransparentStrokeInteractive);}",".r15xih98:enabled:checked:hover:active~.fui-Switch__indicator{background-color:var(--colorCompoundBrandBackgroundPressed);border-color:var(--colorTransparentStrokeInteractive);}",".r15xih98:disabled:not(:checked)~.fui-Switch__indicator{border-color:var(--colorNeutralStrokeDisabled);}",".r15xih98:disabled:checked~.fui-Switch__indicator{background-color:var(--colorNeutralBackgroundDisabled);border-color:var(--colorTransparentStrokeDisabled);}"],s:["@media (forced-colors: active){.rsji9ng:disabled~.fui-Switch__indicator{color:GrayText;border-color:GrayText;}.rsji9ng:disabled~.fui-Switch__label{color:GrayText;}.rsji9ng:hover{color:CanvasText;}.rsji9ng:hover:active{color:CanvasText;}.rsji9ng:enabled:checked:hover~.fui-Switch__indicator{background-color:Highlight;color:Canvas;}.rsji9ng:enabled:checked:hover:active~.fui-Switch__indicator{background-color:Highlight;color:Canvas;}.rsji9ng:enabled:checked~.fui-Switch__indicator{background-color:Highlight;color:Canvas;}}","@media (forced-colors: active){.r15xih98:disabled~.fui-Switch__indicator{color:GrayText;border-color:GrayText;}.r15xih98:disabled~.fui-Switch__label{color:GrayText;}.r15xih98:hover{color:CanvasText;}.r15xih98:hover:active{color:CanvasText;}.r15xih98:enabled:checked:hover~.fui-Switch__indicator{background-color:Highlight;color:Canvas;}.r15xih98:enabled:checked:hover:active~.fui-Switch__indicator{background-color:Highlight;color:Canvas;}.r15xih98:enabled:checked~.fui-Switch__indicator{background-color:Highlight;color:Canvas;}}"]}),R=(0,w.__styles)({before:{j35jbq:["f1e31b4d","f1vgc2s3"],Bhzewxz:"f15twtuk"},after:{oyh7mz:["f1vgc2s3","f1e31b4d"],Bhzewxz:"f15twtuk"},above:{B5kzvoi:"f1yab3r1",Bqenvij:"f1aar7gd",a9b677:"fly5x3f"}},{d:[".f1e31b4d{right:0;}",".f1vgc2s3{left:0;}",".f15twtuk{top:0;}",".f1yab3r1{bottom:0;}",".f1aar7gd{height:calc(20px + var(--spacingVerticalS));}",".fly5x3f{width:100%;}"]}),z=(0,w.__styles)({base:{Bceei9c:"f1k6fduh",jrapky:"f49ad5g",B6of3ja:"f1xlvstr",Byoj8tv:0,uwmqm3:0,z189sj:0,z8tnut:0,B0ocmuz:"f1f5q0n8"},above:{z8tnut:"f1ywm7hm",Byoj8tv:"f14wxoun",a9b677:"fly5x3f"},after:{uwmqm3:["fruq291","f7x41pl"]},before:{z189sj:["f7x41pl","fruq291"]}},{d:[".f1k6fduh{cursor:pointer;}",".f49ad5g{margin-bottom:calc((20px - var(--lineHeightBase300)) / 2);}",".f1xlvstr{margin-top:calc((20px - var(--lineHeightBase300)) / 2);}",[".f1f5q0n8{padding:var(--spacingVerticalS) var(--spacingHorizontalS);}",{p:-1}],".f1ywm7hm{padding-top:var(--spacingVerticalXS);}",".f14wxoun{padding-bottom:var(--spacingVerticalXS);}",".fly5x3f{width:100%;}",".fruq291{padding-left:var(--spacingHorizontalXS);}",".f7x41pl{padding-right:var(--spacingHorizontalXS);}"]});var F=e.i(96019);let P=o.forwardRef((e,r)=>{let a=((e,r)=>{let{checked:a,defaultChecked:t,disabled:i,labelPosition:l="after",onChange:s,required:n}=e=(0,h.useFieldControlProps_unstable)(e,{supportsLabelFor:!0,supportsRequired:!0}),c=(0,v.getPartitionedNativeProps)({props:e,primarySlotTagName:"input",excludedPropNames:["checked","defaultChecked","onChange"]}),d=(0,m.useId)("switch-",c.primary.id),u=k.slot.always(e.root,{defaultProps:{ref:(0,p.useFocusWithin)(),...c.root},elementType:"div"}),b=k.slot.always(e.indicator,{defaultProps:{"aria-hidden":!0,children:o.createElement(f.CircleFilled,null)},elementType:"div"}),S=k.slot.always(e.input,{defaultProps:{checked:a,defaultChecked:t,id:d,ref:r,role:"switch",type:"checkbox",...c.primary},elementType:"input"});S.onChange=(0,x.mergeCallbacks)(S.onChange,e=>null==s?void 0:s(e,{checked:e.currentTarget.checked}));let _=k.slot.optional(e.label,{defaultProps:{disabled:i,htmlFor:d,required:n,size:"medium"},elementType:g.Label});return{labelPosition:l,components:{root:"div",indicator:"div",input:"input",label:g.Label},root:u,indicator:b,input:S,label:_}})(e,r);return(e=>{let r=T(),o=N(),a=H(),t=B(),i=A(),l=R(),s=z(),{label:n,labelPosition:c}=e;return e.root.className=(0,j.mergeClasses)(C.root,r,"above"===c&&o.vertical,e.root.className),e.indicator.className=(0,j.mergeClasses)(C.indicator,a,n&&"above"===c&&t.labelAbove,e.indicator.className),e.input.className=(0,j.mergeClasses)(C.input,i,n&&l[c],e.input.className),e.label&&(e.label.className=(0,j.mergeClasses)(C.label,s.base,s[c],e.label.className))})(a),(0,F.useCustomStyleHook_unstable)("useSwitchStyles_unstable")(a),(e=>{(0,_.assertSlots)(e);let{labelPosition:r}=e;return(0,S.jsxs)(e.root,{children:[(0,S.jsx)(e.input,{}),"after"!==r&&e.label&&(0,S.jsx)(e.label,{}),(0,S.jsx)(e.indicator,{}),"after"===r&&e.label&&(0,S.jsx)(e.label,{})]})})(a)});P.displayName="Switch";var D=e.i(49472),E=e.i(98358),q=e.i(90885),I=e.i(47171),L=e.i(31131);let U=(0,a.makeStyles)({container:{display:"flex",flexDirection:"column",height:"100%",backgroundColor:t.tokens.colorNeutralBackground1},header:{display:"flex",alignItems:"center",gap:"12px",padding:"16px 24px",borderBottom:"1px solid ".concat(t.tokens.colorNeutralStroke1),backgroundColor:t.tokens.colorNeutralBackground1},title:{flex:1,fontSize:t.tokens.fontSizeBase500,fontWeight:t.tokens.fontWeightSemibold},content:{flex:1,overflow:"auto",padding:"24px"},loadingContainer:{display:"flex",justifyContent:"center",alignItems:"center",height:"100%"},errorContainer:{padding:"16px",color:t.tokens.colorPaletteRedForeground1,backgroundColor:t.tokens.colorPaletteRedBackground1,borderRadius:t.tokens.borderRadiusMedium},statusSection:{display:"flex",alignItems:"center",gap:"12px",marginBottom:"24px",padding:"16px",backgroundColor:t.tokens.colorNeutralBackground2,borderRadius:t.tokens.borderRadiusMedium},emptyContainer:{padding:"48px",textAlign:"center",color:t.tokens.colorNeutralForeground2},actionBadge:{minWidth:"60px"}}),G={1:"Create",2:"Update",3:"Delete",64:"Access",101:"Assign",102:"Share",103:"Unshare",104:"Merge"},V={1:"success",2:"informative",3:"danger",64:"informative",101:"warning",102:"success",103:"warning",104:"danger"};function X(){let e=U(),[a,t]=(0,o.useState)(!0),[h,f]=(0,o.useState)(null),[p,v]=(0,o.useState)([]),[x,m]=(0,o.useState)(!1),[k,S]=(0,o.useState)(!1);(0,o.useEffect)(()=>{_()},[]);let _=async()=>{t(!0),f(null);try{let e=await L.dataverseClient.fetchAuditStatus();m(e.isAuditEnabled);let r=await L.dataverseClient.fetchAuditRecords({top:100,orderby:"createdon desc"});v(r.value)}catch(e){console.error("Error loading audit data:",e),f(e instanceof Error?e.message:"Failed to load audit data")}finally{t(!1)}},y=async e=>{S(!0);try{await L.dataverseClient.setAuditStatus(e),m(e)}catch(e){console.error("Error toggling audit:",e),f(e instanceof Error?e.message:"Failed to toggle audit")}finally{S(!1)}};return a?(0,r.jsxs)("div",{className:e.container,children:[(0,r.jsxs)("div",{className:e.header,children:[(0,r.jsx)(q.History20Regular,{}),(0,r.jsx)("div",{className:e.title,children:"Audit History"})]}),(0,r.jsx)("div",{className:e.loadingContainer,children:(0,r.jsx)(i.Spinner,{label:"Loading audit history..."})})]}):h?(0,r.jsxs)("div",{className:e.container,children:[(0,r.jsxs)("div",{className:e.header,children:[(0,r.jsx)(q.History20Regular,{}),(0,r.jsx)("div",{className:e.title,children:"Audit History"})]}),(0,r.jsx)("div",{className:e.content,children:(0,r.jsxs)("div",{className:e.errorContainer,children:[(0,r.jsx)("h3",{children:"Error Loading Audit History"}),(0,r.jsx)("p",{children:h})]})})]}):(0,r.jsxs)("div",{className:e.container,children:[(0,r.jsxs)("div",{className:e.header,children:[(0,r.jsx)(q.History20Regular,{}),(0,r.jsx)("div",{className:e.title,children:"Audit History"}),(0,r.jsx)(l.Button,{appearance:"subtle",icon:(0,r.jsx)(I.ArrowClockwise20Regular,{}),onClick:_,children:"Refresh"})]}),(0,r.jsxs)("div",{className:e.content,children:[(0,r.jsxs)("div",{className:e.statusSection,children:[(0,r.jsxs)(g.Label,{htmlFor:"audit-toggle",children:["Auditing ",x?"Enabled":"Disabled"]}),(0,r.jsx)(P,{id:"audit-toggle",checked:x,disabled:k,onChange:(e,r)=>y(r.checked)}),(0,r.jsx)(D.Caption1,{children:"When enabled, all Create, Update, and Delete operations are tracked"})]}),0===p.length?(0,r.jsxs)("div",{className:e.emptyContainer,children:[(0,r.jsx)("h3",{children:"No Audit Records"}),(0,r.jsx)("p",{children:x?"No audit records have been created yet. Perform some Create, Update, or Delete operations to see them here.":"Auditing is disabled. Enable auditing to start tracking changes."})]}):(0,r.jsxs)(s.Table,{"aria-label":"Audit history table",children:[(0,r.jsx)(u.TableHeader,{children:(0,r.jsxs)(d.TableRow,{children:[(0,r.jsx)(b.TableHeaderCell,{children:"Action"}),(0,r.jsx)(b.TableHeaderCell,{children:"Entity"}),(0,r.jsx)(b.TableHeaderCell,{children:"Record ID"}),(0,r.jsx)(b.TableHeaderCell,{children:"User"}),(0,r.jsx)(b.TableHeaderCell,{children:"Date"})]})}),(0,r.jsx)(n.TableBody,{children:p.map(o=>{let a;return(0,r.jsxs)(d.TableRow,{children:[(0,r.jsx)(c.TableCell,{children:(0,r.jsx)(E.Badge,{appearance:"filled",color:V[o.action]||"informative",className:e.actionBadge,children:G[a=o.action]||"Action ".concat(a)})}),(0,r.jsx)(c.TableCell,{children:o.objecttypecode}),(0,r.jsx)(c.TableCell,{children:(0,r.jsxs)(D.Caption1,{children:[o.objectid.id.substring(0,8),"..."]})}),(0,r.jsx)(c.TableCell,{children:o.userid.name||o.userid.id.substring(0,8)+"..."}),(0,r.jsx)(c.TableCell,{children:(e=>{try{return new Date(e).toLocaleString()}catch(r){return e}})(o.createdon)})]},o.auditid)})})]})]})]})}}]); \ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/audit.html b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/audit.html new file mode 100644 index 00000000..ce2d4349 --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/audit.html @@ -0,0 +1 @@ +Fake4Dataverse Model-Driven App
Audit History
\ No newline at end of file diff --git a/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/audit.txt b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/audit.txt new file mode 100644 index 00000000..2504355f --- /dev/null +++ b/Fake4DataverseService/Fake4Dataverse.Service/src/Fake4Dataverse.Service/wwwroot/mda/audit.txt @@ -0,0 +1,20 @@ +1:"$Sreact.fragment" +2:I[92825,["/_next/static/chunks/f3a553ed50b406f5.js"],"ClientSegmentRoot"] +3:I[42525,["/_next/static/chunks/8960c89b816cbdaa.js","/_next/static/chunks/97aba07adf55290d.js"],"default"] +4:I[39756,["/_next/static/chunks/f3a553ed50b406f5.js"],"default"] +5:I[37457,["/_next/static/chunks/f3a553ed50b406f5.js"],"default"] +7:I[96747,["/_next/static/chunks/8960c89b816cbdaa.js","/_next/static/chunks/97aba07adf55290d.js","/_next/static/chunks/ecc06a285db80228.js","/_next/static/chunks/e22c209edb0e9458.js","/_next/static/chunks/aced99a5233578ee.js"],"default"] +8:I[97367,["/_next/static/chunks/f3a553ed50b406f5.js"],"OutletBoundary"] +a:I[11533,["/_next/static/chunks/f3a553ed50b406f5.js"],"AsyncMetadataOutlet"] +c:I[97367,["/_next/static/chunks/f3a553ed50b406f5.js"],"ViewportBoundary"] +e:I[97367,["/_next/static/chunks/f3a553ed50b406f5.js"],"MetadataBoundary"] +f:"$Sreact.suspense" +11:I[68027,["/_next/static/chunks/8960c89b816cbdaa.js","/_next/static/chunks/97aba07adf55290d.js"],"default"] +:HL["/_next/static/chunks/9f4a5f55d2b7fd2c.css","style"] +0:{"P":null,"b":"P97wEQm2-eK0PFmK0jdng","p":"","c":["","audit"],"i":false,"f":[[["",{"children":["audit",{"children":["__PAGE__",{}]}]},"$undefined","$undefined",true],["",["$","$1","c",{"children":[[["$","link","0",{"rel":"stylesheet","href":"/_next/static/chunks/9f4a5f55d2b7fd2c.css","precedence":"next","crossOrigin":"$undefined","nonce":"$undefined"}],["$","script","script-0",{"src":"/_next/static/chunks/8960c89b816cbdaa.js","async":true,"nonce":"$undefined"}],["$","script","script-1",{"src":"/_next/static/chunks/97aba07adf55290d.js","async":true,"nonce":"$undefined"}]],["$","$L2",null,{"Component":"$3","slots":{"children":["$","$L4",null,{"parallelRouterKey":"children","error":"$undefined","errorStyles":"$undefined","errorScripts":"$undefined","template":["$","$L5",null,{}],"templateStyles":"$undefined","templateScripts":"$undefined","notFound":[[["$","title",null,{"children":"404: This page could not be found."}],["$","div",null,{"style":{"fontFamily":"system-ui,\"Segoe UI\",Roboto,Helvetica,Arial,sans-serif,\"Apple Color Emoji\",\"Segoe UI Emoji\"","height":"100vh","textAlign":"center","display":"flex","flexDirection":"column","alignItems":"center","justifyContent":"center"},"children":["$","div",null,{"children":[["$","style",null,{"dangerouslySetInnerHTML":{"__html":"body{color:#000;background:#fff;margin:0}.next-error-h1{border-right:1px solid rgba(0,0,0,.3)}@media (prefers-color-scheme:dark){body{color:#fff;background:#000}.next-error-h1{border-right:1px solid rgba(255,255,255,.3)}}"}}],["$","h1",null,{"className":"next-error-h1","style":{"display":"inline-block","margin":"0 20px 0 0","padding":"0 23px 0 0","fontSize":24,"fontWeight":500,"verticalAlign":"top","lineHeight":"49px"},"children":404}],["$","div",null,{"style":{"display":"inline-block"},"children":["$","h2",null,{"style":{"fontSize":14,"fontWeight":400,"lineHeight":"49px","margin":0},"children":"This page could not be found."}]}]]}]}]],[]],"forbidden":"$undefined","unauthorized":"$undefined"}]},"params":{},"promise":"$@6"}]]}],{"children":["audit",["$","$1","c",{"children":[null,["$","$L4",null,{"parallelRouterKey":"children","error":"$undefined","errorStyles":"$undefined","errorScripts":"$undefined","template":["$","$L5",null,{}],"templateStyles":"$undefined","templateScripts":"$undefined","notFound":"$undefined","forbidden":"$undefined","unauthorized":"$undefined"}]]}],{"children":["__PAGE__",["$","$1","c",{"children":[["$","$L7",null,{}],[["$","script","script-0",{"src":"/_next/static/chunks/ecc06a285db80228.js","async":true,"nonce":"$undefined"}],["$","script","script-1",{"src":"/_next/static/chunks/e22c209edb0e9458.js","async":true,"nonce":"$undefined"}],["$","script","script-2",{"src":"/_next/static/chunks/aced99a5233578ee.js","async":true,"nonce":"$undefined"}]],["$","$L8",null,{"children":["$L9",["$","$La",null,{"promise":"$@b"}]]}]]}],{},null,false]},null,false]},null,false],["$","$1","h",{"children":[null,[["$","$Lc",null,{"children":"$Ld"}],null],["$","$Le",null,{"children":["$","div",null,{"hidden":true,"children":["$","$f",null,{"fallback":null,"children":"$L10"}]}]}]]}],false]],"m":"$undefined","G":["$11",[["$","link","0",{"rel":"stylesheet","href":"/_next/static/chunks/9f4a5f55d2b7fd2c.css","precedence":"next","crossOrigin":"$undefined","nonce":"$undefined"}]]],"s":false,"S":true} +6:"$0:f:0:1:1:props:children:1:props:params" +d:[["$","meta","0",{"charSet":"utf-8"}],["$","meta","1",{"name":"viewport","content":"width=device-width, initial-scale=1"}]] +9:null +12:I[27201,["/_next/static/chunks/f3a553ed50b406f5.js"],"IconMark"] +b:{"metadata":[["$","link","0",{"rel":"icon","href":"/favicon.ico?favicon.0b3bf435.ico","sizes":"256x256","type":"image/x-icon"}],["$","$L12","1",{}]],"error":null,"digest":"$undefined"} +10:"$b:metadata"