diff --git a/summarization-poc/backend/README.md b/summarization-poc/backend/README.md new file mode 100644 index 00000000..63fe454a --- /dev/null +++ b/summarization-poc/backend/README.md @@ -0,0 +1,56 @@ +--- +page_type: sample +languages: +- javascript +- nodejs +products: +- azure +- azure-communication-services +--- + +# ACS Calling Tutorial + +## Prerequisites +- An Azure account with an active subscription. [Create an account for free](https://azure.microsoft.com/free/?WT.mc_id=A261C142F). +- A deployed Communication Services resource. [Create a Communication Services resource](https://learn.microsoft.com/en-us/azure/communication-services/quickstarts/create-communication-resource?tabs=windows&pivots=platform-azp). +- [NPM](https://www.npmjs.com/get-npm) +- You need to have [Node.js 18](https://nodejs.org/dist/v18.18.0/). You can use the msi installer to install it. + +## Code structure +* ./Project/src: client side source code +* ./Project/webpack.config.js: Project bundler. Has a simple local server for user token provisioning. +* ./Project/serverConfig.json: configuration file for specifying the connection strings. + +## Cloning the repo +1. Open a terminal or command prompt, and `cd` into a folder where you would like to clone this repo. The run: + - `git clone https://github.com/Azure-Samples/communication-services-web-calling-tutorial` + - `cd communication-services-web-calling-tutorial/Project` +## Running the app locally +1. Get your Azure Communication Services resource connection string from the Azure portal, and put it as the value for `connectionString` in serverConfig.json file. +2. From the terminal/command prompt, Run: + - `npm install` + - `npm run build-local` + - `npm run start-local` +3. Open localhost:5000 in a browser. (Supported browsers are Chrome, Edge, and Safari) + +## Deploying to Azure App Service +- This app has been setup to be easily deployed to Azure App Service + - webpack.config.js. + - allowedHosts: Specifies that it allows this app to be hosted in \.azurewebsites.org which is how Azure App Service hosts web apps. + - contentBase: The folder where public assets can be served from. For example, a request to your app like GET https://\.azurewebsites.org/file.txt, will serve the file.txt that resides in the contentBase folder. This app has this field set to the './public' folder. + - package.json. Azure app service will run these scripts when deploying. + - "build" script. Used by Azure App Service when deploying to build the application. + - "start" script. Used by Azure App Service when deploying. This will start server in port 8080. Port 8080 is specified in webpack.config.js. Do not change this port when deploying to Azrue App Service becaue this is the port that Azure App Service uses. +[Tutorial on how to deploy a NodeJs app to Azure App Service](https://learn.microsoft.com/en-us/azure/app-service/quickstart-nodejs?tabs=windows&pivots=development-environment-vscode) +Note: If you want to deploy this application with a different deployment environment other than Azure App Service, you may need to change these configurations according to your deployment environment specifications. + +## Troubleshooting + - Make sure your ACS connecting string is specified in serverConfig.json or you wont be able to provision ACS User Access tokens for the app. + - If any errors occur, check the browser console logs for errors. Also, check the webpack server side console logs for errors. + - Web Push Notifications - In order to test web push notifications, we must run the app in HTTPS, hence you will need to deploy this app to a secured server that will serve the application with HTTPS. You will need to specify value in ./clientConfig.json for the key "oneSignalAppId". And you will need to specify value for "functionAppOneSignalTokenRegistrationUrl" in ./serverConfig.json. To learn how to set up a web push notification architecture for the ACS Web Calling SDK, please follow our [ACS Web Calling SDK - Web push notifications tutorial](https://github.com/Azure-Samples/communication-services-javascript-quickstarts/tree/main/calling-web-push-notifications): + +## Resources +1. Documentation on how to use the ACS Calling SDK for Javascript can be found on https://docs.microsoft.com/en-gb/azure/communication-services/quickstarts/voice-video-calling/calling-client-samples?pivots=platform-web +2. ACS Calling SDK for Javascript API reference documentation can be found on https://docs.microsoft.com/en-us/javascript/api/azure-communication-services/@azure/communication-calling/?view=azure-communication-services-js +3. Documentation on Communications Calling SDK with Teams identity can be found on https://learn.microsoft.com/en-us/azure/communication-services/concepts/teams-interop +4. Documentation on how to setup and get access tokens for teams User can be found on https://learn.microsoft.com/en-us/azure/communication-services/quickstarts/manage-teams-identity?pivots=programming-language-javascript \ No newline at end of file diff --git a/summarization-poc/backend/Summarization_POC/Model/RecordingRequest.cs b/summarization-poc/backend/Summarization_POC/Model/RecordingRequest.cs new file mode 100644 index 00000000..fa6ca99d --- /dev/null +++ b/summarization-poc/backend/Summarization_POC/Model/RecordingRequest.cs @@ -0,0 +1,10 @@ +namespace Summarization_POC.Model +{ + public class RecordingRequest + { + public string RecordingContent { get; set; } + public string RecordingChannel { get; set; } + public string RecordingFormat { get; set; } + public bool IsByos { get; set; } + } +} diff --git a/summarization-poc/backend/Summarization_POC/Program.cs b/summarization-poc/backend/Summarization_POC/Program.cs new file mode 100644 index 00000000..77d6b6ed --- /dev/null +++ b/summarization-poc/backend/Summarization_POC/Program.cs @@ -0,0 +1,567 @@ +using Azure; +using Azure.AI.OpenAI; +using Azure.Communication; +using Azure.Communication.CallAutomation; +using Azure.Messaging; +using Azure.Messaging.EventGrid; +using Azure.Messaging.EventGrid.SystemEvents; +using Microsoft.AspNetCore.Mvc; +using Microsoft.CognitiveServices.Speech; +using Microsoft.CognitiveServices.Speech.Audio; +using Microsoft.VisualBasic; +using NAudio.Wave; +using Newtonsoft.Json; +using Newtonsoft.Json.Linq; +using System.Text.Json; +var builder = WebApplication.CreateBuilder(args); +builder.Services.AddEndpointsApiExplorer(); +builder.Services.AddSwaggerGen(); + +/// Your ACS resource connection string +var acsConnectionString = ""; + +// Your ACS resource phone number will act as source number to start outbound call +var acsPhoneNumber = ""; + +// Target phone number you want to receive the call. +var targetPhoneNumber = ""; + +// Base url of the app +var callbackUriHost = ""; + +//Call back URL +var callbackUri = new Uri(new Uri(callbackUriHost), "/api/callbacks"); + +// Your cognitive service endpoint +var cognitiveServiceEndpoint = ""; + +var CognitiveServicesKey = ""; + +//Transport URL +var transportUrl = ""; + +//Bring Your Own Storage URL +var bringYourOwnStorageUrl = ""; + +string callConnectionId = string.Empty; +string recordingId = string.Empty; +string metadataLocation = string.Empty; +string contentLocation = string.Empty; +string filePath = string.Empty; +string recordingPrompt = "Recording is Started."; +bool isBYOS = false; + + +CallAutomationClient callAutomationClient = new CallAutomationClient(acsConnectionString); +var app = builder.Build(); + +app.MapPost("/createIncomingCall", async (string targetId, ILogger logger) => +{ + CommunicationUserIdentifier callee = new CommunicationUserIdentifier(targetId); + var callInvite = new CallInvite(callee); + var createCallOptions = new CreateCallOptions(callInvite, callbackUri) + { + CallIntelligenceOptions = new CallIntelligenceOptions() { CognitiveServicesEndpoint = new Uri(cognitiveServiceEndpoint) } + }; + await callAutomationClient.CreateCallAsync(createCallOptions); +}); + +app.MapPost("/outboundCall", async (ILogger logger) => +{ + PhoneNumberIdentifier target = new PhoneNumberIdentifier(targetPhoneNumber); + PhoneNumberIdentifier caller = new PhoneNumberIdentifier(acsPhoneNumber); + + CallInvite callInvite = new CallInvite(target, caller); + + //TranscriptionOptions transcriptionOptions = new TranscriptionOptions(new Uri(transportUrl), + // "en-us", true, TranscriptionTransport.Websocket); + + var createCallOptions = new CreateCallOptions(callInvite, callbackUri) + { + CallIntelligenceOptions = new CallIntelligenceOptions() { CognitiveServicesEndpoint = new Uri(cognitiveServiceEndpoint) }, + //TranscriptionOptions = transcriptionOptions + }; + + CreateCallResult createCallResult = await callAutomationClient.CreateCallAsync(createCallOptions); + + logger.LogInformation($"Created call with connection id: {createCallResult.CallConnectionProperties.CallConnectionId}"); +}); + +app.MapPost("/api/callbacks", (CloudEvent[] cloudEvents, ILogger logger) => +{ + foreach (var cloudEvent in cloudEvents) + { + CallAutomationEventBase parsedEvent = CallAutomationEventParser.Parse(cloudEvent); + logger.LogInformation( + "Received call event: {type}, callConnectionID: {connId}, serverCallId: {serverId}", + parsedEvent.GetType(), + parsedEvent.CallConnectionId, + parsedEvent.ServerCallId); + + if (parsedEvent is CallConnected callConnected) + { + logger.LogInformation($"Received call event: {callConnected.GetType()}"); + callConnectionId = callConnected.CallConnectionId; + CallConnectionProperties callConnectionProperties = GetCallConnectionProperties(); + logger.LogInformation($"CORRELATION ID: {callConnectionProperties.CorrelationId}"); + logger.LogInformation($"Media Streaming state: {callConnectionProperties.MediaStreamingSubscription.State}"); + logger.LogInformation($"Transcription state: {callConnectionProperties.TranscriptionSubscription.State}"); + + } + else if (parsedEvent is PlayStarted playStarted) + { + logger.LogInformation($"Received call event: {playStarted.GetType()}"); + callConnectionId = playStarted.CallConnectionId; + } + else if (parsedEvent is PlayCompleted playCompleted) + { + logger.LogInformation($"Received call event: {playCompleted.GetType()}"); + callConnectionId = playCompleted.CallConnectionId; + } + else if (parsedEvent is PlayFailed playFailed) + { + callConnectionId = playFailed.CallConnectionId; + logger.LogInformation($"Received call event: {playFailed.GetType()}, CorrelationId: {playFailed.CorrelationId}, " + + $"subCode: {playFailed.ResultInformation?.SubCode}, message: {playFailed.ResultInformation?.Message}, context: {playFailed.OperationContext}"); + } + else if (parsedEvent is PlayCanceled playCanceled) + { + logger.LogInformation($"Received call event: {playCanceled.GetType()}"); + callConnectionId = playCanceled.CallConnectionId; + } + else if (parsedEvent is TranscriptionStarted transcriptionStarted) + { + logger.LogInformation($"Received call event: {transcriptionStarted.GetType()}"); + callConnectionId = transcriptionStarted.CallConnectionId; + } + else if (parsedEvent is TranscriptionStopped transcriptionStopped) + { + logger.LogInformation($"Received call event: {transcriptionStopped.GetType()}"); + callConnectionId = transcriptionStopped.CallConnectionId; + } + else if (parsedEvent is TranscriptionUpdated transcriptionUpdated) + { + logger.LogInformation($"Received call event: {transcriptionUpdated.GetType()}"); + callConnectionId = transcriptionUpdated.CallConnectionId; + } + else if (parsedEvent is TranscriptionFailed transcriptionFailed) + { + callConnectionId = transcriptionFailed.CallConnectionId; + logger.LogInformation($"Received call event: {transcriptionFailed.GetType()}, CorrelationId: {transcriptionFailed.CorrelationId}, " + + $"subCode: {transcriptionFailed.ResultInformation?.SubCode}, message: {transcriptionFailed.ResultInformation?.Message}, context: {transcriptionFailed.OperationContext}"); + } + else if (parsedEvent is CallDisconnected callDisconnected) + { + logger.LogInformation($"Received call event: {callDisconnected.GetType()}"); + } + } + return Results.Ok(); +}).Produces(StatusCodes.Status200OK); + +if (app.Environment.IsDevelopment()) +{ + app.UseSwagger(); + app.UseSwaggerUI(); +} + +/* Route for Azure Communication Service eventgrid webhooks*/ +app.MapPost("/api/events", async ([FromBody] EventGridEvent[] eventGridEvents, ILogger logger) => +{ + foreach (var eventGridEvent in eventGridEvents) + { + logger.LogInformation($"Incoming Call event received : {System.Text.Json.JsonSerializer.Serialize(eventGridEvent)}"); + + // Handle system events + if (eventGridEvent.TryGetSystemEventData(out object eventData)) + { + // Handle the subscription validation event. + if (eventData is SubscriptionValidationEventData subscriptionValidationEventData) + { + var responseData = new SubscriptionValidationResponse + { + ValidationResponse = subscriptionValidationEventData.ValidationCode + }; + return Results.Ok(responseData); + } + } + if (eventData is AcsIncomingCallEventData incomingCallEventData) + { + var incomingCallContext = incomingCallEventData?.IncomingCallContext; + + //TranscriptionOptions transcriptionOptions = new TranscriptionOptions(new Uri(transportUrl), + // "en-us", true, TranscriptionTransport.Websocket); + + var options = new AnswerCallOptions(incomingCallContext, callbackUri) + { + CallIntelligenceOptions = new CallIntelligenceOptions + { + CognitiveServicesEndpoint = new Uri(cognitiveServiceEndpoint), + }, + //TranscriptionOptions = transcriptionOptions + }; + + AnswerCallResult answerCallResult = await callAutomationClient.AnswerCallAsync(options); + var callConnectionId = answerCallResult.CallConnection.CallConnectionId; + logger.LogInformation($"Answer call result: {callConnectionId}"); + + var callConnectionMedia = answerCallResult.CallConnection.GetCallMedia(); + //Use EventProcessor to process CallConnected event + var answer_result = await answerCallResult.WaitForEventProcessorAsync(); + + if (answer_result.IsSuccess) + { + logger.LogInformation($"Call connected event received for connection id: {answer_result.SuccessResult.CallConnectionId}"); + logger.LogInformation($"CORRELATION ID: {answer_result.SuccessResult.CorrelationId}"); + } + } + + if (eventData is AcsRecordingFileStatusUpdatedEventData statusUpdated) + { + metadataLocation = statusUpdated.RecordingStorageInfo.RecordingChunks[0].MetadataLocation; + contentLocation = statusUpdated.RecordingStorageInfo.RecordingChunks[0].ContentLocation; + var deletecLocation = statusUpdated.RecordingStorageInfo.RecordingChunks[0].DeleteLocation; + logger.LogInformation($"Metadata Location:--> {metadataLocation}"); + logger.LogInformation($"Content Location:--> {contentLocation}"); + logger.LogInformation($"Delete Location:--> {deletecLocation}"); + + if (!isBYOS) + { + filePath = await downloadRecording(); + await DownloadRecordingMetadata(logger); + } + } + } + return Results.Ok(); +}); + +app.MapPost("/playMedia", async (bool isPlayToAll, ILogger logger) => +{ + Console.WriteLine(isPlayToAll); + await PlayMediaAsync(isPlayToAll); + return Results.Ok(); +}); + +app.MapPost("/startRecording", async (bool isByos, ILogger logger) => +{ + isBYOS = isByos; + await StartRecordingAsync(isByos, logger); + return Results.Ok(); +}); + +app.MapPost("/stopRecording", async (ILogger logger) => +{ + await StopRecordingAsync(logger); + return Results.Ok(); +}); + +app.MapPost("/summarize", async (ILogger logger) => +{ + string transcript = await ConvertSpeechToText(filePath); + //logger.LogInformation($"text: {transcript}"); + //return transcript; + logger.LogInformation("Get a Brief summary of the conversation"); + //string transcript = req.Query["transcript"]; + + //string requestBody = await new StreamReader(filePath).ReadToEndAsync(); + //dynamic data = JsonConvert.DeserializeObject(requestBody); + //string transcript = data?.transcript; + + + //Stream Chat Message with open AI + var openAIClient = getClient(); + + var chatCompletionsOptions = new ChatCompletionsOptions() + { + Messages = + { + new ChatMessage(ChatRole.System, recordingPrompt), + new ChatMessage(ChatRole.User, transcript), + new ChatMessage(ChatRole.User, recordingPrompt) + }, + Temperature = (float)1, + MaxTokens = 800 + }; + + + Response chatresponse = await openAIClient.GetChatCompletionsStreamingAsync( + deploymentOrModelName: "gpt-4", chatCompletionsOptions); + using StreamingChatCompletions streamingChatCompletions = chatresponse.Value; + + string responseMessage = ""; + + await foreach (StreamingChatChoice choice in streamingChatCompletions.GetChoicesStreaming()) + { + await foreach (ChatMessage message in choice.GetMessageStreaming()) + { + responseMessage = responseMessage + message.Content; + Console.Write(message.Content); + } + Console.WriteLine(); + } + return new OkObjectResult(responseMessage); +}); + +app.MapPost("/disConnectCall", async (ILogger logger) => +{ + var callConnection = callAutomationClient.GetCallConnection(callConnectionId); + await callConnection.HangUpAsync(true); + return Results.Ok(); +}); + +async Task PlayMediaAsync(bool isPlayToAll) +{ + CallMedia callMedia = GetCallMedia(); + + TextSource playSource = new TextSource("Hi, this is test source played through play source thanks. Goodbye!.") + { + VoiceName = "en-US-NancyNeural" + }; + if (isPlayToAll) + { + PlayToAllOptions playToAllOptions = new PlayToAllOptions(playSource) + { + OperationContext = "playToAllContext", + OperationCallbackUri = callbackUri + }; + await callMedia.PlayToAllAsync(playToAllOptions); + } + else + { + CommunicationIdentifier target = GetCommunicationTargetIdentifier(); + + var playTo = new List { target }; + + await callMedia.PlayAsync(playSource, playTo); + } +} + +async Task StartTranscriptionAsync() +{ + CallMedia callMedia = GetCallMedia(); + + CallConnectionProperties callConnectionProperties = GetCallConnectionProperties(); + + if (callConnectionProperties.TranscriptionSubscription.State.Equals("inactive")) + { + await callMedia.StartTranscriptionAsync(); + } + else + { + Console.WriteLine("Transcription is already active"); + } +} + +async Task StopTranscriptionAsync() +{ + CallMedia callMedia = GetCallMedia(); + + CallConnectionProperties callConnectionProperties = GetCallConnectionProperties(); + + if (callConnectionProperties.TranscriptionSubscription.State.Equals("active")) + { + await callMedia.StopTranscriptionAsync(); + } + else + { + Console.WriteLine("Transcription is not active"); + } +} + +async Task UpdateTranscriptionAsync() +{ + CallMedia callMedia = GetCallMedia(); + + CallConnectionProperties callConnectionProperties = GetCallConnectionProperties(); + + if (callConnectionProperties.TranscriptionSubscription.State.Equals("active")) + { + await callMedia.UpdateTranscriptionAsync("en-au"); + } + else + { + Console.WriteLine("Transcription is not active"); + } +} + +async Task StartRecordingAsync(bool isByos, ILogger logger) +{ + CallMedia callMedia = GetCallMedia(); + CallConnectionProperties callConnectionProperties = GetCallConnectionProperties(); + StartRecordingOptions recordingOptions = new StartRecordingOptions(new ServerCallLocator(callConnectionProperties.ServerCallId)) + { + RecordingContent = RecordingContent.Audio, + RecordingChannel = RecordingChannel.Unmixed, + RecordingFormat = RecordingFormat.Wav, + RecordingStorage = isByos && !string.IsNullOrEmpty(bringYourOwnStorageUrl) ? RecordingStorage.CreateAzureBlobContainerRecordingStorage(new Uri(bringYourOwnStorageUrl)) : null + }; + var playTask = HandlePlayAsync(callMedia, recordingPrompt, "handleRecordingPromptContext"); + + var recordingTask = callAutomationClient.GetCallRecording().StartAsync(recordingOptions); + await Task.WhenAll(playTask, recordingTask); + recordingId = recordingTask.Result.Value.RecordingId; + logger.LogInformation($"Call recording id--> {recordingId}"); +} + + +async Task StopRecordingAsync(ILogger logger) +{ + CallMedia callMedia = GetCallMedia(); + CallConnectionProperties callConnectionProperties = GetCallConnectionProperties(); + var playTask = HandlePlayAsync(callMedia, "Recording is Stopped.", "handlePromptContext"); + + await callAutomationClient.GetCallRecording().StopAsync(recordingId); + logger.LogInformation($"Recording is Stopped."); +} + +CallMedia GetCallMedia() +{ + CallMedia callMedia = !string.IsNullOrEmpty(callConnectionId) ? + callAutomationClient.GetCallConnection(callConnectionId).GetCallMedia() + : throw new ArgumentNullException("Call connection id is empty"); + + return callMedia; +} + +CallConnectionProperties GetCallConnectionProperties() +{ + CallConnectionProperties callConnectionProperties = !string.IsNullOrEmpty(callConnectionId) ? + callAutomationClient.GetCallConnection(callConnectionId).GetCallConnectionProperties() + : throw new ArgumentNullException("Call connection id is empty"); + return callConnectionProperties; +} + +CommunicationIdentifier GetCommunicationTargetIdentifier() +{ + CommunicationIdentifier target = new PhoneNumberIdentifier(targetPhoneNumber); + + return target; +} + +async Task HandlePlayAsync(CallMedia callConnectionMedia, string textToPlay, string context) +{ + var playSource = new TextSource(textToPlay) + { + VoiceName = "en-US-NancyNeural" + }; + var playOptions = new PlayToAllOptions(playSource) { OperationContext = context }; + await callConnectionMedia.PlayToAllAsync(playOptions); +} + +async Task downloadRecording() +{ + string downloadsPath = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.UserProfile), "Downloads"); + var recordingDownloadUri = new Uri(contentLocation); + string format = await GetFormat(); + string fileName = $"test.{format}"; + string path = Path.Combine(downloadsPath, fileName); + + var response = await callAutomationClient.GetCallRecording().DownloadToAsync(recordingDownloadUri, $"{downloadsPath}\\{fileName}"); + return path; +} + +async Task GetFormat() +{ + string format = string.Empty; + var metaDataDownloadUri = new Uri(metadataLocation); + var metaDataResponse = await callAutomationClient.GetCallRecording().DownloadStreamingAsync(metaDataDownloadUri); + using (StreamReader streamReader = new StreamReader(metaDataResponse)) + { + // Read the JSON content from the stream and parse it into an object + string jsonContent = await streamReader.ReadToEndAsync(); + + // Parse the JSON string + JObject jsonObject = JObject.Parse(jsonContent); + + // Access the "format" value from the "recordingInfo" object + format = (string)jsonObject["recordingInfo"]["format"]; + } + return format; +} + +async Task DownloadRecordingMetadata(ILogger logger) +{ + if (!string.IsNullOrEmpty(metadataLocation)) + { + string downloadsPath = Path.Combine(Environment.GetFolderPath(Environment.SpecialFolder.UserProfile), "Downloads"); + var recordingDownloadUri = new Uri(metadataLocation); + var response = await callAutomationClient.GetCallRecording().DownloadToAsync(recordingDownloadUri, $"{downloadsPath}\\recordingMetadata.json"); + } + else + { + logger.LogError("Metadata location is empty."); + } +} + +//This function will convert the speech to text from the recorded file +//Input parameter: the path of the recorded file +async Task ConvertSpeechToText(string audioFilePath) +{ + var speechConfig = SpeechConfig.FromSubscription(CognitiveServicesKey, "eastus"); + speechConfig.OutputFormat = OutputFormat.Detailed; + + var stopRecognition = new TaskCompletionSource(); + var recognizedText = string.Empty; + AudioConfig audioConfig = null; + var fileExtension = Path.GetExtension(audioFilePath).ToLower(); + + if (fileExtension == ".wav") + { + audioConfig = AudioConfig.FromWavFileInput(audioFilePath); + } + //else if (fileExtension == ".mp3" || fileExtension == ".mp4") + //{ + // ConvertToWav(audioFilePath, "output.wav"); + // audioConfig = AudioConfig.FromWavFileInput("output.wav"); + //} + else if (fileExtension == ".mp3") + { + await ConvertMp3ToWav(audioFilePath, "output.wav"); + audioConfig = AudioConfig.FromWavFileInput("output.wav"); + } + + using var recognizer = new SpeechRecognizer(speechConfig, audioConfig); + + recognizer.Recognized += (s, e) => + { + if (e.Result.Reason == ResultReason.RecognizedSpeech) + { + recognizedText += e.Result.Text + " "; + } + else if (e.Result.Reason == ResultReason.NoMatch) + { + recognizedText += "[No match recognized] "; + } + }; + + recognizer.SessionStopped += (s, e) => + { + stopRecognition.TrySetResult(0); + }; + + recognizer.Canceled += (s, e) => + { + stopRecognition.TrySetResult(0); + }; + + await recognizer.StartContinuousRecognitionAsync(); + await stopRecognition.Task; + await recognizer.StopContinuousRecognitionAsync(); + + return recognizedText.Trim().Replace(".", "").Replace(",", ""); +} + +//This function will convert mp3 to wav which is supported by NAudio +async Task ConvertMp3ToWav(string inputFile, string outputFile) +{ + using (var reader = new Mp3FileReader(inputFile)) + using (var writer = new WaveFileWriter(outputFile, reader.WaveFormat)) + { + reader.CopyTo(writer); + } +} +static OpenAIClient getClient() +{ + return new OpenAIClient("OpenAIApiKey"); +} + +app.Run(); \ No newline at end of file diff --git a/summarization-poc/backend/Summarization_POC/Properties/launchSettings.json b/summarization-poc/backend/Summarization_POC/Properties/launchSettings.json new file mode 100644 index 00000000..5b31500d --- /dev/null +++ b/summarization-poc/backend/Summarization_POC/Properties/launchSettings.json @@ -0,0 +1,29 @@ +{ + "profiles": { + "Summarization_POC": { + "commandName": "Project", + "launchBrowser": true, + "launchUrl": "swagger", + "environmentVariables": { + "ASPNETCORE_ENVIRONMENT": "Development" + }, + "dotnetRunMessages": true, + "applicationUrl": "https://localhost:7051;http://localhost:5218" + }, + "IIS Express": { + "commandName": "IISExpress", + "launchBrowser": true, + "environmentVariables": { + "ASPNETCORE_ENVIRONMENT": "Development" + } + } + }, + "iisSettings": { + "windowsAuthentication": false, + "anonymousAuthentication": true, + "iisExpress": { + "applicationUrl": "http://localhost:57202/", + "sslPort": 44323 + } + } +} \ No newline at end of file diff --git a/summarization-poc/backend/Summarization_POC/Summarization_POC.csproj b/summarization-poc/backend/Summarization_POC/Summarization_POC.csproj new file mode 100644 index 00000000..22db033e --- /dev/null +++ b/summarization-poc/backend/Summarization_POC/Summarization_POC.csproj @@ -0,0 +1,21 @@ + + + + net8.0 + enable + enable + + + + + + + + + + + + + + + diff --git a/summarization-poc/backend/Summarization_POC/Summarization_POC.sln b/summarization-poc/backend/Summarization_POC/Summarization_POC.sln new file mode 100644 index 00000000..ca3f5668 --- /dev/null +++ b/summarization-poc/backend/Summarization_POC/Summarization_POC.sln @@ -0,0 +1,25 @@ + +Microsoft Visual Studio Solution File, Format Version 12.00 +# Visual Studio Version 17 +VisualStudioVersion = 17.11.35303.130 +MinimumVisualStudioVersion = 10.0.40219.1 +Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "Summarization_POC", "Summarization_POC.csproj", "{7B25A54A-13B7-405F-8ABC-8653306AE681}" +EndProject +Global + GlobalSection(SolutionConfigurationPlatforms) = preSolution + Debug|Any CPU = Debug|Any CPU + Release|Any CPU = Release|Any CPU + EndGlobalSection + GlobalSection(ProjectConfigurationPlatforms) = postSolution + {7B25A54A-13B7-405F-8ABC-8653306AE681}.Debug|Any CPU.ActiveCfg = Debug|Any CPU + {7B25A54A-13B7-405F-8ABC-8653306AE681}.Debug|Any CPU.Build.0 = Debug|Any CPU + {7B25A54A-13B7-405F-8ABC-8653306AE681}.Release|Any CPU.ActiveCfg = Release|Any CPU + {7B25A54A-13B7-405F-8ABC-8653306AE681}.Release|Any CPU.Build.0 = Release|Any CPU + EndGlobalSection + GlobalSection(SolutionProperties) = preSolution + HideSolutionNode = FALSE + EndGlobalSection + GlobalSection(ExtensibilityGlobals) = postSolution + SolutionGuid = {08922EB1-B695-43B0-8203-53F9D8417E13} + EndGlobalSection +EndGlobal diff --git a/summarization-poc/backend/Summarization_POC/appsettings.json b/summarization-poc/backend/Summarization_POC/appsettings.json new file mode 100644 index 00000000..d17149f6 --- /dev/null +++ b/summarization-poc/backend/Summarization_POC/appsettings.json @@ -0,0 +1,20 @@ +{ + "Logging": { + "LogLevel": { + "Default": "Information", + "Microsoft.AspNetCore": "Warning" + } + }, + "AllowedHosts": "*", + "CallbackUriHost": "", + "CognitiveServiceEndpoint": "", + "CognitiveServicesKey": "", + "AcsConnectionString": "", + "TransportUrl": "", + "AcsPhoneNumber": "", + "TargetPhoneNumber": "", + "BringYourOwnStorageUrl": "", + "OpenAIEndPoint": "", + "OpenAIKey": "", + "OpenAiModelName": "" +} diff --git a/summarization-poc/frontend/.gitignore b/summarization-poc/frontend/.gitignore new file mode 100644 index 00000000..9b70681f --- /dev/null +++ b/summarization-poc/frontend/.gitignore @@ -0,0 +1,352 @@ +## Ignore Visual Studio temporary files, build results, and +## files generated by popular Visual Studio add-ons. +## +## Get latest from https://github.com/github/gitignore/blob/master/VisualStudio.gitignore + +# User-specific files +*.rsuser +*.suo +*.user +*.userosscache +*.sln.docstates + +# User-specific files (MonoDevelop/Xamarin Studio) +*.userprefs + +# Mono auto generated files +mono_crash.* + +# Build results +[Dd]ebug/ +[Dd]ebugPublic/ +[Rr]elease/ +[Rr]eleases/ +x64/ +x86/ +[Aa][Rr][Mm]/ +[Aa][Rr][Mm]64/ +bld/ +[Bb]in/ +[Oo]bj/ +[Ll]og/ +[Ll]ogs/ + +# Visual Studio 2015/2017 cache/options directory +.vs/ +# Uncomment if you have tasks that create the project's static files in wwwroot +#wwwroot/ + +# Visual Studio 2017 auto generated files +Generated\ Files/ + +# MSTest test Results +[Tt]est[Rr]esult*/ +[Bb]uild[Ll]og.* + +# NUnit +*.VisualState.xml +TestResult.xml +nunit-*.xml + +# Build Results of an ATL Project +[Dd]ebugPS/ +[Rr]eleasePS/ +dlldata.c + +# Benchmark Results +BenchmarkDotNet.Artifacts/ + +# .NET Core +project.lock.json +project.fragment.lock.json +artifacts/ + +# StyleCop +StyleCopReport.xml + +# Files built by Visual Studio +*_i.c +*_p.c +*_h.h +*.ilk +*.meta +*.obj +*.iobj +*.pch +*.pdb +*.ipdb +*.pgc +*.pgd +*.rsp +*.sbr +*.tlb +*.tli +*.tlh +*.tmp +*.tmp_proj +*_wpftmp.csproj +*.log +*.vspscc +*.vssscc +.builds +*.pidb +*.svclog +*.scc + +# Chutzpah Test files +_Chutzpah* + +# Visual C++ cache files +ipch/ +*.aps +*.ncb +*.opendb +*.opensdf +*.sdf +*.cachefile +*.VC.db +*.VC.VC.opendb + +# Visual Studio profiler +*.psess +*.vsp +*.vspx +*.sap + +# Visual Studio Trace Files +*.e2e + +# TFS 2012 Local Workspace +$tf/ + +# Guidance Automation Toolkit +*.gpState + +# ReSharper is a .NET coding add-in +_ReSharper*/ +*.[Rr]e[Ss]harper +*.DotSettings.user + +# TeamCity is a build add-in +_TeamCity* + +# DotCover is a Code Coverage Tool +*.dotCover + +# AxoCover is a Code Coverage Tool +.axoCover/* +!.axoCover/settings.json + +# Visual Studio code coverage results +*.coverage +*.coveragexml + +# NCrunch +_NCrunch_* +.*crunch*.local.xml +nCrunchTemp_* + +# MightyMoose +*.mm.* +AutoTest.Net/ + +# Web workbench (sass) +.sass-cache/ + +# Installshield output folder +[Ee]xpress/ + +# DocProject is a documentation generator add-in +DocProject/buildhelp/ +DocProject/Help/*.HxT +DocProject/Help/*.HxC +DocProject/Help/*.hhc +DocProject/Help/*.hhk +DocProject/Help/*.hhp +DocProject/Help/Html2 +DocProject/Help/html + +# Click-Once directory +publish/ + +# Publish Web Output +*.[Pp]ublish.xml +*.azurePubxml +# Note: Comment the next line if you want to checkin your web deploy settings, +# but database connection strings (with potential passwords) will be unencrypted +*.pubxml +*.publishproj + +# Microsoft Azure Web App publish settings. Comment the next line if you want to +# checkin your Azure Web App publish settings, but sensitive information contained +# in these scripts will be unencrypted +PublishScripts/ + +# NuGet Packages +*.nupkg +# NuGet Symbol Packages +*.snupkg +# The packages folder can be ignored because of Package Restore +**/[Pp]ackages/* +# except build/, which is used as an MSBuild target. +!**/[Pp]ackages/build/ +# Uncomment if necessary however generally it will be regenerated when needed +#!**/[Pp]ackages/repositories.config +# NuGet v3's project.json files produces more ignorable files +*.nuget.props +*.nuget.targets + +# Microsoft Azure Build Output +csx/ +*.build.csdef + +# Microsoft Azure Emulator +ecf/ +rcf/ + +# Windows Store app package directories and files +AppPackages/ +BundleArtifacts/ +Package.StoreAssociation.xml +_pkginfo.txt +*.appx +*.appxbundle +*.appxupload + +# Visual Studio cache files +# files ending in .cache can be ignored +*.[Cc]ache +# but keep track of directories ending in .cache +!?*.[Cc]ache/ + +# Others +ClientBin/ +~$* +*~ +*.dbmdl +*.dbproj.schemaview +*.jfm +*.pfx +*.publishsettings +orleans.codegen.cs + +# Including strong name files can present a security risk +# (https://github.com/github/gitignore/pull/2483#issue-259490424) +#*.snk + +# Since there are multiple workflows, uncomment next line to ignore bower_components +# (https://github.com/github/gitignore/pull/1529#issuecomment-104372622) +#bower_components/ + +# RIA/Silverlight projects +Generated_Code/ + +# Backup & report files from converting an old project file +# to a newer Visual Studio version. Backup files are not needed, +# because we have git ;-) +_UpgradeReport_Files/ +Backup*/ +UpgradeLog*.XML +UpgradeLog*.htm +ServiceFabricBackup/ +*.rptproj.bak + +# SQL Server files +*.mdf +*.ldf +*.ndf + +# Business Intelligence projects +*.rdl.data +*.bim.layout +*.bim_*.settings +*.rptproj.rsuser +*- [Bb]ackup.rdl +*- [Bb]ackup ([0-9]).rdl +*- [Bb]ackup ([0-9][0-9]).rdl + +# Microsoft Fakes +FakesAssemblies/ + +# GhostDoc plugin setting file +*.GhostDoc.xml + +# Node.js Tools for Visual Studio +.ntvs_analysis.dat +node_modules/ + +# Visual Studio 6 build log +*.plg + +# Visual Studio 6 workspace options file +*.opt + +# Visual Studio 6 auto-generated workspace file (contains which files were open etc.) +*.vbw + +# Visual Studio LightSwitch build output +**/*.HTMLClient/GeneratedArtifacts +**/*.DesktopClient/GeneratedArtifacts +**/*.DesktopClient/ModelManifest.xml +**/*.Server/GeneratedArtifacts +**/*.Server/ModelManifest.xml +_Pvt_Extensions + +# Paket dependency manager +.paket/paket.exe +paket-files/ + +# FAKE - F# Make +.fake/ + +# CodeRush personal settings +.cr/personal + +# Python Tools for Visual Studio (PTVS) +__pycache__/ +*.pyc + +# Cake - Uncomment if you are using it +# tools/** +# !tools/packages.config + +# Tabs Studio +*.tss + +# Telerik's JustMock configuration file +*.jmconfig + +# BizTalk build output +*.btp.cs +*.btm.cs +*.odx.cs +*.xsd.cs + +# OpenCover UI analysis results +OpenCover/ + +# Azure Stream Analytics local run output +ASALocalRun/ + +# MSBuild Binary and Structured Log +*.binlog + +# NVidia Nsight GPU debugger configuration file +*.nvuser + +# MFractors (Xamarin productivity tool) working folder +.mfractor/ + +# Local History for Visual Studio +.localhistory/ + +# BeatPulse healthcheck temp database +healthchecksdb + +# Backup folder for Package Reference Convert tool in Visual Studio 2017 +MigrationBackup/ + +# Ionide (cross platform F# VS Code tools) working folder +.ionide/ + +.DS_Store diff --git a/summarization-poc/frontend/CHANGELOG.md b/summarization-poc/frontend/CHANGELOG.md new file mode 100644 index 00000000..98247527 --- /dev/null +++ b/summarization-poc/frontend/CHANGELOG.md @@ -0,0 +1,13 @@ +## [project-title] Changelog + + +# x.y.z (yyyy-mm-dd) + +*Features* +* ... + +*Bug Fixes* +* ... + +*Breaking Changes* +* ... diff --git a/summarization-poc/frontend/CONTRIBUTING.md b/summarization-poc/frontend/CONTRIBUTING.md new file mode 100644 index 00000000..a9115cf5 --- /dev/null +++ b/summarization-poc/frontend/CONTRIBUTING.md @@ -0,0 +1,76 @@ +# Contributing to [project-title] + +This project welcomes contributions and suggestions. Most contributions require you to agree to a +Contributor License Agreement (CLA) declaring that you have the right to, and actually do, grant us +the rights to use your contribution. For details, visit https://cla.opensource.microsoft.com. + +When you submit a pull request, a CLA bot will automatically determine whether you need to provide +a CLA and decorate the PR appropriately (e.g., status check, comment). Simply follow the instructions +provided by the bot. You will only need to do this once across all repos using our CLA. + +This project has adopted the [Microsoft Open Source Code of Conduct](https://opensource.microsoft.com/codeofconduct/). +For more information see the [Code of Conduct FAQ](https://opensource.microsoft.com/codeofconduct/faq/) or +contact [opencode@microsoft.com](mailto:opencode@microsoft.com) with any additional questions or comments. + + - [Code of Conduct](#coc) + - [Issues and Bugs](#issue) + - [Feature Requests](#feature) + - [Submission Guidelines](#submit) + +## Code of Conduct +Help us keep this project open and inclusive. Please read and follow our [Code of Conduct](https://opensource.microsoft.com/codeofconduct/). + +## Found an Issue? +If you find a bug in the source code or a mistake in the documentation, you can help us by +[submitting an issue](#submit-issue) to the GitHub Repository. Even better, you can +[submit a Pull Request](#submit-pr) with a fix. + +## Want a Feature? +You can *request* a new feature by [submitting an issue](#submit-issue) to the GitHub +Repository. If you would like to *implement* a new feature, please submit an issue with +a proposal for your work first, to be sure that we can use it. + +* **Small Features** can be crafted and directly [submitted as a Pull Request](#submit-pr). + +## Submission Guidelines + +### Submitting an Issue +Before you submit an issue, search the archive, maybe your question was already answered. + +If your issue appears to be a bug, and hasn't been reported, open a new issue. +Help us to maximize the effort we can spend fixing issues and adding new +features, by not reporting duplicate issues. Providing the following information will increase the +chances of your issue being dealt with quickly: + +* **Overview of the Issue** - if an error is being thrown a non-minified stack trace helps +* **Version** - what version is affected (e.g. 0.1.2) +* **Motivation for or Use Case** - explain what are you trying to do and why the current behavior is a bug for you +* **Browsers and Operating System** - is this a problem with all browsers? +* **Reproduce the Error** - provide a live example or a unambiguous set of steps +* **Related Issues** - has a similar issue been reported before? +* **Suggest a Fix** - if you can't fix the bug yourself, perhaps you can point to what might be + causing the problem (line of code or commit) + +You can file new issues by providing the above information at the corresponding repository's issues link: https://github.com/[organization-name]/[repository-name]/issues/new]. + +### Submitting a Pull Request (PR) +Before you submit your Pull Request (PR) consider the following guidelines: + +* Search the repository (https://github.com/[organization-name]/[repository-name]/pulls) for an open or closed PR + that relates to your submission. You don't want to duplicate effort. + +* Make your changes in a new git fork: + +* Commit your changes using a descriptive commit message +* Push your fork to GitHub: +* In GitHub, create a pull request +* If we suggest changes then: + * Make the required updates. + * Rebase your fork and force push to your GitHub repository (this will update your Pull Request): + + ```shell + git rebase master -i + git push -f + ``` + +That's it! Thank you for your contribution! diff --git a/summarization-poc/frontend/LICENSE.md b/summarization-poc/frontend/LICENSE.md new file mode 100644 index 00000000..79656060 --- /dev/null +++ b/summarization-poc/frontend/LICENSE.md @@ -0,0 +1,21 @@ + MIT License + + Copyright (c) Microsoft Corporation. + + Permission is hereby granted, free of charge, to any person obtaining a copy + of this software and associated documentation files (the "Software"), to deal + in the Software without restriction, including without limitation the rights + to use, copy, modify, merge, publish, distribute, sublicense, and/or sell + copies of the Software, and to permit persons to whom the Software is + furnished to do so, subject to the following conditions: + + The above copyright notice and this permission notice shall be included in all + copies or substantial portions of the Software. + + THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR + IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, + FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE + AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER + LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, + OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE + SOFTWARE \ No newline at end of file diff --git a/summarization-poc/frontend/Project/.babelrc b/summarization-poc/frontend/Project/.babelrc new file mode 100644 index 00000000..d1e69e5d --- /dev/null +++ b/summarization-poc/frontend/Project/.babelrc @@ -0,0 +1,13 @@ +{ + "presets": [ + "@babel/preset-env", + "@babel/preset-react" + ], + "plugins": [ + "@babel/plugin-transform-class-properties", + ["@babel/plugin-transform-runtime", + { + "regenerator": true + }] + ] +} \ No newline at end of file diff --git a/summarization-poc/frontend/Project/.deployment b/summarization-poc/frontend/Project/.deployment new file mode 100644 index 00000000..62783318 --- /dev/null +++ b/summarization-poc/frontend/Project/.deployment @@ -0,0 +1,2 @@ +[config] +SCM_DO_BUILD_DURING_DEPLOYMENT=true \ No newline at end of file diff --git a/summarization-poc/frontend/Project/.gitignore b/summarization-poc/frontend/Project/.gitignore new file mode 100644 index 00000000..29f025b7 --- /dev/null +++ b/summarization-poc/frontend/Project/.gitignore @@ -0,0 +1,28 @@ +# See https://help.github.com/articles/ignoring-files/ for more about ignoring files. + +# dependencies +/node_modules +/.pnp +.pnp.js + +# testing +/coverage + +# production +/build +/dist + +# misc +.DS_Store +.env.local +.env.development.local +.env.test.local +.env.production.local + +npm-debug.log* +yarn-debug.log* +yarn-error.log* + +# build dropped +sdk.bundle.js +./config.js \ No newline at end of file diff --git a/summarization-poc/frontend/Project/clientConfig.json b/summarization-poc/frontend/Project/clientConfig.json new file mode 100644 index 00000000..37be2e9a --- /dev/null +++ b/summarization-poc/frontend/Project/clientConfig.json @@ -0,0 +1,5 @@ +{ + "oneSignalAppId": "", + "oneSignalSafariWebId": "", + "appInsightsConnectionString": "" +} \ No newline at end of file diff --git a/summarization-poc/frontend/Project/oAuthConfig.js b/summarization-poc/frontend/Project/oAuthConfig.js new file mode 100644 index 00000000..ca9776a2 --- /dev/null +++ b/summarization-poc/frontend/Project/oAuthConfig.js @@ -0,0 +1,13 @@ +const authConfig = { + auth: { + clientId: 'ENTER_CLIENT_ID', + authority: 'https://login.microsoftonline.com/ENTER_TENANT_ID' + } +}; + // Add here scopes for id token to be used at MS Identity Platform endpoints. +const authScopes = { + popUpLogin: [], + m365Login: [] +}; + +module.exports = {authConfig, authScopes } \ No newline at end of file diff --git a/summarization-poc/frontend/Project/package-lock.json b/summarization-poc/frontend/Project/package-lock.json new file mode 100644 index 00000000..0354e538 --- /dev/null +++ b/summarization-poc/frontend/Project/package-lock.json @@ -0,0 +1,7801 @@ +{ + "name": "ACSCallingSample", + "version": "1.0.0", + "lockfileVersion": 3, + "requires": true, + "packages": { + "": { + "name": "ACSCallingSample", + "version": "1.0.0", + "dependencies": { + "@azure/communication-calling": "1.27.1-beta.1", + "@azure/communication-calling-effects": "1.1.1-beta.1", + "@azure/communication-common": "^2.3.0", + "@azure/communication-identity": "^1.3.0", + "@azure/communication-network-traversal": "^1.1.0-beta.1", + "@azure/logger": "^1.0.3", + "@azure/msal-browser": "^2.33.0", + "@azure/msal-node": "^1.17.1", + "@fluentui/react": "^7.158.1", + "@microsoft/applicationinsights-web": "^3.0.2", + "pako": "^2.1.0", + "react": "^16.14.0", + "react-dom": "^16.14.0", + "react-onesignal": "^2.0.4", + "react-toastify": "9.0.1" + }, + "devDependencies": { + "@babel/core": "^7.8.7", + "@babel/plugin-transform-class-properties": "^7.22.5", + "@babel/plugin-transform-runtime": "^7.8.3", + "@babel/preset-env": "^7.8.7", + "@babel/preset-react": "^7.8.3", + "@babel/runtime": "^7.8.7", + "axios": "^1.3.4", + "babel-loader": "^8.0.6", + "css-loader": "^5.2.6", + "html-loader": "^4.2.0", + "html-webpack-plugin": "^5.5.3", + "style-loader": "^1.1.3", + "webpack": "^5.88.2", + "webpack-cli": "^5.1.4", + "webpack-dev-server": "^4.15.1" + } + }, + "node_modules/@ampproject/remapping": { + "version": "2.2.1", + "resolved": "https://registry.npmjs.org/@ampproject/remapping/-/remapping-2.2.1.tgz", + "integrity": "sha512-lFMjJTrFL3j7L9yBxwYfCq2k6qqwHyzuUl/XBnif78PWTJYyL/dfowQHWE3sp6U6ZzqWiiIZnpTMO96zhkjwtg==", + "dev": true, + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.0", + "@jridgewell/trace-mapping": "^0.3.9" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@azure/abort-controller": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@azure/abort-controller/-/abort-controller-1.1.0.tgz", + "integrity": "sha512-TrRLIoSQVzfAJX9H1JeFjzAoDGcoK1IYX1UImfceTZpsyYfWr09Ss1aHW1y5TrrR3iq6RZLBwJ3E24uwPhwahw==", + "dependencies": { + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/@azure/communication-calling": { + "version": "1.27.1-beta.1", + "resolved": "https://registry.npmjs.org/@azure/communication-calling/-/communication-calling-1.27.1-beta.1.tgz", + "integrity": "sha512-XWQ5Udgt5TiVJETa+jJKZ7u40iPeHe+l92WZRpTVoqNcIKw/IFdKkkb8jtf/7N8mzDt8jVVQG9GLOQRpa+uvnw==", + "dependencies": { + "@azure/communication-common": "^2.3.0", + "@azure/logger": "^1.0.3" + } + }, + "node_modules/@azure/communication-calling-effects": { + "version": "1.1.1-beta.1", + "resolved": "https://registry.npmjs.org/@azure/communication-calling-effects/-/communication-calling-effects-1.1.1-beta.1.tgz", + "integrity": "sha512-hz0wEHBFSNVivS7qnDwcnJuONYqlV41VpQpEi+hEGcM4+8G4MQwC4nG7dOr2OX2AkJoX3ZTY2ZC5X3igLy9U4A==", + "dependencies": { + "@azure/logger": "^1.0.2", + "events": "3.3.0" + } + }, + "node_modules/@azure/communication-common": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/@azure/communication-common/-/communication-common-2.3.0.tgz", + "integrity": "sha512-KqpdV1AsojDcmISMnvv9MTE8lNRcgz+OQukp2mFl/cm4aKjzROrGcSlayU6p9A51knRGwgoS6hXkaUdqU5cXow==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "@azure/core-auth": "^1.3.0", + "@azure/core-rest-pipeline": "^1.3.2", + "@azure/core-tracing": "^1.0.0", + "@azure/core-util": "^1.0.0", + "events": "^3.0.0", + "jwt-decode": "^3.1.2", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@azure/communication-identity": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/@azure/communication-identity/-/communication-identity-1.3.0.tgz", + "integrity": "sha512-SCfmOEanjXho8k93T0/SvZc1OrunD0868VZWA2gkiy9sCiYfC5HG0aDJ0tLlEw5RHNeICuXa5s7TqapwLPPThw==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "@azure/communication-common": "^2.2.0", + "@azure/core-auth": "^1.3.0", + "@azure/core-client": "^1.3.0", + "@azure/core-lro": "^2.2.0", + "@azure/core-paging": "^1.1.1", + "@azure/core-rest-pipeline": "^1.3.0", + "@azure/core-tracing": "^1.0.0", + "@azure/logger": "^1.0.0", + "events": "^3.0.0", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=18.0.0" + } + }, + "node_modules/@azure/communication-network-traversal": { + "version": "1.1.0-beta.1", + "resolved": "https://registry.npmjs.org/@azure/communication-network-traversal/-/communication-network-traversal-1.1.0-beta.1.tgz", + "integrity": "sha512-lPVLJJY7TPh93JpuL4wvfBrdphogA+XXi7wwAqXE7btM8syr56uXdGaz0rSSbVyeSkYv3g2Um7U+SCuIDIH9aQ==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "@azure/communication-common": "^1.1.0", + "@azure/core-auth": "^1.3.0", + "@azure/core-http": "^2.0.0", + "@azure/core-tracing": "1.0.0-preview.13", + "@azure/logger": "^1.0.0", + "events": "^3.0.0", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/@azure/communication-network-traversal/node_modules/@azure/communication-common": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/@azure/communication-common/-/communication-common-1.1.0.tgz", + "integrity": "sha512-vqTtzDtb4NG3LWoWoqlOOJApZRRIIImNUKlGyTa6c1YC+v5A7UEOL9TX8NRDxvFVUF2wDHsSnkhLBVBgkcAhIQ==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "@azure/core-auth": "^1.3.0", + "@azure/core-http": "^2.0.0", + "@azure/core-tracing": "1.0.0-preview.13", + "events": "^3.0.0", + "jwt-decode": "~2.2.0", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/@azure/communication-network-traversal/node_modules/@azure/core-tracing": { + "version": "1.0.0-preview.13", + "resolved": "https://registry.npmjs.org/@azure/core-tracing/-/core-tracing-1.0.0-preview.13.tgz", + "integrity": "sha512-KxDlhXyMlh2Jhj2ykX6vNEU0Vou4nHr025KoSEiz7cS3BNiHNaZcdECk/DmLkEB0as5T7b/TpRcehJ5yV6NeXQ==", + "dependencies": { + "@opentelemetry/api": "^1.0.1", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/@azure/communication-network-traversal/node_modules/jwt-decode": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/jwt-decode/-/jwt-decode-2.2.0.tgz", + "integrity": "sha512-86GgN2vzfUu7m9Wcj63iUkuDzFNYFVmjeDm2GzWpUk+opB0pEpMsw6ePCMrhYkumz2C1ihqtZzOMAg7FiXcNoQ==" + }, + "node_modules/@azure/core-auth": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/@azure/core-auth/-/core-auth-1.5.0.tgz", + "integrity": "sha512-udzoBuYG1VBoHVohDTrvKjyzel34zt77Bhp7dQntVGGD0ehVq48owENbBG8fIgkHRNUBQH5k1r0hpoMu5L8+kw==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "@azure/core-util": "^1.1.0", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@azure/core-client": { + "version": "1.7.3", + "resolved": "https://registry.npmjs.org/@azure/core-client/-/core-client-1.7.3.tgz", + "integrity": "sha512-kleJ1iUTxcO32Y06dH9Pfi9K4U+Tlb111WXEnbt7R/ne+NLRwppZiTGJuTD5VVoxTMK5NTbEtm5t2vcdNCFe2g==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "@azure/core-auth": "^1.4.0", + "@azure/core-rest-pipeline": "^1.9.1", + "@azure/core-tracing": "^1.0.0", + "@azure/core-util": "^1.0.0", + "@azure/logger": "^1.0.0", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@azure/core-http": { + "version": "2.3.2", + "resolved": "https://registry.npmjs.org/@azure/core-http/-/core-http-2.3.2.tgz", + "integrity": "sha512-Z4dfbglV9kNZO177CNx4bo5ekFuYwwsvjLiKdZI4r84bYGv3irrbQz7JC3/rUfFH2l4T/W6OFleJaa2X0IaQqw==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "@azure/core-auth": "^1.3.0", + "@azure/core-tracing": "1.0.0-preview.13", + "@azure/core-util": "^1.1.1", + "@azure/logger": "^1.0.0", + "@types/node-fetch": "^2.5.0", + "@types/tunnel": "^0.0.3", + "form-data": "^4.0.0", + "node-fetch": "^2.6.7", + "process": "^0.11.10", + "tough-cookie": "^4.0.0", + "tslib": "^2.2.0", + "tunnel": "^0.0.6", + "uuid": "^8.3.0", + "xml2js": "^0.5.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@azure/core-http/node_modules/@azure/core-tracing": { + "version": "1.0.0-preview.13", + "resolved": "https://registry.npmjs.org/@azure/core-tracing/-/core-tracing-1.0.0-preview.13.tgz", + "integrity": "sha512-KxDlhXyMlh2Jhj2ykX6vNEU0Vou4nHr025KoSEiz7cS3BNiHNaZcdECk/DmLkEB0as5T7b/TpRcehJ5yV6NeXQ==", + "dependencies": { + "@opentelemetry/api": "^1.0.1", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/@azure/core-lro": { + "version": "2.5.4", + "resolved": "https://registry.npmjs.org/@azure/core-lro/-/core-lro-2.5.4.tgz", + "integrity": "sha512-3GJiMVH7/10bulzOKGrrLeG/uCBH/9VtxqaMcB9lIqAeamI/xYQSHJL/KcsLDuH+yTjYpro/u6D/MuRe4dN70Q==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "@azure/core-util": "^1.2.0", + "@azure/logger": "^1.0.0", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@azure/core-paging": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/@azure/core-paging/-/core-paging-1.5.0.tgz", + "integrity": "sha512-zqWdVIt+2Z+3wqxEOGzR5hXFZ8MGKK52x4vFLw8n58pR6ZfKRx3EXYTxTaYxYHc/PexPUTyimcTWFJbji9Z6Iw==", + "dependencies": { + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@azure/core-rest-pipeline": { + "version": "1.12.1", + "resolved": "https://registry.npmjs.org/@azure/core-rest-pipeline/-/core-rest-pipeline-1.12.1.tgz", + "integrity": "sha512-SsyWQ+T5MFQRX+M8H/66AlaI6HyCbQStGfFngx2fuiW+vKI2DkhtOvbYodPyf9fOe/ARLWWc3ohX54lQ5Kmaog==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "@azure/core-auth": "^1.4.0", + "@azure/core-tracing": "^1.0.1", + "@azure/core-util": "^1.3.0", + "@azure/logger": "^1.0.0", + "form-data": "^4.0.0", + "http-proxy-agent": "^5.0.0", + "https-proxy-agent": "^5.0.0", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@azure/core-tracing": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/@azure/core-tracing/-/core-tracing-1.0.1.tgz", + "integrity": "sha512-I5CGMoLtX+pI17ZdiFJZgxMJApsK6jjfm85hpgp3oazCdq5Wxgh4wMr7ge/TTWW1B5WBuvIOI1fMU/FrOAMKrw==", + "dependencies": { + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=12.0.0" + } + }, + "node_modules/@azure/core-util": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/@azure/core-util/-/core-util-1.5.0.tgz", + "integrity": "sha512-GZBpVFDtQ/15hW1OgBcRdT4Bl7AEpcEZqLfbAvOtm1CQUncKWiYapFHVD588hmlV27NbOOtSm3cnLF3lvoHi4g==", + "dependencies": { + "@azure/abort-controller": "^1.0.0", + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@azure/logger": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/@azure/logger/-/logger-1.0.4.tgz", + "integrity": "sha512-ustrPY8MryhloQj7OWGe+HrYx+aoiOxzbXTtgblbV3xwCqpzUK36phH3XNHQKj3EPonyFUuDTfR3qFhTEAuZEg==", + "dependencies": { + "tslib": "^2.2.0" + }, + "engines": { + "node": ">=14.0.0" + } + }, + "node_modules/@azure/msal-browser": { + "version": "2.38.2", + "resolved": "https://registry.npmjs.org/@azure/msal-browser/-/msal-browser-2.38.2.tgz", + "integrity": "sha512-71BeIn2we6LIgMplwCSaMq5zAwmalyJR3jFcVOZxNVfQ1saBRwOD+P77nLs5vrRCedVKTq8RMFhIOdpMLNno0A==", + "dependencies": { + "@azure/msal-common": "13.3.0" + }, + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/@azure/msal-common": { + "version": "13.3.0", + "resolved": "https://registry.npmjs.org/@azure/msal-common/-/msal-common-13.3.0.tgz", + "integrity": "sha512-/VFWTicjcJbrGp3yQP7A24xU95NiDMe23vxIU1U6qdRPFsprMDNUohMudclnd+WSHE4/McqkZs/nUU3sAKkVjg==", + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/@azure/msal-node": { + "version": "1.18.3", + "resolved": "https://registry.npmjs.org/@azure/msal-node/-/msal-node-1.18.3.tgz", + "integrity": "sha512-lI1OsxNbS/gxRD4548Wyj22Dk8kS7eGMwD9GlBZvQmFV8FJUXoXySL1BiNzDsHUE96/DS/DHmA+F73p1Dkcktg==", + "dependencies": { + "@azure/msal-common": "13.3.0", + "jsonwebtoken": "^9.0.0", + "uuid": "^8.3.0" + }, + "engines": { + "node": "10 || 12 || 14 || 16 || 18" + } + }, + "node_modules/@babel/code-frame": { + "version": "7.22.13", + "resolved": "https://registry.npmjs.org/@babel/code-frame/-/code-frame-7.22.13.tgz", + "integrity": "sha512-XktuhWlJ5g+3TJXc5upd9Ks1HutSArik6jf2eAjYFyIOf4ej3RN+184cZbzDvbPnuTJIUhPKKJE3cIsYTiAT3w==", + "dev": true, + "dependencies": { + "@babel/highlight": "^7.22.13", + "chalk": "^2.4.2" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/compat-data": { + "version": "7.22.20", + "resolved": "https://registry.npmjs.org/@babel/compat-data/-/compat-data-7.22.20.tgz", + "integrity": "sha512-BQYjKbpXjoXwFW5jGqiizJQQT/aC7pFm9Ok1OWssonuguICi264lbgMzRp2ZMmRSlfkX6DsWDDcsrctK8Rwfiw==", + "dev": true, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/core": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/core/-/core-7.23.0.tgz", + "integrity": "sha512-97z/ju/Jy1rZmDxybphrBuI+jtJjFVoz7Mr9yUQVVVi+DNZE333uFQeMOqcCIy1x3WYBIbWftUSLmbNXNT7qFQ==", + "dev": true, + "dependencies": { + "@ampproject/remapping": "^2.2.0", + "@babel/code-frame": "^7.22.13", + "@babel/generator": "^7.23.0", + "@babel/helper-compilation-targets": "^7.22.15", + "@babel/helper-module-transforms": "^7.23.0", + "@babel/helpers": "^7.23.0", + "@babel/parser": "^7.23.0", + "@babel/template": "^7.22.15", + "@babel/traverse": "^7.23.0", + "@babel/types": "^7.23.0", + "convert-source-map": "^2.0.0", + "debug": "^4.1.0", + "gensync": "^1.0.0-beta.2", + "json5": "^2.2.3", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/babel" + } + }, + "node_modules/@babel/generator": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/generator/-/generator-7.23.0.tgz", + "integrity": "sha512-lN85QRR+5IbYrMWM6Y4pE/noaQtg4pNiqeNGX60eqOfo6gtEj6uw/JagelB8vVztSd7R6M5n1+PQkDbHbBRU4g==", + "dev": true, + "dependencies": { + "@babel/types": "^7.23.0", + "@jridgewell/gen-mapping": "^0.3.2", + "@jridgewell/trace-mapping": "^0.3.17", + "jsesc": "^2.5.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-annotate-as-pure": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.22.5.tgz", + "integrity": "sha512-LvBTxu8bQSQkcyKOU+a1btnNFQ1dMAd0R6PyW3arXes06F6QLWLIrd681bxRPIXlrMGR3XYnW9JyML7dP3qgxg==", + "dev": true, + "dependencies": { + "@babel/types": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-builder-binary-assignment-operator-visitor": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/helper-builder-binary-assignment-operator-visitor/-/helper-builder-binary-assignment-operator-visitor-7.22.15.tgz", + "integrity": "sha512-QkBXwGgaoC2GtGZRoma6kv7Szfv06khvhFav67ZExau2RaXzy8MpHSMO2PNoP2XtmQphJQRHFfg77Bq731Yizw==", + "dev": true, + "dependencies": { + "@babel/types": "^7.22.15" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-compilation-targets": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/helper-compilation-targets/-/helper-compilation-targets-7.22.15.tgz", + "integrity": "sha512-y6EEzULok0Qvz8yyLkCvVX+02ic+By2UdOhylwUOvOn9dvYc9mKICJuuU1n1XBI02YWsNsnrY1kc6DVbjcXbtw==", + "dev": true, + "dependencies": { + "@babel/compat-data": "^7.22.9", + "@babel/helper-validator-option": "^7.22.15", + "browserslist": "^4.21.9", + "lru-cache": "^5.1.1", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-create-class-features-plugin": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/helper-create-class-features-plugin/-/helper-create-class-features-plugin-7.22.15.tgz", + "integrity": "sha512-jKkwA59IXcvSaiK2UN45kKwSC9o+KuoXsBDvHvU/7BecYIp8GQ2UwrVvFgJASUT+hBnwJx6MhvMCuMzwZZ7jlg==", + "dev": true, + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.22.5", + "@babel/helper-environment-visitor": "^7.22.5", + "@babel/helper-function-name": "^7.22.5", + "@babel/helper-member-expression-to-functions": "^7.22.15", + "@babel/helper-optimise-call-expression": "^7.22.5", + "@babel/helper-replace-supers": "^7.22.9", + "@babel/helper-skip-transparent-expression-wrappers": "^7.22.5", + "@babel/helper-split-export-declaration": "^7.22.6", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-create-regexp-features-plugin": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/helper-create-regexp-features-plugin/-/helper-create-regexp-features-plugin-7.22.15.tgz", + "integrity": "sha512-29FkPLFjn4TPEa3RE7GpW+qbE8tlsu3jntNYNfcGsc49LphF1PQIiD+vMZ1z1xVOKt+93khA9tc2JBs3kBjA7w==", + "dev": true, + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.22.5", + "regexpu-core": "^5.3.1", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-define-polyfill-provider": { + "version": "0.4.2", + "resolved": "https://registry.npmjs.org/@babel/helper-define-polyfill-provider/-/helper-define-polyfill-provider-0.4.2.tgz", + "integrity": "sha512-k0qnnOqHn5dK9pZpfD5XXZ9SojAITdCKRn2Lp6rnDGzIbaP0rHyMPk/4wsSxVBVz4RfN0q6VpXWP2pDGIoQ7hw==", + "dev": true, + "dependencies": { + "@babel/helper-compilation-targets": "^7.22.6", + "@babel/helper-plugin-utils": "^7.22.5", + "debug": "^4.1.1", + "lodash.debounce": "^4.0.8", + "resolve": "^1.14.2" + }, + "peerDependencies": { + "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/@babel/helper-environment-visitor": { + "version": "7.22.20", + "resolved": "https://registry.npmjs.org/@babel/helper-environment-visitor/-/helper-environment-visitor-7.22.20.tgz", + "integrity": "sha512-zfedSIzFhat/gFhWfHtgWvlec0nqB9YEIVrpuwjruLlXfUSnA8cJB0miHKwqDnQ7d32aKo2xt88/xZptwxbfhA==", + "dev": true, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-function-name": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/helper-function-name/-/helper-function-name-7.23.0.tgz", + "integrity": "sha512-OErEqsrxjZTJciZ4Oo+eoZqeW9UIiOcuYKRJA4ZAgV9myA+pOXhhmpfNCKjEH/auVfEYVFJ6y1Tc4r0eIApqiw==", + "dev": true, + "dependencies": { + "@babel/template": "^7.22.15", + "@babel/types": "^7.23.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-hoist-variables": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/helper-hoist-variables/-/helper-hoist-variables-7.22.5.tgz", + "integrity": "sha512-wGjk9QZVzvknA6yKIUURb8zY3grXCcOZt+/7Wcy8O2uctxhplmUPkOdlgoNhmdVee2c92JXbf1xpMtVNbfoxRw==", + "dev": true, + "dependencies": { + "@babel/types": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-member-expression-to-functions": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/helper-member-expression-to-functions/-/helper-member-expression-to-functions-7.23.0.tgz", + "integrity": "sha512-6gfrPwh7OuT6gZyJZvd6WbTfrqAo7vm4xCzAXOusKqq/vWdKXphTpj5klHKNmRUU6/QRGlBsyU9mAIPaWHlqJA==", + "dev": true, + "dependencies": { + "@babel/types": "^7.23.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-module-imports": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/helper-module-imports/-/helper-module-imports-7.22.15.tgz", + "integrity": "sha512-0pYVBnDKZO2fnSPCrgM/6WMc7eS20Fbok+0r88fp+YtWVLZrp4CkafFGIp+W0VKw4a22sgebPT99y+FDNMdP4w==", + "dev": true, + "dependencies": { + "@babel/types": "^7.22.15" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-module-transforms": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/helper-module-transforms/-/helper-module-transforms-7.23.0.tgz", + "integrity": "sha512-WhDWw1tdrlT0gMgUJSlX0IQvoO1eN279zrAUbVB+KpV2c3Tylz8+GnKOLllCS6Z/iZQEyVYxhZVUdPTqs2YYPw==", + "dev": true, + "dependencies": { + "@babel/helper-environment-visitor": "^7.22.20", + "@babel/helper-module-imports": "^7.22.15", + "@babel/helper-simple-access": "^7.22.5", + "@babel/helper-split-export-declaration": "^7.22.6", + "@babel/helper-validator-identifier": "^7.22.20" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-optimise-call-expression": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/helper-optimise-call-expression/-/helper-optimise-call-expression-7.22.5.tgz", + "integrity": "sha512-HBwaojN0xFRx4yIvpwGqxiV2tUfl7401jlok564NgB9EHS1y6QT17FmKWm4ztqjeVdXLuC4fSvHc5ePpQjoTbw==", + "dev": true, + "dependencies": { + "@babel/types": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-plugin-utils": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/helper-plugin-utils/-/helper-plugin-utils-7.22.5.tgz", + "integrity": "sha512-uLls06UVKgFG9QD4OeFYLEGteMIAa5kpTPcFL28yuCIIzsf6ZyKZMllKVOCZFhiZ5ptnwX4mtKdWCBE/uT4amg==", + "dev": true, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-remap-async-to-generator": { + "version": "7.22.20", + "resolved": "https://registry.npmjs.org/@babel/helper-remap-async-to-generator/-/helper-remap-async-to-generator-7.22.20.tgz", + "integrity": "sha512-pBGyV4uBqOns+0UvhsTO8qgl8hO89PmiDYv+/COyp1aeMcmfrfruz+/nCMFiYyFF/Knn0yfrC85ZzNFjembFTw==", + "dev": true, + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.22.5", + "@babel/helper-environment-visitor": "^7.22.20", + "@babel/helper-wrap-function": "^7.22.20" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-replace-supers": { + "version": "7.22.20", + "resolved": "https://registry.npmjs.org/@babel/helper-replace-supers/-/helper-replace-supers-7.22.20.tgz", + "integrity": "sha512-qsW0In3dbwQUbK8kejJ4R7IHVGwHJlV6lpG6UA7a9hSa2YEiAib+N1T2kr6PEeUT+Fl7najmSOS6SmAwCHK6Tw==", + "dev": true, + "dependencies": { + "@babel/helper-environment-visitor": "^7.22.20", + "@babel/helper-member-expression-to-functions": "^7.22.15", + "@babel/helper-optimise-call-expression": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/helper-simple-access": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/helper-simple-access/-/helper-simple-access-7.22.5.tgz", + "integrity": "sha512-n0H99E/K+Bika3++WNL17POvo4rKWZ7lZEp1Q+fStVbUi8nxPQEBOlTmCOxW/0JsS56SKKQ+ojAe2pHKJHN35w==", + "dev": true, + "dependencies": { + "@babel/types": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-skip-transparent-expression-wrappers": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/helper-skip-transparent-expression-wrappers/-/helper-skip-transparent-expression-wrappers-7.22.5.tgz", + "integrity": "sha512-tK14r66JZKiC43p8Ki33yLBVJKlQDFoA8GYN67lWCDCqoL6EMMSuM9b+Iff2jHaM/RRFYl7K+iiru7hbRqNx8Q==", + "dev": true, + "dependencies": { + "@babel/types": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-split-export-declaration": { + "version": "7.22.6", + "resolved": "https://registry.npmjs.org/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.22.6.tgz", + "integrity": "sha512-AsUnxuLhRYsisFiaJwvp1QF+I3KjD5FOxut14q/GzovUe6orHLesW2C7d754kRm53h5gqrz6sFl6sxc4BVtE/g==", + "dev": true, + "dependencies": { + "@babel/types": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-string-parser": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/helper-string-parser/-/helper-string-parser-7.22.5.tgz", + "integrity": "sha512-mM4COjgZox8U+JcXQwPijIZLElkgEpO5rsERVDJTc2qfCDfERyob6k5WegS14SX18IIjv+XD+GrqNumY5JRCDw==", + "dev": true, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-identifier": { + "version": "7.22.20", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-identifier/-/helper-validator-identifier-7.22.20.tgz", + "integrity": "sha512-Y4OZ+ytlatR8AI+8KZfKuL5urKp7qey08ha31L8b3BwewJAoJamTzyvxPR/5D+KkdJCGPq/+8TukHBlY10FX9A==", + "dev": true, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-validator-option": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/helper-validator-option/-/helper-validator-option-7.22.15.tgz", + "integrity": "sha512-bMn7RmyFjY/mdECUbgn9eoSY4vqvacUnS9i9vGAGttgFWesO6B4CYWA7XlpbWgBt71iv/hfbPlynohStqnu5hA==", + "dev": true, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helper-wrap-function": { + "version": "7.22.20", + "resolved": "https://registry.npmjs.org/@babel/helper-wrap-function/-/helper-wrap-function-7.22.20.tgz", + "integrity": "sha512-pms/UwkOpnQe/PDAEdV/d7dVCoBbB+R4FvYoHGZz+4VPcg7RtYy2KP7S2lbuWM6FCSgob5wshfGESbC/hzNXZw==", + "dev": true, + "dependencies": { + "@babel/helper-function-name": "^7.22.5", + "@babel/template": "^7.22.15", + "@babel/types": "^7.22.19" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/helpers": { + "version": "7.23.1", + "resolved": "https://registry.npmjs.org/@babel/helpers/-/helpers-7.23.1.tgz", + "integrity": "sha512-chNpneuK18yW5Oxsr+t553UZzzAs3aZnFm4bxhebsNTeshrC95yA7l5yl7GBAG+JG1rF0F7zzD2EixK9mWSDoA==", + "dev": true, + "dependencies": { + "@babel/template": "^7.22.15", + "@babel/traverse": "^7.23.0", + "@babel/types": "^7.23.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/highlight": { + "version": "7.22.20", + "resolved": "https://registry.npmjs.org/@babel/highlight/-/highlight-7.22.20.tgz", + "integrity": "sha512-dkdMCN3py0+ksCgYmGG8jKeGA/8Tk+gJwSYYlFGxG5lmhfKNoAy004YpLxpS1W2J8m/EK2Ew+yOs9pVRwO89mg==", + "dev": true, + "dependencies": { + "@babel/helper-validator-identifier": "^7.22.20", + "chalk": "^2.4.2", + "js-tokens": "^4.0.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/parser": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/parser/-/parser-7.23.0.tgz", + "integrity": "sha512-vvPKKdMemU85V9WE/l5wZEmImpCtLqbnTvqDS2U1fJ96KrxoW7KrXhNsNCblQlg8Ck4b85yxdTyelsMUgFUXiw==", + "dev": true, + "bin": { + "parser": "bin/babel-parser.js" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression/-/plugin-bugfix-safari-id-destructuring-collision-in-function-expression-7.22.15.tgz", + "integrity": "sha512-FB9iYlz7rURmRJyXRKEnalYPPdn87H5no108cyuQQyMwlpJ2SJtpIUBI27kdTin956pz+LPypkPVPUTlxOmrsg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining/-/plugin-bugfix-v8-spread-parameters-in-optional-chaining-7.22.15.tgz", + "integrity": "sha512-Hyph9LseGvAeeXzikV88bczhsrLrIZqDPxO+sSmAunMPaGrBGhfMWzCPYTtiW9t+HzSE2wtV8e5cc5P6r1xMDQ==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-skip-transparent-expression-wrappers": "^7.22.5", + "@babel/plugin-transform-optional-chaining": "^7.22.15" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.13.0" + } + }, + "node_modules/@babel/plugin-proposal-private-property-in-object": { + "version": "7.21.0-placeholder-for-preset-env.2", + "resolved": "https://registry.npmjs.org/@babel/plugin-proposal-private-property-in-object/-/plugin-proposal-private-property-in-object-7.21.0-placeholder-for-preset-env.2.tgz", + "integrity": "sha512-SOSkfJDddaM7mak6cPEpswyTRnuRltl429hMraQEglW+OkovnCzsiszTmsrlY//qLFjCpQDFRvjdm2wA5pPm9w==", + "dev": true, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-async-generators": { + "version": "7.8.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-async-generators/-/plugin-syntax-async-generators-7.8.4.tgz", + "integrity": "sha512-tycmZxkGfZaxhMRbXlPXuVFpdWlXpir2W4AMhSJgRKzk/eDlIXOhb2LHWoLpDF7TEHylV5zNhykX6KAgHJmTNw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-class-properties": { + "version": "7.12.13", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-properties/-/plugin-syntax-class-properties-7.12.13.tgz", + "integrity": "sha512-fm4idjKla0YahUNgFNLCB0qySdsoPiZP3iQE3rky0mBUtMZ23yDJ9SJdg6dXTSDnulOVqiF3Hgr9nbXvXTQZYA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.12.13" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-class-static-block": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-class-static-block/-/plugin-syntax-class-static-block-7.14.5.tgz", + "integrity": "sha512-b+YyPmr6ldyNnM6sqYeMWE+bgJcJpO6yS4QD7ymxgH34GBPNDM/THBh8iunyvKIZztiwLH4CJZ0RxTk9emgpjw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-dynamic-import": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-dynamic-import/-/plugin-syntax-dynamic-import-7.8.3.tgz", + "integrity": "sha512-5gdGbFon+PszYzqs83S3E5mpi7/y/8M9eC90MRTZfduQOYW76ig6SOSPNe41IG5LoP3FGBn2N0RjVDSQiS94kQ==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-export-namespace-from": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-export-namespace-from/-/plugin-syntax-export-namespace-from-7.8.3.tgz", + "integrity": "sha512-MXf5laXo6c1IbEbegDmzGPwGNTsHZmEy6QGznu5Sh2UCWvueywb2ee+CCE4zQiZstxU9BMoQO9i6zUFSY0Kj0Q==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.3" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-assertions": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-assertions/-/plugin-syntax-import-assertions-7.22.5.tgz", + "integrity": "sha512-rdV97N7KqsRzeNGoWUOK6yUsWarLjE5Su/Snk9IYPU9CwkWHs4t+rTGOvffTR8XGkJMTAdLfO0xVnXm8wugIJg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-attributes": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-attributes/-/plugin-syntax-import-attributes-7.22.5.tgz", + "integrity": "sha512-KwvoWDeNKPETmozyFE0P2rOLqh39EoQHNjqizrI5B8Vt0ZNS7M56s7dAiAqbYfiAYOuIzIh96z3iR2ktgu3tEg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-import-meta": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-import-meta/-/plugin-syntax-import-meta-7.10.4.tgz", + "integrity": "sha512-Yqfm+XDx0+Prh3VSeEQCPU81yC+JWZ2pDPFSS4ZdpfZhp4MkFMaDC1UqseovEKwSUpnIL7+vK+Clp7bfh0iD7g==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-json-strings": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-json-strings/-/plugin-syntax-json-strings-7.8.3.tgz", + "integrity": "sha512-lY6kdGpWHvjoe2vk4WrAapEuBR69EMxZl+RoGRhrFGNYVK8mOPAW8VfbT/ZgrFbXlDNiiaxQnAtgVCZ6jv30EA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-jsx": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.22.5.tgz", + "integrity": "sha512-gvyP4hZrgrs/wWMaocvxZ44Hw0b3W8Pe+cMxc8V1ULQ07oh8VNbIRaoD1LRZVTvD+0nieDKjfgKg89sD7rrKrg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-logical-assignment-operators": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-logical-assignment-operators/-/plugin-syntax-logical-assignment-operators-7.10.4.tgz", + "integrity": "sha512-d8waShlpFDinQ5MtvGU9xDAOzKH47+FFoney2baFIoMr952hKOLp1HR7VszoZvOsV/4+RRszNY7D17ba0te0ig==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-nullish-coalescing-operator": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-nullish-coalescing-operator/-/plugin-syntax-nullish-coalescing-operator-7.8.3.tgz", + "integrity": "sha512-aSff4zPII1u2QD7y+F8oDsz19ew4IGEJg9SVW+bqwpwtfFleiQDMdzA/R+UlWDzfnHFCxxleFT0PMIrR36XLNQ==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-numeric-separator": { + "version": "7.10.4", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-numeric-separator/-/plugin-syntax-numeric-separator-7.10.4.tgz", + "integrity": "sha512-9H6YdfkcK/uOnY/K7/aA2xpzaAgkQn37yzWUMRK7OaPOqOpGS1+n0H5hxT9AUw9EsSjPW8SVyMJwYRtWs3X3ug==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.10.4" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-object-rest-spread": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-object-rest-spread/-/plugin-syntax-object-rest-spread-7.8.3.tgz", + "integrity": "sha512-XoqMijGZb9y3y2XskN+P1wUGiVwWZ5JmoDRwx5+3GmEplNyVM2s2Dg8ILFQm8rWM48orGy5YpI5Bl8U1y7ydlA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-optional-catch-binding": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-catch-binding/-/plugin-syntax-optional-catch-binding-7.8.3.tgz", + "integrity": "sha512-6VPD0Pc1lpTqw0aKoeRTMiB+kWhAoT24PA+ksWSBrFtl5SIRVpZlwN3NNPQjehA2E/91FV3RjLWoVTglWcSV3Q==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-optional-chaining": { + "version": "7.8.3", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-optional-chaining/-/plugin-syntax-optional-chaining-7.8.3.tgz", + "integrity": "sha512-KoK9ErH1MBlCPxV0VANkXW2/dw4vlbGDrFgz8bmUsBGYkFRcbRwMh6cIJubdPrkxRwuGdtCk0v/wPTKbQgBjkg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.8.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-private-property-in-object": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-private-property-in-object/-/plugin-syntax-private-property-in-object-7.14.5.tgz", + "integrity": "sha512-0wVnp9dxJ72ZUJDV27ZfbSj6iHLoytYZmh3rFcxNnvsJF3ktkzLDZPy/mA17HGsaQT3/DQsWYX1f1QGWkCoVUg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-top-level-await": { + "version": "7.14.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-top-level-await/-/plugin-syntax-top-level-await-7.14.5.tgz", + "integrity": "sha512-hx++upLv5U1rgYfwe1xBQUhRmU41NEvpUvrp8jkrSCdvGSnM5/qdRMtylJ6PG5OFkBaHkbTAKTnd3/YyESRHFw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-syntax-unicode-sets-regex": { + "version": "7.18.6", + "resolved": "https://registry.npmjs.org/@babel/plugin-syntax-unicode-sets-regex/-/plugin-syntax-unicode-sets-regex-7.18.6.tgz", + "integrity": "sha512-727YkEAPwSIQTv5im8QHz3upqp92JTWhidIC81Tdx4VJYIte/VndKf1qKrfnnhPLiPghStWfvC/iFaMCQu7Nqg==", + "dev": true, + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.18.6", + "@babel/helper-plugin-utils": "^7.18.6" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-transform-arrow-functions": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-arrow-functions/-/plugin-transform-arrow-functions-7.22.5.tgz", + "integrity": "sha512-26lTNXoVRdAnsaDXPpvCNUq+OVWEVC6bx7Vvz9rC53F2bagUWW4u4ii2+h8Fejfh7RYqPxn+libeFBBck9muEw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-async-generator-functions": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-async-generator-functions/-/plugin-transform-async-generator-functions-7.22.15.tgz", + "integrity": "sha512-jBm1Es25Y+tVoTi5rfd5t1KLmL8ogLKpXszboWOTTtGFGz2RKnQe2yn7HbZ+kb/B8N0FVSGQo874NSlOU1T4+w==", + "dev": true, + "dependencies": { + "@babel/helper-environment-visitor": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-remap-async-to-generator": "^7.22.9", + "@babel/plugin-syntax-async-generators": "^7.8.4" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-async-to-generator": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-async-to-generator/-/plugin-transform-async-to-generator-7.22.5.tgz", + "integrity": "sha512-b1A8D8ZzE/VhNDoV1MSJTnpKkCG5bJo+19R4o4oy03zM7ws8yEMK755j61Dc3EyvdysbqH5BOOTquJ7ZX9C6vQ==", + "dev": true, + "dependencies": { + "@babel/helper-module-imports": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-remap-async-to-generator": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-block-scoped-functions": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-block-scoped-functions/-/plugin-transform-block-scoped-functions-7.22.5.tgz", + "integrity": "sha512-tdXZ2UdknEKQWKJP1KMNmuF5Lx3MymtMN/pvA+p/VEkhK8jVcQ1fzSy8KM9qRYhAf2/lV33hoMPKI/xaI9sADA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-block-scoping": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-block-scoping/-/plugin-transform-block-scoping-7.23.0.tgz", + "integrity": "sha512-cOsrbmIOXmf+5YbL99/S49Y3j46k/T16b9ml8bm9lP6N9US5iQ2yBK7gpui1pg0V/WMcXdkfKbTb7HXq9u+v4g==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-class-properties": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-class-properties/-/plugin-transform-class-properties-7.22.5.tgz", + "integrity": "sha512-nDkQ0NfkOhPTq8YCLiWNxp1+f9fCobEjCb0n8WdbNUBc4IB5V7P1QnX9IjpSoquKrXF5SKojHleVNs2vGeHCHQ==", + "dev": true, + "dependencies": { + "@babel/helper-create-class-features-plugin": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-class-static-block": { + "version": "7.22.11", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-class-static-block/-/plugin-transform-class-static-block-7.22.11.tgz", + "integrity": "sha512-GMM8gGmqI7guS/llMFk1bJDkKfn3v3C4KHK9Yg1ey5qcHcOlKb0QvcMrgzvxo+T03/4szNh5lghY+fEC98Kq9g==", + "dev": true, + "dependencies": { + "@babel/helper-create-class-features-plugin": "^7.22.11", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-class-static-block": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.12.0" + } + }, + "node_modules/@babel/plugin-transform-classes": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-classes/-/plugin-transform-classes-7.22.15.tgz", + "integrity": "sha512-VbbC3PGjBdE0wAWDdHM9G8Gm977pnYI0XpqMd6LrKISj8/DJXEsWqgRuTYaNE9Bv0JGhTZUzHDlMk18IpOuoqw==", + "dev": true, + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.22.5", + "@babel/helper-compilation-targets": "^7.22.15", + "@babel/helper-environment-visitor": "^7.22.5", + "@babel/helper-function-name": "^7.22.5", + "@babel/helper-optimise-call-expression": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-replace-supers": "^7.22.9", + "@babel/helper-split-export-declaration": "^7.22.6", + "globals": "^11.1.0" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-computed-properties": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-computed-properties/-/plugin-transform-computed-properties-7.22.5.tgz", + "integrity": "sha512-4GHWBgRf0krxPX+AaPtgBAlTgTeZmqDynokHOX7aqqAB4tHs3U2Y02zH6ETFdLZGcg9UQSD1WCmkVrE9ErHeOg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/template": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-destructuring": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-destructuring/-/plugin-transform-destructuring-7.23.0.tgz", + "integrity": "sha512-vaMdgNXFkYrB+8lbgniSYWHsgqK5gjaMNcc84bMIOMRLH0L9AqYq3hwMdvnyqj1OPqea8UtjPEuS/DCenah1wg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-dotall-regex": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-dotall-regex/-/plugin-transform-dotall-regex-7.22.5.tgz", + "integrity": "sha512-5/Yk9QxCQCl+sOIB1WelKnVRxTJDSAIxtJLL2/pqL14ZVlbH0fUQUZa/T5/UnQtBNgghR7mfB8ERBKyKPCi7Vw==", + "dev": true, + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-duplicate-keys": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-duplicate-keys/-/plugin-transform-duplicate-keys-7.22.5.tgz", + "integrity": "sha512-dEnYD+9BBgld5VBXHnF/DbYGp3fqGMsyxKbtD1mDyIA7AkTSpKXFhCVuj/oQVOoALfBs77DudA0BE4d5mcpmqw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-dynamic-import": { + "version": "7.22.11", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-dynamic-import/-/plugin-transform-dynamic-import-7.22.11.tgz", + "integrity": "sha512-g/21plo58sfteWjaO0ZNVb+uEOkJNjAaHhbejrnBmu011l/eNDScmkbjCC3l4FKb10ViaGU4aOkFznSu2zRHgA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-dynamic-import": "^7.8.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-exponentiation-operator": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-exponentiation-operator/-/plugin-transform-exponentiation-operator-7.22.5.tgz", + "integrity": "sha512-vIpJFNM/FjZ4rh1myqIya9jXwrwwgFRHPjT3DkUA9ZLHuzox8jiXkOLvwm1H+PQIP3CqfC++WPKeuDi0Sjdj1g==", + "dev": true, + "dependencies": { + "@babel/helper-builder-binary-assignment-operator-visitor": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-export-namespace-from": { + "version": "7.22.11", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-export-namespace-from/-/plugin-transform-export-namespace-from-7.22.11.tgz", + "integrity": "sha512-xa7aad7q7OiT8oNZ1mU7NrISjlSkVdMbNxn9IuLZyL9AJEhs1Apba3I+u5riX1dIkdptP5EKDG5XDPByWxtehw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-export-namespace-from": "^7.8.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-for-of": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-for-of/-/plugin-transform-for-of-7.22.15.tgz", + "integrity": "sha512-me6VGeHsx30+xh9fbDLLPi0J1HzmeIIyenoOQHuw2D4m2SAU3NrspX5XxJLBpqn5yrLzrlw2Iy3RA//Bx27iOA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-function-name": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-function-name/-/plugin-transform-function-name-7.22.5.tgz", + "integrity": "sha512-UIzQNMS0p0HHiQm3oelztj+ECwFnj+ZRV4KnguvlsD2of1whUeM6o7wGNj6oLwcDoAXQ8gEqfgC24D+VdIcevg==", + "dev": true, + "dependencies": { + "@babel/helper-compilation-targets": "^7.22.5", + "@babel/helper-function-name": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-json-strings": { + "version": "7.22.11", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-json-strings/-/plugin-transform-json-strings-7.22.11.tgz", + "integrity": "sha512-CxT5tCqpA9/jXFlme9xIBCc5RPtdDq3JpkkhgHQqtDdiTnTI0jtZ0QzXhr5DILeYifDPp2wvY2ad+7+hLMW5Pw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-json-strings": "^7.8.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-literals": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-literals/-/plugin-transform-literals-7.22.5.tgz", + "integrity": "sha512-fTLj4D79M+mepcw3dgFBTIDYpbcB9Sm0bpm4ppXPaO+U+PKFFyV9MGRvS0gvGw62sd10kT5lRMKXAADb9pWy8g==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-logical-assignment-operators": { + "version": "7.22.11", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-logical-assignment-operators/-/plugin-transform-logical-assignment-operators-7.22.11.tgz", + "integrity": "sha512-qQwRTP4+6xFCDV5k7gZBF3C31K34ut0tbEcTKxlX/0KXxm9GLcO14p570aWxFvVzx6QAfPgq7gaeIHXJC8LswQ==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-member-expression-literals": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-member-expression-literals/-/plugin-transform-member-expression-literals-7.22.5.tgz", + "integrity": "sha512-RZEdkNtzzYCFl9SE9ATaUMTj2hqMb4StarOJLrZRbqqU4HSBE7UlBw9WBWQiDzrJZJdUWiMTVDI6Gv/8DPvfew==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-modules-amd": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-amd/-/plugin-transform-modules-amd-7.23.0.tgz", + "integrity": "sha512-xWT5gefv2HGSm4QHtgc1sYPbseOyf+FFDo2JbpE25GWl5BqTGO9IMwTYJRoIdjsF85GE+VegHxSCUt5EvoYTAw==", + "dev": true, + "dependencies": { + "@babel/helper-module-transforms": "^7.23.0", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-modules-commonjs": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-commonjs/-/plugin-transform-modules-commonjs-7.23.0.tgz", + "integrity": "sha512-32Xzss14/UVc7k9g775yMIvkVK8xwKE0DPdP5JTapr3+Z9w4tzeOuLNY6BXDQR6BdnzIlXnCGAzsk/ICHBLVWQ==", + "dev": true, + "dependencies": { + "@babel/helper-module-transforms": "^7.23.0", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-simple-access": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-modules-systemjs": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-systemjs/-/plugin-transform-modules-systemjs-7.23.0.tgz", + "integrity": "sha512-qBej6ctXZD2f+DhlOC9yO47yEYgUh5CZNz/aBoH4j/3NOlRfJXJbY7xDQCqQVf9KbrqGzIWER1f23doHGrIHFg==", + "dev": true, + "dependencies": { + "@babel/helper-hoist-variables": "^7.22.5", + "@babel/helper-module-transforms": "^7.23.0", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-validator-identifier": "^7.22.20" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-modules-umd": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-modules-umd/-/plugin-transform-modules-umd-7.22.5.tgz", + "integrity": "sha512-+S6kzefN/E1vkSsKx8kmQuqeQsvCKCd1fraCM7zXm4SFoggI099Tr4G8U81+5gtMdUeMQ4ipdQffbKLX0/7dBQ==", + "dev": true, + "dependencies": { + "@babel/helper-module-transforms": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-named-capturing-groups-regex": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-named-capturing-groups-regex/-/plugin-transform-named-capturing-groups-regex-7.22.5.tgz", + "integrity": "sha512-YgLLKmS3aUBhHaxp5hi1WJTgOUb/NCuDHzGT9z9WTt3YG+CPRhJs6nprbStx6DnWM4dh6gt7SU3sZodbZ08adQ==", + "dev": true, + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/plugin-transform-new-target": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-new-target/-/plugin-transform-new-target-7.22.5.tgz", + "integrity": "sha512-AsF7K0Fx/cNKVyk3a+DW0JLo+Ua598/NxMRvxDnkpCIGFh43+h/v2xyhRUYf6oD8gE4QtL83C7zZVghMjHd+iw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-nullish-coalescing-operator": { + "version": "7.22.11", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-nullish-coalescing-operator/-/plugin-transform-nullish-coalescing-operator-7.22.11.tgz", + "integrity": "sha512-YZWOw4HxXrotb5xsjMJUDlLgcDXSfO9eCmdl1bgW4+/lAGdkjaEvOnQ4p5WKKdUgSzO39dgPl0pTnfxm0OAXcg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-numeric-separator": { + "version": "7.22.11", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-numeric-separator/-/plugin-transform-numeric-separator-7.22.11.tgz", + "integrity": "sha512-3dzU4QGPsILdJbASKhF/V2TVP+gJya1PsueQCxIPCEcerqF21oEcrob4mzjsp2Py/1nLfF5m+xYNMDpmA8vffg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-numeric-separator": "^7.10.4" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-object-rest-spread": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-object-rest-spread/-/plugin-transform-object-rest-spread-7.22.15.tgz", + "integrity": "sha512-fEB+I1+gAmfAyxZcX1+ZUwLeAuuf8VIg67CTznZE0MqVFumWkh8xWtn58I4dxdVf080wn7gzWoF8vndOViJe9Q==", + "dev": true, + "dependencies": { + "@babel/compat-data": "^7.22.9", + "@babel/helper-compilation-targets": "^7.22.15", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-object-rest-spread": "^7.8.3", + "@babel/plugin-transform-parameters": "^7.22.15" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-object-super": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-object-super/-/plugin-transform-object-super-7.22.5.tgz", + "integrity": "sha512-klXqyaT9trSjIUrcsYIfETAzmOEZL3cBYqOYLJxBHfMFFggmXOv+NYSX/Jbs9mzMVESw/WycLFPRx8ba/b2Ipw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-replace-supers": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-optional-catch-binding": { + "version": "7.22.11", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-optional-catch-binding/-/plugin-transform-optional-catch-binding-7.22.11.tgz", + "integrity": "sha512-rli0WxesXUeCJnMYhzAglEjLWVDF6ahb45HuprcmQuLidBJFWjNnOzssk2kuc6e33FlLaiZhG/kUIzUMWdBKaQ==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-optional-catch-binding": "^7.8.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-optional-chaining": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-optional-chaining/-/plugin-transform-optional-chaining-7.23.0.tgz", + "integrity": "sha512-sBBGXbLJjxTzLBF5rFWaikMnOGOk/BmK6vVByIdEggZ7Vn6CvWXZyRkkLFK6WE0IF8jSliyOkUN6SScFgzCM0g==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-skip-transparent-expression-wrappers": "^7.22.5", + "@babel/plugin-syntax-optional-chaining": "^7.8.3" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-parameters": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-parameters/-/plugin-transform-parameters-7.22.15.tgz", + "integrity": "sha512-hjk7qKIqhyzhhUvRT683TYQOFa/4cQKwQy7ALvTpODswN40MljzNDa0YldevS6tGbxwaEKVn502JmY0dP7qEtQ==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-private-methods": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-private-methods/-/plugin-transform-private-methods-7.22.5.tgz", + "integrity": "sha512-PPjh4gyrQnGe97JTalgRGMuU4icsZFnWkzicB/fUtzlKUqvsWBKEpPPfr5a2JiyirZkHxnAqkQMO5Z5B2kK3fA==", + "dev": true, + "dependencies": { + "@babel/helper-create-class-features-plugin": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-private-property-in-object": { + "version": "7.22.11", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-private-property-in-object/-/plugin-transform-private-property-in-object-7.22.11.tgz", + "integrity": "sha512-sSCbqZDBKHetvjSwpyWzhuHkmW5RummxJBVbYLkGkaiTOWGxml7SXt0iWa03bzxFIx7wOj3g/ILRd0RcJKBeSQ==", + "dev": true, + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.22.5", + "@babel/helper-create-class-features-plugin": "^7.22.11", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-private-property-in-object": "^7.14.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-property-literals": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-property-literals/-/plugin-transform-property-literals-7.22.5.tgz", + "integrity": "sha512-TiOArgddK3mK/x1Qwf5hay2pxI6wCZnvQqrFSqbtg1GLl2JcNMitVH/YnqjP+M31pLUeTfzY1HAXFDnUBV30rQ==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-react-display-name": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-react-display-name/-/plugin-transform-react-display-name-7.22.5.tgz", + "integrity": "sha512-PVk3WPYudRF5z4GKMEYUrLjPl38fJSKNaEOkFuoprioowGuWN6w2RKznuFNSlJx7pzzXXStPUnNSOEO0jL5EVw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-react-jsx": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.22.15.tgz", + "integrity": "sha512-oKckg2eZFa8771O/5vi7XeTvmM6+O9cxZu+kanTU7tD4sin5nO/G8jGJhq8Hvt2Z0kUoEDRayuZLaUlYl8QuGA==", + "dev": true, + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.22.5", + "@babel/helper-module-imports": "^7.22.15", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/plugin-syntax-jsx": "^7.22.5", + "@babel/types": "^7.22.15" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-react-jsx-development": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-react-jsx-development/-/plugin-transform-react-jsx-development-7.22.5.tgz", + "integrity": "sha512-bDhuzwWMuInwCYeDeMzyi7TaBgRQei6DqxhbyniL7/VG4RSS7HtSL2QbY4eESy1KJqlWt8g3xeEBGPuo+XqC8A==", + "dev": true, + "dependencies": { + "@babel/plugin-transform-react-jsx": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-react-pure-annotations": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-react-pure-annotations/-/plugin-transform-react-pure-annotations-7.22.5.tgz", + "integrity": "sha512-gP4k85wx09q+brArVinTXhWiyzLl9UpmGva0+mWyKxk6JZequ05x3eUcIUE+FyttPKJFRRVtAvQaJ6YF9h1ZpA==", + "dev": true, + "dependencies": { + "@babel/helper-annotate-as-pure": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-regenerator": { + "version": "7.22.10", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-regenerator/-/plugin-transform-regenerator-7.22.10.tgz", + "integrity": "sha512-F28b1mDt8KcT5bUyJc/U9nwzw6cV+UmTeRlXYIl2TNqMMJif0Jeey9/RQ3C4NOd2zp0/TRsDns9ttj2L523rsw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "regenerator-transform": "^0.15.2" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-reserved-words": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-reserved-words/-/plugin-transform-reserved-words-7.22.5.tgz", + "integrity": "sha512-DTtGKFRQUDm8svigJzZHzb/2xatPc6TzNvAIJ5GqOKDsGFYgAskjRulbR/vGsPKq3OPqtexnz327qYpP57RFyA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-runtime": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-runtime/-/plugin-transform-runtime-7.22.15.tgz", + "integrity": "sha512-tEVLhk8NRZSmwQ0DJtxxhTrCht1HVo8VaMzYT4w6lwyKBuHsgoioAUA7/6eT2fRfc5/23fuGdlwIxXhRVgWr4g==", + "dev": true, + "dependencies": { + "@babel/helper-module-imports": "^7.22.15", + "@babel/helper-plugin-utils": "^7.22.5", + "babel-plugin-polyfill-corejs2": "^0.4.5", + "babel-plugin-polyfill-corejs3": "^0.8.3", + "babel-plugin-polyfill-regenerator": "^0.5.2", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-shorthand-properties": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-shorthand-properties/-/plugin-transform-shorthand-properties-7.22.5.tgz", + "integrity": "sha512-vM4fq9IXHscXVKzDv5itkO1X52SmdFBFcMIBZ2FRn2nqVYqw6dBexUgMvAjHW+KXpPPViD/Yo3GrDEBaRC0QYA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-spread": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-spread/-/plugin-transform-spread-7.22.5.tgz", + "integrity": "sha512-5ZzDQIGyvN4w8+dMmpohL6MBo+l2G7tfC/O2Dg7/hjpgeWvUx8FzfeOKxGog9IimPa4YekaQ9PlDqTLOljkcxg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-skip-transparent-expression-wrappers": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-sticky-regex": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-sticky-regex/-/plugin-transform-sticky-regex-7.22.5.tgz", + "integrity": "sha512-zf7LuNpHG0iEeiyCNwX4j3gDg1jgt1k3ZdXBKbZSoA3BbGQGvMiSvfbZRR3Dr3aeJe3ooWFZxOOG3IRStYp2Bw==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-template-literals": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-template-literals/-/plugin-transform-template-literals-7.22.5.tgz", + "integrity": "sha512-5ciOehRNf+EyUeewo8NkbQiUs4d6ZxiHo6BcBcnFlgiJfu16q0bQUw9Jvo0b0gBKFG1SMhDSjeKXSYuJLeFSMA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-typeof-symbol": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-typeof-symbol/-/plugin-transform-typeof-symbol-7.22.5.tgz", + "integrity": "sha512-bYkI5lMzL4kPii4HHEEChkD0rkc+nvnlR6+o/qdqR6zrm0Sv/nodmyLhlq2DO0YKLUNd2VePmPRjJXSBh9OIdA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-unicode-escapes": { + "version": "7.22.10", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-escapes/-/plugin-transform-unicode-escapes-7.22.10.tgz", + "integrity": "sha512-lRfaRKGZCBqDlRU3UIFovdp9c9mEvlylmpod0/OatICsSfuQ9YFthRo1tpTkGsklEefZdqlEFdY4A2dwTb6ohg==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-unicode-property-regex": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-property-regex/-/plugin-transform-unicode-property-regex-7.22.5.tgz", + "integrity": "sha512-HCCIb+CbJIAE6sXn5CjFQXMwkCClcOfPCzTlilJ8cUatfzwHlWQkbtV0zD338u9dZskwvuOYTuuaMaA8J5EI5A==", + "dev": true, + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-unicode-regex": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-regex/-/plugin-transform-unicode-regex-7.22.5.tgz", + "integrity": "sha512-028laaOKptN5vHJf9/Arr/HiJekMd41hOEZYvNsrsXqJ7YPYuX2bQxh31fkZzGmq3YqHRJzYFFAVYvKfMPKqyg==", + "dev": true, + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/plugin-transform-unicode-sets-regex": { + "version": "7.22.5", + "resolved": "https://registry.npmjs.org/@babel/plugin-transform-unicode-sets-regex/-/plugin-transform-unicode-sets-regex-7.22.5.tgz", + "integrity": "sha512-lhMfi4FC15j13eKrh3DnYHjpGj6UKQHtNKTbtc1igvAhRy4+kLhV07OpLcsN0VgDEw/MjAvJO4BdMJsHwMhzCg==", + "dev": true, + "dependencies": { + "@babel/helper-create-regexp-features-plugin": "^7.22.5", + "@babel/helper-plugin-utils": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0" + } + }, + "node_modules/@babel/preset-env": { + "version": "7.22.20", + "resolved": "https://registry.npmjs.org/@babel/preset-env/-/preset-env-7.22.20.tgz", + "integrity": "sha512-11MY04gGC4kSzlPHRfvVkNAZhUxOvm7DCJ37hPDnUENwe06npjIRAfInEMTGSb4LZK5ZgDFkv5hw0lGebHeTyg==", + "dev": true, + "dependencies": { + "@babel/compat-data": "^7.22.20", + "@babel/helper-compilation-targets": "^7.22.15", + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-validator-option": "^7.22.15", + "@babel/plugin-bugfix-safari-id-destructuring-collision-in-function-expression": "^7.22.15", + "@babel/plugin-bugfix-v8-spread-parameters-in-optional-chaining": "^7.22.15", + "@babel/plugin-proposal-private-property-in-object": "7.21.0-placeholder-for-preset-env.2", + "@babel/plugin-syntax-async-generators": "^7.8.4", + "@babel/plugin-syntax-class-properties": "^7.12.13", + "@babel/plugin-syntax-class-static-block": "^7.14.5", + "@babel/plugin-syntax-dynamic-import": "^7.8.3", + "@babel/plugin-syntax-export-namespace-from": "^7.8.3", + "@babel/plugin-syntax-import-assertions": "^7.22.5", + "@babel/plugin-syntax-import-attributes": "^7.22.5", + "@babel/plugin-syntax-import-meta": "^7.10.4", + "@babel/plugin-syntax-json-strings": "^7.8.3", + "@babel/plugin-syntax-logical-assignment-operators": "^7.10.4", + "@babel/plugin-syntax-nullish-coalescing-operator": "^7.8.3", + "@babel/plugin-syntax-numeric-separator": "^7.10.4", + "@babel/plugin-syntax-object-rest-spread": "^7.8.3", + "@babel/plugin-syntax-optional-catch-binding": "^7.8.3", + "@babel/plugin-syntax-optional-chaining": "^7.8.3", + "@babel/plugin-syntax-private-property-in-object": "^7.14.5", + "@babel/plugin-syntax-top-level-await": "^7.14.5", + "@babel/plugin-syntax-unicode-sets-regex": "^7.18.6", + "@babel/plugin-transform-arrow-functions": "^7.22.5", + "@babel/plugin-transform-async-generator-functions": "^7.22.15", + "@babel/plugin-transform-async-to-generator": "^7.22.5", + "@babel/plugin-transform-block-scoped-functions": "^7.22.5", + "@babel/plugin-transform-block-scoping": "^7.22.15", + "@babel/plugin-transform-class-properties": "^7.22.5", + "@babel/plugin-transform-class-static-block": "^7.22.11", + "@babel/plugin-transform-classes": "^7.22.15", + "@babel/plugin-transform-computed-properties": "^7.22.5", + "@babel/plugin-transform-destructuring": "^7.22.15", + "@babel/plugin-transform-dotall-regex": "^7.22.5", + "@babel/plugin-transform-duplicate-keys": "^7.22.5", + "@babel/plugin-transform-dynamic-import": "^7.22.11", + "@babel/plugin-transform-exponentiation-operator": "^7.22.5", + "@babel/plugin-transform-export-namespace-from": "^7.22.11", + "@babel/plugin-transform-for-of": "^7.22.15", + "@babel/plugin-transform-function-name": "^7.22.5", + "@babel/plugin-transform-json-strings": "^7.22.11", + "@babel/plugin-transform-literals": "^7.22.5", + "@babel/plugin-transform-logical-assignment-operators": "^7.22.11", + "@babel/plugin-transform-member-expression-literals": "^7.22.5", + "@babel/plugin-transform-modules-amd": "^7.22.5", + "@babel/plugin-transform-modules-commonjs": "^7.22.15", + "@babel/plugin-transform-modules-systemjs": "^7.22.11", + "@babel/plugin-transform-modules-umd": "^7.22.5", + "@babel/plugin-transform-named-capturing-groups-regex": "^7.22.5", + "@babel/plugin-transform-new-target": "^7.22.5", + "@babel/plugin-transform-nullish-coalescing-operator": "^7.22.11", + "@babel/plugin-transform-numeric-separator": "^7.22.11", + "@babel/plugin-transform-object-rest-spread": "^7.22.15", + "@babel/plugin-transform-object-super": "^7.22.5", + "@babel/plugin-transform-optional-catch-binding": "^7.22.11", + "@babel/plugin-transform-optional-chaining": "^7.22.15", + "@babel/plugin-transform-parameters": "^7.22.15", + "@babel/plugin-transform-private-methods": "^7.22.5", + "@babel/plugin-transform-private-property-in-object": "^7.22.11", + "@babel/plugin-transform-property-literals": "^7.22.5", + "@babel/plugin-transform-regenerator": "^7.22.10", + "@babel/plugin-transform-reserved-words": "^7.22.5", + "@babel/plugin-transform-shorthand-properties": "^7.22.5", + "@babel/plugin-transform-spread": "^7.22.5", + "@babel/plugin-transform-sticky-regex": "^7.22.5", + "@babel/plugin-transform-template-literals": "^7.22.5", + "@babel/plugin-transform-typeof-symbol": "^7.22.5", + "@babel/plugin-transform-unicode-escapes": "^7.22.10", + "@babel/plugin-transform-unicode-property-regex": "^7.22.5", + "@babel/plugin-transform-unicode-regex": "^7.22.5", + "@babel/plugin-transform-unicode-sets-regex": "^7.22.5", + "@babel/preset-modules": "0.1.6-no-external-plugins", + "@babel/types": "^7.22.19", + "babel-plugin-polyfill-corejs2": "^0.4.5", + "babel-plugin-polyfill-corejs3": "^0.8.3", + "babel-plugin-polyfill-regenerator": "^0.5.2", + "core-js-compat": "^3.31.0", + "semver": "^6.3.1" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/preset-modules": { + "version": "0.1.6-no-external-plugins", + "resolved": "https://registry.npmjs.org/@babel/preset-modules/-/preset-modules-0.1.6-no-external-plugins.tgz", + "integrity": "sha512-HrcgcIESLm9aIR842yhJ5RWan/gebQUJ6E/E5+rf0y9o6oj7w0Br+sWuL6kEQ/o/AdfvR1Je9jG18/gnpwjEyA==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.0.0", + "@babel/types": "^7.4.4", + "esutils": "^2.0.2" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/@babel/preset-react": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/preset-react/-/preset-react-7.22.15.tgz", + "integrity": "sha512-Csy1IJ2uEh/PecCBXXoZGAZBeCATTuePzCSB7dLYWS0vOEj6CNpjxIhW4duWwZodBNueH7QO14WbGn8YyeuN9w==", + "dev": true, + "dependencies": { + "@babel/helper-plugin-utils": "^7.22.5", + "@babel/helper-validator-option": "^7.22.15", + "@babel/plugin-transform-react-display-name": "^7.22.5", + "@babel/plugin-transform-react-jsx": "^7.22.15", + "@babel/plugin-transform-react-jsx-development": "^7.22.5", + "@babel/plugin-transform-react-pure-annotations": "^7.22.5" + }, + "engines": { + "node": ">=6.9.0" + }, + "peerDependencies": { + "@babel/core": "^7.0.0-0" + } + }, + "node_modules/@babel/regjsgen": { + "version": "0.8.0", + "resolved": "https://registry.npmjs.org/@babel/regjsgen/-/regjsgen-0.8.0.tgz", + "integrity": "sha512-x/rqGMdzj+fWZvCOYForTghzbtqPDZ5gPwaoNGHdgDfF2QA/XZbCBp4Moo5scrkAMPhB7z26XM/AaHuIJdgauA==", + "dev": true + }, + "node_modules/@babel/runtime": { + "version": "7.23.1", + "resolved": "https://registry.npmjs.org/@babel/runtime/-/runtime-7.23.1.tgz", + "integrity": "sha512-hC2v6p8ZSI/W0HUzh3V8C5g+NwSKzKPtJwSpTjwl0o297GP9+ZLQSkdvHz46CM3LqyoXxq+5G9komY+eSqSO0g==", + "dev": true, + "dependencies": { + "regenerator-runtime": "^0.14.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/template": { + "version": "7.22.15", + "resolved": "https://registry.npmjs.org/@babel/template/-/template-7.22.15.tgz", + "integrity": "sha512-QPErUVm4uyJa60rkI73qneDacvdvzxshT3kksGqlGWYdOTIUOwJ7RDUL8sGqslY1uXWSL6xMFKEXDS3ox2uF0w==", + "dev": true, + "dependencies": { + "@babel/code-frame": "^7.22.13", + "@babel/parser": "^7.22.15", + "@babel/types": "^7.22.15" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/traverse": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/traverse/-/traverse-7.23.0.tgz", + "integrity": "sha512-t/QaEvyIoIkwzpiZ7aoSKK8kObQYeF7T2v+dazAYCb8SXtp58zEVkWW7zAnju8FNKNdr4ScAOEDmMItbyOmEYw==", + "dev": true, + "dependencies": { + "@babel/code-frame": "^7.22.13", + "@babel/generator": "^7.23.0", + "@babel/helper-environment-visitor": "^7.22.20", + "@babel/helper-function-name": "^7.23.0", + "@babel/helper-hoist-variables": "^7.22.5", + "@babel/helper-split-export-declaration": "^7.22.6", + "@babel/parser": "^7.23.0", + "@babel/types": "^7.23.0", + "debug": "^4.1.0", + "globals": "^11.1.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@babel/types": { + "version": "7.23.0", + "resolved": "https://registry.npmjs.org/@babel/types/-/types-7.23.0.tgz", + "integrity": "sha512-0oIyUfKoI3mSqMvsxBdclDwxXKXAUA8v/apZbc+iSyARYou1o8ZGDxbUYyLFoW2arqS2jDGqJuZvv1d/io1axg==", + "dev": true, + "dependencies": { + "@babel/helper-string-parser": "^7.22.5", + "@babel/helper-validator-identifier": "^7.22.20", + "to-fast-properties": "^2.0.0" + }, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/@discoveryjs/json-ext": { + "version": "0.5.7", + "resolved": "https://registry.npmjs.org/@discoveryjs/json-ext/-/json-ext-0.5.7.tgz", + "integrity": "sha512-dBVuXR082gk3jsFp7Rd/JI4kytwGHecnCoTtXFb7DB6CNHp4rg5k1bhg0nWdLGLnOV71lmDzGQaLMy8iPLY0pw==", + "dev": true, + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/@fluentui/date-time-utilities": { + "version": "7.9.1", + "resolved": "https://registry.npmjs.org/@fluentui/date-time-utilities/-/date-time-utilities-7.9.1.tgz", + "integrity": "sha512-o8iU1VIY+QsqVRWARKiky29fh4KR1xaKSgMClXIi65qkt8EDDhjmlzL0KVDEoDA2GWukwb/1PpaVCWDg4v3cUQ==", + "dependencies": { + "@uifabric/set-version": "^7.0.24", + "tslib": "^1.10.0" + } + }, + "node_modules/@fluentui/date-time-utilities/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@fluentui/dom-utilities": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/@fluentui/dom-utilities/-/dom-utilities-1.1.2.tgz", + "integrity": "sha512-XqPS7l3YoMwxdNlaYF6S2Mp0K3FmVIOIy2K3YkMc+eRxu9wFK6emr2Q/3rBhtG5u/On37NExRT7/5CTLnoi9gw==", + "dependencies": { + "@uifabric/set-version": "^7.0.24", + "tslib": "^1.10.0" + } + }, + "node_modules/@fluentui/dom-utilities/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@fluentui/keyboard-key": { + "version": "0.2.17", + "resolved": "https://registry.npmjs.org/@fluentui/keyboard-key/-/keyboard-key-0.2.17.tgz", + "integrity": "sha512-iT1bU56rKrKEOfODoW6fScY11qj3iaYrZ+z11T6fo5+TDm84UGkkXjLXJTE57ZJzg0/gbccHQWYv+chY7bJN8Q==", + "dependencies": { + "tslib": "^1.10.0" + } + }, + "node_modules/@fluentui/keyboard-key/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@fluentui/react": { + "version": "7.204.0", + "resolved": "https://registry.npmjs.org/@fluentui/react/-/react-7.204.0.tgz", + "integrity": "sha512-WQKHcO6cboGO0eCPsiNSzUwnMWBmAvdltu4X0tvXwb+q8W3wZzCQiU1voDVYNm4Nz/Jgiiy8jbMcesmNAq7jsw==", + "dependencies": { + "@uifabric/set-version": "^7.0.24", + "office-ui-fabric-react": "^7.204.0", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "@types/react-dom": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0", + "react-dom": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@fluentui/react-compose": { + "version": "0.19.24", + "resolved": "https://registry.npmjs.org/@fluentui/react-compose/-/react-compose-0.19.24.tgz", + "integrity": "sha512-4PO7WSIZjwBGObpknjK8d1+PhPHJGSlVSXKFHGEoBjLWVlCTMw6Xa1S4+3K6eE3TEBbe9rsqwwocMTFHjhWwtQ==", + "dependencies": { + "@types/classnames": "^2.2.9", + "@uifabric/set-version": "^7.0.24", + "@uifabric/utilities": "^7.38.2", + "classnames": "^2.2.6", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@fluentui/react-compose/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@fluentui/react-focus": { + "version": "7.18.17", + "resolved": "https://registry.npmjs.org/@fluentui/react-focus/-/react-focus-7.18.17.tgz", + "integrity": "sha512-W+sLIhX7wLzMsJ0jhBrDAblkG3DNbRbF8UoSieRVdAAm7xVf5HpiwJ6tb6nGqcFOnpRh8y+fjyVM+dV3K6GNHA==", + "dependencies": { + "@fluentui/keyboard-key": "^0.2.12", + "@uifabric/merge-styles": "^7.20.2", + "@uifabric/set-version": "^7.0.24", + "@uifabric/styling": "^7.25.1", + "@uifabric/utilities": "^7.38.2", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "@types/react-dom": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0", + "react-dom": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@fluentui/react-focus/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@fluentui/react-stylesheets": { + "version": "0.2.9", + "resolved": "https://registry.npmjs.org/@fluentui/react-stylesheets/-/react-stylesheets-0.2.9.tgz", + "integrity": "sha512-6GDU/cUEG/eJ4owqQXDWPmP5L1zNh2NLEDKdEzxd7cWtGnoXLeMjbs4vF4t5wYGzGaxZmUQILOvJdgCIuc9L9Q==", + "dependencies": { + "@uifabric/set-version": "^7.0.24", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@fluentui/react-stylesheets/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@fluentui/react-theme-provider": { + "version": "0.19.16", + "resolved": "https://registry.npmjs.org/@fluentui/react-theme-provider/-/react-theme-provider-0.19.16.tgz", + "integrity": "sha512-Kf7z4ZfNLS/onaFL5eQDSlizgwy2ytn6SDyjEKV+9VhxIXdDtOh8AaMXWE7dsj1cRBfBUvuGPVnsnoaGdHxJ+A==", + "dependencies": { + "@fluentui/react-compose": "^0.19.24", + "@fluentui/react-stylesheets": "^0.2.9", + "@fluentui/react-window-provider": "^1.0.6", + "@fluentui/theme": "^1.7.13", + "@uifabric/merge-styles": "^7.20.2", + "@uifabric/react-hooks": "^7.16.4", + "@uifabric/set-version": "^7.0.24", + "@uifabric/utilities": "^7.38.2", + "classnames": "^2.2.6", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@fluentui/react-theme-provider/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@fluentui/react-window-provider": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/@fluentui/react-window-provider/-/react-window-provider-1.0.6.tgz", + "integrity": "sha512-m2HoxhU2m/yWxUauf79y+XZvrrWNx+bMi7ZiL6DjiAKHjTSa8KOyvicbOXd/3dvuVzOaNTnLDdZAvhRFcelOIA==", + "dependencies": { + "@uifabric/set-version": "^7.0.24", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "@types/react-dom": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0", + "react-dom": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@fluentui/react-window-provider/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@fluentui/react/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@fluentui/theme": { + "version": "1.7.13", + "resolved": "https://registry.npmjs.org/@fluentui/theme/-/theme-1.7.13.tgz", + "integrity": "sha512-/1ZDHZNzV7Wgohay47DL9TAH4uuib5+B2D6Rxoc3T6ULoWcFzwLeVb+VZB/WOCTUbG+NGTrmsWPBOz5+lbuOxA==", + "dependencies": { + "@uifabric/merge-styles": "^7.20.2", + "@uifabric/set-version": "^7.0.24", + "@uifabric/utilities": "^7.38.2", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "@types/react-dom": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0", + "react-dom": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@fluentui/theme/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@jridgewell/gen-mapping": { + "version": "0.3.3", + "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.3.tgz", + "integrity": "sha512-HLhSWOLRi875zjjMG/r+Nv0oCW8umGb0BgEhyX3dDX3egwZtB8PqLnjz3yedt8R5StBrzcg4aBpnh8UA9D1BoQ==", + "dev": true, + "dependencies": { + "@jridgewell/set-array": "^1.0.1", + "@jridgewell/sourcemap-codec": "^1.4.10", + "@jridgewell/trace-mapping": "^0.3.9" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/resolve-uri": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.1.tgz", + "integrity": "sha512-dSYZh7HhCDtCKm4QakX0xFpsRDqjjtZf/kjI/v3T3Nwt5r8/qz/M19F9ySyOqU94SXBmeG9ttTul+YnR4LOxFA==", + "dev": true, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/set-array": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.1.2.tgz", + "integrity": "sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==", + "dev": true, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/@jridgewell/source-map": { + "version": "0.3.5", + "resolved": "https://registry.npmjs.org/@jridgewell/source-map/-/source-map-0.3.5.tgz", + "integrity": "sha512-UTYAUj/wviwdsMfzoSJspJxbkH5o1snzwX0//0ENX1u/55kkZZkcTZP6u9bwKGkv+dkk9at4m1Cpt0uY80kcpQ==", + "dev": true, + "dependencies": { + "@jridgewell/gen-mapping": "^0.3.0", + "@jridgewell/trace-mapping": "^0.3.9" + } + }, + "node_modules/@jridgewell/sourcemap-codec": { + "version": "1.4.15", + "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.15.tgz", + "integrity": "sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==", + "dev": true + }, + "node_modules/@jridgewell/trace-mapping": { + "version": "0.3.19", + "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.19.tgz", + "integrity": "sha512-kf37QtfW+Hwx/buWGMPcR60iF9ziHa6r/CZJIHbmcm4+0qrXiVdxegAH0F6yddEVQ7zdkjcGCgCzUu+BcbhQxw==", + "dev": true, + "dependencies": { + "@jridgewell/resolve-uri": "^3.1.0", + "@jridgewell/sourcemap-codec": "^1.4.14" + } + }, + "node_modules/@leichtgewicht/ip-codec": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/@leichtgewicht/ip-codec/-/ip-codec-2.0.4.tgz", + "integrity": "sha512-Hcv+nVC0kZnQ3tD9GVu5xSMR4VVYOteQIr/hwFPVEvPdlXqgGEuRjiheChHgdM+JyqdgNcmzZOX/tnl0JOiI7A==", + "dev": true + }, + "node_modules/@microsoft/applicationinsights-analytics-js": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@microsoft/applicationinsights-analytics-js/-/applicationinsights-analytics-js-3.0.3.tgz", + "integrity": "sha512-ZVLGwcBJIwYel19++312CddNEneAGoHOuJVHxqkquwPfI3LgufI1T28QSefCYuuijuWkAsuuHOfUNr1Rl84ZZg==", + "dependencies": { + "@microsoft/applicationinsights-common": "3.0.3", + "@microsoft/applicationinsights-core-js": "3.0.3", + "@microsoft/applicationinsights-shims": "3.0.1", + "@microsoft/dynamicproto-js": "^2.0.2", + "@nevware21/ts-utils": ">= 0.10.1 < 2.x" + }, + "peerDependencies": { + "tslib": "*" + } + }, + "node_modules/@microsoft/applicationinsights-cfgsync-js": { + "version": "0.0.2", + "resolved": "https://registry.npmjs.org/@microsoft/applicationinsights-cfgsync-js/-/applicationinsights-cfgsync-js-0.0.2.tgz", + "integrity": "sha512-E48vL6lC2+x/6DtwJWaIVWJkzi/ejfyq+4DRDZCc4af7MpIfTqg00XLROPw/L6cdQRbFT3jjVmzxAW9dHPB1sQ==", + "dependencies": { + "@microsoft/applicationinsights-common": "3.0.3", + "@microsoft/applicationinsights-core-js": "3.0.3", + "@microsoft/applicationinsights-shims": "3.0.1", + "@microsoft/dynamicproto-js": "^2.0.2", + "@nevware21/ts-async": ">= 0.3.0 < 2.x", + "@nevware21/ts-utils": ">= 0.10.1 < 2.x" + }, + "peerDependencies": { + "tslib": "*" + } + }, + "node_modules/@microsoft/applicationinsights-channel-js": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@microsoft/applicationinsights-channel-js/-/applicationinsights-channel-js-3.0.3.tgz", + "integrity": "sha512-CWcJQCMKU3CxWLFIE8iPa3G5KB3v2RFkAvPICfY8/fwWZq4tWY7zosgvRPDZ+dIkz8Z/+CMy0+KblYzIKDdG4A==", + "dependencies": { + "@microsoft/applicationinsights-common": "3.0.3", + "@microsoft/applicationinsights-core-js": "3.0.3", + "@microsoft/applicationinsights-shims": "3.0.1", + "@microsoft/dynamicproto-js": "^2.0.2", + "@nevware21/ts-async": ">= 0.3.0 < 2.x", + "@nevware21/ts-utils": ">= 0.10.1 < 2.x" + }, + "peerDependencies": { + "tslib": "*" + } + }, + "node_modules/@microsoft/applicationinsights-common": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@microsoft/applicationinsights-common/-/applicationinsights-common-3.0.3.tgz", + "integrity": "sha512-GwnerHHPexry2CMTr6gP2Rjm0e3rgVXZzFCbrxcoOQk8MqrEFDWur6Xs66FwXpGFnY3KV3Zsujkfcl0oePs4Cg==", + "dependencies": { + "@microsoft/applicationinsights-core-js": "3.0.3", + "@microsoft/applicationinsights-shims": "3.0.1", + "@microsoft/dynamicproto-js": "^2.0.2", + "@nevware21/ts-utils": ">= 0.10.1 < 2.x" + }, + "peerDependencies": { + "tslib": "*" + } + }, + "node_modules/@microsoft/applicationinsights-core-js": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@microsoft/applicationinsights-core-js/-/applicationinsights-core-js-3.0.3.tgz", + "integrity": "sha512-ymtdPHgUhCwIwQZx2ZN3Xw3cq+Z5KHzGmFV8QvURSdUzfaHbjYcHXIQkEZbgCCGOTMLtx9lZqP7J1gbBy0O8GQ==", + "dependencies": { + "@microsoft/applicationinsights-shims": "3.0.1", + "@microsoft/dynamicproto-js": "^2.0.2", + "@nevware21/ts-async": ">= 0.3.0 < 2.x", + "@nevware21/ts-utils": ">= 0.10.1 < 2.x" + }, + "peerDependencies": { + "tslib": "*" + } + }, + "node_modules/@microsoft/applicationinsights-dependencies-js": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@microsoft/applicationinsights-dependencies-js/-/applicationinsights-dependencies-js-3.0.3.tgz", + "integrity": "sha512-xIZFrZPYVXSTXAmzye/CIWrHQcynS2fjd2GQob6CvN29n29UjPJQwvcI/RSGe3z4wv9lutniXPEVNctDpxmh4w==", + "dependencies": { + "@microsoft/applicationinsights-common": "3.0.3", + "@microsoft/applicationinsights-core-js": "3.0.3", + "@microsoft/applicationinsights-shims": "3.0.1", + "@microsoft/dynamicproto-js": "^2.0.2", + "@nevware21/ts-async": ">= 0.3.0 < 2.x", + "@nevware21/ts-utils": ">= 0.10.1 < 2.x" + }, + "peerDependencies": { + "tslib": "*" + } + }, + "node_modules/@microsoft/applicationinsights-properties-js": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@microsoft/applicationinsights-properties-js/-/applicationinsights-properties-js-3.0.3.tgz", + "integrity": "sha512-jR6N2o57BzY9QUAH//Ha0HzZvVKVRUjMKWdoM5dil2gBh5oFra+Ki9cKLE6f5wMvPPnwctpaMqv1XHJYU/cB5A==", + "dependencies": { + "@microsoft/applicationinsights-common": "3.0.3", + "@microsoft/applicationinsights-core-js": "3.0.3", + "@microsoft/applicationinsights-shims": "3.0.1", + "@microsoft/dynamicproto-js": "^2.0.2", + "@nevware21/ts-utils": ">= 0.10.1 < 2.x" + }, + "peerDependencies": { + "tslib": "*" + } + }, + "node_modules/@microsoft/applicationinsights-shims": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/@microsoft/applicationinsights-shims/-/applicationinsights-shims-3.0.1.tgz", + "integrity": "sha512-DKwboF47H1nb33rSUfjqI6ryX29v+2QWcTrRvcQDA32AZr5Ilkr7whOOSsD1aBzwqX0RJEIP1Z81jfE3NBm/Lg==", + "dependencies": { + "@nevware21/ts-utils": ">= 0.9.4 < 2.x" + } + }, + "node_modules/@microsoft/applicationinsights-web": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/@microsoft/applicationinsights-web/-/applicationinsights-web-3.0.3.tgz", + "integrity": "sha512-4r6QUMul1nhnLCTVuJHGV9P5MOo6ionzVIkiajSQhQaHarPjBJ/PTh23TstfbwsSI5e7c3sIuHAojUP4EbCKsQ==", + "dependencies": { + "@microsoft/applicationinsights-analytics-js": "3.0.3", + "@microsoft/applicationinsights-cfgsync-js": "0.0.2", + "@microsoft/applicationinsights-channel-js": "3.0.3", + "@microsoft/applicationinsights-common": "3.0.3", + "@microsoft/applicationinsights-core-js": "3.0.3", + "@microsoft/applicationinsights-dependencies-js": "3.0.3", + "@microsoft/applicationinsights-properties-js": "3.0.3", + "@microsoft/applicationinsights-shims": "3.0.1", + "@microsoft/dynamicproto-js": "^2.0.2", + "@nevware21/ts-async": ">= 0.3.0 < 2.x", + "@nevware21/ts-utils": ">= 0.10.1 < 2.x" + }, + "peerDependencies": { + "tslib": "*" + } + }, + "node_modules/@microsoft/dynamicproto-js": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/@microsoft/dynamicproto-js/-/dynamicproto-js-2.0.2.tgz", + "integrity": "sha512-MB8trWaFREpmb037k/d0bB7T2BP7Ai24w1e1tbz3ASLB0/lwphsq3Nq8S9I5AsI5vs4zAQT+SB5nC5/dLYTiOg==", + "dependencies": { + "@nevware21/ts-utils": ">= 0.9.4 < 2.x" + } + }, + "node_modules/@microsoft/load-themed-styles": { + "version": "1.10.295", + "resolved": "https://registry.npmjs.org/@microsoft/load-themed-styles/-/load-themed-styles-1.10.295.tgz", + "integrity": "sha512-W+IzEBw8a6LOOfRJM02dTT7BDZijxm+Z7lhtOAz1+y9vQm1Kdz9jlAO+qCEKsfxtUOmKilW8DIRqFw2aUgKeGg==" + }, + "node_modules/@nevware21/ts-async": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/@nevware21/ts-async/-/ts-async-0.3.0.tgz", + "integrity": "sha512-ZUcgUH12LN/F6nzN0cYd0F/rJaMLmXr0EHVTyYfaYmK55bdwE4338uue4UiVoRqHVqNW4KDUrJc49iGogHKeWA==", + "dependencies": { + "@nevware21/ts-utils": ">= 0.10.0 < 2.x" + } + }, + "node_modules/@nevware21/ts-utils": { + "version": "0.10.1", + "resolved": "https://registry.npmjs.org/@nevware21/ts-utils/-/ts-utils-0.10.1.tgz", + "integrity": "sha512-pMny25NnF2/MJwdqC3Iyjm2pGIXNxni4AROpcqDeWa+td9JMUY4bUS9uU9XW+BoBRqTLUL+WURF9SOd/6OQzRg==" + }, + "node_modules/@opentelemetry/api": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/@opentelemetry/api/-/api-1.6.0.tgz", + "integrity": "sha512-OWlrQAnWn9577PhVgqjUvMr1pg57Bc4jv0iL4w0PRuOSRvq67rvHW9Ie/dZVMvCzhSCB+UxhcY/PmCmFj33Q+g==", + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/@tootallnate/once": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/@tootallnate/once/-/once-2.0.0.tgz", + "integrity": "sha512-XCuKFP5PS55gnMVu3dty8KPatLqUoy/ZYzDzAGCQ8JNFCkLXzmI7vNHCR+XpbZaMWQK/vQubr7PkYq8g470J/A==", + "engines": { + "node": ">= 10" + } + }, + "node_modules/@types/body-parser": { + "version": "1.19.3", + "resolved": "https://registry.npmjs.org/@types/body-parser/-/body-parser-1.19.3.tgz", + "integrity": "sha512-oyl4jvAfTGX9Bt6Or4H9ni1Z447/tQuxnZsytsCaExKlmJiU8sFgnIBRzJUpKwB5eWn9HuBYlUlVA74q/yN0eQ==", + "dev": true, + "dependencies": { + "@types/connect": "*", + "@types/node": "*" + } + }, + "node_modules/@types/bonjour": { + "version": "3.5.11", + "resolved": "https://registry.npmjs.org/@types/bonjour/-/bonjour-3.5.11.tgz", + "integrity": "sha512-isGhjmBtLIxdHBDl2xGwUzEM8AOyOvWsADWq7rqirdi/ZQoHnLWErHvsThcEzTX8juDRiZtzp2Qkv5bgNh6mAg==", + "dev": true, + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/classnames": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/@types/classnames/-/classnames-2.3.1.tgz", + "integrity": "sha512-zeOWb0JGBoVmlQoznvqXbE0tEC/HONsnoUNH19Hc96NFsTAwTXbTqb8FMYkru1F/iqp7a18Ws3nWJvtA1sHD1A==", + "deprecated": "This is a stub types definition. classnames provides its own type definitions, so you do not need this installed.", + "dependencies": { + "classnames": "*" + } + }, + "node_modules/@types/connect": { + "version": "3.4.36", + "resolved": "https://registry.npmjs.org/@types/connect/-/connect-3.4.36.tgz", + "integrity": "sha512-P63Zd/JUGq+PdrM1lv0Wv5SBYeA2+CORvbrXbngriYY0jzLUWfQMQQxOhjONEz/wlHOAxOdY7CY65rgQdTjq2w==", + "dev": true, + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/connect-history-api-fallback": { + "version": "1.5.1", + "resolved": "https://registry.npmjs.org/@types/connect-history-api-fallback/-/connect-history-api-fallback-1.5.1.tgz", + "integrity": "sha512-iaQslNbARe8fctL5Lk+DsmgWOM83lM+7FzP0eQUJs1jd3kBE8NWqBTIT2S8SqQOJjxvt2eyIjpOuYeRXq2AdMw==", + "dev": true, + "dependencies": { + "@types/express-serve-static-core": "*", + "@types/node": "*" + } + }, + "node_modules/@types/eslint": { + "version": "8.44.3", + "resolved": "https://registry.npmjs.org/@types/eslint/-/eslint-8.44.3.tgz", + "integrity": "sha512-iM/WfkwAhwmPff3wZuPLYiHX18HI24jU8k1ZSH7P8FHwxTjZ2P6CoX2wnF43oprR+YXJM6UUxATkNvyv/JHd+g==", + "dev": true, + "dependencies": { + "@types/estree": "*", + "@types/json-schema": "*" + } + }, + "node_modules/@types/eslint-scope": { + "version": "3.7.5", + "resolved": "https://registry.npmjs.org/@types/eslint-scope/-/eslint-scope-3.7.5.tgz", + "integrity": "sha512-JNvhIEyxVW6EoMIFIvj93ZOywYFatlpu9deeH6eSx6PE3WHYvHaQtmHmQeNw7aA81bYGBPPQqdtBm6b1SsQMmA==", + "dev": true, + "dependencies": { + "@types/eslint": "*", + "@types/estree": "*" + } + }, + "node_modules/@types/estree": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/@types/estree/-/estree-1.0.2.tgz", + "integrity": "sha512-VeiPZ9MMwXjO32/Xu7+OwflfmeoRwkE/qzndw42gGtgJwZopBnzy2gD//NN1+go1mADzkDcqf/KnFRSjTJ8xJA==", + "dev": true + }, + "node_modules/@types/express": { + "version": "4.17.18", + "resolved": "https://registry.npmjs.org/@types/express/-/express-4.17.18.tgz", + "integrity": "sha512-Sxv8BSLLgsBYmcnGdGjjEjqET2U+AKAdCRODmMiq02FgjwuV75Ut85DRpvFjyw/Mk0vgUOliGRU0UUmuuZHByQ==", + "dev": true, + "dependencies": { + "@types/body-parser": "*", + "@types/express-serve-static-core": "^4.17.33", + "@types/qs": "*", + "@types/serve-static": "*" + } + }, + "node_modules/@types/express-serve-static-core": { + "version": "4.17.37", + "resolved": "https://registry.npmjs.org/@types/express-serve-static-core/-/express-serve-static-core-4.17.37.tgz", + "integrity": "sha512-ZohaCYTgGFcOP7u6aJOhY9uIZQgZ2vxC2yWoArY+FeDXlqeH66ZVBjgvg+RLVAS/DWNq4Ap9ZXu1+SUQiiWYMg==", + "dev": true, + "dependencies": { + "@types/node": "*", + "@types/qs": "*", + "@types/range-parser": "*", + "@types/send": "*" + } + }, + "node_modules/@types/html-minifier-terser": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/@types/html-minifier-terser/-/html-minifier-terser-6.1.0.tgz", + "integrity": "sha512-oh/6byDPnL1zeNXFrDXFLyZjkr1MsBG667IM792caf1L2UPOOMf65NFzjUH/ltyfwjAGfs1rsX1eftK0jC/KIg==", + "dev": true + }, + "node_modules/@types/http-errors": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/@types/http-errors/-/http-errors-2.0.2.tgz", + "integrity": "sha512-lPG6KlZs88gef6aD85z3HNkztpj7w2R7HmR3gygjfXCQmsLloWNARFkMuzKiiY8FGdh1XDpgBdrSf4aKDiA7Kg==", + "dev": true + }, + "node_modules/@types/http-proxy": { + "version": "1.17.12", + "resolved": "https://registry.npmjs.org/@types/http-proxy/-/http-proxy-1.17.12.tgz", + "integrity": "sha512-kQtujO08dVtQ2wXAuSFfk9ASy3sug4+ogFR8Kd8UgP8PEuc1/G/8yjYRmp//PcDNJEUKOza/MrQu15bouEUCiw==", + "dev": true, + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/json-schema": { + "version": "7.0.13", + "resolved": "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.13.tgz", + "integrity": "sha512-RbSSoHliUbnXj3ny0CNFOoxrIDV6SUGyStHsvDqosw6CkdPV8TtWGlfecuK4ToyMEAql6pzNxgCFKanovUzlgQ==", + "dev": true + }, + "node_modules/@types/mime": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/@types/mime/-/mime-1.3.3.tgz", + "integrity": "sha512-Ys+/St+2VF4+xuY6+kDIXGxbNRO0mesVg0bbxEfB97Od1Vjpjx9KD1qxs64Gcb3CWPirk9Xe+PT4YiiHQ9T+eg==", + "dev": true + }, + "node_modules/@types/node": { + "version": "20.7.2", + "resolved": "https://registry.npmjs.org/@types/node/-/node-20.7.2.tgz", + "integrity": "sha512-RcdC3hOBOauLP+r/kRt27NrByYtDjsXyAuSbR87O6xpsvi763WI+5fbSIvYJrXnt9w4RuxhV6eAXfIs7aaf/FQ==" + }, + "node_modules/@types/node-fetch": { + "version": "2.6.6", + "resolved": "https://registry.npmjs.org/@types/node-fetch/-/node-fetch-2.6.6.tgz", + "integrity": "sha512-95X8guJYhfqiuVVhRFxVQcf4hW/2bCuoPwDasMf/531STFoNoWTT7YDnWdXHEZKqAGUigmpG31r2FE70LwnzJw==", + "dependencies": { + "@types/node": "*", + "form-data": "^4.0.0" + } + }, + "node_modules/@types/prop-types": { + "version": "15.7.7", + "resolved": "https://registry.npmjs.org/@types/prop-types/-/prop-types-15.7.7.tgz", + "integrity": "sha512-FbtmBWCcSa2J4zL781Zf1p5YUBXQomPEcep9QZCfRfQgTxz3pJWiDFLebohZ9fFntX5ibzOkSsrJ0TEew8cAog==", + "peer": true + }, + "node_modules/@types/qs": { + "version": "6.9.8", + "resolved": "https://registry.npmjs.org/@types/qs/-/qs-6.9.8.tgz", + "integrity": "sha512-u95svzDlTysU5xecFNTgfFG5RUWu1A9P0VzgpcIiGZA9iraHOdSzcxMxQ55DyeRaGCSxQi7LxXDI4rzq/MYfdg==", + "dev": true + }, + "node_modules/@types/range-parser": { + "version": "1.2.5", + "resolved": "https://registry.npmjs.org/@types/range-parser/-/range-parser-1.2.5.tgz", + "integrity": "sha512-xrO9OoVPqFuYyR/loIHjnbvvyRZREYKLjxV4+dY6v3FQR3stQ9ZxIGkaclF7YhI9hfjpuTbu14hZEy94qKLtOA==", + "dev": true + }, + "node_modules/@types/react": { + "version": "17.0.66", + "resolved": "https://registry.npmjs.org/@types/react/-/react-17.0.66.tgz", + "integrity": "sha512-azQzO1tuioq9M4vVKzzdBgG5KfLhyocYkRlJMBDcrJ7bUzyjR7QIGbZk2zH7sB5KpXRWoZJQ3CznVyhDS/swxA==", + "peer": true, + "dependencies": { + "@types/prop-types": "*", + "@types/scheduler": "*", + "csstype": "^3.0.2" + } + }, + "node_modules/@types/react-dom": { + "version": "17.0.21", + "resolved": "https://registry.npmjs.org/@types/react-dom/-/react-dom-17.0.21.tgz", + "integrity": "sha512-3rQEFUNUUz2MYiRwJJj6UekcW7rFLOtmK7ajQP7qJpjNdggInl3I/xM4I3Hq1yYPdCGVMgax1gZsB7BBTtayXg==", + "peer": true, + "dependencies": { + "@types/react": "^17" + } + }, + "node_modules/@types/retry": { + "version": "0.12.0", + "resolved": "https://registry.npmjs.org/@types/retry/-/retry-0.12.0.tgz", + "integrity": "sha512-wWKOClTTiizcZhXnPY4wikVAwmdYHp8q6DmC+EJUzAMsycb7HB32Kh9RN4+0gExjmPmZSAQjgURXIGATPegAvA==", + "dev": true + }, + "node_modules/@types/scheduler": { + "version": "0.16.4", + "resolved": "https://registry.npmjs.org/@types/scheduler/-/scheduler-0.16.4.tgz", + "integrity": "sha512-2L9ifAGl7wmXwP4v3pN4p2FLhD0O1qsJpvKmNin5VA8+UvNVb447UDaAEV6UdrkA+m/Xs58U1RFps44x6TFsVQ==", + "peer": true + }, + "node_modules/@types/send": { + "version": "0.17.2", + "resolved": "https://registry.npmjs.org/@types/send/-/send-0.17.2.tgz", + "integrity": "sha512-aAG6yRf6r0wQ29bkS+x97BIs64ZLxeE/ARwyS6wrldMm3C1MdKwCcnnEwMC1slI8wuxJOpiUH9MioC0A0i+GJw==", + "dev": true, + "dependencies": { + "@types/mime": "^1", + "@types/node": "*" + } + }, + "node_modules/@types/serve-index": { + "version": "1.9.2", + "resolved": "https://registry.npmjs.org/@types/serve-index/-/serve-index-1.9.2.tgz", + "integrity": "sha512-asaEIoc6J+DbBKXtO7p2shWUpKacZOoMBEGBgPG91P8xhO53ohzHWGCs4ScZo5pQMf5ukQzVT9fhX1WzpHihig==", + "dev": true, + "dependencies": { + "@types/express": "*" + } + }, + "node_modules/@types/serve-static": { + "version": "1.15.3", + "resolved": "https://registry.npmjs.org/@types/serve-static/-/serve-static-1.15.3.tgz", + "integrity": "sha512-yVRvFsEMrv7s0lGhzrggJjNOSmZCdgCjw9xWrPr/kNNLp6FaDfMC1KaYl3TSJ0c58bECwNBMoQrZJ8hA8E1eFg==", + "dev": true, + "dependencies": { + "@types/http-errors": "*", + "@types/mime": "*", + "@types/node": "*" + } + }, + "node_modules/@types/sockjs": { + "version": "0.3.34", + "resolved": "https://registry.npmjs.org/@types/sockjs/-/sockjs-0.3.34.tgz", + "integrity": "sha512-R+n7qBFnm/6jinlteC9DBL5dGiDGjWAvjo4viUanpnc/dG1y7uDoacXPIQ/PQEg1fI912SMHIa014ZjRpvDw4g==", + "dev": true, + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/tunnel": { + "version": "0.0.3", + "resolved": "https://registry.npmjs.org/@types/tunnel/-/tunnel-0.0.3.tgz", + "integrity": "sha512-sOUTGn6h1SfQ+gbgqC364jLFBw2lnFqkgF3q0WovEHRLMrVD1sd5aufqi/aJObLekJO+Aq5z646U4Oxy6shXMA==", + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@types/ws": { + "version": "8.5.6", + "resolved": "https://registry.npmjs.org/@types/ws/-/ws-8.5.6.tgz", + "integrity": "sha512-8B5EO9jLVCy+B58PLHvLDuOD8DRVMgQzq8d55SjLCOn9kqGyqOvy27exVaTio1q1nX5zLu8/6N0n2ThSxOM6tg==", + "dev": true, + "dependencies": { + "@types/node": "*" + } + }, + "node_modules/@uifabric/foundation": { + "version": "7.10.16", + "resolved": "https://registry.npmjs.org/@uifabric/foundation/-/foundation-7.10.16.tgz", + "integrity": "sha512-x13xS9aKh6FEWsyQP2jrjyiXmUUdgyuAfWKMLhUTK4Rsc+vJANwwVk4fqGsU021WA6pghcIirvEVpWf5MlykDQ==", + "dependencies": { + "@uifabric/merge-styles": "^7.20.2", + "@uifabric/set-version": "^7.0.24", + "@uifabric/styling": "^7.25.1", + "@uifabric/utilities": "^7.38.2", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "@types/react-dom": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0", + "react-dom": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@uifabric/foundation/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@uifabric/icons": { + "version": "7.9.5", + "resolved": "https://registry.npmjs.org/@uifabric/icons/-/icons-7.9.5.tgz", + "integrity": "sha512-0e2fEURtR7sNqoGr9gU/pzcOp24B/Lkdc05s1BSnIgXlaL2QxRszfaEsl3/E9vsNmqA3tvRwDJWbtRolDbjCpQ==", + "dependencies": { + "@uifabric/set-version": "^7.0.24", + "@uifabric/styling": "^7.25.1", + "@uifabric/utilities": "^7.38.2", + "tslib": "^1.10.0" + } + }, + "node_modules/@uifabric/icons/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@uifabric/merge-styles": { + "version": "7.20.2", + "resolved": "https://registry.npmjs.org/@uifabric/merge-styles/-/merge-styles-7.20.2.tgz", + "integrity": "sha512-cJy8hW9smlWOKgz9xSDMCz/A0yMl4mdo466pcGlIOn84vz+e94grfA7OoTuTzg3Cl0Gj6ODBSf1o0ZwIXYL1Xg==", + "dependencies": { + "@uifabric/set-version": "^7.0.24", + "tslib": "^1.10.0" + } + }, + "node_modules/@uifabric/merge-styles/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@uifabric/react-hooks": { + "version": "7.16.4", + "resolved": "https://registry.npmjs.org/@uifabric/react-hooks/-/react-hooks-7.16.4.tgz", + "integrity": "sha512-k8RJYTMICWA6varT5Y+oCf2VDHHXN0tC2GuPD4I2XqYCTLaXtNCm4+dMcVA2x8mv1HIO7khvm/8aqKheU/tDfQ==", + "dependencies": { + "@fluentui/react-window-provider": "^1.0.6", + "@uifabric/set-version": "^7.0.24", + "@uifabric/utilities": "^7.38.2", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "@types/react-dom": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0", + "react-dom": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@uifabric/react-hooks/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@uifabric/set-version": { + "version": "7.0.24", + "resolved": "https://registry.npmjs.org/@uifabric/set-version/-/set-version-7.0.24.tgz", + "integrity": "sha512-t0Pt21dRqdC707/ConVJC0WvcQ/KF7tKLU8AZY7YdjgJpMHi1c0C427DB4jfUY19I92f60LOQyhJ4efH+KpFEg==", + "dependencies": { + "tslib": "^1.10.0" + } + }, + "node_modules/@uifabric/set-version/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@uifabric/styling": { + "version": "7.25.1", + "resolved": "https://registry.npmjs.org/@uifabric/styling/-/styling-7.25.1.tgz", + "integrity": "sha512-bd4QDYyb0AS0+KmzrB8VsAfOkxZg0dpEpF1YN5Ben10COmT8L1DoE4bEF5NvybHEaoTd3SKxpJ42m+ceNzehSw==", + "dependencies": { + "@fluentui/theme": "^1.7.13", + "@microsoft/load-themed-styles": "^1.10.26", + "@uifabric/merge-styles": "^7.20.2", + "@uifabric/set-version": "^7.0.24", + "@uifabric/utilities": "^7.38.2", + "tslib": "^1.10.0" + } + }, + "node_modules/@uifabric/styling/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@uifabric/utilities": { + "version": "7.38.2", + "resolved": "https://registry.npmjs.org/@uifabric/utilities/-/utilities-7.38.2.tgz", + "integrity": "sha512-5yM4sm142VEBg3/Q5SFheBXqnrZi9CNF5rjHNoex0GgGtG3AHPuS7U8gjm+/Io1MvbuCrn6lyyIw0MDvh1Ebkw==", + "dependencies": { + "@fluentui/dom-utilities": "^1.1.2", + "@uifabric/merge-styles": "^7.20.2", + "@uifabric/set-version": "^7.0.24", + "prop-types": "^15.7.2", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "@types/react-dom": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0", + "react-dom": ">=16.8.0 <18.0.0" + } + }, + "node_modules/@uifabric/utilities/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/@webassemblyjs/ast": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/ast/-/ast-1.11.6.tgz", + "integrity": "sha512-IN1xI7PwOvLPgjcf180gC1bqn3q/QaOCwYUahIOhbYUu8KA/3tw2RT/T0Gidi1l7Hhj5D/INhJxiICObqpMu4Q==", + "dev": true, + "dependencies": { + "@webassemblyjs/helper-numbers": "1.11.6", + "@webassemblyjs/helper-wasm-bytecode": "1.11.6" + } + }, + "node_modules/@webassemblyjs/floating-point-hex-parser": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/floating-point-hex-parser/-/floating-point-hex-parser-1.11.6.tgz", + "integrity": "sha512-ejAj9hfRJ2XMsNHk/v6Fu2dGS+i4UaXBXGemOfQ/JfQ6mdQg/WXtwleQRLLS4OvfDhv8rYnVwH27YJLMyYsxhw==", + "dev": true + }, + "node_modules/@webassemblyjs/helper-api-error": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-api-error/-/helper-api-error-1.11.6.tgz", + "integrity": "sha512-o0YkoP4pVu4rN8aTJgAyj9hC2Sv5UlkzCHhxqWj8butaLvnpdc2jOwh4ewE6CX0txSfLn/UYaV/pheS2Txg//Q==", + "dev": true + }, + "node_modules/@webassemblyjs/helper-buffer": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-buffer/-/helper-buffer-1.11.6.tgz", + "integrity": "sha512-z3nFzdcp1mb8nEOFFk8DrYLpHvhKC3grJD2ardfKOzmbmJvEf/tPIqCY+sNcwZIY8ZD7IkB2l7/pqhUhqm7hLA==", + "dev": true + }, + "node_modules/@webassemblyjs/helper-numbers": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-numbers/-/helper-numbers-1.11.6.tgz", + "integrity": "sha512-vUIhZ8LZoIWHBohiEObxVm6hwP034jwmc9kuq5GdHZH0wiLVLIPcMCdpJzG4C11cHoQ25TFIQj9kaVADVX7N3g==", + "dev": true, + "dependencies": { + "@webassemblyjs/floating-point-hex-parser": "1.11.6", + "@webassemblyjs/helper-api-error": "1.11.6", + "@xtuc/long": "4.2.2" + } + }, + "node_modules/@webassemblyjs/helper-wasm-bytecode": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-wasm-bytecode/-/helper-wasm-bytecode-1.11.6.tgz", + "integrity": "sha512-sFFHKwcmBprO9e7Icf0+gddyWYDViL8bpPjJJl0WHxCdETktXdmtWLGVzoHbqUcY4Be1LkNfwTmXOJUFZYSJdA==", + "dev": true + }, + "node_modules/@webassemblyjs/helper-wasm-section": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/helper-wasm-section/-/helper-wasm-section-1.11.6.tgz", + "integrity": "sha512-LPpZbSOwTpEC2cgn4hTydySy1Ke+XEu+ETXuoyvuyezHO3Kjdu90KK95Sh9xTbmjrCsUwvWwCOQQNta37VrS9g==", + "dev": true, + "dependencies": { + "@webassemblyjs/ast": "1.11.6", + "@webassemblyjs/helper-buffer": "1.11.6", + "@webassemblyjs/helper-wasm-bytecode": "1.11.6", + "@webassemblyjs/wasm-gen": "1.11.6" + } + }, + "node_modules/@webassemblyjs/ieee754": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/ieee754/-/ieee754-1.11.6.tgz", + "integrity": "sha512-LM4p2csPNvbij6U1f19v6WR56QZ8JcHg3QIJTlSwzFcmx6WSORicYj6I63f9yU1kEUtrpG+kjkiIAkevHpDXrg==", + "dev": true, + "dependencies": { + "@xtuc/ieee754": "^1.2.0" + } + }, + "node_modules/@webassemblyjs/leb128": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/leb128/-/leb128-1.11.6.tgz", + "integrity": "sha512-m7a0FhE67DQXgouf1tbN5XQcdWoNgaAuoULHIfGFIEVKA6tu/edls6XnIlkmS6FrXAquJRPni3ZZKjw6FSPjPQ==", + "dev": true, + "dependencies": { + "@xtuc/long": "4.2.2" + } + }, + "node_modules/@webassemblyjs/utf8": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/utf8/-/utf8-1.11.6.tgz", + "integrity": "sha512-vtXf2wTQ3+up9Zsg8sa2yWiQpzSsMyXj0qViVP6xKGCUT8p8YJ6HqI7l5eCnWx1T/FYdsv07HQs2wTFbbof/RA==", + "dev": true + }, + "node_modules/@webassemblyjs/wasm-edit": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-edit/-/wasm-edit-1.11.6.tgz", + "integrity": "sha512-Ybn2I6fnfIGuCR+Faaz7YcvtBKxvoLV3Lebn1tM4o/IAJzmi9AWYIPWpyBfU8cC+JxAO57bk4+zdsTjJR+VTOw==", + "dev": true, + "dependencies": { + "@webassemblyjs/ast": "1.11.6", + "@webassemblyjs/helper-buffer": "1.11.6", + "@webassemblyjs/helper-wasm-bytecode": "1.11.6", + "@webassemblyjs/helper-wasm-section": "1.11.6", + "@webassemblyjs/wasm-gen": "1.11.6", + "@webassemblyjs/wasm-opt": "1.11.6", + "@webassemblyjs/wasm-parser": "1.11.6", + "@webassemblyjs/wast-printer": "1.11.6" + } + }, + "node_modules/@webassemblyjs/wasm-gen": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-gen/-/wasm-gen-1.11.6.tgz", + "integrity": "sha512-3XOqkZP/y6B4F0PBAXvI1/bky7GryoogUtfwExeP/v7Nzwo1QLcq5oQmpKlftZLbT+ERUOAZVQjuNVak6UXjPA==", + "dev": true, + "dependencies": { + "@webassemblyjs/ast": "1.11.6", + "@webassemblyjs/helper-wasm-bytecode": "1.11.6", + "@webassemblyjs/ieee754": "1.11.6", + "@webassemblyjs/leb128": "1.11.6", + "@webassemblyjs/utf8": "1.11.6" + } + }, + "node_modules/@webassemblyjs/wasm-opt": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-opt/-/wasm-opt-1.11.6.tgz", + "integrity": "sha512-cOrKuLRE7PCe6AsOVl7WasYf3wbSo4CeOk6PkrjS7g57MFfVUF9u6ysQBBODX0LdgSvQqRiGz3CXvIDKcPNy4g==", + "dev": true, + "dependencies": { + "@webassemblyjs/ast": "1.11.6", + "@webassemblyjs/helper-buffer": "1.11.6", + "@webassemblyjs/wasm-gen": "1.11.6", + "@webassemblyjs/wasm-parser": "1.11.6" + } + }, + "node_modules/@webassemblyjs/wasm-parser": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wasm-parser/-/wasm-parser-1.11.6.tgz", + "integrity": "sha512-6ZwPeGzMJM3Dqp3hCsLgESxBGtT/OeCvCZ4TA1JUPYgmhAx38tTPR9JaKy0S5H3evQpO/h2uWs2j6Yc/fjkpTQ==", + "dev": true, + "dependencies": { + "@webassemblyjs/ast": "1.11.6", + "@webassemblyjs/helper-api-error": "1.11.6", + "@webassemblyjs/helper-wasm-bytecode": "1.11.6", + "@webassemblyjs/ieee754": "1.11.6", + "@webassemblyjs/leb128": "1.11.6", + "@webassemblyjs/utf8": "1.11.6" + } + }, + "node_modules/@webassemblyjs/wast-printer": { + "version": "1.11.6", + "resolved": "https://registry.npmjs.org/@webassemblyjs/wast-printer/-/wast-printer-1.11.6.tgz", + "integrity": "sha512-JM7AhRcE+yW2GWYaKeHL5vt4xqee5N2WcezptmgyhNS+ScggqcT1OtXykhAb13Sn5Yas0j2uv9tHgrjwvzAP4A==", + "dev": true, + "dependencies": { + "@webassemblyjs/ast": "1.11.6", + "@xtuc/long": "4.2.2" + } + }, + "node_modules/@webpack-cli/configtest": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/@webpack-cli/configtest/-/configtest-2.1.1.tgz", + "integrity": "sha512-wy0mglZpDSiSS0XHrVR+BAdId2+yxPSoJW8fsna3ZpYSlufjvxnP4YbKTCBZnNIcGN4r6ZPXV55X4mYExOfLmw==", + "dev": true, + "engines": { + "node": ">=14.15.0" + }, + "peerDependencies": { + "webpack": "5.x.x", + "webpack-cli": "5.x.x" + } + }, + "node_modules/@webpack-cli/info": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/@webpack-cli/info/-/info-2.0.2.tgz", + "integrity": "sha512-zLHQdI/Qs1UyT5UBdWNqsARasIA+AaF8t+4u2aS2nEpBQh2mWIVb8qAklq0eUENnC5mOItrIB4LiS9xMtph18A==", + "dev": true, + "engines": { + "node": ">=14.15.0" + }, + "peerDependencies": { + "webpack": "5.x.x", + "webpack-cli": "5.x.x" + } + }, + "node_modules/@webpack-cli/serve": { + "version": "2.0.5", + "resolved": "https://registry.npmjs.org/@webpack-cli/serve/-/serve-2.0.5.tgz", + "integrity": "sha512-lqaoKnRYBdo1UgDX8uF24AfGMifWK19TxPmM5FHc2vAGxrJ/qtyUyFBWoY1tISZdelsQ5fBcOusifo5o5wSJxQ==", + "dev": true, + "engines": { + "node": ">=14.15.0" + }, + "peerDependencies": { + "webpack": "5.x.x", + "webpack-cli": "5.x.x" + }, + "peerDependenciesMeta": { + "webpack-dev-server": { + "optional": true + } + } + }, + "node_modules/@xtuc/ieee754": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/@xtuc/ieee754/-/ieee754-1.2.0.tgz", + "integrity": "sha512-DX8nKgqcGwsc0eJSqYt5lwP4DH5FlHnmuWWBRy7X0NcaGR0ZtuyeESgMwTYVEtxmsNGY+qit4QYT/MIYTOTPeA==", + "dev": true + }, + "node_modules/@xtuc/long": { + "version": "4.2.2", + "resolved": "https://registry.npmjs.org/@xtuc/long/-/long-4.2.2.tgz", + "integrity": "sha512-NuHqBY1PB/D8xU6s/thBgOAiAP7HOYDQ32+BFZILJ8ivkUkAHQnWfn6WhL79Owj1qmUnoN/YPhktdIoucipkAQ==", + "dev": true + }, + "node_modules/accepts": { + "version": "1.3.8", + "resolved": "https://registry.npmjs.org/accepts/-/accepts-1.3.8.tgz", + "integrity": "sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==", + "dev": true, + "dependencies": { + "mime-types": "~2.1.34", + "negotiator": "0.6.3" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/acorn": { + "version": "8.10.0", + "resolved": "https://registry.npmjs.org/acorn/-/acorn-8.10.0.tgz", + "integrity": "sha512-F0SAmZ8iUtS//m8DmCTA0jlh6TDKkHQyK6xc6V4KDTyZKA9dnvX9/3sRTVQrWm79glUAZbnmmNcdYwUIHWVybw==", + "dev": true, + "bin": { + "acorn": "bin/acorn" + }, + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/acorn-import-assertions": { + "version": "1.9.0", + "resolved": "https://registry.npmjs.org/acorn-import-assertions/-/acorn-import-assertions-1.9.0.tgz", + "integrity": "sha512-cmMwop9x+8KFhxvKrKfPYmN6/pKTYYHBqLa0DfvVZcKMJWNyWLnaqND7dx/qn66R7ewM1UX5XMaDVP5wlVTaVA==", + "dev": true, + "peerDependencies": { + "acorn": "^8" + } + }, + "node_modules/agent-base": { + "version": "6.0.2", + "resolved": "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz", + "integrity": "sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==", + "dependencies": { + "debug": "4" + }, + "engines": { + "node": ">= 6.0.0" + } + }, + "node_modules/ajv": { + "version": "6.12.6", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz", + "integrity": "sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==", + "dev": true, + "dependencies": { + "fast-deep-equal": "^3.1.1", + "fast-json-stable-stringify": "^2.0.0", + "json-schema-traverse": "^0.4.1", + "uri-js": "^4.2.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/ajv-formats": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/ajv-formats/-/ajv-formats-2.1.1.tgz", + "integrity": "sha512-Wx0Kx52hxE7C18hkMEggYlEifqWZtYaRgouJor+WMdPnQyEK13vgEWyVNup7SoeeoLMsr4kf5h6dOW11I15MUA==", + "dev": true, + "dependencies": { + "ajv": "^8.0.0" + }, + "peerDependencies": { + "ajv": "^8.0.0" + }, + "peerDependenciesMeta": { + "ajv": { + "optional": true + } + } + }, + "node_modules/ajv-formats/node_modules/ajv": { + "version": "8.12.0", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-8.12.0.tgz", + "integrity": "sha512-sRu1kpcO9yLtYxBKvqfTeh9KzZEwO3STyX1HT+4CaDzC6HpTGYhIhPIzj9XuKU7KYDwnaeh5hcOwjy1QuJzBPA==", + "dev": true, + "dependencies": { + "fast-deep-equal": "^3.1.1", + "json-schema-traverse": "^1.0.0", + "require-from-string": "^2.0.2", + "uri-js": "^4.2.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/ajv-formats/node_modules/json-schema-traverse": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", + "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", + "dev": true + }, + "node_modules/ajv-keywords": { + "version": "3.5.2", + "resolved": "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-3.5.2.tgz", + "integrity": "sha512-5p6WTN0DdTGVQk6VjcEju19IgaHudalcfabD7yhDGeA6bcQnmL+CpveLJq/3hvfwd1aof6L386Ougkx6RfyMIQ==", + "dev": true, + "peerDependencies": { + "ajv": "^6.9.1" + } + }, + "node_modules/ansi-html-community": { + "version": "0.0.8", + "resolved": "https://registry.npmjs.org/ansi-html-community/-/ansi-html-community-0.0.8.tgz", + "integrity": "sha512-1APHAyr3+PCamwNw3bXCPp4HFLONZt/yIH0sZp0/469KWNTEy+qN5jQ3GVX6DMZ1UXAi34yVwtTeaG/HpBuuzw==", + "dev": true, + "engines": [ + "node >= 0.8.0" + ], + "bin": { + "ansi-html": "bin/ansi-html" + } + }, + "node_modules/ansi-regex": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", + "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/ansi-styles": { + "version": "3.2.1", + "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-3.2.1.tgz", + "integrity": "sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==", + "dev": true, + "dependencies": { + "color-convert": "^1.9.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/anymatch": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz", + "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", + "dev": true, + "dependencies": { + "normalize-path": "^3.0.0", + "picomatch": "^2.0.4" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/array-flatten": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-2.1.2.tgz", + "integrity": "sha512-hNfzcOV8W4NdualtqBFPyVO+54DSJuZGY9qT4pRroB6S9e3iiido2ISIC5h9R2sPJ8H3FHCIiEnsv1lPXO3KtQ==", + "dev": true + }, + "node_modules/asynckit": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", + "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==" + }, + "node_modules/axios": { + "version": "1.5.1", + "resolved": "https://registry.npmjs.org/axios/-/axios-1.5.1.tgz", + "integrity": "sha512-Q28iYCWzNHjAm+yEAot5QaAMxhMghWLFVf7rRdwhUI+c2jix2DUXjAHXVi+s1ibs3mjPO/cCgbA++3BjD0vP/A==", + "dev": true, + "dependencies": { + "follow-redirects": "^1.15.0", + "form-data": "^4.0.0", + "proxy-from-env": "^1.1.0" + } + }, + "node_modules/babel-loader": { + "version": "8.3.0", + "resolved": "https://registry.npmjs.org/babel-loader/-/babel-loader-8.3.0.tgz", + "integrity": "sha512-H8SvsMF+m9t15HNLMipppzkC+Y2Yq+v3SonZyU70RBL/h1gxPkH08Ot8pEE9Z4Kd+czyWJClmFS8qzIP9OZ04Q==", + "dev": true, + "dependencies": { + "find-cache-dir": "^3.3.1", + "loader-utils": "^2.0.0", + "make-dir": "^3.1.0", + "schema-utils": "^2.6.5" + }, + "engines": { + "node": ">= 8.9" + }, + "peerDependencies": { + "@babel/core": "^7.0.0", + "webpack": ">=2" + } + }, + "node_modules/babel-plugin-polyfill-corejs2": { + "version": "0.4.5", + "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs2/-/babel-plugin-polyfill-corejs2-0.4.5.tgz", + "integrity": "sha512-19hwUH5FKl49JEsvyTcoHakh6BE0wgXLLptIyKZ3PijHc/Ci521wygORCUCCred+E/twuqRyAkE02BAWPmsHOg==", + "dev": true, + "dependencies": { + "@babel/compat-data": "^7.22.6", + "@babel/helper-define-polyfill-provider": "^0.4.2", + "semver": "^6.3.1" + }, + "peerDependencies": { + "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/babel-plugin-polyfill-corejs3": { + "version": "0.8.4", + "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-corejs3/-/babel-plugin-polyfill-corejs3-0.8.4.tgz", + "integrity": "sha512-9l//BZZsPR+5XjyJMPtZSK4jv0BsTO1zDac2GC6ygx9WLGlcsnRd1Co0B2zT5fF5Ic6BZy+9m3HNZ3QcOeDKfg==", + "dev": true, + "dependencies": { + "@babel/helper-define-polyfill-provider": "^0.4.2", + "core-js-compat": "^3.32.2" + }, + "peerDependencies": { + "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/babel-plugin-polyfill-regenerator": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/babel-plugin-polyfill-regenerator/-/babel-plugin-polyfill-regenerator-0.5.2.tgz", + "integrity": "sha512-tAlOptU0Xj34V1Y2PNTL4Y0FOJMDB6bZmoW39FeCQIhigGLkqu3Fj6uiXpxIf6Ij274ENdYx64y6Au+ZKlb1IA==", + "dev": true, + "dependencies": { + "@babel/helper-define-polyfill-provider": "^0.4.2" + }, + "peerDependencies": { + "@babel/core": "^7.4.0 || ^8.0.0-0 <8.0.0" + } + }, + "node_modules/balanced-match": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", + "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", + "dev": true + }, + "node_modules/batch": { + "version": "0.6.1", + "resolved": "https://registry.npmjs.org/batch/-/batch-0.6.1.tgz", + "integrity": "sha512-x+VAiMRL6UPkx+kudNvxTl6hB2XNNCG2r+7wixVfIYwu/2HKRXimwQyaumLjMveWvT2Hkd/cAJw+QBMfJ/EKVw==", + "dev": true + }, + "node_modules/big.js": { + "version": "5.2.2", + "resolved": "https://registry.npmjs.org/big.js/-/big.js-5.2.2.tgz", + "integrity": "sha512-vyL2OymJxmarO8gxMr0mhChsO9QGwhynfuu4+MHTAW6czfq9humCB7rKpUjDd9YUiDPU4mzpyupFSvOClAwbmQ==", + "dev": true, + "engines": { + "node": "*" + } + }, + "node_modules/binary-extensions": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.2.0.tgz", + "integrity": "sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/body-parser": { + "version": "1.20.1", + "resolved": "https://registry.npmjs.org/body-parser/-/body-parser-1.20.1.tgz", + "integrity": "sha512-jWi7abTbYwajOytWCQc37VulmWiRae5RyTpaCyDcS5/lMdtwSz5lOpDE67srw/HYe35f1z3fDQw+3txg7gNtWw==", + "dev": true, + "dependencies": { + "bytes": "3.1.2", + "content-type": "~1.0.4", + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "on-finished": "2.4.1", + "qs": "6.11.0", + "raw-body": "2.5.1", + "type-is": "~1.6.18", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/body-parser/node_modules/bytes": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", + "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/body-parser/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/body-parser/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true + }, + "node_modules/bonjour-service": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/bonjour-service/-/bonjour-service-1.1.1.tgz", + "integrity": "sha512-Z/5lQRMOG9k7W+FkeGTNjh7htqn/2LMnfOvBZ8pynNZCM9MwkQkI3zeI4oz09uWdcgmgHugVvBqxGg4VQJ5PCg==", + "dev": true, + "dependencies": { + "array-flatten": "^2.1.2", + "dns-equal": "^1.0.0", + "fast-deep-equal": "^3.1.3", + "multicast-dns": "^7.2.5" + } + }, + "node_modules/boolbase": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/boolbase/-/boolbase-1.0.0.tgz", + "integrity": "sha512-JZOSA7Mo9sNGB8+UjSgzdLtokWAky1zbztM3WRLCbZ70/3cTANmQmOdR7y2g+J0e2WXywy1yS468tY+IruqEww==", + "dev": true + }, + "node_modules/brace-expansion": { + "version": "1.1.11", + "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz", + "integrity": "sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==", + "dev": true, + "dependencies": { + "balanced-match": "^1.0.0", + "concat-map": "0.0.1" + } + }, + "node_modules/braces": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.2.tgz", + "integrity": "sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==", + "dev": true, + "dependencies": { + "fill-range": "^7.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/browserslist": { + "version": "4.22.1", + "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.22.1.tgz", + "integrity": "sha512-FEVc202+2iuClEhZhrWy6ZiAcRLvNMyYcxZ8raemul1DYVOVdFsbqckWLdsixQZCpJlwe77Z3UTalE7jsjnKfQ==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "dependencies": { + "caniuse-lite": "^1.0.30001541", + "electron-to-chromium": "^1.4.535", + "node-releases": "^2.0.13", + "update-browserslist-db": "^1.0.13" + }, + "bin": { + "browserslist": "cli.js" + }, + "engines": { + "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" + } + }, + "node_modules/buffer-equal-constant-time": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz", + "integrity": "sha512-zRpUiDwd/xk6ADqPMATG8vc9VPrkck7T07OIx0gnjmJAnHnTVXNQG3vfvWNuiZIkwu9KrKdA1iJKfsfTVxE6NA==" + }, + "node_modules/buffer-from": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz", + "integrity": "sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ==", + "dev": true + }, + "node_modules/bytes": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.0.0.tgz", + "integrity": "sha512-pMhOfFDPiv9t5jjIXkHosWmkSyQbvsgEVNkz0ERHbuLh2T/7j4Mqqpz523Fe8MVY89KC6Sh/QfS2sM+SjgFDcw==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/call-bind": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/call-bind/-/call-bind-1.0.2.tgz", + "integrity": "sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==", + "dev": true, + "dependencies": { + "function-bind": "^1.1.1", + "get-intrinsic": "^1.0.2" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/camel-case": { + "version": "4.1.2", + "resolved": "https://registry.npmjs.org/camel-case/-/camel-case-4.1.2.tgz", + "integrity": "sha512-gxGWBrTT1JuMx6R+o5PTXMmUnhnVzLQ9SNutD4YqKtI6ap897t3tKECYla6gCWEkplXnlNybEkZg9GEGxKFCgw==", + "dev": true, + "dependencies": { + "pascal-case": "^3.1.2", + "tslib": "^2.0.3" + } + }, + "node_modules/caniuse-lite": { + "version": "1.0.30001541", + "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001541.tgz", + "integrity": "sha512-bLOsqxDgTqUBkzxbNlSBt8annkDpQB9NdzdTbO2ooJ+eC/IQcvDspDc058g84ejCelF7vHUx57KIOjEecOHXaw==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/caniuse-lite" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ] + }, + "node_modules/chalk": { + "version": "2.4.2", + "resolved": "https://registry.npmjs.org/chalk/-/chalk-2.4.2.tgz", + "integrity": "sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==", + "dev": true, + "dependencies": { + "ansi-styles": "^3.2.1", + "escape-string-regexp": "^1.0.5", + "supports-color": "^5.3.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/chokidar": { + "version": "3.5.3", + "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.5.3.tgz", + "integrity": "sha512-Dr3sfKRP6oTcjf2JmUmFJfeVMvXBdegxB0iVQ5eb2V10uFJUCAS8OByZdVAyVb8xXNz3GjjTgj9kLWsZTqE6kw==", + "dev": true, + "funding": [ + { + "type": "individual", + "url": "https://paulmillr.com/funding/" + } + ], + "dependencies": { + "anymatch": "~3.1.2", + "braces": "~3.0.2", + "glob-parent": "~5.1.2", + "is-binary-path": "~2.1.0", + "is-glob": "~4.0.1", + "normalize-path": "~3.0.0", + "readdirp": "~3.6.0" + }, + "engines": { + "node": ">= 8.10.0" + }, + "optionalDependencies": { + "fsevents": "~2.3.2" + } + }, + "node_modules/chrome-trace-event": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/chrome-trace-event/-/chrome-trace-event-1.0.3.tgz", + "integrity": "sha512-p3KULyQg4S7NIHixdwbGX+nFHkoBiA4YQmyWtjb8XngSKV124nJmRysgAeujbUVb15vh+RvFUfCPqU7rXk+hZg==", + "dev": true, + "engines": { + "node": ">=6.0" + } + }, + "node_modules/classnames": { + "version": "2.3.2", + "resolved": "https://registry.npmjs.org/classnames/-/classnames-2.3.2.tgz", + "integrity": "sha512-CSbhY4cFEJRe6/GQzIk5qXZ4Jeg5pcsP7b5peFSDpffpe1cqjASH/n9UTjBwOp6XpMSTwQ8Za2K5V02ueA7Tmw==" + }, + "node_modules/clean-css": { + "version": "5.3.2", + "resolved": "https://registry.npmjs.org/clean-css/-/clean-css-5.3.2.tgz", + "integrity": "sha512-JVJbM+f3d3Q704rF4bqQ5UUyTtuJ0JRKNbTKVEeujCCBoMdkEi+V+e8oktO9qGQNSvHrFTM6JZRXrUvGR1czww==", + "dev": true, + "dependencies": { + "source-map": "~0.6.0" + }, + "engines": { + "node": ">= 10.0" + } + }, + "node_modules/clone-deep": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/clone-deep/-/clone-deep-4.0.1.tgz", + "integrity": "sha512-neHB9xuzh/wk0dIHweyAXv2aPGZIVk3pLMe+/RNzINf17fe0OG96QroktYAUm7SM1PBnzTabaLboqqxDyMU+SQ==", + "dev": true, + "dependencies": { + "is-plain-object": "^2.0.4", + "kind-of": "^6.0.2", + "shallow-clone": "^3.0.0" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/clsx": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/clsx/-/clsx-1.2.1.tgz", + "integrity": "sha512-EcR6r5a8bj6pu3ycsa/E/cKVGuTgZJZdsyUYHOksG/UHIiKfjxzRxYJpyVBwYaQeOvghal9fcc4PidlgzugAQg==", + "engines": { + "node": ">=6" + } + }, + "node_modules/color-convert": { + "version": "1.9.3", + "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-1.9.3.tgz", + "integrity": "sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==", + "dev": true, + "dependencies": { + "color-name": "1.1.3" + } + }, + "node_modules/color-name": { + "version": "1.1.3", + "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.3.tgz", + "integrity": "sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==", + "dev": true + }, + "node_modules/colorette": { + "version": "2.0.20", + "resolved": "https://registry.npmjs.org/colorette/-/colorette-2.0.20.tgz", + "integrity": "sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==", + "dev": true + }, + "node_modules/combined-stream": { + "version": "1.0.8", + "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", + "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", + "dependencies": { + "delayed-stream": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/commander": { + "version": "10.0.1", + "resolved": "https://registry.npmjs.org/commander/-/commander-10.0.1.tgz", + "integrity": "sha512-y4Mg2tXshplEbSGzx7amzPwKKOCGuoSRP/CjEdwwk0FOGlUbq6lKuoyDZTNZkmxHdJtp54hdfY/JUrdL7Xfdug==", + "dev": true, + "engines": { + "node": ">=14" + } + }, + "node_modules/commondir": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/commondir/-/commondir-1.0.1.tgz", + "integrity": "sha512-W9pAhw0ja1Edb5GVdIF1mjZw/ASI0AlShXM83UUGe2DVr5TdAPEA1OA8m/g8zWp9x6On7gqufY+FatDbC3MDQg==", + "dev": true + }, + "node_modules/compressible": { + "version": "2.0.18", + "resolved": "https://registry.npmjs.org/compressible/-/compressible-2.0.18.tgz", + "integrity": "sha512-AF3r7P5dWxL8MxyITRMlORQNaOA2IkAFaTr4k7BUumjPtRpGDTZpl0Pb1XCO6JeDCBdp126Cgs9sMxqSjgYyRg==", + "dev": true, + "dependencies": { + "mime-db": ">= 1.43.0 < 2" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/compression": { + "version": "1.7.4", + "resolved": "https://registry.npmjs.org/compression/-/compression-1.7.4.tgz", + "integrity": "sha512-jaSIDzP9pZVS4ZfQ+TzvtiWhdpFhE2RDHz8QJkpX9SIpLq88VueF5jJw6t+6CUQcAoA6t+x89MLrWAqpfDE8iQ==", + "dev": true, + "dependencies": { + "accepts": "~1.3.5", + "bytes": "3.0.0", + "compressible": "~2.0.16", + "debug": "2.6.9", + "on-headers": "~1.0.2", + "safe-buffer": "5.1.2", + "vary": "~1.1.2" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/compression/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/compression/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true + }, + "node_modules/compression/node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", + "dev": true + }, + "node_modules/concat-map": { + "version": "0.0.1", + "resolved": "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz", + "integrity": "sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==", + "dev": true + }, + "node_modules/connect-history-api-fallback": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/connect-history-api-fallback/-/connect-history-api-fallback-2.0.0.tgz", + "integrity": "sha512-U73+6lQFmfiNPrYbXqr6kZ1i1wiRqXnp2nhMsINseWXO8lDau0LGEffJ8kQi4EjLZympVgRdvqjAgiZ1tgzDDA==", + "dev": true, + "engines": { + "node": ">=0.8" + } + }, + "node_modules/content-disposition": { + "version": "0.5.4", + "resolved": "https://registry.npmjs.org/content-disposition/-/content-disposition-0.5.4.tgz", + "integrity": "sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==", + "dev": true, + "dependencies": { + "safe-buffer": "5.2.1" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/content-type": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/content-type/-/content-type-1.0.5.tgz", + "integrity": "sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/convert-source-map": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/convert-source-map/-/convert-source-map-2.0.0.tgz", + "integrity": "sha512-Kvp459HrV2FEJ1CAsi1Ku+MY3kasH19TFykTz2xWmMeq6bk2NU3XXvfJ+Q61m0xktWwt+1HSYf3JZsTms3aRJg==", + "dev": true + }, + "node_modules/cookie": { + "version": "0.5.0", + "resolved": "https://registry.npmjs.org/cookie/-/cookie-0.5.0.tgz", + "integrity": "sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/cookie-signature": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/cookie-signature/-/cookie-signature-1.0.6.tgz", + "integrity": "sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==", + "dev": true + }, + "node_modules/core-js-compat": { + "version": "3.32.2", + "resolved": "https://registry.npmjs.org/core-js-compat/-/core-js-compat-3.32.2.tgz", + "integrity": "sha512-+GjlguTDINOijtVRUxrQOv3kfu9rl+qPNdX2LTbJ/ZyVTuxK+ksVSAGX1nHstu4hrv1En/uPTtWgq2gI5wt4AQ==", + "dev": true, + "dependencies": { + "browserslist": "^4.21.10" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/core-js" + } + }, + "node_modules/core-util-is": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/core-util-is/-/core-util-is-1.0.3.tgz", + "integrity": "sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ==", + "dev": true + }, + "node_modules/cross-spawn": { + "version": "7.0.3", + "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.3.tgz", + "integrity": "sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==", + "dev": true, + "dependencies": { + "path-key": "^3.1.0", + "shebang-command": "^2.0.0", + "which": "^2.0.1" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/css-loader": { + "version": "5.2.7", + "resolved": "https://registry.npmjs.org/css-loader/-/css-loader-5.2.7.tgz", + "integrity": "sha512-Q7mOvpBNBG7YrVGMxRxcBJZFL75o+cH2abNASdibkj/fffYD8qWbInZrD0S9ccI6vZclF3DsHE7njGlLtaHbhg==", + "dev": true, + "dependencies": { + "icss-utils": "^5.1.0", + "loader-utils": "^2.0.0", + "postcss": "^8.2.15", + "postcss-modules-extract-imports": "^3.0.0", + "postcss-modules-local-by-default": "^4.0.0", + "postcss-modules-scope": "^3.0.0", + "postcss-modules-values": "^4.0.0", + "postcss-value-parser": "^4.1.0", + "schema-utils": "^3.0.0", + "semver": "^7.3.5" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^4.27.0 || ^5.0.0" + } + }, + "node_modules/css-loader/node_modules/lru-cache": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", + "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", + "dev": true, + "dependencies": { + "yallist": "^4.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/css-loader/node_modules/schema-utils": { + "version": "3.3.0", + "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-3.3.0.tgz", + "integrity": "sha512-pN/yOAvcC+5rQ5nERGuwrjLlYvLTbCibnZ1I7B1LaiAz9BRBlE9GMgE/eqV30P7aJQUf7Ddimy/RsbYO/GrVGg==", + "dev": true, + "dependencies": { + "@types/json-schema": "^7.0.8", + "ajv": "^6.12.5", + "ajv-keywords": "^3.5.2" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/css-loader/node_modules/semver": { + "version": "7.5.4", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.5.4.tgz", + "integrity": "sha512-1bCSESV6Pv+i21Hvpxp3Dx+pSD8lIPt8uVjRrxAUt/nbswYc+tK6Y2btiULjd4+fnq15PX+nqQDC7Oft7WkwcA==", + "dev": true, + "dependencies": { + "lru-cache": "^6.0.0" + }, + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/css-loader/node_modules/yallist": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", + "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==", + "dev": true + }, + "node_modules/css-select": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/css-select/-/css-select-4.3.0.tgz", + "integrity": "sha512-wPpOYtnsVontu2mODhA19JrqWxNsfdatRKd64kmpRbQgh1KtItko5sTnEpPdpSaJszTOhEMlF/RPz28qj4HqhQ==", + "dev": true, + "dependencies": { + "boolbase": "^1.0.0", + "css-what": "^6.0.1", + "domhandler": "^4.3.1", + "domutils": "^2.8.0", + "nth-check": "^2.0.1" + }, + "funding": { + "url": "https://github.com/sponsors/fb55" + } + }, + "node_modules/css-what": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/css-what/-/css-what-6.1.0.tgz", + "integrity": "sha512-HTUrgRJ7r4dsZKU6GjmpfRK1O76h97Z8MfS1G0FozR+oF2kG6Vfe8JE6zwrkbxigziPHinCJ+gCPjA9EaBDtRw==", + "dev": true, + "engines": { + "node": ">= 6" + }, + "funding": { + "url": "https://github.com/sponsors/fb55" + } + }, + "node_modules/cssesc": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/cssesc/-/cssesc-3.0.0.tgz", + "integrity": "sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==", + "dev": true, + "bin": { + "cssesc": "bin/cssesc" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/csstype": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.2.tgz", + "integrity": "sha512-I7K1Uu0MBPzaFKg4nI5Q7Vs2t+3gWWW648spaF+Rg7pI9ds18Ugn+lvg4SHczUdKlHI5LWBXyqfS8+DufyBsgQ==", + "peer": true + }, + "node_modules/debug": { + "version": "4.3.4", + "resolved": "https://registry.npmjs.org/debug/-/debug-4.3.4.tgz", + "integrity": "sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==", + "dependencies": { + "ms": "2.1.2" + }, + "engines": { + "node": ">=6.0" + }, + "peerDependenciesMeta": { + "supports-color": { + "optional": true + } + } + }, + "node_modules/default-gateway": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/default-gateway/-/default-gateway-6.0.3.tgz", + "integrity": "sha512-fwSOJsbbNzZ/CUFpqFBqYfYNLj1NbMPm8MMCIzHjC83iSJRBEGmDUxU+WP661BaBQImeC2yHwXtz+P/O9o+XEg==", + "dev": true, + "dependencies": { + "execa": "^5.0.0" + }, + "engines": { + "node": ">= 10" + } + }, + "node_modules/define-lazy-prop": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/define-lazy-prop/-/define-lazy-prop-2.0.0.tgz", + "integrity": "sha512-Ds09qNh8yw3khSjiJjiUInaGX9xlqZDY7JVryGxdxV7NPeuqQfplOpQ66yJFZut3jLa5zOwkXw1g9EI2uKh4Og==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/delayed-stream": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", + "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", + "engines": { + "node": ">=0.4.0" + } + }, + "node_modules/depd": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/depd/-/depd-2.0.0.tgz", + "integrity": "sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/destroy": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/destroy/-/destroy-1.2.0.tgz", + "integrity": "sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==", + "dev": true, + "engines": { + "node": ">= 0.8", + "npm": "1.2.8000 || >= 1.4.16" + } + }, + "node_modules/detect-node": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/detect-node/-/detect-node-2.1.0.tgz", + "integrity": "sha512-T0NIuQpnTvFDATNuHN5roPwSBG83rFsuO+MXXH9/3N1eFbn4wcPjttvjMLEPWJ0RGUYgQE7cGgS3tNxbqCGM7g==", + "dev": true + }, + "node_modules/dns-equal": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/dns-equal/-/dns-equal-1.0.0.tgz", + "integrity": "sha512-z+paD6YUQsk+AbGCEM4PrOXSss5gd66QfcVBFTKR/HpFL9jCqikS94HYwKww6fQyO7IxrIIyUu+g0Ka9tUS2Cg==", + "dev": true + }, + "node_modules/dns-packet": { + "version": "5.6.1", + "resolved": "https://registry.npmjs.org/dns-packet/-/dns-packet-5.6.1.tgz", + "integrity": "sha512-l4gcSouhcgIKRvyy99RNVOgxXiicE+2jZoNmaNmZ6JXiGajBOJAesk1OBlJuM5k2c+eudGdLxDqXuPCKIj6kpw==", + "dev": true, + "dependencies": { + "@leichtgewicht/ip-codec": "^2.0.1" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/dom-converter": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/dom-converter/-/dom-converter-0.2.0.tgz", + "integrity": "sha512-gd3ypIPfOMr9h5jIKq8E3sHOTCjeirnl0WK5ZdS1AW0Odt0b1PaWaHdJ4Qk4klv+YB9aJBS7mESXjFoDQPu6DA==", + "dev": true, + "dependencies": { + "utila": "~0.4" + } + }, + "node_modules/dom-serializer": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/dom-serializer/-/dom-serializer-1.4.1.tgz", + "integrity": "sha512-VHwB3KfrcOOkelEG2ZOfxqLZdfkil8PtJi4P8N2MMXucZq2yLp75ClViUlOVwyoHEDjYU433Aq+5zWP61+RGag==", + "dev": true, + "dependencies": { + "domelementtype": "^2.0.1", + "domhandler": "^4.2.0", + "entities": "^2.0.0" + }, + "funding": { + "url": "https://github.com/cheeriojs/dom-serializer?sponsor=1" + } + }, + "node_modules/dom-serializer/node_modules/entities": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-2.2.0.tgz", + "integrity": "sha512-p92if5Nz619I0w+akJrLZH0MX0Pb5DX39XOwQTtXSdQQOaYH03S1uIQp4mhOZtAXrxq4ViO67YTiLBo2638o9A==", + "dev": true, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/domelementtype": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/domelementtype/-/domelementtype-2.3.0.tgz", + "integrity": "sha512-OLETBj6w0OsagBwdXnPdN0cnMfF9opN69co+7ZrbfPGrdpPVNBUj02spi6B1N7wChLQiPn4CSH/zJvXw56gmHw==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/fb55" + } + ] + }, + "node_modules/domhandler": { + "version": "4.3.1", + "resolved": "https://registry.npmjs.org/domhandler/-/domhandler-4.3.1.tgz", + "integrity": "sha512-GrwoxYN+uWlzO8uhUXRl0P+kHE4GtVPfYzVLcUxPL7KNdHKj66vvlhiweIHqYYXWlw+T8iLMp42Lm67ghw4WMQ==", + "dev": true, + "dependencies": { + "domelementtype": "^2.2.0" + }, + "engines": { + "node": ">= 4" + }, + "funding": { + "url": "https://github.com/fb55/domhandler?sponsor=1" + } + }, + "node_modules/domutils": { + "version": "2.8.0", + "resolved": "https://registry.npmjs.org/domutils/-/domutils-2.8.0.tgz", + "integrity": "sha512-w96Cjofp72M5IIhpjgobBimYEfoPjx1Vx0BSX9P30WBdZW2WIKU0T1Bd0kz2eNZ9ikjKgHbEyKx8BB6H1L3h3A==", + "dev": true, + "dependencies": { + "dom-serializer": "^1.0.1", + "domelementtype": "^2.2.0", + "domhandler": "^4.2.0" + }, + "funding": { + "url": "https://github.com/fb55/domutils?sponsor=1" + } + }, + "node_modules/dot-case": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/dot-case/-/dot-case-3.0.4.tgz", + "integrity": "sha512-Kv5nKlh6yRrdrGvxeJ2e5y2eRUpkUosIW4A2AS38zwSz27zu7ufDwQPi5Jhs3XAlGNetl3bmnGhQsMtkKJnj3w==", + "dev": true, + "dependencies": { + "no-case": "^3.0.4", + "tslib": "^2.0.3" + } + }, + "node_modules/ecdsa-sig-formatter": { + "version": "1.0.11", + "resolved": "https://registry.npmjs.org/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.11.tgz", + "integrity": "sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ==", + "dependencies": { + "safe-buffer": "^5.0.1" + } + }, + "node_modules/ee-first": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/ee-first/-/ee-first-1.1.1.tgz", + "integrity": "sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==", + "dev": true + }, + "node_modules/electron-to-chromium": { + "version": "1.4.537", + "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.4.537.tgz", + "integrity": "sha512-W1+g9qs9hviII0HAwOdehGYkr+zt7KKdmCcJcjH0mYg6oL8+ioT3Skjmt7BLoAQqXhjf40AXd+HlR4oAWMlXjA==", + "dev": true + }, + "node_modules/emojis-list": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/emojis-list/-/emojis-list-3.0.0.tgz", + "integrity": "sha512-/kyM18EfinwXZbno9FyUGeFh87KC8HRQBQGildHZbEuRyWFOmv1U10o9BBp8XVZDVNNuQKyIGIu5ZYAAXJ0V2Q==", + "dev": true, + "engines": { + "node": ">= 4" + } + }, + "node_modules/encodeurl": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/encodeurl/-/encodeurl-1.0.2.tgz", + "integrity": "sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/enhanced-resolve": { + "version": "5.15.0", + "resolved": "https://registry.npmjs.org/enhanced-resolve/-/enhanced-resolve-5.15.0.tgz", + "integrity": "sha512-LXYT42KJ7lpIKECr2mAXIaMldcNCh/7E0KBKOu4KSfkHmP+mZmSs+8V5gBAqisWBy0OO4W5Oyys0GO1Y8KtdKg==", + "dev": true, + "dependencies": { + "graceful-fs": "^4.2.4", + "tapable": "^2.2.0" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/entities": { + "version": "4.5.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-4.5.0.tgz", + "integrity": "sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw==", + "dev": true, + "engines": { + "node": ">=0.12" + }, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/envinfo": { + "version": "7.10.0", + "resolved": "https://registry.npmjs.org/envinfo/-/envinfo-7.10.0.tgz", + "integrity": "sha512-ZtUjZO6l5mwTHvc1L9+1q5p/R3wTopcfqMW8r5t8SJSKqeVI/LtajORwRFEKpEFuekjD0VBjwu1HMxL4UalIRw==", + "dev": true, + "bin": { + "envinfo": "dist/cli.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/es-module-lexer": { + "version": "1.3.1", + "resolved": "https://registry.npmjs.org/es-module-lexer/-/es-module-lexer-1.3.1.tgz", + "integrity": "sha512-JUFAyicQV9mXc3YRxPnDlrfBKpqt6hUYzz9/boprUJHs4e4KVr3XwOF70doO6gwXUor6EWZJAyWAfKki84t20Q==", + "dev": true + }, + "node_modules/escalade": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.1.1.tgz", + "integrity": "sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==", + "dev": true, + "engines": { + "node": ">=6" + } + }, + "node_modules/escape-html": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/escape-html/-/escape-html-1.0.3.tgz", + "integrity": "sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==", + "dev": true + }, + "node_modules/escape-string-regexp": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz", + "integrity": "sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==", + "dev": true, + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/eslint-scope": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/eslint-scope/-/eslint-scope-5.1.1.tgz", + "integrity": "sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==", + "dev": true, + "dependencies": { + "esrecurse": "^4.3.0", + "estraverse": "^4.1.1" + }, + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/esrecurse": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz", + "integrity": "sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==", + "dev": true, + "dependencies": { + "estraverse": "^5.2.0" + }, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/esrecurse/node_modules/estraverse": { + "version": "5.3.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz", + "integrity": "sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==", + "dev": true, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/estraverse": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/estraverse/-/estraverse-4.3.0.tgz", + "integrity": "sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==", + "dev": true, + "engines": { + "node": ">=4.0" + } + }, + "node_modules/esutils": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz", + "integrity": "sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/etag": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/etag/-/etag-1.8.1.tgz", + "integrity": "sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/eventemitter3": { + "version": "4.0.7", + "resolved": "https://registry.npmjs.org/eventemitter3/-/eventemitter3-4.0.7.tgz", + "integrity": "sha512-8guHBZCwKnFhYdHr2ysuRWErTwhoN2X8XELRlrRwpmfeY2jjuUN4taQMsULKUVo1K4DvZl+0pgfyoysHxvmvEw==", + "dev": true + }, + "node_modules/events": { + "version": "3.3.0", + "resolved": "https://registry.npmjs.org/events/-/events-3.3.0.tgz", + "integrity": "sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==", + "engines": { + "node": ">=0.8.x" + } + }, + "node_modules/execa": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/execa/-/execa-5.1.1.tgz", + "integrity": "sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==", + "dev": true, + "dependencies": { + "cross-spawn": "^7.0.3", + "get-stream": "^6.0.0", + "human-signals": "^2.1.0", + "is-stream": "^2.0.0", + "merge-stream": "^2.0.0", + "npm-run-path": "^4.0.1", + "onetime": "^5.1.2", + "signal-exit": "^3.0.3", + "strip-final-newline": "^2.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sindresorhus/execa?sponsor=1" + } + }, + "node_modules/express": { + "version": "4.18.2", + "resolved": "https://registry.npmjs.org/express/-/express-4.18.2.tgz", + "integrity": "sha512-5/PsL6iGPdfQ/lKM1UuielYgv3BUoJfz1aUwU9vHZ+J7gyvwdQXFEBIEIaxeGf0GIcreATNyBExtalisDbuMqQ==", + "dev": true, + "dependencies": { + "accepts": "~1.3.8", + "array-flatten": "1.1.1", + "body-parser": "1.20.1", + "content-disposition": "0.5.4", + "content-type": "~1.0.4", + "cookie": "0.5.0", + "cookie-signature": "1.0.6", + "debug": "2.6.9", + "depd": "2.0.0", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "finalhandler": "1.2.0", + "fresh": "0.5.2", + "http-errors": "2.0.0", + "merge-descriptors": "1.0.1", + "methods": "~1.1.2", + "on-finished": "2.4.1", + "parseurl": "~1.3.3", + "path-to-regexp": "0.1.7", + "proxy-addr": "~2.0.7", + "qs": "6.11.0", + "range-parser": "~1.2.1", + "safe-buffer": "5.2.1", + "send": "0.18.0", + "serve-static": "1.15.0", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "type-is": "~1.6.18", + "utils-merge": "1.0.1", + "vary": "~1.1.2" + }, + "engines": { + "node": ">= 0.10.0" + } + }, + "node_modules/express/node_modules/array-flatten": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/array-flatten/-/array-flatten-1.1.1.tgz", + "integrity": "sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==", + "dev": true + }, + "node_modules/express/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/express/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true + }, + "node_modules/fast-deep-equal": { + "version": "3.1.3", + "resolved": "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz", + "integrity": "sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==", + "dev": true + }, + "node_modules/fast-json-stable-stringify": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz", + "integrity": "sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==", + "dev": true + }, + "node_modules/fastest-levenshtein": { + "version": "1.0.16", + "resolved": "https://registry.npmjs.org/fastest-levenshtein/-/fastest-levenshtein-1.0.16.tgz", + "integrity": "sha512-eRnCtTTtGZFpQCwhJiUOuxPQWRXVKYDn0b2PeHfXL6/Zi53SLAzAHfVhVWK2AryC/WH05kGfxhFIPvTF0SXQzg==", + "dev": true, + "engines": { + "node": ">= 4.9.1" + } + }, + "node_modules/faye-websocket": { + "version": "0.11.4", + "resolved": "https://registry.npmjs.org/faye-websocket/-/faye-websocket-0.11.4.tgz", + "integrity": "sha512-CzbClwlXAuiRQAlUyfqPgvPoNKTckTPGfwZV4ZdAhVcP2lh9KUxJg2b5GkE7XbjKQ3YJnQ9z6D9ntLAlB+tP8g==", + "dev": true, + "dependencies": { + "websocket-driver": ">=0.5.1" + }, + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/fill-range": { + "version": "7.0.1", + "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.0.1.tgz", + "integrity": "sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==", + "dev": true, + "dependencies": { + "to-regex-range": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/finalhandler": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/finalhandler/-/finalhandler-1.2.0.tgz", + "integrity": "sha512-5uXcUVftlQMFnWC9qu/svkWv3GTd2PfUhK/3PLkYNAe7FbqJMt3515HaxE6eRL74GdsriiwujiawdaB1BpEISg==", + "dev": true, + "dependencies": { + "debug": "2.6.9", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "on-finished": "2.4.1", + "parseurl": "~1.3.3", + "statuses": "2.0.1", + "unpipe": "~1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/finalhandler/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/finalhandler/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true + }, + "node_modules/find-cache-dir": { + "version": "3.3.2", + "resolved": "https://registry.npmjs.org/find-cache-dir/-/find-cache-dir-3.3.2.tgz", + "integrity": "sha512-wXZV5emFEjrridIgED11OoUKLxiYjAcqot/NJdAkOhlJ+vGzwhOAfcG5OX1jP+S0PcjEn8bdMJv+g2jwQ3Onig==", + "dev": true, + "dependencies": { + "commondir": "^1.0.1", + "make-dir": "^3.0.2", + "pkg-dir": "^4.1.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/avajs/find-cache-dir?sponsor=1" + } + }, + "node_modules/find-up": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/find-up/-/find-up-4.1.0.tgz", + "integrity": "sha512-PpOwAdQ/YlXQ2vj8a3h8IipDuYRi3wceVQQGYWxNINccq40Anw7BlsEXCMbt1Zt+OLA6Fq9suIpIWD0OsnISlw==", + "dev": true, + "dependencies": { + "locate-path": "^5.0.0", + "path-exists": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/follow-redirects": { + "version": "1.15.3", + "resolved": "https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.15.3.tgz", + "integrity": "sha512-1VzOtuEM8pC9SFU1E+8KfTjZyMztRsgEfwQl44z8A25uy13jSzTj6dyK2Df52iV0vgHCfBwLhDWevLn95w5v6Q==", + "dev": true, + "funding": [ + { + "type": "individual", + "url": "https://github.com/sponsors/RubenVerborgh" + } + ], + "engines": { + "node": ">=4.0" + }, + "peerDependenciesMeta": { + "debug": { + "optional": true + } + } + }, + "node_modules/form-data": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.0.tgz", + "integrity": "sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==", + "dependencies": { + "asynckit": "^0.4.0", + "combined-stream": "^1.0.8", + "mime-types": "^2.1.12" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/forwarded": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/forwarded/-/forwarded-0.2.0.tgz", + "integrity": "sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fresh": { + "version": "0.5.2", + "resolved": "https://registry.npmjs.org/fresh/-/fresh-0.5.2.tgz", + "integrity": "sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/fs-monkey": { + "version": "1.0.5", + "resolved": "https://registry.npmjs.org/fs-monkey/-/fs-monkey-1.0.5.tgz", + "integrity": "sha512-8uMbBjrhzW76TYgEV27Y5E//W2f/lTFmx78P2w19FZSxarhI/798APGQyuGCwmkNxgwGRhrLfvWyLBvNtuOmew==", + "dev": true + }, + "node_modules/fs.realpath": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/fs.realpath/-/fs.realpath-1.0.0.tgz", + "integrity": "sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==", + "dev": true + }, + "node_modules/fsevents": { + "version": "2.3.3", + "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz", + "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", + "dev": true, + "hasInstallScript": true, + "optional": true, + "os": [ + "darwin" + ], + "engines": { + "node": "^8.16.0 || ^10.6.0 || >=11.0.0" + } + }, + "node_modules/function-bind": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.1.tgz", + "integrity": "sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==", + "dev": true + }, + "node_modules/gensync": { + "version": "1.0.0-beta.2", + "resolved": "https://registry.npmjs.org/gensync/-/gensync-1.0.0-beta.2.tgz", + "integrity": "sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==", + "dev": true, + "engines": { + "node": ">=6.9.0" + } + }, + "node_modules/get-intrinsic": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.1.tgz", + "integrity": "sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==", + "dev": true, + "dependencies": { + "function-bind": "^1.1.1", + "has": "^1.0.3", + "has-proto": "^1.0.1", + "has-symbols": "^1.0.3" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/get-stream": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/get-stream/-/get-stream-6.0.1.tgz", + "integrity": "sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==", + "dev": true, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/glob": { + "version": "7.2.3", + "resolved": "https://registry.npmjs.org/glob/-/glob-7.2.3.tgz", + "integrity": "sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==", + "dev": true, + "dependencies": { + "fs.realpath": "^1.0.0", + "inflight": "^1.0.4", + "inherits": "2", + "minimatch": "^3.1.1", + "once": "^1.3.0", + "path-is-absolute": "^1.0.0" + }, + "engines": { + "node": "*" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/glob-parent": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", + "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", + "dev": true, + "dependencies": { + "is-glob": "^4.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/glob-to-regexp": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/glob-to-regexp/-/glob-to-regexp-0.4.1.tgz", + "integrity": "sha512-lkX1HJXwyMcprw/5YUZc2s7DrpAiHB21/V+E1rHUrVNokkvB6bqMzT0VfV6/86ZNabt1k14YOIaT7nDvOX3Iiw==", + "dev": true + }, + "node_modules/globals": { + "version": "11.12.0", + "resolved": "https://registry.npmjs.org/globals/-/globals-11.12.0.tgz", + "integrity": "sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/graceful-fs": { + "version": "4.2.11", + "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.11.tgz", + "integrity": "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==", + "dev": true + }, + "node_modules/handle-thing": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/handle-thing/-/handle-thing-2.0.1.tgz", + "integrity": "sha512-9Qn4yBxelxoh2Ow62nP+Ka/kMnOXRi8BXnRaUwezLNhqelnN49xKz4F/dPP8OYLxLxq6JDtZb2i9XznUQbNPTg==", + "dev": true + }, + "node_modules/has": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has/-/has-1.0.3.tgz", + "integrity": "sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==", + "dev": true, + "dependencies": { + "function-bind": "^1.1.1" + }, + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/has-flag": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz", + "integrity": "sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/has-proto": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/has-proto/-/has-proto-1.0.1.tgz", + "integrity": "sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==", + "dev": true, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/has-symbols": { + "version": "1.0.3", + "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.0.3.tgz", + "integrity": "sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==", + "dev": true, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/he": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/he/-/he-1.2.0.tgz", + "integrity": "sha512-F/1DnUGPopORZi0ni+CvrCgHQ5FyEAHRLSApuYWMmrbSwoN2Mn/7k+Gl38gJnR7yyDZk6WLXwiGod1JOWNDKGw==", + "dev": true, + "bin": { + "he": "bin/he" + } + }, + "node_modules/hpack.js": { + "version": "2.1.6", + "resolved": "https://registry.npmjs.org/hpack.js/-/hpack.js-2.1.6.tgz", + "integrity": "sha512-zJxVehUdMGIKsRaNt7apO2Gqp0BdqW5yaiGHXXmbpvxgBYVZnAql+BJb4RO5ad2MgpbZKn5G6nMnegrH1FcNYQ==", + "dev": true, + "dependencies": { + "inherits": "^2.0.1", + "obuf": "^1.0.0", + "readable-stream": "^2.0.1", + "wbuf": "^1.1.0" + } + }, + "node_modules/hpack.js/node_modules/readable-stream": { + "version": "2.3.8", + "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-2.3.8.tgz", + "integrity": "sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA==", + "dev": true, + "dependencies": { + "core-util-is": "~1.0.0", + "inherits": "~2.0.3", + "isarray": "~1.0.0", + "process-nextick-args": "~2.0.0", + "safe-buffer": "~5.1.1", + "string_decoder": "~1.1.1", + "util-deprecate": "~1.0.1" + } + }, + "node_modules/hpack.js/node_modules/safe-buffer": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.1.2.tgz", + "integrity": "sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==", + "dev": true + }, + "node_modules/hpack.js/node_modules/string_decoder": { + "version": "1.1.1", + "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.1.1.tgz", + "integrity": "sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==", + "dev": true, + "dependencies": { + "safe-buffer": "~5.1.0" + } + }, + "node_modules/html-entities": { + "version": "2.4.0", + "resolved": "https://registry.npmjs.org/html-entities/-/html-entities-2.4.0.tgz", + "integrity": "sha512-igBTJcNNNhvZFRtm8uA6xMY6xYleeDwn3PeBCkDz7tHttv4F2hsDI2aPgNERWzvRcNYHNT3ymRaQzllmXj4YsQ==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/mdevils" + }, + { + "type": "patreon", + "url": "https://patreon.com/mdevils" + } + ] + }, + "node_modules/html-loader": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/html-loader/-/html-loader-4.2.0.tgz", + "integrity": "sha512-OxCHD3yt+qwqng2vvcaPApCEvbx+nXWu+v69TYHx1FO8bffHn/JjHtE3TTQZmHjwvnJe4xxzuecetDVBrQR1Zg==", + "dev": true, + "dependencies": { + "html-minifier-terser": "^7.0.0", + "parse5": "^7.0.0" + }, + "engines": { + "node": ">= 14.15.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^5.0.0" + } + }, + "node_modules/html-minifier-terser": { + "version": "7.2.0", + "resolved": "https://registry.npmjs.org/html-minifier-terser/-/html-minifier-terser-7.2.0.tgz", + "integrity": "sha512-tXgn3QfqPIpGl9o+K5tpcj3/MN4SfLtsx2GWwBC3SSd0tXQGyF3gsSqad8loJgKZGM3ZxbYDd5yhiBIdWpmvLA==", + "dev": true, + "dependencies": { + "camel-case": "^4.1.2", + "clean-css": "~5.3.2", + "commander": "^10.0.0", + "entities": "^4.4.0", + "param-case": "^3.0.4", + "relateurl": "^0.2.7", + "terser": "^5.15.1" + }, + "bin": { + "html-minifier-terser": "cli.js" + }, + "engines": { + "node": "^14.13.1 || >=16.0.0" + } + }, + "node_modules/html-webpack-plugin": { + "version": "5.5.3", + "resolved": "https://registry.npmjs.org/html-webpack-plugin/-/html-webpack-plugin-5.5.3.tgz", + "integrity": "sha512-6YrDKTuqaP/TquFH7h4srYWsZx+x6k6+FbsTm0ziCwGHDP78Unr1r9F/H4+sGmMbX08GQcJ+K64x55b+7VM/jg==", + "dev": true, + "dependencies": { + "@types/html-minifier-terser": "^6.0.0", + "html-minifier-terser": "^6.0.2", + "lodash": "^4.17.21", + "pretty-error": "^4.0.0", + "tapable": "^2.0.0" + }, + "engines": { + "node": ">=10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/html-webpack-plugin" + }, + "peerDependencies": { + "webpack": "^5.20.0" + } + }, + "node_modules/html-webpack-plugin/node_modules/commander": { + "version": "8.3.0", + "resolved": "https://registry.npmjs.org/commander/-/commander-8.3.0.tgz", + "integrity": "sha512-OkTL9umf+He2DZkUq8f8J9of7yL6RJKI24dVITBmNfZBmri9zYZQrKkuXiKhyfPSu8tUhnVBB1iKXevvnlR4Ww==", + "dev": true, + "engines": { + "node": ">= 12" + } + }, + "node_modules/html-webpack-plugin/node_modules/html-minifier-terser": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/html-minifier-terser/-/html-minifier-terser-6.1.0.tgz", + "integrity": "sha512-YXxSlJBZTP7RS3tWnQw74ooKa6L9b9i9QYXY21eUEvhZ3u9XLfv6OnFsQq6RxkhHygsaUMvYsZRV5rU/OVNZxw==", + "dev": true, + "dependencies": { + "camel-case": "^4.1.2", + "clean-css": "^5.2.2", + "commander": "^8.3.0", + "he": "^1.2.0", + "param-case": "^3.0.4", + "relateurl": "^0.2.7", + "terser": "^5.10.0" + }, + "bin": { + "html-minifier-terser": "cli.js" + }, + "engines": { + "node": ">=12" + } + }, + "node_modules/htmlparser2": { + "version": "6.1.0", + "resolved": "https://registry.npmjs.org/htmlparser2/-/htmlparser2-6.1.0.tgz", + "integrity": "sha512-gyyPk6rgonLFEDGoeRgQNaEUvdJ4ktTmmUh/h2t7s+M8oPpIPxgNACWa+6ESR57kXstwqPiCut0V8NRpcwgU7A==", + "dev": true, + "funding": [ + "https://github.com/fb55/htmlparser2?sponsor=1", + { + "type": "github", + "url": "https://github.com/sponsors/fb55" + } + ], + "dependencies": { + "domelementtype": "^2.0.1", + "domhandler": "^4.0.0", + "domutils": "^2.5.2", + "entities": "^2.0.0" + } + }, + "node_modules/htmlparser2/node_modules/entities": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/entities/-/entities-2.2.0.tgz", + "integrity": "sha512-p92if5Nz619I0w+akJrLZH0MX0Pb5DX39XOwQTtXSdQQOaYH03S1uIQp4mhOZtAXrxq4ViO67YTiLBo2638o9A==", + "dev": true, + "funding": { + "url": "https://github.com/fb55/entities?sponsor=1" + } + }, + "node_modules/http-deceiver": { + "version": "1.2.7", + "resolved": "https://registry.npmjs.org/http-deceiver/-/http-deceiver-1.2.7.tgz", + "integrity": "sha512-LmpOGxTfbpgtGVxJrj5k7asXHCgNZp5nLfp+hWc8QQRqtb7fUy6kRY3BO1h9ddF6yIPYUARgxGOwB42DnxIaNw==", + "dev": true + }, + "node_modules/http-errors": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-2.0.0.tgz", + "integrity": "sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==", + "dev": true, + "dependencies": { + "depd": "2.0.0", + "inherits": "2.0.4", + "setprototypeof": "1.2.0", + "statuses": "2.0.1", + "toidentifier": "1.0.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/http-parser-js": { + "version": "0.5.8", + "resolved": "https://registry.npmjs.org/http-parser-js/-/http-parser-js-0.5.8.tgz", + "integrity": "sha512-SGeBX54F94Wgu5RH3X5jsDtf4eHyRogWX1XGT3b4HuW3tQPM4AaBzoUji/4AAJNXCEOWZ5O0DgZmJw1947gD5Q==", + "dev": true + }, + "node_modules/http-proxy": { + "version": "1.18.1", + "resolved": "https://registry.npmjs.org/http-proxy/-/http-proxy-1.18.1.tgz", + "integrity": "sha512-7mz/721AbnJwIVbnaSv1Cz3Am0ZLT/UBwkC92VlxhXv/k/BBQfM2fXElQNC27BVGr0uwUpplYPQM9LnaBMR5NQ==", + "dev": true, + "dependencies": { + "eventemitter3": "^4.0.0", + "follow-redirects": "^1.0.0", + "requires-port": "^1.0.0" + }, + "engines": { + "node": ">=8.0.0" + } + }, + "node_modules/http-proxy-agent": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-5.0.0.tgz", + "integrity": "sha512-n2hY8YdoRE1i7r6M0w9DIw5GgZN0G25P8zLCRQ8rjXtTU3vsNFBI/vWK/UIeE6g5MUUz6avwAPXmL6Fy9D/90w==", + "dependencies": { + "@tootallnate/once": "2", + "agent-base": "6", + "debug": "4" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/http-proxy-middleware": { + "version": "2.0.6", + "resolved": "https://registry.npmjs.org/http-proxy-middleware/-/http-proxy-middleware-2.0.6.tgz", + "integrity": "sha512-ya/UeJ6HVBYxrgYotAZo1KvPWlgB48kUJLDePFeneHsVujFaW5WNj2NgWCAE//B1Dl02BIfYlpNgBy8Kf8Rjmw==", + "dev": true, + "dependencies": { + "@types/http-proxy": "^1.17.8", + "http-proxy": "^1.18.1", + "is-glob": "^4.0.1", + "is-plain-obj": "^3.0.0", + "micromatch": "^4.0.2" + }, + "engines": { + "node": ">=12.0.0" + }, + "peerDependencies": { + "@types/express": "^4.17.13" + }, + "peerDependenciesMeta": { + "@types/express": { + "optional": true + } + } + }, + "node_modules/https-proxy-agent": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz", + "integrity": "sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==", + "dependencies": { + "agent-base": "6", + "debug": "4" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/human-signals": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/human-signals/-/human-signals-2.1.0.tgz", + "integrity": "sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==", + "dev": true, + "engines": { + "node": ">=10.17.0" + } + }, + "node_modules/iconv-lite": { + "version": "0.4.24", + "resolved": "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.4.24.tgz", + "integrity": "sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==", + "dev": true, + "dependencies": { + "safer-buffer": ">= 2.1.2 < 3" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/icss-utils": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/icss-utils/-/icss-utils-5.1.0.tgz", + "integrity": "sha512-soFhflCVWLfRNOPU3iv5Z9VUdT44xFRbzjLsEzSr5AQmgqPMTHdU3PMT1Cf1ssx8fLNJDA1juftYl+PUcv3MqA==", + "dev": true, + "engines": { + "node": "^10 || ^12 || >= 14" + }, + "peerDependencies": { + "postcss": "^8.1.0" + } + }, + "node_modules/import-local": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/import-local/-/import-local-3.1.0.tgz", + "integrity": "sha512-ASB07uLtnDs1o6EHjKpX34BKYDSqnFerfTOJL2HvMqF70LnxpjkzDB8J44oT9pu4AMPkQwf8jl6szgvNd2tRIg==", + "dev": true, + "dependencies": { + "pkg-dir": "^4.2.0", + "resolve-cwd": "^3.0.0" + }, + "bin": { + "import-local-fixture": "fixtures/cli.js" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/inflight": { + "version": "1.0.6", + "resolved": "https://registry.npmjs.org/inflight/-/inflight-1.0.6.tgz", + "integrity": "sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==", + "dev": true, + "dependencies": { + "once": "^1.3.0", + "wrappy": "1" + } + }, + "node_modules/inherits": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz", + "integrity": "sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==", + "dev": true + }, + "node_modules/interpret": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/interpret/-/interpret-3.1.1.tgz", + "integrity": "sha512-6xwYfHbajpoF0xLW+iwLkhwgvLoZDfjYfoFNu8ftMoXINzwuymNLd9u/KmwtdT2GbR+/Cz66otEGEVVUHX9QLQ==", + "dev": true, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/ipaddr.js": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-2.1.0.tgz", + "integrity": "sha512-LlbxQ7xKzfBusov6UMi4MFpEg0m+mAm9xyNGEduwXMEDuf4WfzB/RZwMVYEd7IKGvh4IUkEXYxtAVu9T3OelJQ==", + "dev": true, + "engines": { + "node": ">= 10" + } + }, + "node_modules/is-binary-path": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", + "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", + "dev": true, + "dependencies": { + "binary-extensions": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/is-core-module": { + "version": "2.13.0", + "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.13.0.tgz", + "integrity": "sha512-Z7dk6Qo8pOCp3l4tsX2C5ZVas4V+UxwQodwZhLopL91TX8UyyHEXafPcyoeeWuLrwzHcr3igO78wNLwHJHsMCQ==", + "dev": true, + "dependencies": { + "has": "^1.0.3" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/is-docker": { + "version": "2.2.1", + "resolved": "https://registry.npmjs.org/is-docker/-/is-docker-2.2.1.tgz", + "integrity": "sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ==", + "dev": true, + "bin": { + "is-docker": "cli.js" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-extglob": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", + "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-glob": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", + "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", + "dev": true, + "dependencies": { + "is-extglob": "^2.1.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-number": { + "version": "7.0.0", + "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", + "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", + "dev": true, + "engines": { + "node": ">=0.12.0" + } + }, + "node_modules/is-plain-obj": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/is-plain-obj/-/is-plain-obj-3.0.0.tgz", + "integrity": "sha512-gwsOE28k+23GP1B6vFl1oVh/WOzmawBrKwo5Ev6wMKzPkaXaCDIQKzLnvsA42DRlbVTWorkgTKIviAKCWkfUwA==", + "dev": true, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-plain-object": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/is-plain-object/-/is-plain-object-2.0.4.tgz", + "integrity": "sha512-h5PpgXkWitc38BBMYawTYMWJHFZJVnBquFE57xFpjB8pJFiF6gZ+bU+WyI/yqXiFR5mdLsgYNaPe8uao6Uv9Og==", + "dev": true, + "dependencies": { + "isobject": "^3.0.1" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/is-stream": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz", + "integrity": "sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==", + "dev": true, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/is-wsl": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/is-wsl/-/is-wsl-2.2.0.tgz", + "integrity": "sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==", + "dev": true, + "dependencies": { + "is-docker": "^2.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/isarray": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/isarray/-/isarray-1.0.0.tgz", + "integrity": "sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ==", + "dev": true + }, + "node_modules/isexe": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", + "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", + "dev": true + }, + "node_modules/isobject": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/isobject/-/isobject-3.0.1.tgz", + "integrity": "sha512-WhB9zCku7EGTj/HQQRz5aUQEUeoQZH2bWcltRErOpymJ4boYE6wL9Tbr23krRPSZ+C5zqNSrSw+Cc7sZZ4b7vg==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/jest-worker": { + "version": "27.5.1", + "resolved": "https://registry.npmjs.org/jest-worker/-/jest-worker-27.5.1.tgz", + "integrity": "sha512-7vuh85V5cdDofPyxn58nrPjBktZo0u9x1g8WtjQol+jZDaE+fhN+cIvTj11GndBnMnyfrUOG1sZQxCdjKh+DKg==", + "dev": true, + "dependencies": { + "@types/node": "*", + "merge-stream": "^2.0.0", + "supports-color": "^8.0.0" + }, + "engines": { + "node": ">= 10.13.0" + } + }, + "node_modules/jest-worker/node_modules/has-flag": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz", + "integrity": "sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/jest-worker/node_modules/supports-color": { + "version": "8.1.1", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-8.1.1.tgz", + "integrity": "sha512-MpUEN2OodtUzxvKQl72cUF7RQ5EiHsGvSsVG0ia9c5RbWGL2CI4C7EpPS8UTBIplnlzZiNuV56w+FuNxy3ty2Q==", + "dev": true, + "dependencies": { + "has-flag": "^4.0.0" + }, + "engines": { + "node": ">=10" + }, + "funding": { + "url": "https://github.com/chalk/supports-color?sponsor=1" + } + }, + "node_modules/js-tokens": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", + "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==" + }, + "node_modules/jsesc": { + "version": "2.5.2", + "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-2.5.2.tgz", + "integrity": "sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==", + "dev": true, + "bin": { + "jsesc": "bin/jsesc" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/json-parse-even-better-errors": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz", + "integrity": "sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==", + "dev": true + }, + "node_modules/json-schema-traverse": { + "version": "0.4.1", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz", + "integrity": "sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==", + "dev": true + }, + "node_modules/json5": { + "version": "2.2.3", + "resolved": "https://registry.npmjs.org/json5/-/json5-2.2.3.tgz", + "integrity": "sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==", + "dev": true, + "bin": { + "json5": "lib/cli.js" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/jsonwebtoken": { + "version": "9.0.2", + "resolved": "https://registry.npmjs.org/jsonwebtoken/-/jsonwebtoken-9.0.2.tgz", + "integrity": "sha512-PRp66vJ865SSqOlgqS8hujT5U4AOgMfhrwYIuIhfKaoSCZcirrmASQr8CX7cUg+RMih+hgznrjp99o+W4pJLHQ==", + "dependencies": { + "jws": "^3.2.2", + "lodash.includes": "^4.3.0", + "lodash.isboolean": "^3.0.3", + "lodash.isinteger": "^4.0.4", + "lodash.isnumber": "^3.0.3", + "lodash.isplainobject": "^4.0.6", + "lodash.isstring": "^4.0.1", + "lodash.once": "^4.0.0", + "ms": "^2.1.1", + "semver": "^7.5.4" + }, + "engines": { + "node": ">=12", + "npm": ">=6" + } + }, + "node_modules/jsonwebtoken/node_modules/lru-cache": { + "version": "6.0.0", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-6.0.0.tgz", + "integrity": "sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==", + "dependencies": { + "yallist": "^4.0.0" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/jsonwebtoken/node_modules/semver": { + "version": "7.5.4", + "resolved": "https://registry.npmjs.org/semver/-/semver-7.5.4.tgz", + "integrity": "sha512-1bCSESV6Pv+i21Hvpxp3Dx+pSD8lIPt8uVjRrxAUt/nbswYc+tK6Y2btiULjd4+fnq15PX+nqQDC7Oft7WkwcA==", + "dependencies": { + "lru-cache": "^6.0.0" + }, + "bin": { + "semver": "bin/semver.js" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/jsonwebtoken/node_modules/yallist": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-4.0.0.tgz", + "integrity": "sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==" + }, + "node_modules/jwa": { + "version": "1.4.1", + "resolved": "https://registry.npmjs.org/jwa/-/jwa-1.4.1.tgz", + "integrity": "sha512-qiLX/xhEEFKUAJ6FiBMbes3w9ATzyk5W7Hvzpa/SLYdxNtng+gcurvrI7TbACjIXlsJyr05/S1oUhZrc63evQA==", + "dependencies": { + "buffer-equal-constant-time": "1.0.1", + "ecdsa-sig-formatter": "1.0.11", + "safe-buffer": "^5.0.1" + } + }, + "node_modules/jws": { + "version": "3.2.2", + "resolved": "https://registry.npmjs.org/jws/-/jws-3.2.2.tgz", + "integrity": "sha512-YHlZCB6lMTllWDtSPHz/ZXTsi8S00usEV6v1tjq8tOUZzw7DpSDWVXjXDre6ed1w/pd495ODpHZYSdkRTsa0HA==", + "dependencies": { + "jwa": "^1.4.1", + "safe-buffer": "^5.0.1" + } + }, + "node_modules/jwt-decode": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/jwt-decode/-/jwt-decode-3.1.2.tgz", + "integrity": "sha512-UfpWE/VZn0iP50d8cz9NrZLM9lSWhcJ+0Gt/nm4by88UL+J1SiKN8/5dkjMmbEzwL2CAe+67GsegCbIKtbp75A==" + }, + "node_modules/kind-of": { + "version": "6.0.3", + "resolved": "https://registry.npmjs.org/kind-of/-/kind-of-6.0.3.tgz", + "integrity": "sha512-dcS1ul+9tmeD95T+x28/ehLgd9mENa3LsvDTtzm3vyBEO7RPptvAD+t44WVXaUjTBRcrpFeFlC8WCruUR456hw==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/launch-editor": { + "version": "2.6.0", + "resolved": "https://registry.npmjs.org/launch-editor/-/launch-editor-2.6.0.tgz", + "integrity": "sha512-JpDCcQnyAAzZZaZ7vEiSqL690w7dAEyLao+KC96zBplnYbJS7TYNjvM3M7y3dGz+v7aIsJk3hllWuc0kWAjyRQ==", + "dev": true, + "dependencies": { + "picocolors": "^1.0.0", + "shell-quote": "^1.7.3" + } + }, + "node_modules/loader-runner": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/loader-runner/-/loader-runner-4.3.0.tgz", + "integrity": "sha512-3R/1M+yS3j5ou80Me59j7F9IMs4PXs3VqRrm0TU3AbKPxlmpoY1TNscJV/oGJXo8qCatFGTfDbY6W6ipGOYXfg==", + "dev": true, + "engines": { + "node": ">=6.11.5" + } + }, + "node_modules/loader-utils": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/loader-utils/-/loader-utils-2.0.4.tgz", + "integrity": "sha512-xXqpXoINfFhgua9xiqD8fPFHgkoq1mmmpE92WlDbm9rNRd/EbRb+Gqf908T2DMfuHjjJlksiK2RbHVOdD/MqSw==", + "dev": true, + "dependencies": { + "big.js": "^5.2.2", + "emojis-list": "^3.0.0", + "json5": "^2.1.2" + }, + "engines": { + "node": ">=8.9.0" + } + }, + "node_modules/locate-path": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/locate-path/-/locate-path-5.0.0.tgz", + "integrity": "sha512-t7hw9pI+WvuwNJXwk5zVHpyhIqzg2qTlklJOf0mVxGSbe3Fp2VieZcduNYjaLDoy6p9uGpQEGWG87WpMKlNq8g==", + "dev": true, + "dependencies": { + "p-locate": "^4.1.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/lodash": { + "version": "4.17.21", + "resolved": "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz", + "integrity": "sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==", + "dev": true + }, + "node_modules/lodash.debounce": { + "version": "4.0.8", + "resolved": "https://registry.npmjs.org/lodash.debounce/-/lodash.debounce-4.0.8.tgz", + "integrity": "sha512-FT1yDzDYEoYWhnSGnpE/4Kj1fLZkDFyqRb7fNt6FdYOSxlUWAtp42Eh6Wb0rGIv/m9Bgo7x4GhQbm5Ys4SG5ow==", + "dev": true + }, + "node_modules/lodash.includes": { + "version": "4.3.0", + "resolved": "https://registry.npmjs.org/lodash.includes/-/lodash.includes-4.3.0.tgz", + "integrity": "sha512-W3Bx6mdkRTGtlJISOvVD/lbqjTlPPUDTMnlXZFnVwi9NKJ6tiAk6LVdlhZMm17VZisqhKcgzpO5Wz91PCt5b0w==" + }, + "node_modules/lodash.isboolean": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/lodash.isboolean/-/lodash.isboolean-3.0.3.tgz", + "integrity": "sha512-Bz5mupy2SVbPHURB98VAcw+aHh4vRV5IPNhILUCsOzRmsTmSQ17jIuqopAentWoehktxGd9e/hbIXq980/1QJg==" + }, + "node_modules/lodash.isinteger": { + "version": "4.0.4", + "resolved": "https://registry.npmjs.org/lodash.isinteger/-/lodash.isinteger-4.0.4.tgz", + "integrity": "sha512-DBwtEWN2caHQ9/imiNeEA5ys1JoRtRfY3d7V9wkqtbycnAmTvRRmbHKDV4a0EYc678/dia0jrte4tjYwVBaZUA==" + }, + "node_modules/lodash.isnumber": { + "version": "3.0.3", + "resolved": "https://registry.npmjs.org/lodash.isnumber/-/lodash.isnumber-3.0.3.tgz", + "integrity": "sha512-QYqzpfwO3/CWf3XP+Z+tkQsfaLL/EnUlXWVkIk5FUPc4sBdTehEqZONuyRt2P67PXAk+NXmTBcc97zw9t1FQrw==" + }, + "node_modules/lodash.isplainobject": { + "version": "4.0.6", + "resolved": "https://registry.npmjs.org/lodash.isplainobject/-/lodash.isplainobject-4.0.6.tgz", + "integrity": "sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==" + }, + "node_modules/lodash.isstring": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/lodash.isstring/-/lodash.isstring-4.0.1.tgz", + "integrity": "sha512-0wJxfxH1wgO3GrbuP+dTTk7op+6L41QCXbGINEmD+ny/G/eCqGzxyCsh7159S+mgDDcoarnBw6PC1PS5+wUGgw==" + }, + "node_modules/lodash.once": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/lodash.once/-/lodash.once-4.1.1.tgz", + "integrity": "sha512-Sb487aTOCr9drQVL8pIxOzVhafOjZN9UU54hiN8PU3uAiSV7lx1yYNpbNmex2PK6dSJoNTSJUUswT651yww3Mg==" + }, + "node_modules/loose-envify": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/loose-envify/-/loose-envify-1.4.0.tgz", + "integrity": "sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==", + "dependencies": { + "js-tokens": "^3.0.0 || ^4.0.0" + }, + "bin": { + "loose-envify": "cli.js" + } + }, + "node_modules/lower-case": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/lower-case/-/lower-case-2.0.2.tgz", + "integrity": "sha512-7fm3l3NAF9WfN6W3JOmf5drwpVqX78JtoGJ3A6W0a6ZnldM41w2fV5D490psKFTpMds8TJse/eHLFFsNHHjHgg==", + "dev": true, + "dependencies": { + "tslib": "^2.0.3" + } + }, + "node_modules/lru-cache": { + "version": "5.1.1", + "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-5.1.1.tgz", + "integrity": "sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==", + "dev": true, + "dependencies": { + "yallist": "^3.0.2" + } + }, + "node_modules/make-dir": { + "version": "3.1.0", + "resolved": "https://registry.npmjs.org/make-dir/-/make-dir-3.1.0.tgz", + "integrity": "sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==", + "dev": true, + "dependencies": { + "semver": "^6.0.0" + }, + "engines": { + "node": ">=8" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/media-typer": { + "version": "0.3.0", + "resolved": "https://registry.npmjs.org/media-typer/-/media-typer-0.3.0.tgz", + "integrity": "sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/memfs": { + "version": "3.5.3", + "resolved": "https://registry.npmjs.org/memfs/-/memfs-3.5.3.tgz", + "integrity": "sha512-UERzLsxzllchadvbPs5aolHh65ISpKpM+ccLbOJ8/vvpBKmAWf+la7dXFy7Mr0ySHbdHrFv5kGFCUHHe6GFEmw==", + "dev": true, + "dependencies": { + "fs-monkey": "^1.0.4" + }, + "engines": { + "node": ">= 4.0.0" + } + }, + "node_modules/merge-descriptors": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/merge-descriptors/-/merge-descriptors-1.0.1.tgz", + "integrity": "sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==", + "dev": true + }, + "node_modules/merge-stream": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz", + "integrity": "sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==", + "dev": true + }, + "node_modules/methods": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/methods/-/methods-1.1.2.tgz", + "integrity": "sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/micromatch": { + "version": "4.0.5", + "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.5.tgz", + "integrity": "sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==", + "dev": true, + "dependencies": { + "braces": "^3.0.2", + "picomatch": "^2.3.1" + }, + "engines": { + "node": ">=8.6" + } + }, + "node_modules/mime": { + "version": "1.6.0", + "resolved": "https://registry.npmjs.org/mime/-/mime-1.6.0.tgz", + "integrity": "sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==", + "dev": true, + "bin": { + "mime": "cli.js" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/mime-db": { + "version": "1.52.0", + "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", + "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mime-types": { + "version": "2.1.35", + "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", + "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", + "dependencies": { + "mime-db": "1.52.0" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/mimic-fn": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/mimic-fn/-/mimic-fn-2.1.0.tgz", + "integrity": "sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==", + "dev": true, + "engines": { + "node": ">=6" + } + }, + "node_modules/minimalistic-assert": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/minimalistic-assert/-/minimalistic-assert-1.0.1.tgz", + "integrity": "sha512-UtJcAD4yEaGtjPezWuO9wC4nwUnVH/8/Im3yEHQP4b67cXlD/Qr9hdITCU1xDbSEXg2XKNaP8jsReV7vQd00/A==", + "dev": true + }, + "node_modules/minimatch": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz", + "integrity": "sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==", + "dev": true, + "dependencies": { + "brace-expansion": "^1.1.7" + }, + "engines": { + "node": "*" + } + }, + "node_modules/ms": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.2.tgz", + "integrity": "sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==" + }, + "node_modules/multicast-dns": { + "version": "7.2.5", + "resolved": "https://registry.npmjs.org/multicast-dns/-/multicast-dns-7.2.5.tgz", + "integrity": "sha512-2eznPJP8z2BFLX50tf0LuODrpINqP1RVIm/CObbTcBRITQgmC/TjcREF1NeTBzIcR5XO/ukWo+YHOjBbFwIupg==", + "dev": true, + "dependencies": { + "dns-packet": "^5.2.2", + "thunky": "^1.0.2" + }, + "bin": { + "multicast-dns": "cli.js" + } + }, + "node_modules/nanoid": { + "version": "3.3.6", + "resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.6.tgz", + "integrity": "sha512-BGcqMMJuToF7i1rt+2PWSNVnWIkGCU78jBG3RxO/bZlnZPK2Cmi2QaffxGO/2RvWi9sL+FAiRiXMgsyxQ1DIDA==", + "dev": true, + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "bin": { + "nanoid": "bin/nanoid.cjs" + }, + "engines": { + "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1" + } + }, + "node_modules/negotiator": { + "version": "0.6.3", + "resolved": "https://registry.npmjs.org/negotiator/-/negotiator-0.6.3.tgz", + "integrity": "sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/neo-async": { + "version": "2.6.2", + "resolved": "https://registry.npmjs.org/neo-async/-/neo-async-2.6.2.tgz", + "integrity": "sha512-Yd3UES5mWCSqR+qNT93S3UoYUkqAZ9lLg8a7g9rimsWmYGK8cVToA4/sF3RrshdyV3sAGMXVUmpMYOw+dLpOuw==", + "dev": true + }, + "node_modules/no-case": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/no-case/-/no-case-3.0.4.tgz", + "integrity": "sha512-fgAN3jGAh+RoxUGZHTSOLJIqUc2wmoBwGR4tbpNAKmmovFoWq0OdRkb0VkldReO2a2iBT/OEulG9XSUc10r3zg==", + "dev": true, + "dependencies": { + "lower-case": "^2.0.2", + "tslib": "^2.0.3" + } + }, + "node_modules/node-fetch": { + "version": "2.7.0", + "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-2.7.0.tgz", + "integrity": "sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==", + "dependencies": { + "whatwg-url": "^5.0.0" + }, + "engines": { + "node": "4.x || >=6.0.0" + }, + "peerDependencies": { + "encoding": "^0.1.0" + }, + "peerDependenciesMeta": { + "encoding": { + "optional": true + } + } + }, + "node_modules/node-forge": { + "version": "1.3.1", + "resolved": "https://registry.npmjs.org/node-forge/-/node-forge-1.3.1.tgz", + "integrity": "sha512-dPEtOeMvF9VMcYV/1Wb8CPoVAXtp6MKMlcbAt4ddqmGqUJ6fQZFXkNZNkNlfevtNkGtaSoXf/vNNNSvgrdXwtA==", + "dev": true, + "engines": { + "node": ">= 6.13.0" + } + }, + "node_modules/node-releases": { + "version": "2.0.13", + "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.13.tgz", + "integrity": "sha512-uYr7J37ae/ORWdZeQ1xxMJe3NtdmqMC/JZK+geofDrkLUApKRHPd18/TxtBOJ4A0/+uUIliorNrfYV6s1b02eQ==", + "dev": true + }, + "node_modules/normalize-path": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", + "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/npm-run-path": { + "version": "4.0.1", + "resolved": "https://registry.npmjs.org/npm-run-path/-/npm-run-path-4.0.1.tgz", + "integrity": "sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==", + "dev": true, + "dependencies": { + "path-key": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/nth-check": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/nth-check/-/nth-check-2.1.1.tgz", + "integrity": "sha512-lqjrjmaOoAnWfMmBPL+XNnynZh2+swxiX3WUE0s4yEHI6m+AwrK2UZOimIRl3X/4QctVqS8AiZjFqyOGrMXb/w==", + "dev": true, + "dependencies": { + "boolbase": "^1.0.0" + }, + "funding": { + "url": "https://github.com/fb55/nth-check?sponsor=1" + } + }, + "node_modules/object-assign": { + "version": "4.1.1", + "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", + "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/object-inspect": { + "version": "1.12.3", + "resolved": "https://registry.npmjs.org/object-inspect/-/object-inspect-1.12.3.tgz", + "integrity": "sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==", + "dev": true, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/obuf": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/obuf/-/obuf-1.1.2.tgz", + "integrity": "sha512-PX1wu0AmAdPqOL1mWhqmlOd8kOIZQwGZw6rh7uby9fTc5lhaOWFLX3I6R1hrF9k3zUY40e6igsLGkDXK92LJNg==", + "dev": true + }, + "node_modules/office-ui-fabric-react": { + "version": "7.204.0", + "resolved": "https://registry.npmjs.org/office-ui-fabric-react/-/office-ui-fabric-react-7.204.0.tgz", + "integrity": "sha512-W1xIsYEwxPrGYojvVtGTGvSfdnUoPEm8w6hhMlW/uFr5YwIB1isG/dVk4IZxWbcbea7612u059p+jRf+RjPW0w==", + "dependencies": { + "@fluentui/date-time-utilities": "^7.9.1", + "@fluentui/react-focus": "^7.18.17", + "@fluentui/react-theme-provider": "^0.19.16", + "@fluentui/react-window-provider": "^1.0.6", + "@fluentui/theme": "^1.7.13", + "@microsoft/load-themed-styles": "^1.10.26", + "@uifabric/foundation": "^7.10.16", + "@uifabric/icons": "^7.9.5", + "@uifabric/merge-styles": "^7.20.2", + "@uifabric/react-hooks": "^7.16.4", + "@uifabric/set-version": "^7.0.24", + "@uifabric/styling": "^7.25.1", + "@uifabric/utilities": "^7.38.2", + "prop-types": "^15.7.2", + "tslib": "^1.10.0" + }, + "peerDependencies": { + "@types/react": ">=16.8.0 <18.0.0", + "@types/react-dom": ">=16.8.0 <18.0.0", + "react": ">=16.8.0 <18.0.0", + "react-dom": ">=16.8.0 <18.0.0" + } + }, + "node_modules/office-ui-fabric-react/node_modules/tslib": { + "version": "1.14.1", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-1.14.1.tgz", + "integrity": "sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==" + }, + "node_modules/on-finished": { + "version": "2.4.1", + "resolved": "https://registry.npmjs.org/on-finished/-/on-finished-2.4.1.tgz", + "integrity": "sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==", + "dev": true, + "dependencies": { + "ee-first": "1.1.1" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/on-headers": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/on-headers/-/on-headers-1.0.2.tgz", + "integrity": "sha512-pZAE+FJLoyITytdqK0U5s+FIpjN0JP3OzFi/u8Rx+EV5/W+JTWGXG8xFzevE7AjBfDqHv/8vL8qQsIhHnqRkrA==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/once": { + "version": "1.4.0", + "resolved": "https://registry.npmjs.org/once/-/once-1.4.0.tgz", + "integrity": "sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==", + "dev": true, + "dependencies": { + "wrappy": "1" + } + }, + "node_modules/onetime": { + "version": "5.1.2", + "resolved": "https://registry.npmjs.org/onetime/-/onetime-5.1.2.tgz", + "integrity": "sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==", + "dev": true, + "dependencies": { + "mimic-fn": "^2.1.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/open": { + "version": "8.4.2", + "resolved": "https://registry.npmjs.org/open/-/open-8.4.2.tgz", + "integrity": "sha512-7x81NCL719oNbsq/3mh+hVrAWmFuEYUqrq/Iw3kUzH8ReypT9QQ0BLoJS7/G9k6N81XjW4qHWtjWwe/9eLy1EQ==", + "dev": true, + "dependencies": { + "define-lazy-prop": "^2.0.0", + "is-docker": "^2.1.1", + "is-wsl": "^2.2.0" + }, + "engines": { + "node": ">=12" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-limit": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/p-limit/-/p-limit-2.3.0.tgz", + "integrity": "sha512-//88mFWSJx8lxCzwdAABTJL2MyWB12+eIY7MDL2SqLmAkeKU9qxRvWuSyTjm3FUmpBEMuFfckAIqEaVGUDxb6w==", + "dev": true, + "dependencies": { + "p-try": "^2.0.0" + }, + "engines": { + "node": ">=6" + }, + "funding": { + "url": "https://github.com/sponsors/sindresorhus" + } + }, + "node_modules/p-locate": { + "version": "4.1.0", + "resolved": "https://registry.npmjs.org/p-locate/-/p-locate-4.1.0.tgz", + "integrity": "sha512-R79ZZ/0wAxKGu3oYMlz8jy/kbhsNrS7SKZ7PxEHBgJ5+F2mtFW2fK2cOtBh1cHYkQsbzFV7I+EoRKe6Yt0oK7A==", + "dev": true, + "dependencies": { + "p-limit": "^2.2.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/p-retry": { + "version": "4.6.2", + "resolved": "https://registry.npmjs.org/p-retry/-/p-retry-4.6.2.tgz", + "integrity": "sha512-312Id396EbJdvRONlngUx0NydfrIQ5lsYu0znKVUzVvArzEIt08V1qhtyESbGVd1FGX7UKtiFp5uwKZdM8wIuQ==", + "dev": true, + "dependencies": { + "@types/retry": "0.12.0", + "retry": "^0.13.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/p-try": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/p-try/-/p-try-2.2.0.tgz", + "integrity": "sha512-R4nPAVTAU0B9D35/Gk3uJf/7XYbQcyohSKdvAxIRSNghFl4e71hVoGnBNQz9cWaXxO2I10KTC+3jMdvvoKw6dQ==", + "dev": true, + "engines": { + "node": ">=6" + } + }, + "node_modules/pako": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/pako/-/pako-2.1.0.tgz", + "integrity": "sha512-w+eufiZ1WuJYgPXbV/PO3NCMEc3xqylkKHzp8bxp1uW4qaSNQUkwmLLEc3kKsfz8lpV1F8Ht3U1Cm+9Srog2ug==" + }, + "node_modules/param-case": { + "version": "3.0.4", + "resolved": "https://registry.npmjs.org/param-case/-/param-case-3.0.4.tgz", + "integrity": "sha512-RXlj7zCYokReqWpOPH9oYivUzLYZ5vAPIfEmCTNViosC78F8F0H9y7T7gG2M39ymgutxF5gcFEsyZQSph9Bp3A==", + "dev": true, + "dependencies": { + "dot-case": "^3.0.4", + "tslib": "^2.0.3" + } + }, + "node_modules/parse5": { + "version": "7.1.2", + "resolved": "https://registry.npmjs.org/parse5/-/parse5-7.1.2.tgz", + "integrity": "sha512-Czj1WaSVpaoj0wbhMzLmWD69anp2WH7FXMB9n1Sy8/ZFF9jolSQVMu1Ij5WIyGmcBmhk7EOndpO4mIpihVqAXw==", + "dev": true, + "dependencies": { + "entities": "^4.4.0" + }, + "funding": { + "url": "https://github.com/inikulin/parse5?sponsor=1" + } + }, + "node_modules/parseurl": { + "version": "1.3.3", + "resolved": "https://registry.npmjs.org/parseurl/-/parseurl-1.3.3.tgz", + "integrity": "sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/pascal-case": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/pascal-case/-/pascal-case-3.1.2.tgz", + "integrity": "sha512-uWlGT3YSnK9x3BQJaOdcZwrnV6hPpd8jFH1/ucpiLRPh/2zCVJKS19E4GvYHvaCcACn3foXZ0cLB9Wrx1KGe5g==", + "dev": true, + "dependencies": { + "no-case": "^3.0.4", + "tslib": "^2.0.3" + } + }, + "node_modules/path-exists": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz", + "integrity": "sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/path-is-absolute": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/path-is-absolute/-/path-is-absolute-1.0.1.tgz", + "integrity": "sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/path-key": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", + "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/path-parse": { + "version": "1.0.7", + "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", + "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", + "dev": true + }, + "node_modules/path-to-regexp": { + "version": "0.1.7", + "resolved": "https://registry.npmjs.org/path-to-regexp/-/path-to-regexp-0.1.7.tgz", + "integrity": "sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==", + "dev": true + }, + "node_modules/picocolors": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.0.0.tgz", + "integrity": "sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==", + "dev": true + }, + "node_modules/picomatch": { + "version": "2.3.1", + "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", + "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", + "dev": true, + "engines": { + "node": ">=8.6" + }, + "funding": { + "url": "https://github.com/sponsors/jonschlinkert" + } + }, + "node_modules/pkg-dir": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/pkg-dir/-/pkg-dir-4.2.0.tgz", + "integrity": "sha512-HRDzbaKjC+AOWVXxAU/x54COGeIv9eb+6CkDSQoNTt4XyWoIJvuPsXizxu/Fr23EiekbtZwmh1IcIG/l/a10GQ==", + "dev": true, + "dependencies": { + "find-up": "^4.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/postcss": { + "version": "8.4.31", + "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.31.tgz", + "integrity": "sha512-PS08Iboia9mts/2ygV3eLpY5ghnUcfLV/EXTOW1E2qYxJKGGBUtNjN76FYHnMs36RmARn41bC0AZmn+rR0OVpQ==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/postcss/" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/postcss" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "dependencies": { + "nanoid": "^3.3.6", + "picocolors": "^1.0.0", + "source-map-js": "^1.0.2" + }, + "engines": { + "node": "^10 || ^12 || >=14" + } + }, + "node_modules/postcss-modules-extract-imports": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/postcss-modules-extract-imports/-/postcss-modules-extract-imports-3.0.0.tgz", + "integrity": "sha512-bdHleFnP3kZ4NYDhuGlVK+CMrQ/pqUm8bx/oGL93K6gVwiclvX5x0n76fYMKuIGKzlABOy13zsvqjb0f92TEXw==", + "dev": true, + "engines": { + "node": "^10 || ^12 || >= 14" + }, + "peerDependencies": { + "postcss": "^8.1.0" + } + }, + "node_modules/postcss-modules-local-by-default": { + "version": "4.0.3", + "resolved": "https://registry.npmjs.org/postcss-modules-local-by-default/-/postcss-modules-local-by-default-4.0.3.tgz", + "integrity": "sha512-2/u2zraspoACtrbFRnTijMiQtb4GW4BvatjaG/bCjYQo8kLTdevCUlwuBHx2sCnSyrI3x3qj4ZK1j5LQBgzmwA==", + "dev": true, + "dependencies": { + "icss-utils": "^5.0.0", + "postcss-selector-parser": "^6.0.2", + "postcss-value-parser": "^4.1.0" + }, + "engines": { + "node": "^10 || ^12 || >= 14" + }, + "peerDependencies": { + "postcss": "^8.1.0" + } + }, + "node_modules/postcss-modules-scope": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/postcss-modules-scope/-/postcss-modules-scope-3.0.0.tgz", + "integrity": "sha512-hncihwFA2yPath8oZ15PZqvWGkWf+XUfQgUGamS4LqoP1anQLOsOJw0vr7J7IwLpoY9fatA2qiGUGmuZL0Iqlg==", + "dev": true, + "dependencies": { + "postcss-selector-parser": "^6.0.4" + }, + "engines": { + "node": "^10 || ^12 || >= 14" + }, + "peerDependencies": { + "postcss": "^8.1.0" + } + }, + "node_modules/postcss-modules-values": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/postcss-modules-values/-/postcss-modules-values-4.0.0.tgz", + "integrity": "sha512-RDxHkAiEGI78gS2ofyvCsu7iycRv7oqw5xMWn9iMoR0N/7mf9D50ecQqUo5BZ9Zh2vH4bCUR/ktCqbB9m8vJjQ==", + "dev": true, + "dependencies": { + "icss-utils": "^5.0.0" + }, + "engines": { + "node": "^10 || ^12 || >= 14" + }, + "peerDependencies": { + "postcss": "^8.1.0" + } + }, + "node_modules/postcss-selector-parser": { + "version": "6.0.13", + "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.0.13.tgz", + "integrity": "sha512-EaV1Gl4mUEV4ddhDnv/xtj7sxwrwxdetHdWUGnT4VJQf+4d05v6lHYZr8N573k5Z0BViss7BDhfWtKS3+sfAqQ==", + "dev": true, + "dependencies": { + "cssesc": "^3.0.0", + "util-deprecate": "^1.0.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/postcss-value-parser": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/postcss-value-parser/-/postcss-value-parser-4.2.0.tgz", + "integrity": "sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==", + "dev": true + }, + "node_modules/pretty-error": { + "version": "4.0.0", + "resolved": "https://registry.npmjs.org/pretty-error/-/pretty-error-4.0.0.tgz", + "integrity": "sha512-AoJ5YMAcXKYxKhuJGdcvse+Voc6v1RgnsR3nWcYU7q4t6z0Q6T86sv5Zq8VIRbOWWFpvdGE83LtdSMNd+6Y0xw==", + "dev": true, + "dependencies": { + "lodash": "^4.17.20", + "renderkid": "^3.0.0" + } + }, + "node_modules/process": { + "version": "0.11.10", + "resolved": "https://registry.npmjs.org/process/-/process-0.11.10.tgz", + "integrity": "sha512-cdGef/drWFoydD1JsMzuFf8100nZl+GT+yacc2bEced5f9Rjk4z+WtFUTBu9PhOi9j/jfmBPu0mMEY4wIdAF8A==", + "engines": { + "node": ">= 0.6.0" + } + }, + "node_modules/process-nextick-args": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/process-nextick-args/-/process-nextick-args-2.0.1.tgz", + "integrity": "sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==", + "dev": true + }, + "node_modules/prop-types": { + "version": "15.8.1", + "resolved": "https://registry.npmjs.org/prop-types/-/prop-types-15.8.1.tgz", + "integrity": "sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==", + "dependencies": { + "loose-envify": "^1.4.0", + "object-assign": "^4.1.1", + "react-is": "^16.13.1" + } + }, + "node_modules/proxy-addr": { + "version": "2.0.7", + "resolved": "https://registry.npmjs.org/proxy-addr/-/proxy-addr-2.0.7.tgz", + "integrity": "sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==", + "dev": true, + "dependencies": { + "forwarded": "0.2.0", + "ipaddr.js": "1.9.1" + }, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/proxy-addr/node_modules/ipaddr.js": { + "version": "1.9.1", + "resolved": "https://registry.npmjs.org/ipaddr.js/-/ipaddr.js-1.9.1.tgz", + "integrity": "sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==", + "dev": true, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/proxy-from-env": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/proxy-from-env/-/proxy-from-env-1.1.0.tgz", + "integrity": "sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==", + "dev": true + }, + "node_modules/psl": { + "version": "1.9.0", + "resolved": "https://registry.npmjs.org/psl/-/psl-1.9.0.tgz", + "integrity": "sha512-E/ZsdU4HLs/68gYzgGTkMicWTLPdAftJLfJFlLUAAKZGkStNU72sZjT66SnMDVOfOWY/YAoiD7Jxa9iHvngcag==" + }, + "node_modules/punycode": { + "version": "2.3.0", + "resolved": "https://registry.npmjs.org/punycode/-/punycode-2.3.0.tgz", + "integrity": "sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==", + "engines": { + "node": ">=6" + } + }, + "node_modules/qs": { + "version": "6.11.0", + "resolved": "https://registry.npmjs.org/qs/-/qs-6.11.0.tgz", + "integrity": "sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==", + "dev": true, + "dependencies": { + "side-channel": "^1.0.4" + }, + "engines": { + "node": ">=0.6" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/querystringify": { + "version": "2.2.0", + "resolved": "https://registry.npmjs.org/querystringify/-/querystringify-2.2.0.tgz", + "integrity": "sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ==" + }, + "node_modules/randombytes": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/randombytes/-/randombytes-2.1.0.tgz", + "integrity": "sha512-vYl3iOX+4CKUWuxGi9Ukhie6fsqXqS9FE2Zaic4tNFD2N2QQaXOMFbuKK4QmDHC0JO6B1Zp41J0LpT0oR68amQ==", + "dev": true, + "dependencies": { + "safe-buffer": "^5.1.0" + } + }, + "node_modules/range-parser": { + "version": "1.2.1", + "resolved": "https://registry.npmjs.org/range-parser/-/range-parser-1.2.1.tgz", + "integrity": "sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/raw-body": { + "version": "2.5.1", + "resolved": "https://registry.npmjs.org/raw-body/-/raw-body-2.5.1.tgz", + "integrity": "sha512-qqJBtEyVgS0ZmPGdCFPWJ3FreoqvG4MVQln/kCgF7Olq95IbOp0/BWyMwbdtn4VTvkM8Y7khCQ2Xgk/tcrCXig==", + "dev": true, + "dependencies": { + "bytes": "3.1.2", + "http-errors": "2.0.0", + "iconv-lite": "0.4.24", + "unpipe": "1.0.0" + }, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/raw-body/node_modules/bytes": { + "version": "3.1.2", + "resolved": "https://registry.npmjs.org/bytes/-/bytes-3.1.2.tgz", + "integrity": "sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/react": { + "version": "16.14.0", + "resolved": "https://registry.npmjs.org/react/-/react-16.14.0.tgz", + "integrity": "sha512-0X2CImDkJGApiAlcf0ODKIneSwBPhqJawOa5wCtKbu7ZECrmS26NvtSILynQ66cgkT/RJ4LidJOc3bUESwmU8g==", + "dependencies": { + "loose-envify": "^1.1.0", + "object-assign": "^4.1.1", + "prop-types": "^15.6.2" + }, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/react-dom": { + "version": "16.14.0", + "resolved": "https://registry.npmjs.org/react-dom/-/react-dom-16.14.0.tgz", + "integrity": "sha512-1gCeQXDLoIqMgqD3IO2Ah9bnf0w9kzhwN5q4FGnHZ67hBm9yePzB5JJAIQCc8x3pFnNlwFq4RidZggNAAkzWWw==", + "dependencies": { + "loose-envify": "^1.1.0", + "object-assign": "^4.1.1", + "prop-types": "^15.6.2", + "scheduler": "^0.19.1" + }, + "peerDependencies": { + "react": "^16.14.0" + } + }, + "node_modules/react-is": { + "version": "16.13.1", + "resolved": "https://registry.npmjs.org/react-is/-/react-is-16.13.1.tgz", + "integrity": "sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==" + }, + "node_modules/react-onesignal": { + "version": "2.0.4", + "resolved": "https://registry.npmjs.org/react-onesignal/-/react-onesignal-2.0.4.tgz", + "integrity": "sha512-llZ4PV1+EsWWZDt0BRils6gAxaxMoYP0Z3rlNivQy4xqUaiO1/PcRaIJ6CuzCci/koDsw5IzLOXEHlV4Yn+d9Q==", + "engines": { + "node": ">=8", + "npm": ">=5" + }, + "peerDependencies": { + "react": ">= 16.8" + } + }, + "node_modules/react-toastify": { + "version": "9.0.1", + "resolved": "https://registry.npmjs.org/react-toastify/-/react-toastify-9.0.1.tgz", + "integrity": "sha512-c2zeZHkCX+WXuItS/JRqQ/8CH8Qm/je+M0rt09xe9fnu5YPJigtNOdD8zX4fwLA093V2am3abkGfOowwpkrwOQ==", + "dependencies": { + "clsx": "^1.1.1" + }, + "peerDependencies": { + "react": ">=16", + "react-dom": ">=16" + } + }, + "node_modules/readable-stream": { + "version": "3.6.2", + "resolved": "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.2.tgz", + "integrity": "sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==", + "dev": true, + "dependencies": { + "inherits": "^2.0.3", + "string_decoder": "^1.1.1", + "util-deprecate": "^1.0.1" + }, + "engines": { + "node": ">= 6" + } + }, + "node_modules/readdirp": { + "version": "3.6.0", + "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", + "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", + "dev": true, + "dependencies": { + "picomatch": "^2.2.1" + }, + "engines": { + "node": ">=8.10.0" + } + }, + "node_modules/rechoir": { + "version": "0.8.0", + "resolved": "https://registry.npmjs.org/rechoir/-/rechoir-0.8.0.tgz", + "integrity": "sha512-/vxpCXddiX8NGfGO/mTafwjq4aFa/71pvamip0++IQk3zG8cbCj0fifNPrjjF1XMXUne91jL9OoxmdykoEtifQ==", + "dev": true, + "dependencies": { + "resolve": "^1.20.0" + }, + "engines": { + "node": ">= 10.13.0" + } + }, + "node_modules/regenerate": { + "version": "1.4.2", + "resolved": "https://registry.npmjs.org/regenerate/-/regenerate-1.4.2.tgz", + "integrity": "sha512-zrceR/XhGYU/d/opr2EKO7aRHUeiBI8qjtfHqADTwZd6Szfy16la6kqD0MIUs5z5hx6AaKa+PixpPrR289+I0A==", + "dev": true + }, + "node_modules/regenerate-unicode-properties": { + "version": "10.1.1", + "resolved": "https://registry.npmjs.org/regenerate-unicode-properties/-/regenerate-unicode-properties-10.1.1.tgz", + "integrity": "sha512-X007RyZLsCJVVrjgEFVpLUTZwyOZk3oiL75ZcuYjlIWd6rNJtOjkBwQc5AsRrpbKVkxN6sklw/k/9m2jJYOf8Q==", + "dev": true, + "dependencies": { + "regenerate": "^1.4.2" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/regenerator-runtime": { + "version": "0.14.0", + "resolved": "https://registry.npmjs.org/regenerator-runtime/-/regenerator-runtime-0.14.0.tgz", + "integrity": "sha512-srw17NI0TUWHuGa5CFGGmhfNIeja30WMBfbslPNhf6JrqQlLN5gcrvig1oqPxiVaXb0oW0XRKtH6Nngs5lKCIA==", + "dev": true + }, + "node_modules/regenerator-transform": { + "version": "0.15.2", + "resolved": "https://registry.npmjs.org/regenerator-transform/-/regenerator-transform-0.15.2.tgz", + "integrity": "sha512-hfMp2BoF0qOk3uc5V20ALGDS2ddjQaLrdl7xrGXvAIow7qeWRM2VA2HuCHkUKk9slq3VwEwLNK3DFBqDfPGYtg==", + "dev": true, + "dependencies": { + "@babel/runtime": "^7.8.4" + } + }, + "node_modules/regexpu-core": { + "version": "5.3.2", + "resolved": "https://registry.npmjs.org/regexpu-core/-/regexpu-core-5.3.2.tgz", + "integrity": "sha512-RAM5FlZz+Lhmo7db9L298p2vHP5ZywrVXmVXpmAD9GuL5MPH6t9ROw1iA/wfHkQ76Qe7AaPF0nGuim96/IrQMQ==", + "dev": true, + "dependencies": { + "@babel/regjsgen": "^0.8.0", + "regenerate": "^1.4.2", + "regenerate-unicode-properties": "^10.1.0", + "regjsparser": "^0.9.1", + "unicode-match-property-ecmascript": "^2.0.0", + "unicode-match-property-value-ecmascript": "^2.1.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/regjsparser": { + "version": "0.9.1", + "resolved": "https://registry.npmjs.org/regjsparser/-/regjsparser-0.9.1.tgz", + "integrity": "sha512-dQUtn90WanSNl+7mQKcXAgZxvUe7Z0SqXlgzv0za4LwiUhyzBC58yQO3liFoUgu8GiJVInAhJjkj1N0EtQ5nkQ==", + "dev": true, + "dependencies": { + "jsesc": "~0.5.0" + }, + "bin": { + "regjsparser": "bin/parser" + } + }, + "node_modules/regjsparser/node_modules/jsesc": { + "version": "0.5.0", + "resolved": "https://registry.npmjs.org/jsesc/-/jsesc-0.5.0.tgz", + "integrity": "sha512-uZz5UnB7u4T9LvwmFqXii7pZSouaRPorGs5who1Ip7VO0wxanFvBL7GkM6dTHlgX+jhBApRetaWpnDabOeTcnA==", + "dev": true, + "bin": { + "jsesc": "bin/jsesc" + } + }, + "node_modules/relateurl": { + "version": "0.2.7", + "resolved": "https://registry.npmjs.org/relateurl/-/relateurl-0.2.7.tgz", + "integrity": "sha512-G08Dxvm4iDN3MLM0EsP62EDV9IuhXPR6blNz6Utcp7zyV3tr4HVNINt6MpaRWbxoOHT3Q7YN2P+jaHX8vUbgog==", + "dev": true, + "engines": { + "node": ">= 0.10" + } + }, + "node_modules/renderkid": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/renderkid/-/renderkid-3.0.0.tgz", + "integrity": "sha512-q/7VIQA8lmM1hF+jn+sFSPWGlMkSAeNYcPLmDQx2zzuiDfaLrOmumR8iaUKlenFgh0XRPIUeSPlH3A+AW3Z5pg==", + "dev": true, + "dependencies": { + "css-select": "^4.1.3", + "dom-converter": "^0.2.0", + "htmlparser2": "^6.1.0", + "lodash": "^4.17.21", + "strip-ansi": "^6.0.1" + } + }, + "node_modules/require-from-string": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/require-from-string/-/require-from-string-2.0.2.tgz", + "integrity": "sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/requires-port": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/requires-port/-/requires-port-1.0.0.tgz", + "integrity": "sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ==" + }, + "node_modules/resolve": { + "version": "1.22.6", + "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.6.tgz", + "integrity": "sha512-njhxM7mV12JfufShqGy3Rz8j11RPdLy4xi15UurGJeoHLfJpVXKdh3ueuOqbYUcDZnffr6X739JBo5LzyahEsw==", + "dev": true, + "dependencies": { + "is-core-module": "^2.13.0", + "path-parse": "^1.0.7", + "supports-preserve-symlinks-flag": "^1.0.0" + }, + "bin": { + "resolve": "bin/resolve" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/resolve-cwd": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/resolve-cwd/-/resolve-cwd-3.0.0.tgz", + "integrity": "sha512-OrZaX2Mb+rJCpH/6CpSqt9xFVpN++x01XnN2ie9g6P5/3xelLAkXWVADpdz1IHD/KFfEXyE6V0U01OQ3UO2rEg==", + "dev": true, + "dependencies": { + "resolve-from": "^5.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/resolve-from": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/resolve-from/-/resolve-from-5.0.0.tgz", + "integrity": "sha512-qYg9KP24dD5qka9J47d0aVky0N+b4fTU89LN9iDnjB5waksiC49rvMB0PrUJQGoTmH50XPiqOvAjDfaijGxYZw==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/retry": { + "version": "0.13.1", + "resolved": "https://registry.npmjs.org/retry/-/retry-0.13.1.tgz", + "integrity": "sha512-XQBQ3I8W1Cge0Seh+6gjj03LbmRFWuoszgK9ooCpwYIrhhoO80pfq4cUkU5DkknwfOfFteRwlZ56PYOGYyFWdg==", + "dev": true, + "engines": { + "node": ">= 4" + } + }, + "node_modules/rimraf": { + "version": "3.0.2", + "resolved": "https://registry.npmjs.org/rimraf/-/rimraf-3.0.2.tgz", + "integrity": "sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==", + "dev": true, + "dependencies": { + "glob": "^7.1.3" + }, + "bin": { + "rimraf": "bin.js" + }, + "funding": { + "url": "https://github.com/sponsors/isaacs" + } + }, + "node_modules/safe-buffer": { + "version": "5.2.1", + "resolved": "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz", + "integrity": "sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==", + "funding": [ + { + "type": "github", + "url": "https://github.com/sponsors/feross" + }, + { + "type": "patreon", + "url": "https://www.patreon.com/feross" + }, + { + "type": "consulting", + "url": "https://feross.org/support" + } + ] + }, + "node_modules/safer-buffer": { + "version": "2.1.2", + "resolved": "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz", + "integrity": "sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==", + "dev": true + }, + "node_modules/sax": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/sax/-/sax-1.3.0.tgz", + "integrity": "sha512-0s+oAmw9zLl1V1cS9BtZN7JAd0cW5e0QH4W3LWEK6a4LaLEA2OTpGYWDY+6XasBLtz6wkm3u1xRw95mRuJ59WA==" + }, + "node_modules/scheduler": { + "version": "0.19.1", + "resolved": "https://registry.npmjs.org/scheduler/-/scheduler-0.19.1.tgz", + "integrity": "sha512-n/zwRWRYSUj0/3g/otKDRPMh6qv2SYMWNq85IEa8iZyAv8od9zDYpGSnpBEjNgcMNq6Scbu5KfIPxNF72R/2EA==", + "dependencies": { + "loose-envify": "^1.1.0", + "object-assign": "^4.1.1" + } + }, + "node_modules/schema-utils": { + "version": "2.7.1", + "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-2.7.1.tgz", + "integrity": "sha512-SHiNtMOUGWBQJwzISiVYKu82GiV4QYGePp3odlY1tuKO7gPtphAT5R/py0fA6xtbgLL/RvtJZnU9b8s0F1q0Xg==", + "dev": true, + "dependencies": { + "@types/json-schema": "^7.0.5", + "ajv": "^6.12.4", + "ajv-keywords": "^3.5.2" + }, + "engines": { + "node": ">= 8.9.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/select-hose": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/select-hose/-/select-hose-2.0.0.tgz", + "integrity": "sha512-mEugaLK+YfkijB4fx0e6kImuJdCIt2LxCRcbEYPqRGCs4F2ogyfZU5IAZRdjCP8JPq2AtdNoC/Dux63d9Kiryg==", + "dev": true + }, + "node_modules/selfsigned": { + "version": "2.1.1", + "resolved": "https://registry.npmjs.org/selfsigned/-/selfsigned-2.1.1.tgz", + "integrity": "sha512-GSL3aowiF7wa/WtSFwnUrludWFoNhftq8bUkH9pkzjpN2XSPOAYEgg6e0sS9s0rZwgJzJiQRPU18A6clnoW5wQ==", + "dev": true, + "dependencies": { + "node-forge": "^1" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/semver": { + "version": "6.3.1", + "resolved": "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz", + "integrity": "sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==", + "dev": true, + "bin": { + "semver": "bin/semver.js" + } + }, + "node_modules/send": { + "version": "0.18.0", + "resolved": "https://registry.npmjs.org/send/-/send-0.18.0.tgz", + "integrity": "sha512-qqWzuOjSFOuqPjFe4NOsMLafToQQwBSOEpS+FwEt3A2V3vKubTquT3vmLTQpFgMXp8AlFWFuP1qKaJZOtPpVXg==", + "dev": true, + "dependencies": { + "debug": "2.6.9", + "depd": "2.0.0", + "destroy": "1.2.0", + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "etag": "~1.8.1", + "fresh": "0.5.2", + "http-errors": "2.0.0", + "mime": "1.6.0", + "ms": "2.1.3", + "on-finished": "2.4.1", + "range-parser": "~1.2.1", + "statuses": "2.0.1" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/send/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/send/node_modules/debug/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true + }, + "node_modules/send/node_modules/ms": { + "version": "2.1.3", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", + "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", + "dev": true + }, + "node_modules/serialize-javascript": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/serialize-javascript/-/serialize-javascript-6.0.1.tgz", + "integrity": "sha512-owoXEFjWRllis8/M1Q+Cw5k8ZH40e3zhp/ovX+Xr/vi1qj6QesbyXXViFbpNvWvPNAD62SutwEXavefrLJWj7w==", + "dev": true, + "dependencies": { + "randombytes": "^2.1.0" + } + }, + "node_modules/serve-index": { + "version": "1.9.1", + "resolved": "https://registry.npmjs.org/serve-index/-/serve-index-1.9.1.tgz", + "integrity": "sha512-pXHfKNP4qujrtteMrSBb0rc8HJ9Ms/GrXwcUtUtD5s4ewDJI8bT3Cz2zTVRMKtri49pLx2e0Ya8ziP5Ya2pZZw==", + "dev": true, + "dependencies": { + "accepts": "~1.3.4", + "batch": "0.6.1", + "debug": "2.6.9", + "escape-html": "~1.0.3", + "http-errors": "~1.6.2", + "mime-types": "~2.1.17", + "parseurl": "~1.3.2" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/serve-index/node_modules/debug": { + "version": "2.6.9", + "resolved": "https://registry.npmjs.org/debug/-/debug-2.6.9.tgz", + "integrity": "sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==", + "dev": true, + "dependencies": { + "ms": "2.0.0" + } + }, + "node_modules/serve-index/node_modules/depd": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/depd/-/depd-1.1.2.tgz", + "integrity": "sha512-7emPTl6Dpo6JRXOXjLRxck+FlLRX5847cLKEn00PLAgc3g2hTZZgr+e4c2v6QpSmLeFP3n5yUo7ft6avBK/5jQ==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/serve-index/node_modules/http-errors": { + "version": "1.6.3", + "resolved": "https://registry.npmjs.org/http-errors/-/http-errors-1.6.3.tgz", + "integrity": "sha512-lks+lVC8dgGyh97jxvxeYTWQFvh4uw4yC12gVl63Cg30sjPX4wuGcdkICVXDAESr6OJGjqGA8Iz5mkeN6zlD7A==", + "dev": true, + "dependencies": { + "depd": "~1.1.2", + "inherits": "2.0.3", + "setprototypeof": "1.1.0", + "statuses": ">= 1.4.0 < 2" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/serve-index/node_modules/inherits": { + "version": "2.0.3", + "resolved": "https://registry.npmjs.org/inherits/-/inherits-2.0.3.tgz", + "integrity": "sha512-x00IRNXNy63jwGkJmzPigoySHbaqpNuzKbBOmzK+g2OdZpQ9w+sxCN+VSB3ja7IAge2OP2qpfxTjeNcyjmW1uw==", + "dev": true + }, + "node_modules/serve-index/node_modules/ms": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/ms/-/ms-2.0.0.tgz", + "integrity": "sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==", + "dev": true + }, + "node_modules/serve-index/node_modules/setprototypeof": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.1.0.tgz", + "integrity": "sha512-BvE/TwpZX4FXExxOxZyRGQQv651MSwmWKZGqvmPcRIjDqWub67kTKuIMx43cZZrS/cBBzwBcNDWoFxt2XEFIpQ==", + "dev": true + }, + "node_modules/serve-index/node_modules/statuses": { + "version": "1.5.0", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-1.5.0.tgz", + "integrity": "sha512-OpZ3zP+jT1PI7I8nemJX4AKmAX070ZkYPVWV/AaKTJl+tXCTGyVdC1a4SL8RUQYEwk/f34ZX8UTykN68FwrqAA==", + "dev": true, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/serve-static": { + "version": "1.15.0", + "resolved": "https://registry.npmjs.org/serve-static/-/serve-static-1.15.0.tgz", + "integrity": "sha512-XGuRDNjXUijsUL0vl6nSD7cwURuzEgglbOaFuZM9g3kwDXOWVTck0jLzjPzGD+TazWbboZYu52/9/XPdUgne9g==", + "dev": true, + "dependencies": { + "encodeurl": "~1.0.2", + "escape-html": "~1.0.3", + "parseurl": "~1.3.3", + "send": "0.18.0" + }, + "engines": { + "node": ">= 0.8.0" + } + }, + "node_modules/setprototypeof": { + "version": "1.2.0", + "resolved": "https://registry.npmjs.org/setprototypeof/-/setprototypeof-1.2.0.tgz", + "integrity": "sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==", + "dev": true + }, + "node_modules/shallow-clone": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/shallow-clone/-/shallow-clone-3.0.1.tgz", + "integrity": "sha512-/6KqX+GVUdqPuPPd2LxDDxzX6CAbjJehAAOKlNpqqUpAqPM6HeL8f+o3a+JsyGjn2lv0WY8UsTgUJjU9Ok55NA==", + "dev": true, + "dependencies": { + "kind-of": "^6.0.2" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-command": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", + "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", + "dev": true, + "dependencies": { + "shebang-regex": "^3.0.0" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/shebang-regex": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", + "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", + "dev": true, + "engines": { + "node": ">=8" + } + }, + "node_modules/shell-quote": { + "version": "1.8.1", + "resolved": "https://registry.npmjs.org/shell-quote/-/shell-quote-1.8.1.tgz", + "integrity": "sha512-6j1W9l1iAs/4xYBI1SYOVZyFcCis9b4KCLQ8fgAGG07QvzaRLVVRQvAy85yNmmZSjYjg4MWh4gNvlPujU/5LpA==", + "dev": true, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/side-channel": { + "version": "1.0.4", + "resolved": "https://registry.npmjs.org/side-channel/-/side-channel-1.0.4.tgz", + "integrity": "sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==", + "dev": true, + "dependencies": { + "call-bind": "^1.0.0", + "get-intrinsic": "^1.0.2", + "object-inspect": "^1.9.0" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/signal-exit": { + "version": "3.0.7", + "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-3.0.7.tgz", + "integrity": "sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==", + "dev": true + }, + "node_modules/sockjs": { + "version": "0.3.24", + "resolved": "https://registry.npmjs.org/sockjs/-/sockjs-0.3.24.tgz", + "integrity": "sha512-GJgLTZ7vYb/JtPSSZ10hsOYIvEYsjbNU+zPdIHcUaWVNUEPivzxku31865sSSud0Da0W4lEeOPlmw93zLQchuQ==", + "dev": true, + "dependencies": { + "faye-websocket": "^0.11.3", + "uuid": "^8.3.2", + "websocket-driver": "^0.7.4" + } + }, + "node_modules/source-map": { + "version": "0.6.1", + "resolved": "https://registry.npmjs.org/source-map/-/source-map-0.6.1.tgz", + "integrity": "sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-js": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.0.2.tgz", + "integrity": "sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==", + "dev": true, + "engines": { + "node": ">=0.10.0" + } + }, + "node_modules/source-map-support": { + "version": "0.5.21", + "resolved": "https://registry.npmjs.org/source-map-support/-/source-map-support-0.5.21.tgz", + "integrity": "sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w==", + "dev": true, + "dependencies": { + "buffer-from": "^1.0.0", + "source-map": "^0.6.0" + } + }, + "node_modules/spdy": { + "version": "4.0.2", + "resolved": "https://registry.npmjs.org/spdy/-/spdy-4.0.2.tgz", + "integrity": "sha512-r46gZQZQV+Kl9oItvl1JZZqJKGr+oEkB08A6BzkiR7593/7IbtuncXHd2YoYeTsG4157ZssMu9KYvUHLcjcDoA==", + "dev": true, + "dependencies": { + "debug": "^4.1.0", + "handle-thing": "^2.0.0", + "http-deceiver": "^1.2.7", + "select-hose": "^2.0.0", + "spdy-transport": "^3.0.0" + }, + "engines": { + "node": ">=6.0.0" + } + }, + "node_modules/spdy-transport": { + "version": "3.0.0", + "resolved": "https://registry.npmjs.org/spdy-transport/-/spdy-transport-3.0.0.tgz", + "integrity": "sha512-hsLVFE5SjA6TCisWeJXFKniGGOpBgMLmerfO2aCyCU5s7nJ/rpAepqmFifv/GCbSbueEeAJJnmSQ2rKC/g8Fcw==", + "dev": true, + "dependencies": { + "debug": "^4.1.0", + "detect-node": "^2.0.4", + "hpack.js": "^2.1.6", + "obuf": "^1.1.2", + "readable-stream": "^3.0.6", + "wbuf": "^1.7.3" + } + }, + "node_modules/statuses": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/statuses/-/statuses-2.0.1.tgz", + "integrity": "sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/string_decoder": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz", + "integrity": "sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==", + "dev": true, + "dependencies": { + "safe-buffer": "~5.2.0" + } + }, + "node_modules/strip-ansi": { + "version": "6.0.1", + "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", + "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", + "dev": true, + "dependencies": { + "ansi-regex": "^5.0.1" + }, + "engines": { + "node": ">=8" + } + }, + "node_modules/strip-final-newline": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-2.0.0.tgz", + "integrity": "sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==", + "dev": true, + "engines": { + "node": ">=6" + } + }, + "node_modules/style-loader": { + "version": "1.3.0", + "resolved": "https://registry.npmjs.org/style-loader/-/style-loader-1.3.0.tgz", + "integrity": "sha512-V7TCORko8rs9rIqkSrlMfkqA63DfoGBBJmK1kKGCcSi+BWb4cqz0SRsnp4l6rU5iwOEd0/2ePv68SV22VXon4Q==", + "dev": true, + "dependencies": { + "loader-utils": "^2.0.0", + "schema-utils": "^2.7.0" + }, + "engines": { + "node": ">= 8.9.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^4.0.0 || ^5.0.0" + } + }, + "node_modules/supports-color": { + "version": "5.5.0", + "resolved": "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz", + "integrity": "sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==", + "dev": true, + "dependencies": { + "has-flag": "^3.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/supports-preserve-symlinks-flag": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", + "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", + "dev": true, + "engines": { + "node": ">= 0.4" + }, + "funding": { + "url": "https://github.com/sponsors/ljharb" + } + }, + "node_modules/tapable": { + "version": "2.2.1", + "resolved": "https://registry.npmjs.org/tapable/-/tapable-2.2.1.tgz", + "integrity": "sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==", + "dev": true, + "engines": { + "node": ">=6" + } + }, + "node_modules/terser": { + "version": "5.20.0", + "resolved": "https://registry.npmjs.org/terser/-/terser-5.20.0.tgz", + "integrity": "sha512-e56ETryaQDyebBwJIWYB2TT6f2EZ0fL0sW/JRXNMN26zZdKi2u/E/5my5lG6jNxym6qsrVXfFRmOdV42zlAgLQ==", + "dev": true, + "dependencies": { + "@jridgewell/source-map": "^0.3.3", + "acorn": "^8.8.2", + "commander": "^2.20.0", + "source-map-support": "~0.5.20" + }, + "bin": { + "terser": "bin/terser" + }, + "engines": { + "node": ">=10" + } + }, + "node_modules/terser-webpack-plugin": { + "version": "5.3.9", + "resolved": "https://registry.npmjs.org/terser-webpack-plugin/-/terser-webpack-plugin-5.3.9.tgz", + "integrity": "sha512-ZuXsqE07EcggTWQjXUj+Aot/OMcD0bMKGgF63f7UxYcu5/AJF53aIpK1YoP5xR9l6s/Hy2b+t1AM0bLNPRuhwA==", + "dev": true, + "dependencies": { + "@jridgewell/trace-mapping": "^0.3.17", + "jest-worker": "^27.4.5", + "schema-utils": "^3.1.1", + "serialize-javascript": "^6.0.1", + "terser": "^5.16.8" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^5.1.0" + }, + "peerDependenciesMeta": { + "@swc/core": { + "optional": true + }, + "esbuild": { + "optional": true + }, + "uglify-js": { + "optional": true + } + } + }, + "node_modules/terser-webpack-plugin/node_modules/schema-utils": { + "version": "3.3.0", + "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-3.3.0.tgz", + "integrity": "sha512-pN/yOAvcC+5rQ5nERGuwrjLlYvLTbCibnZ1I7B1LaiAz9BRBlE9GMgE/eqV30P7aJQUf7Ddimy/RsbYO/GrVGg==", + "dev": true, + "dependencies": { + "@types/json-schema": "^7.0.8", + "ajv": "^6.12.5", + "ajv-keywords": "^3.5.2" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/terser/node_modules/commander": { + "version": "2.20.3", + "resolved": "https://registry.npmjs.org/commander/-/commander-2.20.3.tgz", + "integrity": "sha512-GpVkmM8vF2vQUkj2LvZmD35JxeJOLCwJ9cUkugyk2nuhbv3+mJvpLYYt+0+USMxE+oj+ey/lJEnhZw75x/OMcQ==", + "dev": true + }, + "node_modules/thunky": { + "version": "1.1.0", + "resolved": "https://registry.npmjs.org/thunky/-/thunky-1.1.0.tgz", + "integrity": "sha512-eHY7nBftgThBqOyHGVN+l8gF0BucP09fMo0oO/Lb0w1OF80dJv+lDVpXG60WMQvkcxAkNybKsrEIE3ZtKGmPrA==", + "dev": true + }, + "node_modules/to-fast-properties": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/to-fast-properties/-/to-fast-properties-2.0.0.tgz", + "integrity": "sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/to-regex-range": { + "version": "5.0.1", + "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", + "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", + "dev": true, + "dependencies": { + "is-number": "^7.0.0" + }, + "engines": { + "node": ">=8.0" + } + }, + "node_modules/toidentifier": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/toidentifier/-/toidentifier-1.0.1.tgz", + "integrity": "sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==", + "dev": true, + "engines": { + "node": ">=0.6" + } + }, + "node_modules/tough-cookie": { + "version": "4.1.3", + "resolved": "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.3.tgz", + "integrity": "sha512-aX/y5pVRkfRnfmuX+OdbSdXvPe6ieKX/G2s7e98f4poJHnqH3281gDPm/metm6E/WRamfx7WC4HUqkWHfQHprw==", + "dependencies": { + "psl": "^1.1.33", + "punycode": "^2.1.1", + "universalify": "^0.2.0", + "url-parse": "^1.5.3" + }, + "engines": { + "node": ">=6" + } + }, + "node_modules/tr46": { + "version": "0.0.3", + "resolved": "https://registry.npmjs.org/tr46/-/tr46-0.0.3.tgz", + "integrity": "sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==" + }, + "node_modules/tslib": { + "version": "2.6.2", + "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.6.2.tgz", + "integrity": "sha512-AEYxH93jGFPn/a2iVAwW87VuUIkR1FVUKB77NwMF7nBTDkDrrT/Hpt/IrCJ0QXhW27jTBDcf5ZY7w6RiqTMw2Q==" + }, + "node_modules/tunnel": { + "version": "0.0.6", + "resolved": "https://registry.npmjs.org/tunnel/-/tunnel-0.0.6.tgz", + "integrity": "sha512-1h/Lnq9yajKY2PEbBadPXj3VxsDDu844OnaAo52UVmIzIvwwtBPIuNvkjuzBlTWpfJyUbG3ez0KSBibQkj4ojg==", + "engines": { + "node": ">=0.6.11 <=0.7.0 || >=0.7.3" + } + }, + "node_modules/type-is": { + "version": "1.6.18", + "resolved": "https://registry.npmjs.org/type-is/-/type-is-1.6.18.tgz", + "integrity": "sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==", + "dev": true, + "dependencies": { + "media-typer": "0.3.0", + "mime-types": "~2.1.24" + }, + "engines": { + "node": ">= 0.6" + } + }, + "node_modules/unicode-canonical-property-names-ecmascript": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/unicode-canonical-property-names-ecmascript/-/unicode-canonical-property-names-ecmascript-2.0.0.tgz", + "integrity": "sha512-yY5PpDlfVIU5+y/BSCxAJRBIS1Zc2dDG3Ujq+sR0U+JjUevW2JhocOF+soROYDSaAezOzOKuyyixhD6mBknSmQ==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/unicode-match-property-ecmascript": { + "version": "2.0.0", + "resolved": "https://registry.npmjs.org/unicode-match-property-ecmascript/-/unicode-match-property-ecmascript-2.0.0.tgz", + "integrity": "sha512-5kaZCrbp5mmbz5ulBkDkbY0SsPOjKqVS35VpL9ulMPfSl0J0Xsm+9Evphv9CoIZFwre7aJoa94AY6seMKGVN5Q==", + "dev": true, + "dependencies": { + "unicode-canonical-property-names-ecmascript": "^2.0.0", + "unicode-property-aliases-ecmascript": "^2.0.0" + }, + "engines": { + "node": ">=4" + } + }, + "node_modules/unicode-match-property-value-ecmascript": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/unicode-match-property-value-ecmascript/-/unicode-match-property-value-ecmascript-2.1.0.tgz", + "integrity": "sha512-qxkjQt6qjg/mYscYMC0XKRn3Rh0wFPlfxB0xkt9CfyTvpX1Ra0+rAmdX2QyAobptSEvuy4RtpPRui6XkV+8wjA==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/unicode-property-aliases-ecmascript": { + "version": "2.1.0", + "resolved": "https://registry.npmjs.org/unicode-property-aliases-ecmascript/-/unicode-property-aliases-ecmascript-2.1.0.tgz", + "integrity": "sha512-6t3foTQI9qne+OZoVQB/8x8rk2k1eVy1gRXhV3oFQ5T6R1dqQ1xtin3XqSlx3+ATBkliTaR/hHyJBm+LVPNM8w==", + "dev": true, + "engines": { + "node": ">=4" + } + }, + "node_modules/universalify": { + "version": "0.2.0", + "resolved": "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz", + "integrity": "sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg==", + "engines": { + "node": ">= 4.0.0" + } + }, + "node_modules/unpipe": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/unpipe/-/unpipe-1.0.0.tgz", + "integrity": "sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/update-browserslist-db": { + "version": "1.0.13", + "resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.0.13.tgz", + "integrity": "sha512-xebP81SNcPuNpPP3uzeW1NYXxI3rxyJzF3pD6sH4jE7o/IX+WtSpwnVU+qIsDPyk0d3hmFQ7mjqc6AtV604hbg==", + "dev": true, + "funding": [ + { + "type": "opencollective", + "url": "https://opencollective.com/browserslist" + }, + { + "type": "tidelift", + "url": "https://tidelift.com/funding/github/npm/browserslist" + }, + { + "type": "github", + "url": "https://github.com/sponsors/ai" + } + ], + "dependencies": { + "escalade": "^3.1.1", + "picocolors": "^1.0.0" + }, + "bin": { + "update-browserslist-db": "cli.js" + }, + "peerDependencies": { + "browserslist": ">= 4.21.0" + } + }, + "node_modules/uri-js": { + "version": "4.4.1", + "resolved": "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz", + "integrity": "sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==", + "dev": true, + "dependencies": { + "punycode": "^2.1.0" + } + }, + "node_modules/url-parse": { + "version": "1.5.10", + "resolved": "https://registry.npmjs.org/url-parse/-/url-parse-1.5.10.tgz", + "integrity": "sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ==", + "dependencies": { + "querystringify": "^2.1.1", + "requires-port": "^1.0.0" + } + }, + "node_modules/util-deprecate": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", + "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==", + "dev": true + }, + "node_modules/utila": { + "version": "0.4.0", + "resolved": "https://registry.npmjs.org/utila/-/utila-0.4.0.tgz", + "integrity": "sha512-Z0DbgELS9/L/75wZbro8xAnT50pBVFQZ+hUEueGDU5FN51YSCYM+jdxsfCiHjwNP/4LCDD0i/graKpeBnOXKRA==", + "dev": true + }, + "node_modules/utils-merge": { + "version": "1.0.1", + "resolved": "https://registry.npmjs.org/utils-merge/-/utils-merge-1.0.1.tgz", + "integrity": "sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==", + "dev": true, + "engines": { + "node": ">= 0.4.0" + } + }, + "node_modules/uuid": { + "version": "8.3.2", + "resolved": "https://registry.npmjs.org/uuid/-/uuid-8.3.2.tgz", + "integrity": "sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==", + "bin": { + "uuid": "dist/bin/uuid" + } + }, + "node_modules/vary": { + "version": "1.1.2", + "resolved": "https://registry.npmjs.org/vary/-/vary-1.1.2.tgz", + "integrity": "sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==", + "dev": true, + "engines": { + "node": ">= 0.8" + } + }, + "node_modules/watchpack": { + "version": "2.4.0", + "resolved": "https://registry.npmjs.org/watchpack/-/watchpack-2.4.0.tgz", + "integrity": "sha512-Lcvm7MGST/4fup+ifyKi2hjyIAwcdI4HRgtvTpIUxBRhB+RFtUh8XtDOxUfctVCnhVi+QQj49i91OyvzkJl6cg==", + "dev": true, + "dependencies": { + "glob-to-regexp": "^0.4.1", + "graceful-fs": "^4.1.2" + }, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/wbuf": { + "version": "1.7.3", + "resolved": "https://registry.npmjs.org/wbuf/-/wbuf-1.7.3.tgz", + "integrity": "sha512-O84QOnr0icsbFGLS0O3bI5FswxzRr8/gHwWkDlQFskhSPryQXvrTMxjxGP4+iWYoauLoBvfDpkrOauZ+0iZpDA==", + "dev": true, + "dependencies": { + "minimalistic-assert": "^1.0.0" + } + }, + "node_modules/webidl-conversions": { + "version": "3.0.1", + "resolved": "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-3.0.1.tgz", + "integrity": "sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==" + }, + "node_modules/webpack": { + "version": "5.88.2", + "resolved": "https://registry.npmjs.org/webpack/-/webpack-5.88.2.tgz", + "integrity": "sha512-JmcgNZ1iKj+aiR0OvTYtWQqJwq37Pf683dY9bVORwVbUrDhLhdn/PlO2sHsFHPkj7sHNQF3JwaAkp49V+Sq1tQ==", + "dev": true, + "dependencies": { + "@types/eslint-scope": "^3.7.3", + "@types/estree": "^1.0.0", + "@webassemblyjs/ast": "^1.11.5", + "@webassemblyjs/wasm-edit": "^1.11.5", + "@webassemblyjs/wasm-parser": "^1.11.5", + "acorn": "^8.7.1", + "acorn-import-assertions": "^1.9.0", + "browserslist": "^4.14.5", + "chrome-trace-event": "^1.0.2", + "enhanced-resolve": "^5.15.0", + "es-module-lexer": "^1.2.1", + "eslint-scope": "5.1.1", + "events": "^3.2.0", + "glob-to-regexp": "^0.4.1", + "graceful-fs": "^4.2.9", + "json-parse-even-better-errors": "^2.3.1", + "loader-runner": "^4.2.0", + "mime-types": "^2.1.27", + "neo-async": "^2.6.2", + "schema-utils": "^3.2.0", + "tapable": "^2.1.1", + "terser-webpack-plugin": "^5.3.7", + "watchpack": "^2.4.0", + "webpack-sources": "^3.2.3" + }, + "bin": { + "webpack": "bin/webpack.js" + }, + "engines": { + "node": ">=10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependenciesMeta": { + "webpack-cli": { + "optional": true + } + } + }, + "node_modules/webpack-cli": { + "version": "5.1.4", + "resolved": "https://registry.npmjs.org/webpack-cli/-/webpack-cli-5.1.4.tgz", + "integrity": "sha512-pIDJHIEI9LR0yxHXQ+Qh95k2EvXpWzZ5l+d+jIo+RdSm9MiHfzazIxwwni/p7+x4eJZuvG1AJwgC4TNQ7NRgsg==", + "dev": true, + "dependencies": { + "@discoveryjs/json-ext": "^0.5.0", + "@webpack-cli/configtest": "^2.1.1", + "@webpack-cli/info": "^2.0.2", + "@webpack-cli/serve": "^2.0.5", + "colorette": "^2.0.14", + "commander": "^10.0.1", + "cross-spawn": "^7.0.3", + "envinfo": "^7.7.3", + "fastest-levenshtein": "^1.0.12", + "import-local": "^3.0.2", + "interpret": "^3.1.1", + "rechoir": "^0.8.0", + "webpack-merge": "^5.7.3" + }, + "bin": { + "webpack-cli": "bin/cli.js" + }, + "engines": { + "node": ">=14.15.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "5.x.x" + }, + "peerDependenciesMeta": { + "@webpack-cli/generators": { + "optional": true + }, + "webpack-bundle-analyzer": { + "optional": true + }, + "webpack-dev-server": { + "optional": true + } + } + }, + "node_modules/webpack-dev-middleware": { + "version": "5.3.3", + "resolved": "https://registry.npmjs.org/webpack-dev-middleware/-/webpack-dev-middleware-5.3.3.tgz", + "integrity": "sha512-hj5CYrY0bZLB+eTO+x/j67Pkrquiy7kWepMHmUMoPsmcUaeEnQJqFzHJOyxgWlq746/wUuA64p9ta34Kyb01pA==", + "dev": true, + "dependencies": { + "colorette": "^2.0.10", + "memfs": "^3.4.3", + "mime-types": "^2.1.31", + "range-parser": "^1.2.1", + "schema-utils": "^4.0.0" + }, + "engines": { + "node": ">= 12.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^4.0.0 || ^5.0.0" + } + }, + "node_modules/webpack-dev-middleware/node_modules/ajv": { + "version": "8.12.0", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-8.12.0.tgz", + "integrity": "sha512-sRu1kpcO9yLtYxBKvqfTeh9KzZEwO3STyX1HT+4CaDzC6HpTGYhIhPIzj9XuKU7KYDwnaeh5hcOwjy1QuJzBPA==", + "dev": true, + "dependencies": { + "fast-deep-equal": "^3.1.1", + "json-schema-traverse": "^1.0.0", + "require-from-string": "^2.0.2", + "uri-js": "^4.2.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/webpack-dev-middleware/node_modules/ajv-keywords": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-5.1.0.tgz", + "integrity": "sha512-YCS/JNFAUyr5vAuhk1DWm1CBxRHW9LbJ2ozWeemrIqpbsqKjHVxYPyi5GC0rjZIT5JxJ3virVTS8wk4i/Z+krw==", + "dev": true, + "dependencies": { + "fast-deep-equal": "^3.1.3" + }, + "peerDependencies": { + "ajv": "^8.8.2" + } + }, + "node_modules/webpack-dev-middleware/node_modules/json-schema-traverse": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", + "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", + "dev": true + }, + "node_modules/webpack-dev-middleware/node_modules/schema-utils": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-4.2.0.tgz", + "integrity": "sha512-L0jRsrPpjdckP3oPug3/VxNKt2trR8TcabrM6FOAAlvC/9Phcmm+cuAgTlxBqdBR1WJx7Naj9WHw+aOmheSVbw==", + "dev": true, + "dependencies": { + "@types/json-schema": "^7.0.9", + "ajv": "^8.9.0", + "ajv-formats": "^2.1.1", + "ajv-keywords": "^5.1.0" + }, + "engines": { + "node": ">= 12.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/webpack-dev-server": { + "version": "4.15.1", + "resolved": "https://registry.npmjs.org/webpack-dev-server/-/webpack-dev-server-4.15.1.tgz", + "integrity": "sha512-5hbAst3h3C3L8w6W4P96L5vaV0PxSmJhxZvWKYIdgxOQm8pNZ5dEOmmSLBVpP85ReeyRt6AS1QJNyo/oFFPeVA==", + "dev": true, + "dependencies": { + "@types/bonjour": "^3.5.9", + "@types/connect-history-api-fallback": "^1.3.5", + "@types/express": "^4.17.13", + "@types/serve-index": "^1.9.1", + "@types/serve-static": "^1.13.10", + "@types/sockjs": "^0.3.33", + "@types/ws": "^8.5.5", + "ansi-html-community": "^0.0.8", + "bonjour-service": "^1.0.11", + "chokidar": "^3.5.3", + "colorette": "^2.0.10", + "compression": "^1.7.4", + "connect-history-api-fallback": "^2.0.0", + "default-gateway": "^6.0.3", + "express": "^4.17.3", + "graceful-fs": "^4.2.6", + "html-entities": "^2.3.2", + "http-proxy-middleware": "^2.0.3", + "ipaddr.js": "^2.0.1", + "launch-editor": "^2.6.0", + "open": "^8.0.9", + "p-retry": "^4.5.0", + "rimraf": "^3.0.2", + "schema-utils": "^4.0.0", + "selfsigned": "^2.1.1", + "serve-index": "^1.9.1", + "sockjs": "^0.3.24", + "spdy": "^4.0.2", + "webpack-dev-middleware": "^5.3.1", + "ws": "^8.13.0" + }, + "bin": { + "webpack-dev-server": "bin/webpack-dev-server.js" + }, + "engines": { + "node": ">= 12.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + }, + "peerDependencies": { + "webpack": "^4.37.0 || ^5.0.0" + }, + "peerDependenciesMeta": { + "webpack": { + "optional": true + }, + "webpack-cli": { + "optional": true + } + } + }, + "node_modules/webpack-dev-server/node_modules/ajv": { + "version": "8.12.0", + "resolved": "https://registry.npmjs.org/ajv/-/ajv-8.12.0.tgz", + "integrity": "sha512-sRu1kpcO9yLtYxBKvqfTeh9KzZEwO3STyX1HT+4CaDzC6HpTGYhIhPIzj9XuKU7KYDwnaeh5hcOwjy1QuJzBPA==", + "dev": true, + "dependencies": { + "fast-deep-equal": "^3.1.1", + "json-schema-traverse": "^1.0.0", + "require-from-string": "^2.0.2", + "uri-js": "^4.2.2" + }, + "funding": { + "type": "github", + "url": "https://github.com/sponsors/epoberezkin" + } + }, + "node_modules/webpack-dev-server/node_modules/ajv-keywords": { + "version": "5.1.0", + "resolved": "https://registry.npmjs.org/ajv-keywords/-/ajv-keywords-5.1.0.tgz", + "integrity": "sha512-YCS/JNFAUyr5vAuhk1DWm1CBxRHW9LbJ2ozWeemrIqpbsqKjHVxYPyi5GC0rjZIT5JxJ3virVTS8wk4i/Z+krw==", + "dev": true, + "dependencies": { + "fast-deep-equal": "^3.1.3" + }, + "peerDependencies": { + "ajv": "^8.8.2" + } + }, + "node_modules/webpack-dev-server/node_modules/json-schema-traverse": { + "version": "1.0.0", + "resolved": "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz", + "integrity": "sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==", + "dev": true + }, + "node_modules/webpack-dev-server/node_modules/schema-utils": { + "version": "4.2.0", + "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-4.2.0.tgz", + "integrity": "sha512-L0jRsrPpjdckP3oPug3/VxNKt2trR8TcabrM6FOAAlvC/9Phcmm+cuAgTlxBqdBR1WJx7Naj9WHw+aOmheSVbw==", + "dev": true, + "dependencies": { + "@types/json-schema": "^7.0.9", + "ajv": "^8.9.0", + "ajv-formats": "^2.1.1", + "ajv-keywords": "^5.1.0" + }, + "engines": { + "node": ">= 12.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/webpack-merge": { + "version": "5.9.0", + "resolved": "https://registry.npmjs.org/webpack-merge/-/webpack-merge-5.9.0.tgz", + "integrity": "sha512-6NbRQw4+Sy50vYNTw7EyOn41OZItPiXB8GNv3INSoe3PSFaHJEz3SHTrYVaRm2LilNGnFUzh0FAwqPEmU/CwDg==", + "dev": true, + "dependencies": { + "clone-deep": "^4.0.1", + "wildcard": "^2.0.0" + }, + "engines": { + "node": ">=10.0.0" + } + }, + "node_modules/webpack-sources": { + "version": "3.2.3", + "resolved": "https://registry.npmjs.org/webpack-sources/-/webpack-sources-3.2.3.tgz", + "integrity": "sha512-/DyMEOrDgLKKIG0fmvtz+4dUX/3Ghozwgm6iPp8KRhvn+eQf9+Q7GWxVNMk3+uCPWfdXYC4ExGBckIXdFEfH1w==", + "dev": true, + "engines": { + "node": ">=10.13.0" + } + }, + "node_modules/webpack/node_modules/schema-utils": { + "version": "3.3.0", + "resolved": "https://registry.npmjs.org/schema-utils/-/schema-utils-3.3.0.tgz", + "integrity": "sha512-pN/yOAvcC+5rQ5nERGuwrjLlYvLTbCibnZ1I7B1LaiAz9BRBlE9GMgE/eqV30P7aJQUf7Ddimy/RsbYO/GrVGg==", + "dev": true, + "dependencies": { + "@types/json-schema": "^7.0.8", + "ajv": "^6.12.5", + "ajv-keywords": "^3.5.2" + }, + "engines": { + "node": ">= 10.13.0" + }, + "funding": { + "type": "opencollective", + "url": "https://opencollective.com/webpack" + } + }, + "node_modules/websocket-driver": { + "version": "0.7.4", + "resolved": "https://registry.npmjs.org/websocket-driver/-/websocket-driver-0.7.4.tgz", + "integrity": "sha512-b17KeDIQVjvb0ssuSDF2cYXSg2iztliJ4B9WdsuB6J952qCPKmnVq4DyW5motImXHDC1cBT/1UezrJVsKw5zjg==", + "dev": true, + "dependencies": { + "http-parser-js": ">=0.5.1", + "safe-buffer": ">=5.1.0", + "websocket-extensions": ">=0.1.1" + }, + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/websocket-extensions": { + "version": "0.1.4", + "resolved": "https://registry.npmjs.org/websocket-extensions/-/websocket-extensions-0.1.4.tgz", + "integrity": "sha512-OqedPIGOfsDlo31UNwYbCFMSaO9m9G/0faIHj5/dZFDMFqPTcx6UwqyOy3COEaEOg/9VsGIpdqn62W5KhoKSpg==", + "dev": true, + "engines": { + "node": ">=0.8.0" + } + }, + "node_modules/whatwg-url": { + "version": "5.0.0", + "resolved": "https://registry.npmjs.org/whatwg-url/-/whatwg-url-5.0.0.tgz", + "integrity": "sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==", + "dependencies": { + "tr46": "~0.0.3", + "webidl-conversions": "^3.0.0" + } + }, + "node_modules/which": { + "version": "2.0.2", + "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", + "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", + "dev": true, + "dependencies": { + "isexe": "^2.0.0" + }, + "bin": { + "node-which": "bin/node-which" + }, + "engines": { + "node": ">= 8" + } + }, + "node_modules/wildcard": { + "version": "2.0.1", + "resolved": "https://registry.npmjs.org/wildcard/-/wildcard-2.0.1.tgz", + "integrity": "sha512-CC1bOL87PIWSBhDcTrdeLo6eGT7mCFtrg0uIJtqJUFyK+eJnzl8A1niH56uu7KMa5XFrtiV+AQuHO3n7DsHnLQ==", + "dev": true + }, + "node_modules/wrappy": { + "version": "1.0.2", + "resolved": "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz", + "integrity": "sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==", + "dev": true + }, + "node_modules/ws": { + "version": "8.14.2", + "resolved": "https://registry.npmjs.org/ws/-/ws-8.14.2.tgz", + "integrity": "sha512-wEBG1ftX4jcglPxgFCMJmZ2PLtSbJ2Peg6TmpJFTbe9GZYOQCDPdMYu/Tm0/bGZkw8paZnJY45J4K2PZrLYq8g==", + "dev": true, + "engines": { + "node": ">=10.0.0" + }, + "peerDependencies": { + "bufferutil": "^4.0.1", + "utf-8-validate": ">=5.0.2" + }, + "peerDependenciesMeta": { + "bufferutil": { + "optional": true + }, + "utf-8-validate": { + "optional": true + } + } + }, + "node_modules/xml2js": { + "version": "0.5.0", + "resolved": "https://registry.npmjs.org/xml2js/-/xml2js-0.5.0.tgz", + "integrity": "sha512-drPFnkQJik/O+uPKpqSgr22mpuFHqKdbS835iAQrUC73L2F5WkboIRd63ai/2Yg6I1jzifPFKH2NTK+cfglkIA==", + "dependencies": { + "sax": ">=0.6.0", + "xmlbuilder": "~11.0.0" + }, + "engines": { + "node": ">=4.0.0" + } + }, + "node_modules/xmlbuilder": { + "version": "11.0.1", + "resolved": "https://registry.npmjs.org/xmlbuilder/-/xmlbuilder-11.0.1.tgz", + "integrity": "sha512-fDlsI/kFEx7gLvbecc0/ohLG50fugQp8ryHzMTuW9vSa1GJ0XYWKnhsUx7oie3G98+r56aTQIUB4kht42R3JvA==", + "engines": { + "node": ">=4.0" + } + }, + "node_modules/yallist": { + "version": "3.1.1", + "resolved": "https://registry.npmjs.org/yallist/-/yallist-3.1.1.tgz", + "integrity": "sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==", + "dev": true + } + } +} diff --git a/summarization-poc/frontend/Project/package.json b/summarization-poc/frontend/Project/package.json new file mode 100644 index 00000000..6b0cfcbd --- /dev/null +++ b/summarization-poc/frontend/Project/package.json @@ -0,0 +1,45 @@ +{ + "name": "ACSCallingSample", + "version": "1.0.0", + "private": true, + "dependencies": { + "@azure/communication-calling": "1.27.1-beta.1", + "@azure/communication-calling-effects": "1.1.1-beta.1", + "@azure/communication-common": "^2.3.0", + "@azure/communication-identity": "^1.3.0", + "@azure/communication-network-traversal": "^1.1.0-beta.1", + "@azure/logger": "^1.0.3", + "@azure/msal-browser": "^2.33.0", + "@azure/msal-node": "^1.17.1", + "@fluentui/react": "^7.158.1", + "@microsoft/applicationinsights-web": "^3.0.2", + "pako": "^2.1.0", + "react": "^16.14.0", + "react-dom": "^16.14.0", + "react-onesignal": "^2.0.4", + "react-toastify": "9.0.1" + }, + "scripts": { + "start-local": "webpack-dev-server --port 5000 --mode development", + "build-local": "webpack --mode development", + "start": "webpack-dev-server --host 0.0.0.0", + "build": "webpack" + }, + "devDependencies": { + "@babel/core": "^7.8.7", + "@babel/plugin-transform-class-properties": "^7.22.5", + "@babel/plugin-transform-runtime": "^7.8.3", + "@babel/preset-env": "^7.8.7", + "@babel/preset-react": "^7.8.3", + "@babel/runtime": "^7.8.7", + "axios": "^1.3.4", + "babel-loader": "^8.0.6", + "css-loader": "^5.2.6", + "html-loader": "^4.2.0", + "html-webpack-plugin": "^5.5.3", + "style-loader": "^1.1.3", + "webpack": "^5.88.2", + "webpack-cli": "^5.1.4", + "webpack-dev-server": "^4.15.1" + } +} \ No newline at end of file diff --git a/summarization-poc/frontend/Project/public/OneSignalSDKUpdaterWorker.js b/summarization-poc/frontend/Project/public/OneSignalSDKUpdaterWorker.js new file mode 100644 index 00000000..a7dfd5a1 --- /dev/null +++ b/summarization-poc/frontend/Project/public/OneSignalSDKUpdaterWorker.js @@ -0,0 +1 @@ +importScripts('https://cdn.onesignal.com/sdks/OneSignalSDKWorker.js'); \ No newline at end of file diff --git a/summarization-poc/frontend/Project/public/OneSignalSDKWorker.js b/summarization-poc/frontend/Project/public/OneSignalSDKWorker.js new file mode 100644 index 00000000..a7dfd5a1 --- /dev/null +++ b/summarization-poc/frontend/Project/public/OneSignalSDKWorker.js @@ -0,0 +1 @@ +importScripts('https://cdn.onesignal.com/sdks/OneSignalSDKWorker.js'); \ No newline at end of file diff --git a/summarization-poc/frontend/Project/public/assets/images/ACSBackdrop.png b/summarization-poc/frontend/Project/public/assets/images/ACSBackdrop.png new file mode 100644 index 00000000..37845e22 Binary files /dev/null and b/summarization-poc/frontend/Project/public/assets/images/ACSBackdrop.png differ diff --git a/summarization-poc/frontend/Project/public/assets/images/MicrosoftLearnBackdrop.png b/summarization-poc/frontend/Project/public/assets/images/MicrosoftLearnBackdrop.png new file mode 100644 index 00000000..a174ebad Binary files /dev/null and b/summarization-poc/frontend/Project/public/assets/images/MicrosoftLearnBackdrop.png differ diff --git a/summarization-poc/frontend/Project/public/assets/images/acsIcon.png b/summarization-poc/frontend/Project/public/assets/images/acsIcon.png new file mode 100644 index 00000000..3fb7fdc0 Binary files /dev/null and b/summarization-poc/frontend/Project/public/assets/images/acsIcon.png differ diff --git a/summarization-poc/frontend/Project/public/index.html b/summarization-poc/frontend/Project/public/index.html new file mode 100644 index 00000000..2bf4de62 --- /dev/null +++ b/summarization-poc/frontend/Project/public/index.html @@ -0,0 +1,20 @@ + + + + + + + + + + ACS Calling Sample + + + +
+ + + \ No newline at end of file diff --git a/summarization-poc/frontend/Project/serverConfig.json b/summarization-poc/frontend/Project/serverConfig.json new file mode 100644 index 00000000..5ae3e9e3 --- /dev/null +++ b/summarization-poc/frontend/Project/serverConfig.json @@ -0,0 +1,4 @@ +{ + "connectionString": "", + "functionAppOneSignalTokenRegistrationUrl": "" +} \ No newline at end of file diff --git a/summarization-poc/frontend/Project/src/App.css b/summarization-poc/frontend/Project/src/App.css new file mode 100644 index 00000000..e7284ff3 --- /dev/null +++ b/summarization-poc/frontend/Project/src/App.css @@ -0,0 +1,1223 @@ +/********************************* +* Small screen * +*********************************/ +@media (max-width: 575.98px) { + .sdk-docs-header { + text-align: left; + } + + .in-call-button { + font-size: x-large; + } + + .remote-video-loading-spinner { + border: 8px solid #f3f3f3; + border-radius: 50%; + border-top: 8px solid #75b6e7; + width: 60px; + height: 60px; + -webkit-animation: spin 2s linear infinite; + /* Safari */ + animation: spin 2s linear infinite; + position: absolute; + margin: auto; + top: 0; + bottom: 0; + left: 0; + right: 0; + transform: translate(-50%, -50%); + } + + .card { + border-top: 1px solid #605e5c; + padding-top: 1.5em; + padding-bottom: 1.5em; + padding-right: 0em; + padding-left: 0em; + } + + .login-pannel.teams { + margin-top: 10px; + } +} + +body { + margin: 0; + font-size: 14px !important; + font-family: -apple-system, BlinkMacSystemFont, 'Segoe UI', 'Roboto', 'Oxygen', + 'Ubuntu', 'Cantarell', 'Fira Sans', 'Droid Sans', 'Helvetica Neue', + sans-serif !important; + -webkit-font-smoothing: antialiased; + -moz-osx-font-smoothing: grayscale; + background-color: #0D1114; + color: #c5c5c5 !important; + font-weight: 500; +} + +/********************************* +* Code Examples * +*********************************/ +pre { + overflow-x: auto; +} + +code { + font-family: source-code-pro, Menlo, Monaco, Consolas, 'Courier New', + monospace; +} + +/********************************* +* Headers * +*********************************/ +h1, +h2, +h3, +h4, +h5, +h6 { + color: #ffffff; + margin-top: 0; + margin-bottom: .5rem; + font-weight: unset; +} + +.header { + padding-top: 1em; + padding-bottom: 0.5em; +} + +.nav-bar-icon { + height: 5em; +} + +.sdk-docs-header { + text-align: right; + font-weight: 300; +} + +.sdk-docs-link { + color: #edebe9; + text-decoration: underline; +} + +.login-pannel { + height: 300px; +} + +input:disabled { + color: #8f8f8f !important; +} + +.loader { + border: 2px solid #edebe9; + border-top: 2px solid #75b6e7; + border-radius: 50%; + width: 14px; + height: 14px; + animation: spin 0.75s linear infinite; +} + +.ringing-loader { + border: 5px solid #edebe9; + border-top: 5px solid #75b6e7; + border-radius: 50%; + width: 30px; + height: 30px; + animation: spin 1.5s linear infinite; +} + +@keyframes spin { + 0% { + transform: rotate(0deg); + } + + 100% { + transform: rotate(360deg); + } +} + +/* Safari */ +@-webkit-keyframes spin { + 0% { + -webkit-transform: rotate(0deg); + } + + 100% { + -webkit-transform: rotate(360deg); + } +} + +.identity { + color: #75b6e7 +} + +.ListGroup { + max-height: 15rem; + overflow: auto; +} + +.ListGroup li { + padding-top: 0.5rem; + padding-bottom: 0.5rem; +} + +button:focus { + outline: 0; +} + +.card { + border-top: 1px solid #605e5c; + padding-top: 3em; + padding-bottom: 3em; + padding-right: 1em; + padding-left: 1em; +} + +ul { + list-style-type: none; +} + +.pre-call-grid-container { + display: flex; + flex-wrap: wrap; +} + +.pre-call-grid { + display: flex; + flex-direction: column; + padding-right: 2em; +} + +.pre-call-grid span { + margin: 20px 20px 10px 0; +} + +.pre-call-grid-panel { + padding: 0.3em; + border: 1px solid #605e5c; + height: 100%; +} + +.ms-u-sm2 { + width: 8em +} + +.participants-panel { + max-height: 60em; + overflow-y: auto; + padding: 1em; + width: fit-content; +} + +.participants-panel-list { + padding-left: 0; + margin-top: 0; +} + +.participant-item { + padding-top: 2em; + padding-bottom: 2em; + padding-left: 1em; +} + +.participant-item:hover { + background-color: #201f1e; +} + +.ms-Persona-primaryText, +.ms-Persona-primaryText:hover { + color: #edebe9; + text-wrap: wrap; +} + +.participant-remove, +.participant-remove:hover { + color: #a4262c; + text-decoration: none; +} + +.add-participant-panel { + padding: 0.5em; + border: 1px solid #605e5c; +} + +.add-participant-button { + padding-bottom: 0.4em; + padding-right: 0.4em; + padding-left: 0.4em; + font-size: x-large; + color: #edebe9; +} + +.separator { + margin-top: 10px; + margin-bottom: 10px; + border-bottom: 1px solid #605e5c; +} + +.ms-TextField { + margin-top: 25px; + margin-bottom: 25px; +} + +.ms-TextField-fieldGroup { + border: 0px; + box-sizing: unset; + background-color: #0D1114; +} + +.ms-TextField-field { + border: 1px solid #3b3b3b !important; + background-color: #0D1114; + color: #edebe9; + border-radius: 20px; + height: 35px; + padding-left: 1em; +} + +.ms-TextField-field::placeholder { + font-size: 14px; +} + +.ms-TextField-field:hover { + background-color: #0D1114; + color: #edebe9; +} + +.ms-TextField-wrapper>label { + color: #c5c5c5; + font-weight: 400; + font-size: 12px; +} + +div.push-notification-options[disabled], +div.ms-Checkbox.is-disabled>input[type="checkbox"]+label.ms-Checkbox-label>span.ms-Checkbox-text, +.ms-TextField-field:disabled, +.ms-TextField-field::placeholder, +.ms-TextField.is-disabled>.ms-TextField-wrapper>label, +div.ms-Checkbox.is-disabled>input[type="checkbox"]+label.ms-Checkbox-label>div.ms-Checkbox-checkbox>i.ms-Checkbox-checkmark { + color: #484644 !important; +} + +div.ms-Checkbox>input[type="checkbox"]+label.ms-Checkbox-label>div.ms-Checkbox-checkbox { + background-color: #201f1e; + border: 1px solid #605e5c; +} + +div.ms-Checkbox.is-disabled>input[type="checkbox"]+label.ms-Checkbox-label>div.ms-Checkbox-checkbox { + border: 1px solid #484644; +} + +div.ms-Checkbox>input[type="checkbox"]+label.ms-Checkbox-label>span.ms-Checkbox-text { + color: white; + font-size: 0.8rem; +} + +.primary-button { + font-size: 14px; + height: 40px; + color: #000000; + background-color: #e1e1e1; + border: 1px solid #e1e1e1; + outline: none; + margin-right: 1em; + margin-bottom: 1em; + border-radius: 20px; + padding-right: 25px; + padding-left: 25px; +} + +.primary-button:hover { + color: #278cda; + background-color: #201f1e; + border: 1px solid #278cda; +} + +.primary-button:disabled { + background-color: #2f2f2f; + border-color: #4b4b4b; + outline: none; + color: #000000; +} + +.secondary-button { + font-size: 14px; + height: 40px; + color: #000000; + background-color: #e1e1e1; + border: 1px solid #e1e1e1; + outline: none; + margin-right: 1em; + margin-bottom: 1em; + border-radius: 20px; + padding-right: 25px; + padding-left: 25px; +} + +.secondary-button:hover { + color: #278cda; + background-color: #201f1e; + border: 1px solid #278cda; +} + +.call-input-panel { + padding: 0 0.6em; +} + +.call-input-panel-input-label-disabled { + color: #484644 !important; +} + +.in-call-button, +.incoming-call-button { + padding-right: 0.4em; + padding-left: 0.4em; + font-size: 24px; +} + +.incoming-call-button, +.incoming-call-label { + display: inline; +} + +.in-call-button:hover, +.incoming-call-button:hover { + cursor: pointer; +} + +.in-call-button:first-child { + border-radius: 0px; +} + +.video-grid-row { + display: grid; + gap: 1px; + padding-bottom: 25px; + grid-template-columns: repeat(auto-fit, minmax(min(99%/1, 100%/4), 1fr)); +} + +@media screen and (max-width: 1024px) { + .video-grid-row { + display: block; + } +} + +.video-grid-row>.stream-container.rendering:nth-child(3n-1):nth-last-of-type(1) { + grid-column: span 2; +} + +.video-grid-row>.stream-container.rendering:nth-child(3n-2):nth-last-of-type(1) { + grid-column: span 3; +} + +.pptLive { + display: block; + padding: 2vh 2vw; + width: 100%; + height: 50vh; +} + +.video-title { + position: absolute; + bottom: 8%; + left: 4%; + margin-bottom: 0px; + width: 50%; + background-color: #0000006e; + margin: 0.4em; + margin-left: 0.5em; + margin-right: 0.5em; + padding: 1em; + padding-top: 0.5em; + padding-bottom: 0.5em; +} + +.video-stats { + position: absolute; + top: 10%; + left: 4%; + margin-bottom: 0px; + background-color: #0000006e; + margin: 0.4em; + margin-left: 0.5em; + margin-right: 0.5em; + padding: 1em; + padding-top: 0.5em; + padding-bottom: 0.5em; +} + +.speaking-border-for-initials>.ms-Persona-coin>.ms-Persona-imageArea>.ms-Persona-initials { + box-shadow: 0px 0px 0px 3px #75b6e7, 0px 0px 20px 5px #75b6e7; +} + +.speaking-border-for-video { + box-shadow: 0px 0px 0px 3px #75b6e7; +} + +.remote-video-container { + position: relative; + height: 100%; +} + +.remote-video-container video { + object-fit: cover !important; + object-position: center center; +} + +.remote-video-loading-spinner { + border: 12px solid #f3f3f3; + border-radius: 50%; + border-top: 12px solid #75b6e7; + width: 100px; + height: 100px; + -webkit-animation: spin 2s linear infinite; + /* Safari */ + animation: spin 2s linear infinite; + position: absolute; + margin: auto; + top: 0; + bottom: 0; + left: 0; + right: 0; + transform: translate(-50%, -50%); +} + +.icon-text-large { + vertical-align: middle; + font-size: large; +} + +.icon-text-xlarge { + vertical-align: middle; + font-size: x-large; +} + +.popover { + border: 1px solid #605e5c; + border-radius: 0; +} + +.popover-header { + background-color: #292827; + color: #edebe9; + border-bottom: 1px solid #292827; + border-radius: 0; +} + +.popover-body { + background-color: #292827; + color: #edebe9; +} + +/********************************* +* Width and Height * +*********************************/ +.w-25 { + width: 25% !important; +} + +.w-50 { + width: 50% !important; +} + +.w-75 { + width: 75% !important; +} + +.w-100 { + width: 100% !important; +} + +.h-25 { + height: 25% !important; +} + +.h-50 { + height: 50% !important; +} + +.h-75 { + height: 75% !important; +} + +.h-100 { + height: 100% !important; +} + +/********************************* +* Font weights * +*********************************/ +.fontweight-100 { + font-weight: 100; +} + +.fontweight-200 { + font-weight: 200; +} + +.fontweight-300 { + font-weight: 300; +} + +.fontweight-400 { + font-weight: 400; +} + +.fontweight-500 { + font-weight: 500; +} + +.fontweight-600 { + font-weight: 600; +} + +.fontweight-700 { + font-weight: 700; +} + +/********************************* +* Alignment * +**********************************/ +.align-items-center { + align-items: center; +} + +.justify-content-left { + justify-content: left; +} + +.justify-content-right { + justify-content: right; +} + +.justify-content-center { + justify-content: center; +} + +.text-truncate { + overflow: hidden; + text-overflow: ellipsis; + white-space: nowrap; +} + +.text-left { + text-align: left; +} + +.text-right { + text-align: right; +} + +.text-center { + text-align: center; +} + +.inline-block { + display: inline-block; + vertical-align: middle; +} + +.inline-flex { + display: inline-flex; +} + +/********************************* +* Margin and Padding * +**********************************/ +.m-0 { + margin: 0 !important; +} + +.mt-0, +.my-0 { + margin-top: 0 !important; +} + +.mr-0, +.mx-0 { + margin-right: 0 !important; +} + +.mb-0, +.my-0 { + margin-bottom: 0 !important; +} + +.ml-0, +.mx-0 { + margin-left: 0 !important; +} + +.m-1 { + margin: 0.25rem !important; +} + +.mt-1, +.my-1 { + margin-top: 0.25rem !important; +} + +.mr-1, +.mx-1 { + margin-right: 0.25rem !important; +} + +.mb-1, +.my-1 { + margin-bottom: 0.25rem !important; +} + +.ml-1, +.mx-1 { + margin-left: 0.25rem !important; +} + +.m-2 { + margin: 0.5rem !important; +} + +.mt-2, +.my-2 { + margin-top: 0.5rem !important; +} + +.mr-2, +.mx-2 { + margin-right: 0.5rem !important; +} + +.mb-2, +.my-2 { + margin-bottom: 0.5rem !important; +} + +.ml-2, +.mx-2 { + margin-left: 0.5rem !important; +} + +.m-3 { + margin: 1rem !important; +} + +.mt-3, +.my-3 { + margin-top: 1rem !important; +} + +.mr-3, +.mx-3 { + margin-right: 1rem !important; +} + +.mb-3, +.my-3 { + margin-bottom: 1rem !important; +} + +.ml-3, +.mx-3 { + margin-left: 1rem !important; +} + +.m-4 { + margin: 1.5rem !important; +} + +.mt-4, +.my-4 { + margin-top: 1.5rem !important; +} + +.mr-4, +.mx-4 { + margin-right: 1.5rem !important; +} + +.mb-4, +.my-4 { + margin-bottom: 1.5rem !important; +} + +.ml-4, +.mx-4 { + margin-left: 1.5rem !important; +} + +.m-5 { + margin: 3rem !important; +} + +.mt-5, +.my-5 { + margin-top: 3rem !important; +} + +.mr-5, +.mx-5 { + margin-right: 3rem !important; +} + +.mb-5, +.my-5 { + margin-bottom: 3rem !important; +} + +.ml-5, +.mx-5 { + margin-left: 3rem !important; +} + +.p-0 { + padding: 0 !important; +} + +.pt-0, +.py-0 { + padding-top: 0 !important; +} + +.pr-0, +.px-0 { + padding-right: 0 !important; +} + +.pb-0, +.py-0 { + padding-bottom: 0 !important; +} + +.pl-0, +.px-0 { + padding-left: 0 !important; +} + +.p-1 { + padding: 0.25rem !important; +} + +.pt-1, +.py-1 { + padding-top: 0.25rem !important; +} + +.pr-1, +.px-1 { + padding-right: 0.25rem !important; +} + +.pb-1, +.py-1 { + padding-bottom: 0.25rem !important; +} + +.pl-1, +.px-1 { + padding-left: 0.25rem !important; +} + +.p-2 { + padding: 0.5rem !important; +} + +.pt-2, +.py-2 { + padding-top: 0.5rem !important; +} + +.pr-2, +.px-2 { + padding-right: 0.5rem !important; +} + +.pb-2, +.py-2 { + padding-bottom: 0.5rem !important; +} + +.pl-2, +.px-2 { + padding-left: 0.5rem !important; +} + +.p-3 { + padding: 1rem !important; +} + +.pt-3, +.py-3 { + padding-top: 1rem !important; +} + +.pr-3, +.px-3 { + padding-right: 1rem !important; +} + +.pb-3, +.py-3 { + padding-bottom: 1rem !important; +} + +.pl-3, +.px-3 { + padding-left: 1rem !important; +} + +.p-4 { + padding: 1.5rem !important; +} + +.pt-4, +.py-4 { + padding-top: 1.5rem !important; +} + +.pr-4, +.px-4 { + padding-right: 1.5rem !important; +} + +.pb-4, +.py-4 { + padding-bottom: 1.5rem !important; +} + +.pl-4, +.px-4 { + padding-left: 1.5rem !important; +} + +.p-5 { + padding: 3rem !important; +} + +.pt-5, +.py-5 { + padding-top: 3rem !important; +} + +.pr-5, +.px-5 { + padding-right: 3rem !important; +} + +.pb-5, +.py-5 { + padding-bottom: 3rem !important; +} + +.pl-5, +.px-5 { + padding-left: 3rem !important; +} + +.m-n1 { + margin: -0.25rem !important; +} + +.mt-n1, +.my-n1 { + margin-top: -0.25rem !important; +} + +.mr-n1, +.mx-n1 { + margin-right: -0.25rem !important; +} + +.mb-n1, +.my-n1 { + margin-bottom: -0.25rem !important; +} + +.ml-n1, +.mx-n1 { + margin-left: -0.25rem !important; +} + +.m-n2 { + margin: -0.5rem !important; +} + +.mt-n2, +.my-n2 { + margin-top: -0.5rem !important; +} + +.mr-n2, +.mx-n2 { + margin-right: -0.5rem !important; +} + +.mb-n2, +.my-n2 { + margin-bottom: -0.5rem !important; +} + +.ml-n2, +.mx-n2 { + margin-left: -0.5rem !important; +} + +.m-n3 { + margin: -1rem !important; +} + +.mt-n3, +.my-n3 { + margin-top: -1rem !important; +} + +.mr-n3, +.mx-n3 { + margin-right: -1rem !important; +} + +.mb-n3, +.my-n3 { + margin-bottom: -1rem !important; +} + +.ml-n3, +.mx-n3 { + margin-left: -1rem !important; +} + +.m-n4 { + margin: -1.5rem !important; +} + +.mt-n4, +.my-n4 { + margin-top: -1.5rem !important; +} + +.mr-n4, +.mx-n4 { + margin-right: -1.5rem !important; +} + +.mb-n4, +.my-n4 { + margin-bottom: -1.5rem !important; +} + +.ml-n4, +.mx-n4 { + margin-left: -1.5rem !important; +} + +.m-n5 { + margin: -3rem !important; +} + +.mt-n5, +.my-n5 { + margin-top: -3rem !important; +} + +.mr-n5, +.mx-n5 { + margin-right: -3rem !important; +} + +.mb-n5, +.my-n5 { + margin-bottom: -3rem !important; +} + +.ml-n5, +.mx-n5 { + margin-left: -3rem !important; +} + +div.callDebugInfoJSONStringDiv { + background-color: #292827; + /* height: 500px; + width: 1350px; */ + height: auto; + width: auto; + max-width: 1350px; + max-height: 500px; + overflow-y: auto; + overflow-x: auto; +} + +.video-effects-loading-spinner { + border: 8px solid #f3f3f3; + border-radius: 50%; + border-top: 8px solid #75b6e7; + width: 50px; + height: 50px; + -webkit-animation: spin 2s linear infinite; + /* Safari */ + animation: spin 2s linear infinite; + position: absolute; + margin: auto; + top: 0; + bottom: 0; + left: 0; + right: 0; + transform: translate(-50%, -50%); +} + +.video-effects-image-picker.disabled { + cursor: not-allowed !important; + pointer-events: none !important; +} + +.video-effects-image-picker.disabled img { + filter: brightness(20%); +} + +.video-effects-image-picker img { + width: 100%; + height: 100%; +} + +.video-effects-image-picker .selected { + border: 1px solid #f3f3f3; +} + +.video-effects-image-picker i { + position: absolute; + bottom: 10px; + right: 10px; +} + +.video-effects-image-picker .image-overlay-icon.show { + display: block; +} + +.video-effects-image-picker .image-overlay-icon.hide { + display: none; +} + +div.volumeVisualizer { + --volume: 0%; + position: relative; + width: 200px; + height: 20px; + margin: 50px; + background-color: #DDD; +} + +div.volumeVisualizer::before { + content: ''; + position: absolute; + top: 0; + bottom: 0; + left: 0; + width: var(--volume); + background-color: #75b6e7; + transition: width 100ms linear; +} + +.volume-indicatordiv { + width: 300px; + border: 1px solid #605e5c; + padding: 8px; +} + +.stream-container { + order: 1; + display: none; + position: relative; + flex-grow: 0; + flex-shrink: 0; + flex-basis: 100%; +} + +.stream-container[id*="ScreenSharing"] { + order: 0; + grid-column: span 3 !important; +} + +.scrollable-captions-container { + overflow: auto; + max-height: 300px; + display: flex; + flex-direction: column-reverse; +} + +.scrollable-captions-container .captions-area .caption-item { + transform: translateZ(0); +} + +.custom-video-effects-buttons:not(.outgoing) { + display: flex; + position: absolute; + top: 4%; + left: 5%; + margin-bottom: -0.5em; +} + +.custom-video-effects-buttons:not(.outgoing) button { + z-index: 999; + background-color: #0000006e; + border: none; +} + +.video-feature-sample .primary-button { + background: transparent; + border: 1px solid #fff; +} + +.video-feature-sample .primary-button.is-disabled { + border: 1px solid grey; + color: grey; +} + +.spotlightEnabled { + border: 1px solid #75b6e7; +} + +.lobby-action { + margin-top: 2px; +} + +.red-link { + color: red; +} + +.green-link { + color: green; +} + +.participantMenu, +.participantMenu:hover { + background-color: inherit; + width: fit-content; + color: white; + border: none; + margin-right: 5px; +} + +.participantMenu .ms-Icon { + font-size: 30px; + border: none; +} + +.callFeatureEnabled, +.callFeatureEnabled:hover { + color: #75b6e7; +} + +.dominant-speakers-list { + max-height: 12em; + overflow-y: auto; +} + +.dropdown-pos { + float: right; +} + +.summary-text { + background-color: #333; + color: white; + padding: 10px; + overflow-wrap: break-word; + white-space: pre-wrap; + font-size: 15px; +} \ No newline at end of file diff --git a/summarization-poc/frontend/Project/src/App.js b/summarization-poc/frontend/Project/src/App.js new file mode 100644 index 00000000..eefc1895 --- /dev/null +++ b/summarization-poc/frontend/Project/src/App.js @@ -0,0 +1,46 @@ +import React, { useState } from 'react'; +import './App.css'; +import MakeCall from './MakeCall/MakeCall' +import { initializeIcons } from '@uifabric/icons'; +import { ToastContainer } from 'react-toastify'; + +initializeIcons(); + +function App() { + let [users, setUsers] = useState([]); + + function VWebSdkVersion() { + return require('../package.json').dependencies['@azure/communication-calling']; + } + + return ( +
+ +
+
+
+
+ {setUsers([...users, ]) }} className="nav-bar-icon" src="./assets/images/acsIcon.png"> +
+

+ Azure Communication Services - Calling SDK for Javascript - { VWebSdkVersion() } +

+
+ +
+
+
+ {users} +
+
+ ); +} + +export default App; diff --git a/summarization-poc/frontend/Project/src/Constants.js b/summarization-poc/frontend/Project/src/Constants.js new file mode 100644 index 00000000..7e5c5674 --- /dev/null +++ b/summarization-poc/frontend/Project/src/Constants.js @@ -0,0 +1,7 @@ +export const URL_PARAM = { + DISPLAY_NAME: 'dn', + MEETING_LINK: 'ml', + VIDEO: 'video', + MIC: 'mic', + ON: 'on' +} \ No newline at end of file diff --git a/summarization-poc/frontend/Project/src/MakeCall/AddParticipantPopover.js b/summarization-poc/frontend/Project/src/MakeCall/AddParticipantPopover.js new file mode 100644 index 00000000..0cc0784d --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/AddParticipantPopover.js @@ -0,0 +1,59 @@ +import React, { useState } from "react"; +import { PrimaryButton, TextField } from 'office-ui-fabric-react'; +import { CallKind } from "@azure/communication-calling"; +import { createIdentifierFromRawId } from '@azure/communication-common'; + +export default function AddParticipantPopover({call}) { + const [userId, setUserId] = useState(''); + const [threadId, setThreadId] = useState(''); + const [alternateCallerId, setAlternateCallerId] = useState(''); + + function handleAddParticipant() { + console.log('handleAddParticipant', userId); + try { + let participantId = createIdentifierFromRawId(userId); + call._kind === CallKind.TeamsCall ? + call.addParticipant(participantId, {threadId}) : + call.addParticipant(participantId); + } catch (e) { + console.error(e); + } + } + + function handleAddPhoneNumber() { + console.log('handleAddPhoneNumber', userId); + try { + call.addParticipant({ phoneNumber: userId }, { alternateCallerId: { phoneNumber: alternateCallerId }}); + } catch (e) { + console.error(e); + } + } + + return ( +
+
+
+
+

Add a participant

+
+ setUserId(e.target.value)} /> + { + call._kind === CallKind.TeamsCall && + setThreadId(e.target.value)} /> + } + { + call._kind === CallKind.Call && + setAlternateCallerId(e.target.value)} /> + } + Add Participant + { + call._kind === CallKind.Call && + < PrimaryButton className="secondary-button mt-1" onClick={handleAddPhoneNumber}>Add Phone Number + } +
+
+
+
+
+ ); +} \ No newline at end of file diff --git a/summarization-poc/frontend/Project/src/MakeCall/AudioEffects/AudioEffectsContainer.js b/summarization-poc/frontend/Project/src/MakeCall/AudioEffects/AudioEffectsContainer.js new file mode 100644 index 00000000..e2cb87e3 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/AudioEffects/AudioEffectsContainer.js @@ -0,0 +1,497 @@ +import React from 'react'; +import { Features, LocalAudioStream } from '@azure/communication-calling'; +import { + EchoCancellationEffect, + DeepNoiseSuppressionEffect +} from '@azure/communication-calling-effects'; +import { Dropdown, PrimaryButton } from '@fluentui/react'; + +export const LoadingSpinner = () => { + return ( +
+ ); +}; + +export default class AudioEffectsContainer extends React.Component { + constructor(props) { + super(props); + this.call = props.call; + this.deviceManager = props.deviceManager; + this.localAudioStreamFeatureApi = null; + this.localAudioStream = null; + + this.state = { + supportedAudioEffects: [], + supportedAudioEffectsPopulated: false, + autoGainControl: { + startLoading: false, + stopLoading: false, + autoGainControlList: [], + currentSelected: undefined + }, + echoCancellation: { + startLoading: false, + stopLoading: false, + echoCancellationList: [], + currentSelected: undefined + }, + noiseSuppression: { + startLoading: false, + stopLoading: false, + noiseSuppressionList: [], + currentSelected: undefined + }, + activeEffects: { + autoGainControl: [], + echoCancellation: [], + noiseSuppression: [] + } + }; + + this.initLocalAudioStreamFeatureApi(); + } + + componentDidCatch(e) { + this.logError(JSON.stringify(e)); + } + + componentDidMount() { + this.populateAudioEffects(); + } + + logError(error) { + console.error(error); + } + + logWarn(error) { + console.warn(error); + } + + initLocalAudioStreamFeatureApi() { + const localAudioStream = this.call.localAudioStreams.find(a => { + return a.mediaStreamType === 'Audio'; + }); + + if (!localAudioStream) { + this.logWarn('No local audio streams found, creating a new one..'); + const selectedMicrophone = this.deviceManager.selectedMicrophone; + if (selectedMicrophone) { + this.localAudioStream = new LocalAudioStream(selectedMicrophone); + } else { + this.logWarn('No selected microphone found, cannot create LocalAudioStream'); + return; + } + } else { + this.localAudioStream = localAudioStream; + } + + const lasFeatureApi = this.localAudioStream.feature && this.localAudioStream.feature(Features?.AudioEffects); + if (!lasFeatureApi) { + this.logError('Could not get local audio stream feature API.'); + return; + } + this.localAudioStreamFeatureApi = lasFeatureApi; + + this.localAudioStreamFeatureApi.on('effectsError', (error) => { + this.logError(JSON.stringify(error)); + }); + + this.localAudioStreamFeatureApi.on('effectsStarted', (effect) => { + this.updateActiveEffects(); + console.log(`Audio effects started: ${JSON.stringify(effect?.name ?? effect)}`); + }); + + this.localAudioStreamFeatureApi.on('effectsStopped', (effect) => { + this.updateActiveEffects(); + console.log(`Audio effects stopped: ${JSON.stringify(effect?.name ?? effect)}`); + }); + } + + updateActiveEffects() { + this.setState({ + activeEffects: { + autoGainControl: this.localAudioStreamFeatureApi?.activeEffects?.autoGainControl, + echoCancellation: this.localAudioStreamFeatureApi?.activeEffects?.echoCancellation, + noiseSuppression: this.localAudioStreamFeatureApi?.activeEffects?.noiseSuppression + } + }); + } + + async populateAudioEffects() { + const supported = []; + + const autoGainControlList = []; + const echoCancellationList = []; + const noiseSuppressionList = []; + + if (this.localAudioStreamFeatureApi) { + if (await this.localAudioStreamFeatureApi.isSupported('BrowserAutoGainControl')) { + supported.push('BrowserAutoGainControl'); + autoGainControlList.push({ + key: 'BrowserAutoGainControl', + text: 'Browser Auto Gain Control' + }); + } + + if (await this.localAudioStreamFeatureApi.isSupported('BrowserEchoCancellation')) { + supported.push('BrowserEchoCancellation'); + echoCancellationList.push({ + key: 'BrowserEchoCancellation', + text: 'Browser Echo Cancellation' + }); + } + + if (await this.localAudioStreamFeatureApi.isSupported('BrowserNoiseSuppression')) { + supported.push('BrowserNoiseSuppression'); + noiseSuppressionList.push({ + key: 'BrowserNoiseSuppression', + text: 'Browser Noise Suppression' + }); + } + + const echoCancellation = new EchoCancellationEffect(); + if (await this.localAudioStreamFeatureApi.isSupported(echoCancellation)) { + supported.push(echoCancellation); + echoCancellationList.push({ + key: echoCancellation.name, + text: 'Echo Cancellation' + }); + } + + const deepNoiseSuppression = new DeepNoiseSuppressionEffect(); + if (await this.localAudioStreamFeatureApi.isSupported(deepNoiseSuppression)) { + supported.push(deepNoiseSuppression); + noiseSuppressionList.push({ + key: deepNoiseSuppression.name, + text: 'Deep Noise Suppression' + }); + } + + this.setState({ + supportedAudioEffects: [ ...supported ], + supportedAudioEffectsPopulated: true, + autoGainControl: { + ...this.state.autoGainControl, + autoGainControlList + }, + echoCancellation: { + ...this.state.echoCancellation, + echoCancellationList + }, + noiseSuppression: { + ...this.state.noiseSuppression, + noiseSuppressionList + }, + activeEffects: { + autoGainControl: this.localAudioStreamFeatureApi?.activeEffects?.autoGainControl, + echoCancellation: this.localAudioStreamFeatureApi?.activeEffects?.echoCancellation, + noiseSuppression: this.localAudioStreamFeatureApi?.activeEffects?.noiseSuppression + } + }); + } + } + + findEffectFromSupportedList(name) { + const effect = this.state.supportedAudioEffects.find((supportedEffect) => { + if (typeof supportedEffect === 'string' && supportedEffect === name) { + return true; + } else if (typeof supportedEffect === 'object' && supportedEffect.name && supportedEffect.name === name) { + return true; + } + }); + + return effect; + } + + /* ------------ AGC control functions - start ---------------- */ + agcSelectionChanged(e, item) { + const effect = this.findEffectFromSupportedList(item.key); + if (effect) { + this.setState({ + autoGainControl: { + ...this.state.autoGainControl, + currentSelected: effect + } + }); + } + } + + async startAgc() { + this.setState({ + autoGainControl: { + ...this.state.autoGainControl, + startLoading: true + } + }); + + if (this.localAudioStreamFeatureApi) { + await this.localAudioStreamFeatureApi.startEffects({ + autoGainControl: this.state.autoGainControl.currentSelected + }); + } + + this.setState({ + autoGainControl: { + ...this.state.autoGainControl, + startLoading: false + } + }); + } + + async stopAgc() { + this.setState({ + autoGainControl: { + ...this.state.autoGainControl, + stopLoading: true + } + }); + + if (this.localAudioStreamFeatureApi) { + await this.localAudioStreamFeatureApi.stopEffects({ + autoGainControl: true + }); + } + + this.setState({ + autoGainControl: { + ...this.state.autoGainControl, + stopLoading: false + } + }); + } + /* ------------ AGC control functions - end ---------------- */ + + /* ------------ EC control functions - start ---------------- */ + ecSelectionChanged(e, item) { + const effect = this.findEffectFromSupportedList(item.key); + if (effect) { + this.setState({ + echoCancellation: { + ...this.state.echoCancellation, + currentSelected: effect + } + }); + } + } + + async startEc() { + this.setState({ + echoCancellation: { + ...this.state.echoCancellation, + startLoading: true + } + }); + + if (this.localAudioStreamFeatureApi) { + await this.localAudioStreamFeatureApi.startEffects({ + echoCancellation: this.state.echoCancellation.currentSelected + }); + } + + this.setState({ + echoCancellation: { + ...this.state.echoCancellation, + startLoading: false + } + }); + } + + async stopEc() { + this.setState({ + echoCancellation: { + ...this.state.echoCancellation, + stopLoading: true + } + }); + + if (this.localAudioStreamFeatureApi) { + await this.localAudioStreamFeatureApi.stopEffects({ + echoCancellation: true + }); + } + + this.setState({ + echoCancellation: { + ...this.state.echoCancellation, + stopLoading: false + } + }); + } + /* ------------ EC control functions - end ---------------- */ + + /* ------------ NS control functions - start ---------------- */ + nsSelectionChanged(e, item) { + const effect = this.findEffectFromSupportedList(item.key); + if (effect) { + this.setState({ + noiseSuppression: { + ...this.state.noiseSuppression, + currentSelected: effect + } + }); + } + } + + async startNs() { + this.setState({ + noiseSuppression: { + ...this.state.noiseSuppression, + startLoading: true + } + }); + + if (this.localAudioStreamFeatureApi) { + await this.localAudioStreamFeatureApi.startEffects({ + noiseSuppression: this.state.noiseSuppression.currentSelected + }); + } + + this.setState({ + noiseSuppression: { + ...this.state.noiseSuppression, + startLoading: false + } + }); + } + + async stopNs() { + this.setState({ + noiseSuppression: { + ...this.state.noiseSuppression, + stopLoading: true + } + }); + + if (this.localAudioStreamFeatureApi) { + await this.localAudioStreamFeatureApi.stopEffects({ + noiseSuppression: true + }); + } + + this.setState({ + noiseSuppression: { + ...this.state.noiseSuppression, + stopLoading: false + } + }); + } + /* ------------ NS control functions - end ---------------- */ + + render() { + return ( + <> + {this.state.supportedAudioEffects.length > 0 ? +
+
+
+

Current active:

+
+
+
+ {this.state.activeEffects.autoGainControl?.length > 0 && +
+ {this.state.activeEffects.autoGainControl[0]} +
+ } + {this.state.activeEffects.echoCancellation?.length > 0 && +
+ {this.localAudioStreamFeatureApi.activeEffects.echoCancellation[0]} +
+ } + {this.state.activeEffects.noiseSuppression?.length > 0 && +
+ {this.state.activeEffects.noiseSuppression[0]} +
+ } +
+
+
+ this.agcSelectionChanged(e, item)} + options={this.state.autoGainControl.autoGainControlList} + placeholder={'Select an option'} + styles={{ dropdown: { width: 300, color: 'black' }, label: { color: 'white' } }} + /> +
+
+ this.startAgc()} + > + {this.state.autoGainControl.startLoading ? : 'Start AGC'} + + + this.stopAgc()} + > + {this.state.autoGainControl.stopLoading ? : 'Stop AGC'} + +
+
+ +
+
+ this.ecSelectionChanged(e, item)} + options={this.state.echoCancellation.echoCancellationList} + placeholder={'Select an option'} + styles={{ dropdown: { width: 300, color: 'black' }, label: { color: 'white' } }} + /> +
+
+ this.startEc()} + > + {this.state.echoCancellation.startLoading ? : 'Start EC'} + + + this.stopEc()} + > + {this.state.echoCancellation.stopLoading ? : 'Stop EC'} + +
+
+ +
+
+ this.nsSelectionChanged(e, item)} + options={this.state.noiseSuppression.noiseSuppressionList} + placeholder={'Select an option'} + styles={{ dropdown: { width: 300, color: 'black' }, label: { color: 'white' } }} + /> +
+
+ this.startNs()} + > + {this.state.noiseSuppression.startLoading ? : 'Start NS'} + + + this.stopNs()} + > + {this.state.noiseSuppression.stopLoading ? : 'Stop NS'} + +
+
+
+ : +
+ Audio effects and enhancements are not supported in the current environment.
+ They are currently only supported on Windows Chrome, Windows Edge, MacOS Chrome, MacOS Edge and MacOS Safari. +
+ } + + ) + } +} diff --git a/summarization-poc/frontend/Project/src/MakeCall/CallCaption.js b/summarization-poc/frontend/Project/src/MakeCall/CallCaption.js new file mode 100644 index 00000000..cf429a82 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/CallCaption.js @@ -0,0 +1,150 @@ +import React, { useEffect, useState } from "react"; +import { Features } from '@azure/communication-calling'; +import { Dropdown } from 'office-ui-fabric-react/lib/Dropdown'; + +// CallCaption react function component +const CallCaption = ({ call }) => { + const [captionsFeature, setCaptionsFeature] = useState(call.feature(Features.Captions)); + const [captions, setCaptions] = useState(captionsFeature.captions); + const [currentSpokenLanguage, setCurrentSpokenLanguage] = useState(captions.activeSpokenLanguage); + const [currentCaptionLanguage, setCurrentCaptionLanguage] = useState(captions.activeCaptionLanguage); + + useEffect(() => { + try { + startCaptions(captions); + } + catch(e) { + console.log("Captions not configured for this release version") + } + + return () => { + // cleanup + stopCaptions(captions); + captions.off('CaptionsActiveChanged', captionsActiveHandler); + captions.off('CaptionsReceived', captionsReceivedHandler); + captions.off('SpokenLanguageChanged', activeSpokenLanguageHandler); + if (captions.captionsType === 'TeamsCaptions') { + captions.off('CaptionLanguageChanged', activeCaptionLanguageHandler); + } + }; + }, []); + + const startCaptions = async () => { + try { + if (!captions.isCaptionsFeatureActive) { + await captions.startCaptions({ spokenLanguage: 'en-us' }); + } + captions.on('CaptionsActiveChanged', captionsActiveHandler); + captions.on('CaptionsReceived', captionsReceivedHandler); + captions.on('SpokenLanguageChanged', activeSpokenLanguageHandler); + if (captions.captionsType === 'TeamsCaptions') { + captions.on('CaptionLanguageChanged', activeCaptionLanguageHandler); + } + } catch (e) { + console.error('startCaptions failed', e); + } + }; + + const stopCaptions = async () => { + try { + await captions.stopCaptions(); + } catch (e) { + console.error('stopCaptions failed', e); + } + }; + + const captionsActiveHandler = () => { + console.log('CaptionsActiveChanged: ', captions.isCaptionsFeatureActive); + } + const activeSpokenLanguageHandler = () => { + setCurrentSpokenLanguage(captions.activeSpokenLanguage); + } + const activeCaptionLanguageHandler = () => { + setCurrentCaptionLanguage(captions.activeCaptionLanguage); + } + + const captionsReceivedHandler = (captionData) => { + let mri = ''; + if (captionData.speaker.identifier.kind === 'communicationUser') { + mri = captionData.speaker.identifier.communicationUserId; + } else if (captionData.speaker.identifier.kind === 'microsoftTeamsUser') { + mri = captionData.speaker.identifier.microsoftTeamsUserId; + } else if (captionData.speaker.identifier.kind === 'phoneNumber') { + mri = captionData.speaker.identifier.phoneNumber; + } + + let captionAreasContainer = document.getElementById('captionsArea'); + const newClassName = `prefix${mri.replace(/:/g, '').replace(/-/g, '').replace(/\+/g, '')}`; + const captionText = `${captionData.timestamp.toUTCString()} + ${captionData.speaker.displayName}: ${captionData.captionText ?? captionData.spokenText}`; + + let foundCaptionContainer = captionAreasContainer.querySelector(`.${newClassName}[isNotFinal='true']`); + if (!foundCaptionContainer) { + let captionContainer = document.createElement('div'); + captionContainer.setAttribute('isNotFinal', 'true'); + captionContainer.style['borderBottom'] = '1px solid'; + captionContainer.style['whiteSpace'] = 'pre-line'; + captionContainer.textContent = captionText; + captionContainer.classList.add(newClassName); + captionContainer.classList.add('caption-item') + + captionAreasContainer.appendChild(captionContainer); + + } else { + foundCaptionContainer.textContent = captionText; + + if (captionData.resultType === 'Final') { + foundCaptionContainer.setAttribute('isNotFinal', 'false'); + } + } + }; + + const spokenLanguageSelectionChanged = async (event, item) => { + const spokenLanguages = captions.supportedSpokenLanguages; + const language = spokenLanguages.find(language => { return language === item.key }); + await captions.setSpokenLanguage(language); + setCurrentSpokenLanguage(language); + }; + + const SpokenLanguageDropdown = () => { + const keyedSupportedSpokenLanguages = captions.supportedSpokenLanguages.map(language => ({key: language, text: language})); + return + } + + const captionLanguageSelectionChanged = async (event, item) => { + const captionLanguages = captions.supportedCaptionLanguages; + const language = captionLanguages.find(language => { return language === item.key }); + await captions.setCaptionLanguage(language); + setCurrentCaptionLanguage(language); + }; + + const CaptionLanguageDropdown = () => { + const keyedSupportedCaptionLanguages = captions.supportedCaptionLanguages.map(language => ({key: language, text: language})); + return + } + + return ( + <> + {captions && } + {captions && captions.captionsType === 'TeamsCaptions' && } +
+
+
+
+ + ); +}; + +export default CallCaption; diff --git a/summarization-poc/frontend/Project/src/MakeCall/CallCard.js b/summarization-poc/frontend/Project/src/MakeCall/CallCard.js new file mode 100644 index 00000000..1ef61de5 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/CallCard.js @@ -0,0 +1,1843 @@ +import React from "react"; +import { MessageBar, MessageBarType } from 'office-ui-fabric-react' +import { FunctionalStreamRenderer as StreamRenderer } from "./FunctionalStreamRenderer"; +import AddParticipantPopover from "./AddParticipantPopover"; +import RemoteParticipantCard from "./RemoteParticipantCard"; +import { Panel, PanelType } from 'office-ui-fabric-react/lib/Panel'; +import { Icon } from '@fluentui/react/lib/Icon'; +import LocalVideoPreviewCard from './LocalVideoPreviewCard'; +import { Dropdown } from 'office-ui-fabric-react/lib/Dropdown'; +import { LocalVideoStream, Features, LocalAudioStream } from '@azure/communication-calling'; +import { utils } from '../Utils/Utils'; +import CustomVideoEffects from "./RawVideoAccess/CustomVideoEffects"; +import VideoEffectsContainer from './VideoEffects/VideoEffectsContainer'; +import AudioEffectsContainer from './AudioEffects/AudioEffectsContainer'; +import { AzureLogger } from '@azure/logger'; +import VolumeVisualizer from "./VolumeVisualizer"; +import CurrentCallInformation from "./CurrentCallInformation"; +import DataChannelCard from './DataChannelCard'; +import CallCaption from "./CallCaption"; +import Lobby from "./Lobby"; +import { ParticipantMenuOptions } from './ParticipantMenuOptions'; +import MediaConstraint from './MediaConstraint'; +import RecordConstraint from '../Summarization/RecordConstraint'; +import { summarizationService } from "../Summarization/summarizationService"; +import '../App.css'; + +export default class CallCard extends React.Component { + constructor(props) { + super(props); + this.callFinishConnectingResolve = undefined; + this.call = props.call; + this.localVideoStream = this.call.localVideoStreams.find(lvs => { + return lvs.mediaStreamType === 'Video' || lvs.mediaStreamType === 'RawMedia' + }); + this.localScreenSharingStream = undefined; + this.deviceManager = props.deviceManager; + this.remoteVolumeLevelSubscription = undefined; + this.handleRemoteVolumeSubscription = undefined; + this.streamIsAvailableListeners = new Map(); + this.videoStreamsUpdatedListeners = new Map(); + this.identifier = props.identityMri; + this.spotlightFeature = this.call.feature(Features.Spotlight); + this.raiseHandFeature = this.call.feature(Features.RaiseHand); + this.capabilitiesFeature = this.call.feature(Features.Capabilities); + this.capabilities = this.capabilitiesFeature.capabilities; + this.dominantSpeakersFeature = this.call.feature(Features.DominantSpeakers); + this.recordingFeature = this.call.feature(Features.Recording); + this.transcriptionFeature = this.call.feature(Features.Transcription); + this.lobby = this.call.lobby; + if (Features.Reaction) { + this.meetingReaction = this.call.feature(Features.Reaction); + } + if (Features.PPTLive) { + this.pptLiveFeature = this.call.feature(Features.PPTLive); + this.pptLiveHtml = React.createRef(); + } + this.isTeamsUser = props.isTeamsUser; + this.dummyStreamTimeout = undefined; + this.state = { + ovc: 4, + callState: this.call.state, + callId: this.call.id, + remoteParticipants: [], + allRemoteParticipantStreams: [], + remoteScreenShareStream: undefined, + canOnVideo: this.capabilities.turnVideoOn?.isPresent || this.capabilities.turnVideoOn?.reason === 'FeatureNotSupported', + canUnMuteMic: this.capabilities.unmuteMic?.isPresent || this.capabilities.unmuteMic?.reason === 'FeatureNotSupported', + canShareScreen: this.capabilities.shareScreen?.isPresent || this.capabilities.shareScreen?.reason === 'FeatureNotSupported', + canRaiseHands: this.capabilities.raiseHand?.isPresent || this.capabilities.raiseHand?.reason === 'FeatureNotSupported', + canSpotlight: this.capabilities.spotlightParticipant?.isPresent || this.capabilities.spotlightParticipant?.reason === 'FeatureNotSupported', + canMuteOthers: this.capabilities.muteOthers?.isPresent || this.capabilities.muteOthers?.reason === 'FeatureNotSupported', + canReact: this.capabilities.useReactions?.isPresent || this.capabilities.useReactions?.reason === 'FeatureNotSupported', + videoOn: this.call.isLocalVideoStarted, + screenSharingOn: this.call.isScreenSharingOn, + micMuted: this.call.isMuted, + incomingAudioMuted: false, + onHold: this.call.state === 'LocalHold' || this.call.state === 'RemoteHold', + outgoingAudioMediaAccessActive: false, + cameraDeviceOptions: props.cameraDeviceOptions ? props.cameraDeviceOptions : [], + speakerDeviceOptions: props.speakerDeviceOptions ? props.speakerDeviceOptions : [], + microphoneDeviceOptions: props.microphoneDeviceOptions ? props.microphoneDeviceOptions : [], + selectedCameraDeviceId: props.selectedCameraDeviceId, + selectedSpeakerDeviceId: this.deviceManager.selectedSpeaker?.id, + selectedMicrophoneDeviceId: this.deviceManager.selectedMicrophone?.id, + isShowParticipants: false, + showSettings: false, + // StartWithNormal or StartWithDummy + localScreenSharingMode: undefined, + callMessage: undefined, + dominantSpeakerMode: false, + captionOn: false, + dominantRemoteParticipant: undefined, + logMediaStats: false, + sentResolution: '', + remoteVolumeIndicator: undefined, + remoteVolumeLevel: undefined, + mediaCollector: undefined, + isSpotlighted: false, + isHandRaised: false, + dominantSpeakersListActive: false, + dominantSpeakers: [], + showDataChannel: false, + showAddParticipantPanel: false, + reactionRows: [], + pptLiveActive: false, + isRecordingActive: false, + isTranscriptionActive: false, + lobbyParticipantsCount: this.lobby?.participants.length, + inCallRecordingConstraint: null, + isCallRecordingActive: false, + recordingStartedNotification: undefined, + recordingId: undefined, + isByos: false + }; + this.selectedRemoteParticipants = new Set(); + this.dataChannelRef = React.createRef(); + this.localVideoPreviewRef = React.createRef(); + this.localScreenSharingPreviewRef = React.createRef(); + this.isSetCallConstraints = this.call.setConstraints !== undefined; + } + + componentWillUnmount() { + this.call.off('stateChanged', () => { }); + this.deviceManager.off('videoDevicesUpdated', () => { }); + this.deviceManager.off('audioDevicesUpdated', () => { }); + this.deviceManager.off('selectedSpeakerChanged', () => { }); + this.deviceManager.off('selectedMicrophoneChanged', () => { }); + this.call.off('localVideoStreamsUpdated', () => { }); + this.call.off('idChanged', () => { }); + this.call.off('isMutedChanged', () => { }); + this.call.off('isIncomingAudioMutedChanged', () => { }); + this.call.off('isScreenSharingOnChanged', () => { }); + this.call.off('remoteParticipantsUpdated', () => { }); + this.state.mediaCollector?.off('sampleReported', () => { }); + this.state.mediaCollector?.off('summaryReported', () => { }); + this.call.feature(Features.DominantSpeakers).off('dominantSpeakersChanged', () => { }); + this.call.feature(Features.Spotlight).off('spotlightChanged', this.spotlightStateChangedHandler); + this.call.feature(Features.RaiseHand).off('raisedHandEvent', this.raiseHandChangedHandler); + this.call.feature(Features.RaiseHand).off('loweredHandEvent', this.raiseHandChangedHandler); + this.recordingFeature.off('isRecordingActiveChanged', this.isRecordingActiveChangedHandler); + this.transcriptionFeature.off('isTranscriptionActiveChanged', this.isTranscriptionActiveChangedHandler); + this.lobby?.off('lobbyParticipantsUpdated', () => { }); + if (Features.Reaction) { + this.call.feature(Features.Reaction).off('reaction', this.reactionChangeHandler); + } + if (Features.PPTLive) { + this.call.feature(Features.PPTLive).off('isActiveChanged', this.pptLiveChangedHandler); + } + this.dominantSpeakersFeature.off('dominantSpeakersChanged', this.dominantSpeakersChanged); + } + + componentDidMount() { + if (this.call) { + this.deviceManager.on('videoDevicesUpdated', async e => { + e.added.forEach(addedCameraDevice => { + const addedCameraDeviceOption = { key: addedCameraDevice.id, text: addedCameraDevice.name }; + // If there were no cameras in the system and then a camera is plugged in / enabled, select it for use. + if (this.state.cameraDeviceOptions.length === 0 && !this.state.selectedCameraDeviceId) { + this.setState({ selectedCameraDeviceId: addedCameraDevice.id }); + } + this.setState(prevState => ({ + ...prevState, + cameraDeviceOptions: [...prevState.cameraDeviceOptions, addedCameraDeviceOption] + })); + }); + + e.removed.forEach(async removedCameraDevice => { + // If the selected camera is removed, select a new camera. + // If there are no other cameras, then just set this.state.selectedCameraDeviceId to undefined. + // When the selected camera is removed, the calling sdk automatically turns video off. + // User needs to manually turn video on again. + this.setState(prevState => ({ + ...prevState, + cameraDeviceOptions: prevState.cameraDeviceOptions.filter(option => { return option.key !== removedCameraDevice.id }) + }), () => { + if (removedCameraDevice.id === this.state.selectedCameraDeviceId) { + this.setState({ selectedCameraDeviceId: this.state.cameraDeviceOptions[0]?.key }); + } + }); + }); + }); + + this.deviceManager.on('audioDevicesUpdated', e => { + e.added.forEach(addedAudioDevice => { + const addedAudioDeviceOption = { key: addedAudioDevice.id, text: addedAudioDevice.name }; + if (addedAudioDevice.deviceType === 'Speaker') { + this.setState(prevState => ({ + ...prevState, + speakerDeviceOptions: [...prevState.speakerDeviceOptions, addedAudioDeviceOption] + })); + } else if (addedAudioDevice.deviceType === 'Microphone') { + this.setState(prevState => ({ + ...prevState, + microphoneDeviceOptions: [...prevState.microphoneDeviceOptions, addedAudioDeviceOption] + })); + } + }); + + e.removed.forEach(removedAudioDevice => { + if (removedAudioDevice.deviceType === 'Speaker') { + this.setState(prevState => ({ + ...prevState, + speakerDeviceOptions: prevState.speakerDeviceOptions.filter(option => { return option.key !== removedAudioDevice.id }) + })) + } else if (removedAudioDevice.deviceType === 'Microphone') { + this.setState(prevState => ({ + ...prevState, + microphoneDeviceOptions: prevState.microphoneDeviceOptions.filter(option => { return option.key !== removedAudioDevice.id }) + })) + } + }); + }); + + this.deviceManager.on('selectedSpeakerChanged', () => { + this.setState({ selectedSpeakerDeviceId: this.deviceManager.selectedSpeaker?.id }); + }); + + this.deviceManager.on('selectedMicrophoneChanged', () => { + this.setState({ selectedMicrophoneDeviceId: this.deviceManager.selectedMicrophone?.id }); + }); + + const callStateChanged = () => { + console.log('Call state changed ', this.call.state); + if (this.call.state !== 'None' && + this.call.state !== 'Connecting' && + this.call.state !== 'Incoming') { + if (this.callFinishConnectingResolve) { + this.callFinishConnectingResolve(); + } + } + if (this.call.state !== 'Disconnected') { + this.setState({ callState: this.call.state }); + } + + if (this.call.state === 'LocalHold' || this.call.state === 'RemoteHold') { + this.setState({ canRaiseHands: false }); + this.setState({ canSpotlight: false }); + } + if (this.call.state === 'Connected') { + this.setState({ canRaiseHands: this.capabilities.raiseHand?.isPresent || this.capabilities.raiseHand?.reason === 'FeatureNotSupported' }); + this.setState({ canSpotlight: this.capabilities.spotlightParticipant?.isPresent || this.capabilities.spotlightParticipant?.reason === 'FeatureNotSupported' }); + } + } + callStateChanged(); + this.call.on('stateChanged', callStateChanged); + + this.call.on('idChanged', () => { + console.log('Call id Changed ', this.call.id); + this.setState({ callId: this.call.id }); + }); + + this.call.on('isMutedChanged', () => { + console.log('Local microphone muted changed ', this.call.isMuted); + this.setState({ micMuted: this.call.isMuted }); + }); + + this.call.on('isIncomingAudioMutedChanged', () => { + console.log('Incoming audio muted changed ', this.call.isIncomingAudioMuted); + this.setState({ incomingAudioMuted: this.call.isIncomingAudioMuted }); + }); + + this.call.on('isLocalVideoStartedChanged', () => { + this.setState({ videoOn: this.call.isLocalVideoStarted }); + }); + + this.call.on('isScreenSharingOnChanged', () => { + this.setState({ screenSharingOn: this.call.isScreenSharingOn }); + if (!this.call.isScreenSharing) { + if (this.state.localScreenSharingMode == 'StartWithDummy') { + clearTimeout(this.dummyStreamTimeout); + this.dummyStreamTimeout = undefined; + } + this.setState({ localScreenSharingMode: undefined }); + } + }); + + this.call.on('mutedByOthers', () => { + const messageBarText = 'You have been muted by someone else'; + this.setState(prevState => ({ + ...prevState, + callMessage: `${prevState.callMessage ? prevState.callMessage + `\n` : ``} ${messageBarText}.` + })); + }); + + const handleParticipant = (participant) => { + if (!this.state.remoteParticipants.find((p) => { return p === participant })) { + this.setState(prevState => ({ + ...prevState, + remoteParticipants: [...prevState.remoteParticipants, participant] + }), () => { + const handleVideoStreamAdded = (vs) => { + if (vs.isAvailable) this.updateListOfParticipantsToRender('streamIsAvailable'); + const isAvailableChangedListener = () => { + this.updateListOfParticipantsToRender('streamIsAvailableChanged'); + } + this.streamIsAvailableListeners.set(vs, isAvailableChangedListener); + vs.on('isAvailableChanged', isAvailableChangedListener) + } + + participant.videoStreams.forEach(handleVideoStreamAdded); + + const videoStreamsUpdatedListener = (e) => { + e.added.forEach(handleVideoStreamAdded); + e.removed.forEach((vs) => { + this.updateListOfParticipantsToRender('videoStreamsRemoved'); + const streamIsAvailableListener = this.streamIsAvailableListeners.get(vs); + if (streamIsAvailableListener) { + vs.off('isAvailableChanged', streamIsAvailableListener); + this.streamIsAvailableListeners.delete(vs); + } + }); + } + this.videoStreamsUpdatedListeners.set(participant, videoStreamsUpdatedListener); + participant.on('videoStreamsUpdated', videoStreamsUpdatedListener); + }); + } + } + + this.call.remoteParticipants.forEach(rp => handleParticipant(rp)); + + this.call.on('remoteParticipantsUpdated', e => { + console.log(`Call=${this.call.callId}, remoteParticipantsUpdated, added=${e.added}, removed=${e.removed}`); + e.added.forEach(participant => { + console.log('participantAdded', participant); + handleParticipant(participant) + }); + e.removed.forEach(participant => { + console.log('participantRemoved', participant); + if (participant.callEndReason) { + this.setState(prevState => ({ + ...prevState, + callMessage: `${prevState.callMessage ? prevState.callMessage + `\n` : ``} + Remote participant ${utils.getIdentifierText(participant.identifier)} disconnected: code: ${participant.callEndReason.code}, subCode: ${participant.callEndReason.subCode}.` + })); + } + this.setState({ remoteParticipants: this.state.remoteParticipants.filter(p => { return p !== participant }) }); + this.updateListOfParticipantsToRender('participantRemoved'); + const videoStreamUpdatedListener = this.videoStreamsUpdatedListeners.get(participant); + if (videoStreamUpdatedListener) { + participant.off('videoStreamsUpdated', videoStreamUpdatedListener); + this.videoStreamsUpdatedListeners.delete(participant); + } + participant.videoStreams.forEach(vs => { + const streamIsAvailableListener = this.streamIsAvailableListeners.get(vs); + if (streamIsAvailableListener) { + vs.off('isAvailableChanged', streamIsAvailableListener); + this.streamIsAvailableListeners.delete(vs); + } + }); + }); + }); + const mediaCollector = this.call.feature(Features.MediaStats).createCollector(); + this.setState({ mediaCollector }); + mediaCollector.on('sampleReported', (data) => { + if (this.state.logMediaStats) { + AzureLogger.log(`${(new Date()).toISOString()} MediaStats sample: ${JSON.stringify(data)}`); + } + let sentResolution = ''; + if (data?.video?.send?.length) { + if (data.video.send[0].frameWidthSent && data.video.send[0].frameHeightSent) { + sentResolution = `${data.video.send[0].frameWidthSent}x${data.video.send[0].frameHeightSent}` + } + } + if (this.state.sentResolution !== sentResolution) { + this.setState({ sentResolution }); + } + let stats = {}; + if (this.state.logMediaStats) { + if (data?.video?.receive?.length) { + data.video.receive.forEach(v => { + stats[v.streamId] = v; + }); + } + if (data?.screenShare?.receive?.length) { + data.screenShare.receive.forEach(v => { + stats[v.streamId] = v; + }); + } + } + this.state.allRemoteParticipantStreams.forEach(v => { + let renderer = v.streamRendererComponentRef.current; + const videoStats = stats[v.stream.id]; + const transportId = videoStats?.transportId; + const transportStats = transportId && data?.transports?.length ? data.transports.find(item => item.id === transportId) : undefined; + renderer?.updateReceiveStats(videoStats, transportStats); + }); + if (this.state.logMediaStats) { + if (data.video.send.length > 0) { + let renderer = this.localVideoPreviewRef.current; + renderer?.updateSendStats(data.video.send[0]); + } + if (data.screenShare.send.length > 0) { + let renderer = this.localScreenSharingPreviewRef.current; + renderer?.updateSendStats(data.screenShare.send[0]); + } + } + }); + mediaCollector.on('summaryReported', (data) => { + if (this.state.logMediaStats) { + AzureLogger.log(`${(new Date()).toISOString()} MediaStats summary: ${JSON.stringify(data)}`); + } + }); + + const dominantSpeakersChangedHandler = async () => { + try { + if (this.state.dominantSpeakerMode) { + + const newDominantSpeakerIdentifier = this.call.feature(Features.DominantSpeakers).dominantSpeakers.speakersList[0]; + if (newDominantSpeakerIdentifier) { + console.log(`DominantSpeaker changed, new dominant speaker: ${newDominantSpeakerIdentifier ? utils.getIdentifierText(newDominantSpeakerIdentifier) : `None`}`); + + // Set the new dominant remote participant + const newDominantRemoteParticipant = utils.getRemoteParticipantObjFromIdentifier(this.call, newDominantSpeakerIdentifier); + + // Get the new dominant remote participant's stream tuples + const streamsToRender = []; + for (const streamTuple of this.state.allRemoteParticipantStreams) { + if (streamTuple.participant === newDominantRemoteParticipant && streamTuple.stream.isAvailable) { + let view; + if (!streamTuple.streamRendererComponentRef.current.getRenderer()) { + view = await streamTuple.streamRendererComponentRef.current.createRenderer(); + }; + streamsToRender.push({ streamTuple, view }); + } + } + + const previousDominantSpeaker = this.state.dominantRemoteParticipant; + this.setState({ dominantRemoteParticipant: newDominantRemoteParticipant }); + + if (previousDominantSpeaker) { + // Remove the old dominant remote participant's streams + this.state.allRemoteParticipantStreams.forEach(streamTuple => { + if (streamTuple.participant === previousDominantSpeaker) { + streamTuple.streamRendererComponentRef.current.disposeRenderer(); + } + }); + } + + // Render the new dominany speaker's streams + streamsToRender.forEach((x) => { + x.streamTuple.streamRendererComponentRef.current.attachRenderer(x.view); + }) + + } else { + console.warn('New dominant speaker is undefined'); + } + } + } catch (error) { + console.error(error); + } + }; + + const dominantSpeakerIdentifier = this.call.feature(Features.DominantSpeakers).dominantSpeakers.speakersList[0]; + if (dominantSpeakerIdentifier) { + this.setState({ dominantRemoteParticipant: utils.getRemoteParticipantObjFromIdentifier(dominantSpeakerIdentifier) }) + } + this.call.feature(Features.DominantSpeakers).on('dominantSpeakersChanged', dominantSpeakersChangedHandler); + + const ovcFeature = this.call.feature(Features.OptimalVideoCount); + const ovcChangedHandler = () => { + if (this.state.ovc !== ovcFeature.optimalVideoCount) { + this.setState({ ovc: ovcFeature.optimalVideoCount }); + this.updateListOfParticipantsToRender('optimalVideoCountChanged'); + } + } + ovcFeature?.on('optimalVideoCountChanged', () => ovcChangedHandler()); + this.spotlightFeature.on("spotlightChanged", this.spotlightStateChangedHandler); + this.raiseHandFeature.on("loweredHandEvent", this.raiseHandChangedHandler); + this.raiseHandFeature.on("raisedHandEvent", this.raiseHandChangedHandler); + this.capabilitiesFeature.on('capabilitiesChanged', this.capabilitiesChangedHandler); + this.dominantSpeakersFeature.on('dominantSeapkersChanged', this.dominantSpeakersChanged); + this.meetingReaction?.on('reaction', this.reactionChangeHandler); + this.pptLiveFeature?.on('isActiveChanged', this.pptLiveChangedHandler); + this.recordingFeature.on('isRecordingActiveChanged', this.isRecordingActiveChangedHandler); + this.transcriptionFeature.on('isTranscriptionActiveChanged', this.isTranscriptionActiveChangedHandler); + this.lobby?.on('lobbyParticipantsUpdated', this.lobbyParticipantsUpdatedHandler); + } + } + + updateListOfParticipantsToRender(reason) { + + const ovcFeature = this.call.feature(Features.OptimalVideoCount); + const optimalVideoCount = ovcFeature.optimalVideoCount; + console.log(`updateListOfParticipantsToRender because ${reason}, ovc is ${optimalVideoCount}`); + console.log(`updateListOfParticipantsToRender currently rendering ${this.state.allRemoteParticipantStreams.length} streams`); + console.log(`updateListOfParticipantsToRender checking participants that were removed`); + let streamsToKeep = this.state.allRemoteParticipantStreams.filter(streamTuple => { + return this.state.remoteParticipants.find(participant => participant.videoStreams.find(stream => stream === streamTuple.stream && stream.isAvailable)); + }); + + let screenShareStream = this.state.remoteScreenShareStream; + console.log(`updateListOfParticipantsToRender current screen share ${!!screenShareStream}`); + screenShareStream = this.state.remoteParticipants + .filter(participant => participant.videoStreams.find(stream => stream.mediaStreamType === 'ScreenSharing' && stream.isAvailable)) + .map(participant => { + return { + stream: participant.videoStreams.filter(stream => stream.mediaStreamType === 'ScreenSharing')[0], + participant, + streamRendererComponentRef: React.createRef() + } + })[0]; + + console.log(`updateListOfParticipantsToRender streams to keep=${streamsToKeep.length}, including screen share ${!!screenShareStream}`); + + if (streamsToKeep.length > optimalVideoCount) { + console.log('updateListOfParticipantsToRender reducing number of videos to ovc=', optimalVideoCount); + streamsToKeep = streamsToKeep.slice(0, optimalVideoCount); + } + + // we can add more streams if we have less than optimalVideoCount + if (streamsToKeep.length < optimalVideoCount) { + console.log(`stack is capable of rendering ${optimalVideoCount - streamsToKeep.length} more streams, adding...`); + let streamsToAdd = []; + this.state.remoteParticipants.forEach(participant => { + const newStreams = participant.videoStreams + .flat() + .filter(stream => stream.mediaStreamType === 'Video' && stream.isAvailable) + .filter(stream => !streamsToKeep.find(streamTuple => streamTuple.stream === stream)) + .map(stream => { return { stream, participant, streamRendererComponentRef: React.createRef() } }); + streamsToAdd.push(...newStreams); + }); + streamsToAdd = streamsToAdd.slice(0, optimalVideoCount - streamsToKeep.length); + console.log(`updateListOfParticipantsToRender identified ${streamsToAdd.length} streams to add`); + streamsToKeep = streamsToKeep.concat(streamsToAdd.filter(e => !!e)); + } + console.log(`updateListOfParticipantsToRender final number of streams to render ${streamsToKeep.length}}`); + this.setState(prevState => ({ + ...prevState, + remoteScreenShareStream: screenShareStream, + allRemoteParticipantStreams: streamsToKeep + })); + } + + spotlightStateChangedHandler = (event) => { + this.setState({ + isSpotlighted: utils.isParticipantSpotlighted( + this.identifier, this.spotlightFeature.getSpotlightedParticipants()) + }) + } + + isRecordingActiveChangedHandler = (event) => { + this.setState({ isRecordingActive: this.recordingFeature.isRecordingActive }) + } + + isTranscriptionActiveChangedHandler = (event) => { + this.setState({ isTranscriptionActive: this.transcriptionFeature.isTranscriptionActive }) + } + + lobbyParticipantsUpdatedHandler = (event) => { + console.log(`lobbyParticipantsUpdated, added=${event.added}, removed=${event.removed}`); + this.state.lobbyParticipantsCount = this.lobby?.participants.length; + if (event.added.length > 0) { + event.added.forEach(participant => { + console.log('lobbyParticipantAdded', participant); + }); + } + if (event.removed.length > 0) { + event.removed.forEach(participant => { + console.log('lobbyParticipantRemoved', participant); + }); + } + }; + + raiseHandChangedHandler = (event) => { + this.setState({ isHandRaised: utils.isParticipantHandRaised(this.identifier, this.raiseHandFeature.getRaisedHands()) }) + } + + reactionChangeHandler = (event) => { + let displayName = 'Local Participant'; + let id = event.identifier; + + const idArray = id.split(':'); + id = idArray[idArray.length - 1]; + + this.state.remoteParticipants.forEach(participant => { + let pid = utils.getIdentifierText(participant.identifier); + + const pidArray = pid.split(':'); + pid = pidArray[pidArray.length - 1]; + console.log('Participant displayName - ' + participant.displayName?.trim()); + if (pid === id) { + displayName = participant.displayName?.trim(); + } + }); + + if (displayName.length == 0) { + displayName = 'Undefined'; + } + + const newEvent = { + participantIdentifier: displayName, + reaction: event.reactionMessage.reactionType, + receiveTimestamp: new Date().toLocaleString(), + } + console.log(`reaction received - ${event.reactionMessage.name}`); + + this.setState({ reactionRows: [...this.state.reactionRows, newEvent].slice(-100) }); + } + + pptLiveChangedHandler = async () => { + const pptLiveActive = this.pptLiveFeature && this.pptLiveFeature.isActive; + this.setState({ pptLiveActive }); + + if (this.pptLiveHtml) { + if (pptLiveActive) { + this.pptLiveHtml.current.appendChild(this.pptLiveFeature.target); + if (this.call.isScreenSharingOn) { + try { + await this.handleScreenSharingOnOff(); + } catch { + console.log("Cannot stop screen sharing"); + } + } + } else { + this.pptLiveHtml.current.removeChild(this.pptLiveHtml.current.lastElementChild); + if (!this.call.isScreenSharingOn && this.state.canShareScreen) { + try { + await this.handleScreenSharingOnOff(); + } catch { + console.log("Cannot start screen sharing"); + } + } + } + } + } + + capabilitiesChangedHandler = (capabilitiesChangeInfo) => { + for (const [key, value] of Object.entries(capabilitiesChangeInfo.newValue)) { + if (key === 'turnVideoOn' && value.reason != 'FeatureNotSupported') { + (value.isPresent) ? this.setState({ canOnVideo: true }) : this.setState({ canOnVideo: false }); + continue; + } + if (key === 'unmuteMic' && value.reason != 'FeatureNotSupported') { + (value.isPresent) ? this.setState({ canUnMuteMic: true }) : this.setState({ canUnMuteMic: false }); + continue; + } + if (key === 'shareScreen' && value.reason != 'FeatureNotSupported') { + (value.isPresent) ? this.setState({ canShareScreen: true }) : this.setState({ canShareScreen: false }); + continue; + } + if (key === 'spotlightParticipant' && value.reason != 'FeatureNotSupported') { + (value.isPresent) ? this.setState({ canSpotlight: true }) : this.setState({ canSpotlight: false }); + continue; + } + if (key === 'raiseHand' && value.reason != 'FeatureNotSupported') { + (value.isPresent) ? this.setState({ canRaiseHands: true }) : this.setState({ canRaiseHands: false }); + continue; + } + if (key === 'muteOthers' && value.reason != 'FeatureNotSupported') { + (value.isPresent) ? this.setState({ canMuteOthers: true }) : this.setState({ canMuteOthers: false }); + continue; + } + if (key === 'reaction' && value.reason != 'FeatureNotSupported') { + (value.isPresent) ? this.setState({ canReact: true }) : this.setState({ canReact: false }); + continue; + } + } + this.capabilities = this.capabilitiesFeature.capabilities; + } + + dominantSpeakersChanged = () => { + const dominantSpeakersMris = this.dominantSpeakersFeature.dominantSpeakers.speakersList; + const remoteParticipants = dominantSpeakersMris.map(dominantSpeakerMri => { + const remoteParticipant = utils.getRemoteParticipantObjFromIdentifier(this.call, dominantSpeakerMri); + return remoteParticipant; + }); + + this.setState({ dominantSpeakers: remoteParticipants }); + } + + async handleVideoOnOff() { + try { + if (!this.state.videoOn) { + const cameras = await this.deviceManager.getCameras(); + const cameraDeviceInfo = cameras.find(cameraDeviceInfo => { + return cameraDeviceInfo.id === this.state.selectedCameraDeviceId + }); + this.localVideoStream = new LocalVideoStream(cameraDeviceInfo); + } + + if (this.call.state === 'None' || + this.call.state === 'Connecting' || + this.call.state === 'Incoming') { + if (this.state.videoOn) { + this.setState({ videoOn: false }); + } else { + this.setState({ videoOn: true }) + } + await this.watchForCallFinishConnecting(); + if (this.state.videoOn && this.state.canOnVideo) { + await this.call.startVideo(this.localVideoStream); + } else { + await this.call.stopVideo(this.localVideoStream); + } + } else { + if (!this.state.videoOn && this.state.canOnVideo) { + await this.call.startVideo(this.localVideoStream); + } else { + await this.call.stopVideo(this.localVideoStream); + } + } + } catch (e) { + console.error(e); + } + } + + async watchForCallFinishConnecting() { + return new Promise((resolve) => { + if (this.state.callState !== 'None' && this.state.callState !== 'Connecting' && this.state.callState !== 'Incoming') { + resolve(); + } else { + this.callFinishConnectingResolve = resolve; + } + }).then(() => { + this.callFinishConnectingResolve = undefined; + }); + } + + async handleMicOnOff() { + try { + if (!this.call.isMuted) { + await this.call.mute(); + } else { + await this.call.unmute(); + } + this.setState({ micMuted: this.call.isMuted }); + } catch (e) { + console.error(e); + } + } + + async handleMuteAllRemoteParticipants() { + try { + await this.call.muteAllRemoteParticipants?.(); + } catch (e) { + console.error('Failed to mute all other participants.', e); + } + } + + async handleRaiseHand() { + try { + this.state.isHandRaised ? + this.raiseHandFeature.lowerHand() : + this.raiseHandFeature.raiseHand(); + } catch (e) { + console.error(e); + } + } + + async handleClickEmoji(index) { + + if (!this.state.canReact) { + // 1:1 direct call with teams user is not supported. + const messageBarText = 'Reaction capability is not allowed for this call type'; + console.error(messageBarText); + this.setState({ callMessage: messageBarText }) + return; + } + + var reaction; + switch (index) { + case 0: + reaction = 'like'; + break; + case 1: + reaction = 'heart'; + break; + case 2: + reaction = 'laugh'; + break; + case 3: + reaction = 'applause'; + break; + case 4: + reaction = 'surprised'; + break; + default: + } + + const reactionMessage = { + reactionType: reaction + }; + try { + this.meetingReaction?.sendReaction(reactionMessage); + } catch (error) { + // Surface the error + console.error(error); + const messageBarText = JSON.stringify(error); + this.setState({ callMessage: messageBarText }) + } + } + + async handleIncomingAudioOnOff() { + try { + if (!this.call.isIncomingAudioMuted) { + await this.call.muteIncomingAudio(); + } else { + await this.call.unmuteIncomingAudio(); + } + this.setState({ incomingAudioMuted: this.call.isIncomingAudioMuted }); + } catch (e) { + console.error(e); + } + } + + async handleHoldUnhold() { + try { + if (this.call.state === 'LocalHold') { + this.call.resume(); + } else { + this.call.hold(); + } + } catch (e) { + console.error(e); + } + } + + async handleOutgoingAudioEffect() { + if (this.state.outgoingAudioMediaAccessActive) { + this.call.stopAudio(); + } else { + this.startOutgoingAudioEffect(); + } + + this.setState(prevState => ({ + ...prevState, + outgoingAudioMediaAccessActive: !prevState.outgoingAudioMediaAccessActive + })); + } + + async handleDominantSpeakersListActive() { + if (this.state.dominantSpeakersListActive) { + this.dominantSpeakersFeature.off('dominantSpeakersChanged', this.dominantSpeakersChanged) + } else { + this.dominantSpeakersFeature.on('dominantSpeakersChanged', this.dominantSpeakersChanged) + this.dominantSpeakersChanged(); + } + + this.setState(prevState => ({ + ...prevState, + dominantSpeakersListActive: !prevState.dominantSpeakersListActive + })); + } + + async handleMediaStatsLogState() { + this.setState(prevState => ({ + ...prevState, + logMediaStats: !prevState.logMediaStats + }), () => { + if (!this.state.logMediaStats) { + this.localVideoPreviewRef.current?.updateSendStats(undefined); + this.localScreenSharingPreviewRef.current?.updateSendStats(undefined); + } + }); + } + + getDummyAudioStream() { + const context = new AudioContext(); + const dest = context.createMediaStreamDestination(); + const os = context.createOscillator(); + os.type = 'sine'; + os.frequency.value = 500; + os.connect(dest); + os.start(); + const { stream } = dest; + return stream; + } + + async startOutgoingAudioEffect() { + const stream = this.getDummyAudioStream(); + const customLocalAudioStream = new LocalAudioStream(stream); + this.call.startAudio(customLocalAudioStream); + } + + async handleScreenSharingOnOff() { + try { + if (this.call.isScreenSharingOn) { + await this.call.stopScreenSharing(); + this.setState({ localScreenSharingMode: undefined }); + } else if (this.state.canShareScreen) { + await this.startScreenSharing(); + } + } catch (e) { + console.error(e); + } + } + + async startScreenSharing() { + await this.call.startScreenSharing(); + this.localScreenSharingStream = this.call.localVideoStreams.find(ss => ss.mediaStreamType === 'ScreenSharing'); + this.setState({ localScreenSharingMode: 'StartWithNormal', pptLiveActive: false }); + } + + async handleRawScreenSharingOnOff() { + try { + if (this.call.isScreenSharingOn) { + await this.call.stopScreenSharing(); + clearImmediate(this.dummyStreamTimeout); + this.dummyStreamTimeout = undefined; + this.setState({ localScreenSharingMode: undefined }); + } else { + if (this.state.canShareScreen) { + const canvas = document.createElement('canvas'); + const ctx = canvas.getContext('2d', { willReadFrequently: true }); + canvas.width = 1280; + canvas.height = 720; + ctx.fillStyle = 'blue'; + ctx.fillRect(0, 0, canvas.width, canvas.height); + + const colors = ['red', 'yellow', 'green']; + const FPS = 30; + const createShapes = function () { + try { + let begin = Date.now(); + // start processing. + if (ctx) { + ctx.fillStyle = colors[Math.floor(Math.random() * colors.length)]; + const x = Math.floor(Math.random() * canvas.width); + const y = Math.floor(Math.random() * canvas.height); + const size = 100; + ctx.fillRect(x, y, size, size); + } + // schedule the next one. + let delay = Math.abs(1000 / FPS - (Date.now() - begin)); + this.dummyStreamTimeout = setTimeout(createShapes, delay); + } catch (err) { + console.error(err); + } + }.bind(this); + + // schedule the first one. + this.dummyStreamTimeout = setTimeout(createShapes, 0); + const dummyStream = canvas.captureStream(FPS); + this.localScreenSharingStream = new LocalVideoStream(dummyStream); + await this.call.startScreenSharing(this.localScreenSharingStream); + this.setState({ localScreenSharingMode: 'StartWithDummy' }); + } + } + } catch (e) { + console.error(e); + } + } + + async toggleDominantSpeakerMode() { + try { + if (this.state.dominantSpeakerMode) { + // Turn off dominant speaker mode + this.setState({ dominantSpeakerMode: false }); + // Render all remote participants's streams + for (const streamTuple of this.state.allRemoteParticipantStreams) { + if (streamTuple.stream.isAvailable && !streamTuple.streamRendererComponentRef.current.getRenderer()) { + await streamTuple.streamRendererComponentRef.current.createRenderer(); + streamTuple.streamRendererComponentRef.current.attachRenderer(); + } + } + } else { + // Turn on dominant speaker mode + this.setState({ dominantSpeakerMode: true }); + // Dispose of all remote participants's stream renderers + const dominantSpeakerIdentifier = this.call.feature(Features.DominantSpeakers).dominantSpeakers.speakersList[0]; + if (!dominantSpeakerIdentifier) { + this.state.allRemoteParticipantStreams.forEach(v => { + v.streamRendererComponentRef.current.disposeRenderer(); + }); + + // Return, no action needed + return; + } + + // Set the dominant remote participant obj + const dominantRemoteParticipant = utils.getRemoteParticipantObjFromIdentifier(this.call, dominantSpeakerIdentifier); + this.setState({ dominantRemoteParticipant: dominantRemoteParticipant }); + // Dispose of all the remote participants's stream renderers except for the dominant speaker + this.state.allRemoteParticipantStreams.forEach(v => { + if (v.participant !== dominantRemoteParticipant) { + v.streamRendererComponentRef.current.disposeRenderer(); + } + }); + } + } catch (e) { + console.error(e); + } + } + + cameraDeviceSelectionChanged = async (event, item) => { + const cameras = await this.deviceManager.getCameras(); + const cameraDeviceInfo = cameras.find(cameraDeviceInfo => { return cameraDeviceInfo.id === item.key }); + this.setState({ selectedCameraDeviceId: cameraDeviceInfo.id }); + if (this.localVideoStream.mediaStreamType === 'RawMedia' && this.state.videoOn) { + this.localVideoStream?.switchSource(cameraDeviceInfo); + await this.call.stopVideo(this.localVideoStream); + await this.call.startVideo(this.localVideoStream); + } else { + this.localVideoStream?.switchSource(cameraDeviceInfo); + } + }; + + speakerDeviceSelectionChanged = async (event, item) => { + const speakers = await this.deviceManager.getSpeakers(); + const speakerDeviceInfo = speakers.find(speakerDeviceInfo => { return speakerDeviceInfo.id === item.key }); + this.deviceManager.selectSpeaker(speakerDeviceInfo); + this.setState({ selectedSpeakerDeviceId: speakerDeviceInfo.id }); + }; + + microphoneDeviceSelectionChanged = async (event, item) => { + const microphones = await this.deviceManager.getMicrophones(); + const microphoneDeviceInfo = microphones.find(microphoneDeviceInfo => { return microphoneDeviceInfo.id === item.key }); + this.deviceManager.selectMicrophone(microphoneDeviceInfo); + this.setState({ selectedMicrophoneDeviceId: microphoneDeviceInfo.id }); + }; + + getParticipantMenuCallBacks() { + return { + startSpotlight: async (identifier) => { + try { + await this.spotlightFeature.startSpotlight([identifier]); + } catch (error) { + console.error(error) + } + }, + stopSpotlight: async (identifier) => { + try { + await this.spotlightFeature.stopSpotlight([identifier]); + } catch (error) { + console.error(error) + } + }, + stopAllSpotlight: async () => { + try { + await this.spotlightFeature.stopAllSpotlight(); + } catch (error) { + console.error(error) + } + }, + lowerAllHands: async () => { + try { + await this.raiseHandFeature.lowerAllHands(); + } catch (error) { + console.error(error) + } + }, + meetingAudioConferenceDetails: async () => { + let messageBarText = "call in (audio only) details: \n"; + try { + const audioConferencingfeature = this.call.feature(Features.TeamsMeetingAudioConferencing); + const audioConferenceDetails = await audioConferencingfeature.getTeamsMeetingAudioConferencingDetails(); + console.log(`meetingAudioConferenceDetails: ${JSON.stringify(audioConferenceDetails)}`) + messageBarText += `Conference Id: ${audioConferenceDetails.phoneConferenceId}\n`; + + audioConferenceDetails.phoneNumbers.map(phoneNumber => { + if (phoneNumber.tollPhoneNumber) { + messageBarText += `Toll Number: ${phoneNumber.tollPhoneNumber.phoneNumber}\n`; + } + if (phoneNumber.tollFreePhoneNumber) { + messageBarText += `Toll Free Number: ${phoneNumber.tollFreePhoneNumber.phoneNumber}\n`; + } + if (phoneNumber.countryName) { + messageBarText += `Country Name: ${phoneNumber.countryName}\n`; + } + if (phoneNumber.cityName) { + messageBarText += `City Name: ${phoneNumber.cityName}\n`; + } + }); + } catch (error) { + messageBarText += JSON.stringify(error); + } + console.log(`meetingAudioConferenceDetails MessageBarText = ${messageBarText}`) + this.setState({ callMessage: messageBarText }) + }, + } + } + + getMenuItems() { + let menuCallBacks = this.getParticipantMenuCallBacks(); + let menuItems = [ + { + key: 'Teams Meeting Audio Dial-In Info', + iconProps: { iconName: 'HandsFree' }, + text: 'Teams Meeting Audio Dial-In Info', + onClick: (e) => menuCallBacks.meetingAudioConferenceDetails(e) + } + ] + if (this.state.canRaiseHands && this.raiseHandFeature.getRaisedHands().length) { + menuItems.push({ + key: 'Lower All Hands', + iconProps: { iconName: 'HandsFree' }, + text: 'Lower All Hands', + onClick: (e) => menuCallBacks.lowerAllHands(e) + }); + } + + // Include the start spotlight option only if the local participant is has the capability + // and is currently not spotlighted + if (this.state.canSpotlight) { + !this.state.isSpotlighted && + menuItems.push({ + key: 'Start Spotlight', + iconProps: { iconName: 'Focus', className: this.state.isSpotlighted ? "callFeatureEnabled" : `` }, + text: 'Start Spotlight', + onClick: (e) => menuCallBacks.startSpotlight(this.identifier, e) + }); + + } + // Include the stop all spotlight option only if the local participant has the capability + // and the current spotlighted participant count is greater than 0 + if ((this.call.role == 'Presenter' || this.call.role == 'Organizer' || this.call.role == 'Co-organizer') + && this.spotlightFeature.getSpotlightedParticipants().length) { + menuItems.push({ + key: 'Stop All Spotlight', + iconProps: { iconName: 'Focus' }, + text: 'Stop All Spotlight', + onClick: (e) => menuCallBacks.stopAllSpotlight(e) + }); + } + + // Include the stop spotlight option only if the local participant is spotlighted + this.state.isSpotlighted && + menuItems.push({ + key: 'Stop Spotlight', + iconProps: { iconName: 'Focus', className: this.state.isSpotlighted ? "callFeatureEnabled" : `` }, + text: 'Stop Spotlight', + onClick: (e) => menuCallBacks.stopSpotlight(this.identifier, e) + }); + + return menuItems.filter(item => item != 0) + } + + remoteParticipantSelectionChanged(identifier, isChecked) { + if (isChecked) { + this.selectedRemoteParticipants.add(identifier); + } else { + this.selectedRemoteParticipants.delete(identifier); + } + const selectedParticipants = []; + const allParticipants = new Set(this.call.remoteParticipants.map(rp => rp.identifier)); + this.selectedRemoteParticipants.forEach(identifier => { + if (allParticipants.has(identifier)) { + selectedParticipants.push(identifier); + } + }); + this.dataChannelRef?.current?.setParticipants(selectedParticipants); + } + + handleMediaConstraint = (constraints) => { + this.call.setConstraints(constraints); + } + + handleRecordConstraint = (constraints) => { + if (constraints) { + this.setState({ inCallRecordingConstraint: constraints }) + } + } + + handleByosCheckboxChange = () => { + this.setState((prevState) => ({ + isByos: !prevState.isByos, + })); + }; + + handleStartRecording = async () => { + const recordingContent = this.state.inCallRecordingConstraint !== null ? this.state.inCallRecordingConstraint.recordingContent : "audio"; + const recordingChannel = this.state.inCallRecordingConstraint !== null ? this.state.inCallRecordingConstraint.recordingChannel : "unmixed"; + const recordingFormat = this.state.inCallRecordingConstraint !== null ? this.state.inCallRecordingConstraint.recordingFormat : "wav"; + + const recordRequest = { + recordingContent: recordingContent, + recordingChannel: recordingChannel, + recordingFormat: recordingFormat, + isByos: this.state.isByos + }; + + try { + await summarizationService.startRecording(recordRequest); + this.setState({ isCallRecordingActive: true }); + } catch (e) { + console.error('Error recording call:', e); + } + } + + handleStopRecording = async () => { + try { + await summarizationService.stopRecording(); + this.setState({ isCallRecordingActive: false }); + } + catch (e) { + console.error('Error stop recording:', e); + } + } + + render() { + const emojis = ['👍', '❤️', '😂', '👏', '😲']; + + return ( +
+ { + this.state.callState === 'Connected' && +
+

Record Constraints

+ +

+
+

Bring Your Own Storage

+
+
+ } +
+ { + this.state.callMessage && + { this.setState({ callMessage: undefined }) }} + dismissButtonAriaLabel="Close"> + {this.state.callMessage} + + } +
+
+
+
+ { + this.state.callState !== 'Connected' && +
+ } +

{this.state.callState !== 'Connected' ? `${this.state.callState}...` : `Connected`}

+ { + this.state.isRecordingActive && this.state.isTranscriptionActive ?
Recording and transcription are active
: + this.state.isRecordingActive ?
Recording is active
: + this.state.isTranscriptionActive ?
Transcription is active
: null + } +
+
+ { + this.call && + + } +
+
+
+

this.setState({ isShowParticipants: !this.state.isShowParticipants })}>≡ Participants

+
+
+
+ { + this.state.callState === 'Connected' && this.state.isShowParticipants && +
+
+ {this.state.showAddParticipantPanel && + + } +
+
+ { + (this.state.lobbyParticipantsCount > 0) && + + } +
+ { + this.state.dominantSpeakerMode && +
+ Current dominant speaker: {this.state.dominantRemoteParticipant ? utils.getIdentifierText(this.state.dominantRemoteParticipant.identifier) : `None`} +
+ } + { + this.state.remoteParticipants.length === 0 && +

No other participants currently in the call

+ } +
    + { + this.state.remoteParticipants.map(remoteParticipant => + this.remoteParticipantSelectionChanged(identifier, isChecked)} + capabilitiesFeature={this.capabilitiesFeature} + /> + ) + } +
+ +
+ } +
+
+ { + (this.state.callState === 'Connected' || + this.state.callState === 'LocalHold' || + this.state.callState === 'RemoteHold') && + this.state.allRemoteParticipantStreams.map(v => + + ) + } + { + ( + this.state.remoteScreenShareStream && + + ) + } +
+
+
+
+
+ this.handleVideoOnOff()}> + { + this.state.canOnVideo && this.state.videoOn && + + } + { + (!this.state.canOnVideo || !this.state.videoOn) && + + } + + this.handleMicOnOff()}> + { + this.state.canUnMuteMic && !this.state.micMuted && + + } + { + (!this.state.canUnMuteMic || this.state.micMuted) && + + } + + this.call.hangUp()}> + + + this.setState({ showSettings: true })}> + + + this.handleScreenSharingOnOff()}> + { + this.state.canShareScreen && ( + !this.state.screenSharingOn || + (this.state.screenSharingOn && this.state.localScreenSharingMode !== 'StartWithNormal') + ) && + + } + { + (!this.state.canShareScreen) || (this.state.screenSharingOn && this.state.localScreenSharingMode === 'StartWithNormal') && + + } + + this.setState({ showAddParticipantPanel: !this.state.showAddParticipantPanel })}> + { + this.state.showAddParticipantPanel && + + } + { + !this.state.showAddParticipantPanel && + + } + + this.handleMediaStatsLogState()}> + { + this.state.logMediaStats && + + } + { + !this.state.logMediaStats && + + } + + this.handleIncomingAudioOnOff()}> + { + this.state.incomingAudioMuted && + + } + { + !this.state.incomingAudioMuted && + + } + + { + this.state.canMuteOthers && + this.handleMuteAllRemoteParticipants()}> + + + } + this.handleRawScreenSharingOnOff()}> + { + this.state.canShareScreen && ( + !this.state.screenSharingOn || + (this.state.screenSharingOn && this.state.localScreenSharingMode !== 'StartWithDummy') + ) && + + } + { + (!this.state.canShareScreen) || (this.state.screenSharingOn && this.state.localScreenSharingMode === 'StartWithDummy') && + + } + + { + (this.state.callState === 'Connected' || + this.state.callState === 'LocalHold' || + this.state.callState === 'RemoteHold') && + this.handleHoldUnhold()}> + { + (this.state.callState === 'LocalHold') && + + } + { + (this.state.callState === 'Connected' || this.state.callState === 'RemoteHold') && + + } + + } + this.handleOutgoingAudioEffect()}> + { + this.state.outgoingAudioMediaAccessActive && + + } + { + !this.state.outgoingAudioMediaAccessActive && + + } + + + { this.setState({ showDataChannel: !this.state.showDataChannel }) }}> + { + this.state.showDataChannel && + + } + { + !this.state.showDataChannel && + + } + + this.handleDominantSpeakersListActive()}> + { + this.state.dominantSpeakersListActive && + + } + { + !this.state.dominantSpeakersListActive && + + } + + this.toggleDominantSpeakerMode()}> + { + this.state.dominantSpeakerMode && + + } + { + !this.state.dominantSpeakerMode && + + } + + {this.state.canRaiseHands && + this.handleRaiseHand()}> + + + } + this.handleClickEmoji(0)} + style={{ cursor: 'pointer' }}> + {emojis[0]} + + this.handleClickEmoji(1)} + style={{ cursor: 'pointer' }}> + {emojis[1]} + + this.handleClickEmoji(2)} + style={{ cursor: 'pointer' }}> + {emojis[2]} + + this.handleClickEmoji(3)} + style={{ cursor: 'pointer' }}> + {emojis[3]} + + this.handleClickEmoji(4)} + style={{ cursor: 'pointer' }}> + {emojis[4]} + + + +

+

+ { +
+ {this.state.callState === 'Connected' && +
+ {!this.state.isCallRecordingActive && } + {this.state.isCallRecordingActive && } +
} +
+ } + + this.setState({ showSettings: false })} + closeButtonAriaLabel="Close" + headerText="Settings"> +
+

Video settings

+
+ { + this.state.callState === 'Connected' && + + } +
+
+
+

Sound Settings

+
+ { + this.state.callState === 'Connected' && + + } + { + this.state.callState === 'Connected' && + + } +
+ { + (this.state.callState === 'Connected') && !this.state.micMuted && !this.state.incomingAudioMuted && +

Volume Visualizer

+ } + { + (this.state.callState === 'Connected') && !this.state.micMuted && !this.state.incomingAudioMuted && + + } +
+
+
+
+
+
+ {this.state.pptLiveActive && +
+ } + { + this.state.videoOn && this.state.canOnVideo && +
+
+

Local video preview

+
+
+
+ +
+
+

Raw Video access

+ + + { + this.isSetCallConstraints && +
+

Video Send Constraints

+ +
+ } + +
+
+ +
+
+
+ } + { + this.state.localScreenSharingMode && +
+
+

Local screen sharing preview

+
+
+ { +
+ +
+ } +
+ { + this.state.localScreenSharingMode === 'StartWithNormal' && +

Raw Screen Sharing access

+ } + { + this.state.localScreenSharingMode === 'StartWithNormal' && + + } + { + this.state.localScreenSharingMode === 'StartWithDummy' && +
+ +
+ } +
+
+
+ } + {this.state.dominantSpeakersListActive && +
+
+

Dominant Speakers

+
+
+ { + this.state.dominantSpeakers.map((dominantSpeaker, index) => +
+
+ Index {index} +
+
+ mri: {utils.getIdentifierText(dominantSpeaker?.identifier)} +
+
+ displayName: {dominantSpeaker?.displayName ?? 'None'} +
+
+ ) + } +
+
+ } + { + this.state.captionOn && +
+
+

Captions

+
+
+ { + this.state.captionOn && + + } +
+
+ } + { + this.state.showDataChannel && +
+
+

Data Channel

+
+
+ { + this.state.callState === 'Connected' && + + } +
+
+ } + { + this.state.callState === 'Connected' && +
+
+

Audio effects and enhancements

+
+
+ +
+
+ } + { + this.state.callState === 'Connected' && +
+
+

Meeting Reactions

+
+
+ + + + + + + + + + { + this.state.reactionRows.map((row, index) => ( + + + + + + )) + } + +
IdentifierReactionReceive TimeStamp
{row.participantIdentifier}{row.reaction}{row.receiveTimestamp}
+
+
+ } +
+ ); + } +} diff --git a/summarization-poc/frontend/Project/src/MakeCall/CallSurvey.js b/summarization-poc/frontend/Project/src/MakeCall/CallSurvey.js new file mode 100644 index 00000000..927b0d2c --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/CallSurvey.js @@ -0,0 +1,190 @@ +import React from "react"; +import { + PrimaryButton +} from 'office-ui-fabric-react' +import StarRating from '../MakeCall/StarRating'; +import { Features } from '@azure/communication-calling'; +import config from '../../clientConfig.json'; +import { ApplicationInsights } from '@microsoft/applicationinsights-web'; +import { TextField } from 'office-ui-fabric-react'; + +export default class CallSurvey extends React.Component { + constructor(props) { + super(props); + this.call = props.call; + this.state = { + overallIssue: '', + overallRating: 0, + audioIssue: '', + audioRating: 0, + videoIssue: '', + videoRating: 0, + screenShareIssue: '', + screenShareRating: 0, + surveyError: '', + improvementSuggestion: '' + }; + + if (config.appInsightsConnectionString) { + // Typical application will have the app insights already initialized, so that can be used here. + this.appInsights = new ApplicationInsights({ + config: { + // Use atob function to decode only if the connection string is base64. To encode: btoa("connection string") + connectionString: atob(config.appInsightsConnectionString) + } + }); + this.appInsights.loadAppInsights(); + } + + } + + componentWillUnmount() { + + } + + componentDidMount() { + + } + + captureRating(category, score) { + if (category == 'overall') { + this.setState({ overallRating: score }); + } else if (category == 'audio') { + this.setState({ audioRating: score }); + } else if (category == 'video') { + this.setState({ videoRating: score }); + } else if (category == 'screenShare') { + this.setState({ screenShareRating: score }); + } + } + + captureIssue(category, issue) { + if (category == 'overall') { + this.setState({ overallIssue: issue }); + } else if (category == 'audio') { + this.setState({ audioIssue: issue }); + } else if (category == 'video') { + this.setState({ videoIssue: issue }); + } else if (category == 'screenShare') { + this.setState({ screenShareIssue: issue }); + } + + } + + submitRating() { + const rating = {}; + rating.overallRating = { score: this.state.overallRating }; + if (this.state.overallIssue) rating.overallRating.issues = [this.state.overallIssue]; + + if (this.state.audioRating !== 0) rating.audioRating = { score: this.state.audioRating }; + if (this.state.audioIssue) rating.audioRating.issues = [this.state.audioIssue]; + + if (this.state.videoRating !== 0) rating.videoRating = { score: this.state.videoRating }; + if (this.state.videoIssue) rating.videoRating.issues = [this.state.videoIssue]; + + if (this.state.screenShareRating !== 0) rating.screenshareRating = { score: this.state.screenShareRating }; + if (this.state.screenShareIssue) rating.screenshareRating.issues = [this.state.screenShareIssue]; + + this.call.feature(Features.CallSurvey).submitSurvey(rating).then((res) => { + if (this.appInsights && this.state.improvementSuggestion !== '') { + this.appInsights.trackEvent({ + name: "CallSurvey", properties: { + // Survey ID to correlate the survey + id: res.id, + // Other custom properties as key value pair + improvementSuggestion: this.state.improvementSuggestion + } + }); + this.appInsights.flush(); + } + this.props.onSubmitted(); + }).catch((e) => { + console.error('Failed to submit survey', e); + this.setState({ surveyError: 'Failed to submit survey' + e }); + }); + } + + render() { + return ( +
+
+
+

Rate your recent call!

+ { + this.state.surveyError !== '' &&

{this.state.surveyError}

+ } +
+
+ this.submitRating()}> + +
+
+
+
+

Rate your overall call experience

+
+ this.captureIssue(category, issue)} + onRate={(category, score) => this.captureRating(category, score)} + />
+
+
+
+
+

Rate your audio experience (optional)

+
+ this.captureIssue(category, issue)} + onRate={(category, score) => this.captureRating(category, score)} + />
+
+
+
+
+

Rate your video experience (optional)

+
+ this.captureIssue(category, issue)} + onRate={(category, score) => this.captureRating(category, score)} + /> +
+
+
+
+
+

Rate your screen share experience (optional)

+
+ this.captureIssue(category, issue)} + onRate={(category, score) => this.captureRating(category, score)} + />
+
+
+
+
+

How can we improve? (optional)

+
+ { this.state.improvementSuggestion = e.target.value }}/> +
+
+
+
+ ); + } +} diff --git a/summarization-poc/frontend/Project/src/MakeCall/CurrentCallInformation.js b/summarization-poc/frontend/Project/src/MakeCall/CurrentCallInformation.js new file mode 100644 index 00000000..110538cb --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/CurrentCallInformation.js @@ -0,0 +1,43 @@ +import React, { useState, useEffect } from "react"; +import { Features } from "@azure/communication-calling"; +import { AzureLogger } from '@azure/logger'; + +const CurrentCallInformation = ({ sentResolution, call }) => { + const [ovcFeature, setOvcFeature] = useState(); + const [optimalVideoCount, setOptimalVideoCount] = useState(1); + + useEffect(() => { + try { + setOvcFeature(call.feature(Features.OptimalVideoCount)); + } catch (error) { + AzureLogger.log("Feature not implemented yet"); + } + + return () => { + ovcFeature?.off('optimalVideoCountChanged', optimalVideoCountChanged); + } + }, []); + + useEffect(() => { + ovcFeature?.on('optimalVideoCountChanged', optimalVideoCountChanged); + }, [ovcFeature]); + + const optimalVideoCountChanged = () => { + setOptimalVideoCount(ovcFeature.optimalVideoCount); + }; + + return ( +
+
Call Id: {call.id}
+
Local Participant Id: {call.info.participantId}
+ { + sentResolution &&
Sent Resolution: {sentResolution}
+ } + { + ovcFeature &&
Optimal Video Count: {optimalVideoCount}
+ } +
+ ); +} + +export default CurrentCallInformation; diff --git a/summarization-poc/frontend/Project/src/MakeCall/DataChannelCard.js b/summarization-poc/frontend/Project/src/MakeCall/DataChannelCard.js new file mode 100644 index 00000000..694ee7c3 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/DataChannelCard.js @@ -0,0 +1,135 @@ +import React from "react"; +import { ToastContainer, toast } from 'react-toastify'; +import { Features } from '@azure/communication-calling'; +import 'react-toastify/dist/ReactToastify.css'; +import { PrimaryButton, TextField } from 'office-ui-fabric-react'; +import { utils } from '../Utils/Utils'; + +const toastOptions = { + position: "top-right", + autoClose: 5000, + hideProgressBar: true, + closeOnClick: true, + pauseOnHover: true, + draggable: true, + progress: undefined, + theme: "colored", +}; + +export default class DataChannelCard extends React.Component { + constructor(props) { + super(props); + this.state = { + inputMessage: '' + } + const call = props.call; + if (!Features.DataChannel) { + return; + } + const dataChannel = call.feature(Features.DataChannel); + const getDisplayName = (participantId) => { + const remoteParticipant = props.remoteParticipants.find(rp => rp.identifier.communicationUserId === participantId); + if (remoteParticipant && remoteParticipant.displayName) { + return remoteParticipant.displayName; + } + return undefined; + } + const textDecoder = new TextDecoder(); + const messageHandler = (message, remoteParticipantId) => { + const displayName = getDisplayName(remoteParticipantId); + const from = displayName ? displayName : remoteParticipantId; + const text = textDecoder.decode(message.data); + toast.info(`${from}: ${text}`, { + position: "top-left", + autoClose: 5000, + hideProgressBar: true, + closeOnClick: true, + pauseOnHover: true, + draggable: true, + progress: undefined, + theme: "colored", + }); + }; + dataChannel.on('dataChannelReceiverCreated', receiver => { + const participantId = utils.getIdentifierText(receiver.senderParticipantIdentifier); + const displayName = getDisplayName(participantId); + const from = displayName ? `${participantId} (${displayName})` : participantId; + toast.success(`data channel id = ${receiver.channelId} from ${from} is opened`, toastOptions); + + receiver.on('close', () => { + toast.error(`data channel id = ${receiver.channelId} from ${from} is closed`, toastOptions); + }); + if (receiver.channelId === 1000) { + receiver.on('messageReady', () => { + const message = receiver.readMessage(); + messageHandler(message, participantId); + }); + } + }); + + try { + this.messageSender = dataChannel.createDataChannelSender({ + channelId: 1000 + }); + } catch(e) { + toast.error(`createDataChannelSender: ${e.message}`, toastOptions); + } + } + + setParticipants(participants) { + try { + this.messageSender.setParticipants(participants); + } catch(e) { + toast.error(`setParticipants: ${e.message}`, toastOptions); + } + } + + sendMessage() { + if (this.state.inputMessage) { + try { + this.messageSender.sendMessage((new TextEncoder()).encode(this.state.inputMessage)).then(() => { + this.setState({ + inputMessage: '' + }); + }).catch(e => { + toast.error(`sendMessage: ${e.message}`, toastOptions); + }); + } catch(e) { + toast.error(`sendMessage: ${e.message}`, toastOptions); + } + } + } + + render() { + return ( +
+
+
When no remote participant checkbox is selected, message will broadcast in the channel
+
+ { + if (ev.key === 'Enter') { + this.sendMessage(); + ev.preventDefault(); + } + }} + onChange={ev => { + this.setState({ + inputMessage: ev.target.value + }); + }} + value={this.state.inputMessage} + /> + this.sendMessage()}> + +
+
+
+ ); + } +} diff --git a/summarization-poc/frontend/Project/src/MakeCall/FunctionalStreamRenderer.js b/summarization-poc/frontend/Project/src/MakeCall/FunctionalStreamRenderer.js new file mode 100644 index 00000000..f337b8ef --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/FunctionalStreamRenderer.js @@ -0,0 +1,178 @@ +import React, { useEffect, useState, useRef, useImperativeHandle, forwardRef } from "react"; +import { utils } from '../Utils/Utils'; +import { VideoStreamRenderer } from "@azure/communication-calling"; +import CustomVideoEffects from "./RawVideoAccess/CustomVideoEffects"; +import VideoReceiveStats from './VideoReceiveStats'; + +export const FunctionalStreamRenderer = forwardRef(({ + remoteParticipant, + stream, + dominantRemoteParticipant, + dominantSpeakerMode, + call, + showMediaStats +}, ref) => { + const componentId = `${utils.getIdentifierText(remoteParticipant.identifier)}-${stream.mediaStreamType}-${stream.id}`; + const videoContainerId = componentId + '-videoContainer'; + const componentContainer = useRef(null); + const videoContainer = useRef(null); + let renderer; + let view; + const [isLoading, setIsLoading] = useState(false); + const [isSpeaking, setIsSpeaking] = useState(!!remoteParticipant?.isSpeaking); + const [isMuted, setIsMuted] = useState(!!remoteParticipant?.isMuted); + const [displayName, setDisplayName] = useState(remoteParticipant?.displayName?.trim() ?? ''); + const [videoStats, setVideoStats] = useState(); + const [transportStats, setTransportStats] = useState(); + + useEffect(() => { + initializeComponent(); + return () => { + stream.off('isReceivingChanged', isReceivingChanged); + remoteParticipant.off('isSpeakingChanged', isSpeakingChanged); + remoteParticipant.off('isMutedChanged', isMutedChanged); + remoteParticipant.off('displayNameChanged', isDisplayNameChanged); + if (renderer) { + disposeRenderer(); + } + } + }, []); + + const getRenderer = () => { + return view; + } + + const createRenderer = async () => { + if (!renderer) { + renderer = new VideoStreamRenderer(stream); + view = await renderer.createView(); + return view; + } else { + throw new Error(`[App][StreamMedia][id=${stream.id}][createRenderer] stream already has a renderer`); + } + } + + const attachRenderer = (v) => { + try { + if (v) { + view = v; + } + + if (!view.target) { + throw new Error(`[App][StreamMedia][id=${stream.id}][attachRenderer] target is undefined. Must create renderer first`); + } else { + componentContainer.current.style.display = 'block'; + videoContainer.current.appendChild(view?.target); + } + } catch (e) { + console.error(e); + } + } + + const disposeRenderer = () => { + if (videoContainer.current && componentContainer.current) { + videoContainer.current.innerHTML = ''; + componentContainer.current.style.display = 'none'; + } + if (renderer) { + renderer.dispose(); + } else { + console.warn(`[App][StreamMedia][id=${stream.id}][disposeRender] no renderer to dispose`); + } + } + const isReceivingChanged = () => { + try { + if (stream?.isAvailable) { + setIsLoading(!stream.isReceiving); + } else { + setIsLoading(false); + } + + } catch (e) { + console.error(e); + } + }; + + const isMutedChanged = () => { + setIsMuted(remoteParticipant && remoteParticipant?.isMuted); + }; + + const isSpeakingChanged = () => { + setIsSpeaking(remoteParticipant && remoteParticipant.isSpeaking); + } + + const isDisplayNameChanged = () => { + setDisplayName(remoteParticipant.displayName.trim()); + } + /** + * Start stream after DOM has rendered + */ + const initializeComponent = async () => { + stream.on('isReceivingChanged', isReceivingChanged); + remoteParticipant.on('isMutedChanged', isMutedChanged); + remoteParticipant.on('isSpeakingChanged', isSpeakingChanged); + if (dominantSpeakerMode && dominantRemoteParticipant !== remoteParticipant) { + return; + } + + try { + if (stream.isAvailable && !renderer) { + await createRenderer(); + attachRenderer(); + } + } catch (e) { + console.error(e); + } + } + + useImperativeHandle(ref, () => ({ + updateReceiveStats(videoStatsReceived, transportStatsReceived) { + if (videoStatsReceived) { + if (videoStatsReceived !== videoStats && stream.isAvailable) { + setVideoStats(videoStatsReceived); + setTransportStats(transportStatsReceived); + } + } + }, + getRenderer, + createRenderer, + attachRenderer, + disposeRenderer + })); + + if (stream.isAvailable) { + return ( +
+
+

+ {displayName ? displayName : remoteParticipant.displayName ? remoteParticipant.displayName : utils.getIdentifierText(remoteParticipant.identifier)} +

+ + { + isLoading &&
+ } +
+ { + videoStats && showMediaStats && +

+ +

+ } +
+ ); + } + return <>; +}); diff --git a/summarization-poc/frontend/Project/src/MakeCall/IncomingCallCard.js b/summarization-poc/frontend/Project/src/MakeCall/IncomingCallCard.js new file mode 100644 index 00000000..89bd7429 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/IncomingCallCard.js @@ -0,0 +1,89 @@ +import React from "react"; +import { Icon } from '@fluentui/react/lib/Icon'; + +export default class IncomingCallCard extends React.Component { + constructor(props) { + super(props); + this.incomingCall = props.incomingCall; + this.acceptCallMicrophoneUnmutedVideoOff = props.acceptCallMicrophoneUnmutedVideoOff; + this.acceptCallMicrophoneUnmutedVideoOn = props.acceptCallMicrophoneUnmutedVideoOn; + this.acceptCallMicrophoneMutedVideoOn = props.acceptCallMicrophoneMutedVideoOn; + this.acceptCallMicrophoneMutedVideoOff = props.acceptCallMicrophoneMutedVideoOff; + } + + render() { + return ( +
+
+
+

Incoming Call...

+
+
+ { + this.call && +

Call Id: {this.state.callId}

+ } +
+
+
+
+
+ {this.incomingCall?.customContext && + <> +
+
+

Custom context:

+
+
+ {this.incomingCall.customContext.userToUser && +
+
+ UUI: {this.incomingCall.customContext.userToUser} +
+
+ } + {this.incomingCall.customContext.xHeaders && this.incomingCall.customContext.xHeaders + .map(header => +
+
+ {header.key}: {header.value} +
+
) + } + + } +
+ this.incomingCall.accept(await this.acceptCallMicrophoneUnmutedVideoOff())}> + + + + this.incomingCall.accept(await this.acceptCallMicrophoneUnmutedVideoOn())}> + + + + this.incomingCall.accept(await this.acceptCallMicrophoneMutedVideoOn())}> + + + + this.incomingCall.accept(await this.acceptCallMicrophoneMutedVideoOff())}> + + + + { this.incomingCall.reject(); this.props.onReject(); }}> + + +
+
+ ); + } +} \ No newline at end of file diff --git a/summarization-poc/frontend/Project/src/MakeCall/Lobby.js b/summarization-poc/frontend/Project/src/MakeCall/Lobby.js new file mode 100644 index 00000000..e5a747d6 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/Lobby.js @@ -0,0 +1,72 @@ +import React from "react"; +import { PrimaryButton } from 'office-ui-fabric-react'; +import { Features } from '@azure/communication-calling'; + +// Lobby react function component +export default class Lobby extends React.Component { + constructor(props) { + super(props); + this.call = props.call; + this.lobby = this.call.lobby; + this.capabilitiesFeature = props.capabilitiesFeature; + this.capabilities = this.capabilitiesFeature.capabilities; + this.state = { + canManageLobby: this.capabilities.manageLobby?.isPresent || this.capabilities.manageLobby?.reason === 'FeatureNotSupported', + lobbyParticipantsCount: props.lobbyParticipantsCount + }; + } + + componentDidMount() { + this.capabilitiesFeature.on('capabilitiesChanged', this.capabilitiesChangedHandler); + } + + componentWillReceiveProps(nextProps) { + if (nextProps.lobbyParticipantsCount !== this.state.lobbyParticipantsCount) { + this.setState({ lobbyParticipantsCount: nextProps.lobbyParticipantsCount }); + } + } + + capabilitiesChangedHandler = (capabilitiesChangeInfo) => { + console.log('lobby:capabilitiesChanged'); + for (const [key, value] of Object.entries(capabilitiesChangeInfo.newValue)) { + if(key === 'manageLobby' && value.reason != 'FeatureNotSupported') { + (value.isPresent) ? this.setState({ canManageLobby: true }) : this.setState({ canManageLobby: false }); + const admitAllButton = document.getElementById('admitAllButton'); + if(this.state.canManageLobby === true){ + admitAllButton.style.display = ''; + } else { + admitAllButton.style.display = 'none'; + } + continue; + } + } + }; + + async admitAllParticipants() { + console.log('admitAllParticipants'); + try { + await this.lobby?.admitAll(); + } catch (e) { + console.error(e); + } + } + + render() { + return ( +
+
+
In-Lobby participants number: {this.state.lobbyParticipantsCount}
+
+
+ this.admitAllParticipants()}> + +
+
+ ); + } +} diff --git a/summarization-poc/frontend/Project/src/MakeCall/LocalVideoPreviewCard.js b/summarization-poc/frontend/Project/src/MakeCall/LocalVideoPreviewCard.js new file mode 100644 index 00000000..e7500ef4 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/LocalVideoPreviewCard.js @@ -0,0 +1,56 @@ +import React from "react"; +import { VideoStreamRenderer} from '@azure/communication-calling'; +import { utils } from '../Utils/Utils'; +import VideoSendStats from './VideoSendStats'; + +export default class LocalVideoPreviewCard extends React.Component { + constructor(props) { + super(props); + this.identifier = props.identifier; + this.stream = props.stream; + this.type = this.stream.mediaStreamType; + this.view = undefined; + this.componentId = `${utils.getIdentifierText(this.identifier)}-local${this.type}Renderer`; + this.state = { + videoStats: undefined + }; + } + + async componentDidMount() { + try { + this.renderer = new VideoStreamRenderer(this.stream); + this.view = await this.renderer.createView(); + const targetContainer = document.getElementById(this.componentId); + if (this.type === 'ScreenSharing' || this.type === 'RawMedia') { + this.view.target.querySelector('video').style.width = targetContainer.style.width; + } + targetContainer.appendChild(this.view.target); + } catch (error) { + console.error('Failed to render preview', error); + } + } + + async componentWillUnmount() { + this.view.dispose(); + this.view = undefined; + } + + render() { + return ( +
+ { + this.state.videoStats && +

+ +

+ } +
+ ); + } + + updateSendStats(videoStats) { + if (this.state.videoStats !== videoStats) { + this.setState({ videoStats }); + } + } +} diff --git a/summarization-poc/frontend/Project/src/MakeCall/Login.js b/summarization-poc/frontend/Project/src/MakeCall/Login.js new file mode 100644 index 00000000..9d3bda36 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/Login.js @@ -0,0 +1,787 @@ +import React from "react"; +import { + TextField, PrimaryButton, Checkbox, + MessageBar, MessageBarType +} from 'office-ui-fabric-react' +import { Features } from "@azure/communication-calling"; +import { utils } from "../Utils/Utils"; +import { v4 as uuid } from 'uuid'; +import OneSignal from "react-onesignal"; +import config from '../../clientConfig.json'; +import { TurnConfiguration } from './NetworkConfiguration/TurnConfiguration'; +import { ProxyConfiguration } from './NetworkConfiguration/ProxyConfiguration'; +import { URL_PARAM } from "../Constants"; + +export default class Login extends React.Component { + constructor(props) { + super(props); + this.callAgent = undefined; + this.callClient = undefined; + this.userDetailsResponse = undefined; + + // Set display name from the URL + const params = new URLSearchParams(window.location.search); + this.displayName = params.get(URL_PARAM.DISPLAY_NAME) === null ? undefined : params.get(URL_PARAM.DISPLAY_NAME); + this.clientTag = uuid(); + this.isSafari = /^((?!chrome|android).)*safari/i.test(navigator.userAgent); + this._callAgentInitPromise = undefined; + this._callAgentInitPromiseResolve = undefined; + this.currentCustomTurnConfig = undefined; + this.teamsUserEmail= ''; + this.teamsUserPassword= ''; + this.state = { + isCallClientActiveInAnotherTab: false, + environmentInfo: undefined, + showCallClientOptions: false, + initializedOneSignal: false, + subscribedForPushNotifications: false, + initializeCallAgentAfterPushRegistration: true, + showUserProvisioningAndSdkInitializationCode: false, + showSpinner: false, + loginWarningMessage: undefined, + loginErrorMessage: undefined, + proxy: { + useProxy: false, + url: '' + }, + customTurn: { + useCustomTurn: false, + turn: null + }, + isTeamsUser: false, + isJoinOnlyToken: false + } + } + + async componentDidMount() { + try { + if (config.oneSignalAppId) { + if (location.protocol !== 'https:') { + throw new Error('Web push notifications can only be tested on trusted HTTPS.'); + } + + await OneSignal.init({ + appId: config.oneSignalAppId, + safari_web_id: config.oneSignalSafariWebId, + notifyButton: { + enable: true, + colors: { + 'circle.background': '#ca5010' + } + }, + }); + + OneSignal.addListenerForNotificationOpened(async function (event) { + console.log('Push notification clicked and app will open if it is currently closed'); + await this.handlePushNotification(event); + }.bind(this)); + + OneSignal.on('notificationDisplay', async function (event) { + console.log('Push notification displayed'); + await this.handlePushNotification(event); + }.bind(this)); + + OneSignal.on('subscriptionChange', async function(isSubscribed) { + console.log("Push notification subscription state is now: ", isSubscribed); + this.setState({ subscribedForPushNotifications: + (await OneSignal.isPushNotificationsEnabled()) && (await OneSignal.getSubscription()) + }); + }.bind(this)); + + this.setState({ initializedOneSignal: true}); + this.setState({ subscribedForPushNotifications: + (await OneSignal.isPushNotificationsEnabled()) && (await OneSignal.getSubscription()) + }); + + await OneSignal.registerForPushNotifications(); + } + } catch (error) { + this.setState({ + loginWarningMessage: error.message + }); + console.warn(error); + } + } + + async setupLoginStates() { + this.setState({ + token: this.userDetailsResponse.communicationUserToken.token + }); + this.setState({ + communicationUserId: utils.getIdentifierText(this.userDetailsResponse.userId) + }); + + if (!this.state.subscribedForPushNotifications || + (this.state.subscribedForPushNotifications && this.state.initializeCallAgentAfterPushRegistration)) { + await this.props.onLoggedIn({ + communicationUserId: this.userDetailsResponse.userId.communicationUserId, + token: this.userDetailsResponse.communicationUserToken.token, + displayName: this.displayName, + clientTag:this.clientTag, + proxy: this.state.proxy, + customTurn: this.state.customTurn, + isTeamsUser: this.state.isTeamsUser + }); + } + console.log('Login response: ', this.userDetailsResponse); + this.setState({ loggedIn: true }); + } + + async logIn() { + try { + this.setState({ isTeamsUser: false }); + this.setState({ showSpinner: true }); + if (!this.state.token && !this.state.communicationUserId) { + this.userDetailsResponse = await utils.getCommunicationUserToken(undefined, this.state.isJoinOnlyToken); + } else if (this.state.token && this.state.communicationUserId) { + this.userDetailsResponse = await utils.getOneSignalRegistrationTokenForCommunicationUserToken( + this.state.token, this.state.communicationUserId + ); + } else if (!this.state.token && this.state.communicationUserId) { + this.userDetailsResponse = await utils.getCommunicationUserToken(this.state.communicationUserId, this.state.isJoinOnlyToken); + } else if (this.state.token && !this.state.communicationUserId) { + throw new Error('You must specify the associated ACS identity for the provided ACS communication user token'); + } + if (this.state.initializedOneSignal) { + OneSignal.setExternalUserId(this.userDetailsResponse.oneSignalRegistrationToken); + } + await this.setupLoginStates() + } catch (error) { + this.setState({ + loginErrorMessage: error.message + }); + console.log(error); + } finally { + this.setState({ showSpinner: false }); + } + } + + async teamsUserOAuthLogin() { + try { + this.setState({ isTeamsUser: true }); + this.setState({ showSpinner: true }); + this.userDetailsResponse = this.teamsUserEmail && this.teamsUserPassword ? + await utils.teamsM365Login(this.teamsUserEmail, this.teamsUserPassword ): + await utils.teamsPopupLogin(); + this.teamsUserEmail = this.teamsUserPassword = ''; + await this.setupLoginStates(); + } catch (error) { + this.setState({ + loginErrorMessage: error.message + }); + console.log(error); + } finally { + this.setState({ showSpinner: false }); + } + } + + async handlePushNotification(event) { + try { + if (!this.callAgent && !!event.data.incomingCallContext) { + if (!this.state.token) { + const oneSignalRegistrationToken = await OneSignal.getExternalUserId(); + this.userDetailsResponse = await utils.getCommunicationUserTokenForOneSignalRegistrationToken(oneSignalRegistrationToken); + this.setState({ + token: this.userDetailsResponse.communicationUserToken.token + }); + this.setState({ + communicationUserId: utils.getIdentifierText(this.userDetailsResponse.userId.communicationUserId) + }); + } + this.props.onLoggedIn({ + communicationUserId: this.userDetailsResponse.communicationUserToken.user.communicationUserId, + token: this.userDetailsResponse.communicationUserToken.token, + displayName: this.displayName, + clientTag:this.clientTag, + proxy: this.state.proxy, + customTurn: this.state.customTurn + }); + this._callAgentInitPromise = new Promise((resolve) => { this._callAgentInitPromiseResolve = resolve }); + await this._callAgentInitPromise; + console.log('Login response: ', this.userDetailsResponse); + this.setState({ loggedIn: true }) + if (!this.callAgent.handlePushNotification) { + throw new Error('Handle push notification feature is not implemented in ACS Web Calling SDK yet.'); + } + await this.callAgent.handlePushNotification(event.data); + } + } catch (error) { + this.setState({ + loginErrorMessage: error.message + }); + console.log(error); + } + } + + setCallAgent(callAgent) { + this.callAgent = callAgent; + this.callAgent.on('connectionStateChanged', (args) => { + console.log('Call agent connection state changed from', args.oldValue, 'to', args.newValue); + this.setState({callAgentConnectionState: args.newValue}); + if(args.reason === 'tokenExpired') { + this.setState({ loggedIn: false }); + alert('Your token has expired. Please log in again.'); + } + }); + this.setState({callAgentConnectionState: this.callAgent.connectionState}); + + if (!!this._callAgentInitPromiseResolve) { + this._callAgentInitPromiseResolve(); + } + } + + async setCallClient(callClient) { + this.callClient = callClient; + const environmentInfo = await this.callClient.getEnvironmentInfoInternal(); + this.setState({ environmentInfo }); + const debugInfoFeature = await this.callClient.feature(Features.DebugInfo); + this.setState({ isCallClientActiveInAnotherTab: debugInfoFeature.isCallClientActiveInAnotherTab }); + debugInfoFeature.on('isCallClientActiveInAnotherTabChanged', () => { + this.setState({ isCallClientActiveInAnotherTab: debugInfoFeature.isCallClientActiveInAnotherTab }); + }); + } + + handleProxyChecked = (e, isChecked) => { + this.setState({ + ...this.state, + proxy: { + ...this.state.proxy, + useProxy: isChecked + } + }); + }; + + handleAddProxyUrl = (input) => { + if (input) { + this.setState({ + ...this.state, + proxy: { + ...this.state.proxy, + url: input + } + }); + } + }; + + handleProxyUrlReset = () => { + this.setState({ + ...this.state, + proxy: { + ...this.state.proxy, + url: '' + } + }); + }; + + handleAddTurnConfig = (iceServer) => { + const turnConfig = this.state.customTurn.turn ?? { + iceServers: [] + }; + turnConfig.iceServers.push(iceServer); + + this.setState({ + ...this.state, + customTurn: { + ...this.state.customTurn, + turn: turnConfig + } + }); + } + + handleCustomTurnChecked = (e, isChecked) => { + if (isChecked) { + this.setState({ + ...this.state, + customTurn: { + ...this.state.customTurn, + useCustomTurn: true + } + }); + } else { + this.setState({ + ...this.state, + customTurn: { + ...this.state.customTurn, + useCustomTurn: false, + turn: null + } + }); + } + } + + getOrCreateCustomTurnConfiguration = async () => { + const iceServers = this.state.customTurn.turn.iceServers.map(iceServer => { + return { + urls: [...iceServer.urls], + username: iceServer.username, + credential: iceServer.credential + }; + }); + + return { iceServers }; + } + + handleTurnUrlResetToDefault = () => { + this.setState({ + ...this.state, + customTurn: { + ...this.state.customTurn + } + }); + + this.getOrCreateCustomTurnConfiguration().then(res => { + this.setState({ + ...this.state, + customTurn: { + ...this.state.customTurn, + turn: res + } + }); + }).catch(error => { + console.error(`Not able to fetch custom TURN: ${error}`); + this.setState({ + ...this.state, + customTurn: { + ...this.state.customTurn, + useCustomTurn: false, + turn: null + } + }); + }); + } + + handleTurnUrlReset = () => { + this.setState({ + ...this.state, + customTurn: { + ...this.state.customTurn, + turn: null + } + }); + } + + render() { + const userProvisioningAndSdkInitializationCode = ` +/************************************************************************************** + * User token provisioning service should be set up in a trusted backend service. * + * Client applications will make requests to this service for gettings tokens. * + **************************************************************************************/ +import { CommunicationIdentityClient } from @azure/communication-administration; +const communicationIdentityClient = new CommunicationIdentityClient(); +app.get('/getAcsUserAccessToken', async (request, response) => { + try { + const communicationUserId = await communicationIdentityClient.createUser(); + const tokenResponse = await communicationIdentityClient.issueToken({ communicationUserId }, ['voip']); + response.json(tokenResponse); + } catch(error) { + console.log(error); + } +}); + +/******************************************************************************************************** + * Client application initializing the ACS Calling Client Web SDK after receiving token from service * + *********************************************************************************************************/ +import { CallClient, Features } from '@azure/communication-calling'; +import { AzureCommunicationTokenCredential } from '@azure/communication-common'; +import { AzureLogger, setLogLevel } from '@azure/logger'; + +export class MyCallingApp { + constructor() { + this.callClient = undefined; + this.callAgent = undefined; + this.deviceManager = undefined; + this.currentCall = undefined; + } + + public async initCallClient() { + const response = (await fetch('/getAcsUserAccessToken')).json(); + const token = response.token; + const tokenCredential = new AzureCommunicationTokenCredential(token); + + // Set log level for the logger + setLogLevel('verbose'); + // Redirect logger output to wherever desired + AzureLogger.log = (...args) => { console.log(...args); }; + // CallClient is the entrypoint for the SDK. Use it to + // to instantiate a CallClient and to access the DeviceManager + this.callClient = new CallClient(); + this.callAgent = await this.callClient.createCallAgent(tokenCredential, { displayName: 'Optional ACS user name'}); + this.deviceManager = await this.callClient.getDeviceManager(); + + // Handle Calls and RemoteParticipants + // Subscribe to 'callsUpdated' event to be when a a call is added or removed + this.callAgent.on('callsUpdated', calls => { + calls.added.foreach(addedCall => { + // Get the state of the call + addedCall.state; + + //Subscribe to call state changed event + addedCall.on('stateChanged', callStateChangedHandler); + + // Get the unique Id for this Call + addedCall.id; + + // Subscribe to call id changed event + addedCall.on('idChanged', callIdChangedHandler); + + // Wether microphone is muted or not + addedCall.isMuted; + + // Subscribe to isMuted changed event + addedCall.on('isMutedChanged', isMutedChangedHandler); + + // Subscribe to current remote participants in the call + addedCall.remoteParticipants.forEach(participant => { + subscribeToRemoteParticipant(participant) + }); + + // Subscribe to new added remote participants in the call + addedCall.on('remoteParticipantsUpdated', participants => { + participants.added.forEach(addedParticipant => { + subscribeToRemoteParticipant(addedParticipant) + }); + + participants.removed.forEach(removedParticipant => { + unsubscribeFromRemoteParticipant(removedParticipant); + }); + }); + }); + + calls.removed.foreach(removedCall => { + removedCallHandler(removedCall); + }); + }); + } + + private subscribeToRemoteParticipant(remoteParticipant) { + // Get state of this remote participant + remoteParticipant.state; + + // Subscribe to participant state changed event. + remoteParticipant.on('stateChanged', participantStateChangedHandler); + + // Whether this remote participant is muted or not + remoteParticipant.isMuted; + + // Subscribe to is muted changed event. + remoteParticipant.on('isMutedChanged', isMutedChangedHandler); + + // Get participant's display name, if it was set + remoteParticipant.displayName; + + // Subscribe to display name changed event + remoteParticipant.on('displayNameChanged', dispalyNameChangedHandler); + + // Weather the participant is speaking or not + remoteParticipant.isSpeaking; + + // Subscribe to participant is speaking changed event + remoteParticipant.on('isSpeakingChanged', isSpeakingChangedHandler); + + // Handle remote participant's current video streams + remoteParticipant.videoStreams.forEach(videoStream => { subscribeToRemoteVideoStream(videoStream) }); + + // Handle remote participants new added video streams and screen-sharing streams + remoteParticipant.on('videoStreamsUpdated', videoStreams => { + videoStream.added.forEach(addedStream => { + subscribeToRemoteVideoStream(addedStream); + }); + videoStream.removed.forEach(removedStream => { + unsubscribeFromRemoteVideoStream(removedStream); + }); + }); + } +} + +/**************************************************************************************/ +/* Environment Information */ +/**************************************************************************************/ +// Get current environment information with details if supported by ACS +this.environmentInfo = await this.callClient.getEnvironmentInfo(); + +// The returned value is an object of type EnvironmentInfo +type EnvironmentInfo = { + environment: Environment; + isSupportedPlatform: boolean; + isSupportedBrowser: boolean; + isSupportedBrowserVersion: boolean; + isSupportedEnvironment: boolean; +}; + +// The Environment type in the EnvironmentInfo type is defined as: +type Environment = { + platform: string; + browser: string; + browserVersion: string; +}; + +// The following code snippet shows how to get the current environment details +const currentOperatingSystem = this.environmentInfo.environment.platform; +const currentBrowser = this.environmentInfo.environment.browser; +const currentBrowserVersion = this.environmentInfo.environment.browserVersion; + +// The following code snippet shows how to check if environment details are supported by ACS +const isSupportedOperatingSystem = this.environmentInfo.isSupportedPlatform; +const isSupportedBrowser = this.environmentInfo.isSupportedBrowser; +const isSupportedBrowserVersion = this.environmentInfo.isSupportedBrowserVersion; +const isSupportedEnvironment = this.environmentInfo.isSupportedEnvironment; + `; + + return ( +
+
+
+

User Identity Provisioning and Calling SDK Initialization

+
+ this.setState({showCallClientOptions: !this.state.showCallClientOptions})}> + + this.setState({showUserProvisioningAndSdkInitializationCode: !this.state.showUserProvisioningAndSdkInitializationCode})}> + +
+
+
+ { + this.state.loginWarningMessage && + { this.setState({ loginWarningMessage: undefined })}} + dismissButtonAriaLabel="Close"> + {this.state.loginWarningMessage} + + } +
+
+ { + this.state.loginErrorMessage && + { this.setState({ loginErrorMessage: undefined })}} + dismissButtonAriaLabel="Close"> + {this.state.loginErrorMessage} + + } +
+ { + this.state.showUserProvisioningAndSdkInitializationCode && +
+                                    
+                                        {userProvisioningAndSdkInitializationCode}
+                                    
+                                
+ } + { + this.state.showSpinner && +
+
+
Initializing SDK...
+
+ } + { + this.state.showCallClientOptions && +
+
+

Options

+
+
+
+ Push Notifications options + { this.setState({ initializeCallAgentAfterPushRegistration: isChecked })}}/> +
+
+ +
+
+ +
+
+
+ } + { + this.state.loggedIn && !this.state.isTeamsUser && +
+

+
Congrats! You've provisioned an ACS user identity and initialized the ACS Calling Client Web SDK. You are ready to start making calls!
+
The Identity you've provisioned is: {this.state.communicationUserId}
+
Usage is tagged with: {this.clientTag}
+
Connection status: {this.state.callAgentConnectionState}
+
+ } + { + !this.state.showSpinner && !this.state.loggedIn && +
+
+
+
+
+
+

ACS User Identity

+
+
+
+
+
The ACS Identity SDK can be used to create a user access token which authenticates the calling clients.
+
The example code shows how to use the ACS Identity SDK from a backend service. A walkthrough of integrating the ACS Identity SDK can be found on Microsoft Docs
+
+
+
+
+ { this.displayName = e.target.value }}/> + { this.clientTag = e.target.value }}/> + { this.state.token = e.target.value }}/> + { this.state.communicationUserId = e.target.value }}/> +
+
+
+
+ this.setState({isJoinOnlyToken: isChecked})} /> +
+
+
+
+ this.logIn()}> + Login ACS user and initialize SDK + +
+
+
+
+
+
+
+
+

Teams User Identity

+
+
+
+
+
Microsoft Authentication Library (MSAL) is used to retrieve user token which is then exchanged to get an access + to get an access token from the communication service. The access token is then used to initialize the ACS SDK
+
Information and steps on how to generate access token for a Teams user can be found in the Microsoft Docs
+
On clicking the Login Teams User and Initialize SDK, if the Teams user email or password is not provided, Microsoft signin pop-up will be used
+
+
+ { + (!this.state.showSpinner && !this.state.loggedIn) && +
+
+
+ { this.teamsUserEmail = e.target.value }} /> + { this.teamsUserPassword = e.target.value }} /> +
+
+
+
+ this.teamsUserOAuthLogin()}> + Login Teams user and Initialize SDK + +
+
+
+ } +
+
+
+
+ } + { + this.state.loggedIn && this.state.isTeamsUser && +
+

+
Congrats! Teams User was successfully logged in. You are ready to start making calls!
+
Teams User logged in identity is: {this.state.communicationUserId}
+ {
Usage is tagged with: {this.clientTag}
} +
+ } + { + this.state.loggedIn && +
+
+

Environment information

+
+
+
+

Current environment details

+
{`Operating system: ${this.state.environmentInfo?.environment?.platform}.`}
+
{`Browser: ${this.state.environmentInfo?.environment?.browser}.`}
+
{`Browser's version: ${this.state.environmentInfo?.environment?.browserVersion}.`}
+
{`Is the application loaded in many tabs: ${this.state.isCallClientActiveInAnotherTab}.`}
+
+
+

Environment support verification

+
{`Operating system supported: ${this.state.environmentInfo?.isSupportedPlatform}.`}
+
{`Browser supported: ${this.state.environmentInfo?.isSupportedBrowser}.`}
+
{`Browser's version supported: ${this.state.environmentInfo?.isSupportedBrowserVersion}.`}
+
{`Current environment supported: ${this.state.environmentInfo?.isSupportedEnvironment}.`}
+
+
+
+ } +
+
+ ); + } +} diff --git a/summarization-poc/frontend/Project/src/MakeCall/MakeCall.js b/summarization-poc/frontend/Project/src/MakeCall/MakeCall.js new file mode 100644 index 00000000..26a03cb7 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/MakeCall.js @@ -0,0 +1,1562 @@ +import React from "react"; +import { CallClient, LocalVideoStream, Features, CallAgentKind, VideoStreamRenderer } from '@azure/communication-calling'; +import { AzureCommunicationTokenCredential, createIdentifierFromRawId } from '@azure/communication-common'; +import { + PrimaryButton, + TextField, + MessageBar, + MessageBarType +} from 'office-ui-fabric-react' +import { Icon } from '@fluentui/react/lib/Icon'; +import IncomingCallCard from './IncomingCallCard'; +import CallCard from '../MakeCall/CallCard'; +import CallSurvey from '../MakeCall/CallSurvey'; +import Login from './Login'; +import MediaConstraint from './MediaConstraint'; +import { setLogLevel, AzureLogger } from '@azure/logger'; +import { inflate } from 'pako'; +import { URL_PARAM } from "../Constants"; +import { utils } from "../Utils/Utils"; +import { summarizationService } from "../Summarization/summarizationService"; +const appsettings = require("../Summarization/appsettings.json"); +export default class MakeCall extends React.Component { + constructor(props) { + super(props); + this.callClient = null; + this.callAgent = null; + this.deviceManager = null; + this.destinationUserIds = null; + this.destinationPhoneIds = null; + this.destinationGroup = null; + this.userToUser = null; + this.xHeaders = [ + { key: null, value: null }, + { key: null, value: null }, + { key: null, value: null }, + { key: null, value: null }, + { key: null, value: null }, + ]; + this.meetingLink = null; + this.meetingId = null; + this.passcode = null; + this.roomsId = null; + this.threadId = null; + this.messageId = null; + this.organizerId = null; + this.tenantId = null; + this.callError = null; + this.logBuffer = []; + this.videoConstraints = null; + this.tokenCredential = null; + this.logInComponentRef = React.createRef(); + + this.state = { + id: undefined, + loggedIn: false, + isCallClientActiveInAnotherTab: false, + call: undefined, + callSurvey: undefined, + incomingCall: undefined, + showCallSampleCode: false, + showMuteUnmuteSampleCode: false, + showHoldUnholdCallSampleCode: false, + showPreCallDiagnosticsSampleCode: false, + showCustomContextSampleCode: false, + showPreCallDiagnostcisResults: false, + showCustomContext: false, + xHeadersCount: 1, + xHeadersMaxCount: 5, + isPreCallDiagnosticsCallInProgress: false, + selectedCameraDeviceId: null, + selectedSpeakerDeviceId: null, + selectedMicrophoneDeviceId: null, + deviceManagerWarning: null, + callError: null, + ufdMessages: [], + permissions: { + audio: null, + video: null + }, + preCallDiagnosticsResults: {}, + isTeamsUser: false, + identityMri: undefined, + summaryText: undefined + }; + + setInterval(() => { + if (this.state.ufdMessages.length > 0) { + this.setState({ ufdMessages: this.state.ufdMessages.slice(1) }); + } + }, 10000); + + // override logger to be able to dowload logs locally + AzureLogger.log = (...args) => { + this.logBuffer.push(...args); + if (args[0].startsWith('azure:ACS-calling:info')) { + console.info(...args); + } else if (args[0].startsWith('azure:ACS-calling:verbose')) { + console.debug(...args); + } else if (args[0].startsWith('azure:ACS-calling:warning')) { + console.warn(...args); + } else if (args[0].startsWith('azure:ACS-calling:error')) { + console.error(...args); + } else { + console.log(...args); + } + }; + } + + autoJoinMeetingByMeetingLink = () => { + if (this.state.loggedIn) { + const params = new URLSearchParams(window.location.search); + if (params.get(URL_PARAM.MEETING_LINK)) { + const videoOn = params.get(URL_PARAM.VIDEO) && params.get(URL_PARAM.VIDEO).toLocaleLowerCase() === URL_PARAM.ON ? true : false; + const micMuted = params.get(URL_PARAM.MIC) && params.get(URL_PARAM.MIC).toLocaleLowerCase() === URL_PARAM.ON ? false : true; + this.joinTeamsMeeting(videoOn, micMuted); + // Remove the search params from the URL + window.history.replaceState({}, document.title, "/"); + } + } + } + + handleMediaConstraint = (constraints) => { + if (constraints.video) { + this.videoConstraints = constraints.video; + } + } + + handleLogIn = async (userDetails) => { + if (userDetails) { + try { + const tokenCredential = new AzureCommunicationTokenCredential(userDetails.token); + this.tokenCredential = tokenCredential; + setLogLevel('verbose'); + + const proxyConfiguration = userDetails.proxy.useProxy ? { url: userDetails.proxy.url } : undefined; + const turnConfiguration = userDetails.customTurn.useCustomTurn ? userDetails.customTurn.turn : undefined; + this.callClient = new CallClient({ + diagnostics: { + appName: 'azure-communication-services', + appVersion: '1.3.1-beta.1', + tags: ["javascript_calling_sdk", + `#clientTag:${userDetails.clientTag}`] + }, + networkConfiguration: { + proxy: proxyConfiguration, + turn: turnConfiguration + } + }); + + this.deviceManager = await this.callClient.getDeviceManager(); + const permissions = await this.deviceManager.askDevicePermission({ audio: true, video: true }); + this.setState({ permissions: permissions }); + + this.setState({ isTeamsUser: userDetails.isTeamsUser }); + this.setState({ identityMri: createIdentifierFromRawId(userDetails.communicationUserId) }) + this.callAgent = this.state.isTeamsUser ? + await this.callClient.createTeamsCallAgent(tokenCredential) : + await this.callClient.createCallAgent(tokenCredential, { displayName: userDetails.displayName }); + + window.callAgent = this.callAgent; + window.videoStreamRenderer = VideoStreamRenderer; + this.callAgent.on('callsUpdated', e => { + console.log(`callsUpdated, added=${e.added}, removed=${e.removed}`); + + e.added.forEach(call => { + this.setState({ call: call }); + + const diagnosticChangedListener = (diagnosticInfo) => { + const rmsg = `UFD Diagnostic changed: + Diagnostic: ${diagnosticInfo.diagnostic} + Value: ${diagnosticInfo.value} + Value type: ${diagnosticInfo.valueType}`; + if (this.state.ufdMessages.length > 0) { + // limit speakingWhileMicrophoneIsMuted diagnostic until another diagnostic is received + if (diagnosticInfo.diagnostic === 'speakingWhileMicrophoneIsMuted' && this.state.ufdMessages[0].includes('speakingWhileMicrophoneIsMuted')) { + console.info(rmsg); + return; + } + this.setState({ ufdMessages: [rmsg, ...this.state.ufdMessages] }); + } else { + this.setState({ ufdMessages: [rmsg] }); + } + }; + + const remoteDiagnosticChangedListener = (diagnosticArgs) => { + diagnosticArgs.diagnostics.forEach(diagnosticInfo => { + const rmsg = `UFD Diagnostic changed: + Diagnostic: ${diagnosticInfo.diagnostic} + Value: ${diagnosticInfo.value} + Value type: ${diagnosticInfo.valueType} + Participant Id: ${diagnosticInfo.participantId} + Participant name: ${diagnosticInfo.remoteParticipant?.displayName}`; + if (this.state.ufdMessages.length > 0) { + this.setState({ ufdMessages: [rmsg, ...this.state.ufdMessages] }); + } else { + this.setState({ ufdMessages: [rmsg] }); + } + }); + }; + + call.feature(Features.UserFacingDiagnostics).media.on('diagnosticChanged', diagnosticChangedListener); + call.feature(Features.UserFacingDiagnostics).network.on('diagnosticChanged', diagnosticChangedListener); + call.feature(Features.UserFacingDiagnostics).remote?.on('diagnosticChanged', remoteDiagnosticChangedListener); + window.ufds = call.feature(Features.UserFacingDiagnostics); + }); + + e.removed.forEach(call => { + if (this.state.call && this.state.call === call) { + this.displayCallEndReason(this.state.call.callEndReason); + } + }); + }); + this.callAgent.on('incomingCall', args => { + const incomingCall = args.incomingCall; + if (this.state.call) { + incomingCall.reject(); + return; + } + + this.setState({ incomingCall: incomingCall }); + + incomingCall.on('callEnded', args => { + this.displayCallEndReason(args.callEndReason); + }); + + }); + this.setState({ loggedIn: true }); + this.logInComponentRef.current.setCallAgent(this.callAgent); + this.logInComponentRef.current.setCallClient(this.callClient); + this.autoJoinMeetingByMeetingLink(); + } catch (e) { + console.error(e); + } + } + } + + displayCallEndReason = (callEndReason) => { + if (callEndReason.code !== 0 || callEndReason.subCode !== 0) { + this.setState({ callSurvey: this.state.call, callError: `Call end reason: code: ${callEndReason.code}, subcode: ${callEndReason.subCode}` }); + } + + this.setState({ call: null, callSurvey: this.state.call, incomingCall: null }); + } + + placeCall = async (withVideo) => { + try { + let identitiesToCall = []; + const userIdsArray = this.destinationUserIds.value.split(','); + const phoneIdsArray = this.destinationPhoneIds.value.split(','); + + userIdsArray.forEach((userId, index) => { + if (userId) { + userId = userId.trim(); + if (userId === '8:echo123') { + userId = { id: userId }; + } + else { + userId = createIdentifierFromRawId(userId); + } + if (!identitiesToCall.find(id => { return id === userId })) { + identitiesToCall.push(userId); + } + } + }); + + phoneIdsArray.forEach((phoneNumberId, index) => { + if (phoneNumberId) { + phoneNumberId = phoneNumberId.trim(); + phoneNumberId = createIdentifierFromRawId(phoneNumberId); + if (!identitiesToCall.find(id => { return id === phoneNumberId })) { + identitiesToCall.push(phoneNumberId); + } + } + }); + + const callOptions = await this.getCallOptions({ video: withVideo, micMuted: false }); + + if (this.callAgent.kind === CallAgentKind.CallAgent && this.alternateCallerId.value !== '') { + callOptions.alternateCallerId = { phoneNumber: this.alternateCallerId.value.trim() }; + } + + if (identitiesToCall.length > 1) { + if (this.callAgent.kind === CallAgentKind.TeamsCallAgent && this.threadId?.value !== '') { + callOptions.threadId = this.threadId.value; + } + } + + if (this.state.showCustomContext) { + if (this.userToUser.value) { + callOptions.customContext = callOptions.customContext || {}; + callOptions.customContext.userToUser = this.userToUser.value; + } + + const xHeaders = this.xHeaders + .filter(header => !!header.key.value && !!header.value.value) + .map(header => { + return { key: header.key.value, value: header.value.value }; + }); + if (xHeaders.length > 0) { + callOptions.customContext = callOptions.customContext || {}; + callOptions.customContext.xHeaders = xHeaders; + } + } + + //Adding call automation bot. + const acsPhoneNumber = appsettings.acsPhoneNumber; + const targetPhoneNumber = `4:${appsettings.targetPhoneNumber}`; + const phoneToCall = createIdentifierFromRawId(targetPhoneNumber); + identitiesToCall.push(phoneToCall); + callOptions.alternateCallerId = { phoneNumber: acsPhoneNumber }; + + this.callAgent.startCall(identitiesToCall, callOptions); + + } catch (e) { + console.error('Failed to place a call', e); + this.setState({ callError: 'Failed to place a call: ' + e }); + } + }; + + getSummary = async () => { + const summaryText = await summarizationService.getSummary(); + this.setState({ summaryText: summaryText }); + } + + downloadLog = async () => { + const date = new Date(); + const fileName = `logs-${date.toISOString().slice(0, 19)}.txt`; + var element = document.createElement('a'); + element.setAttribute('href', 'data:text/plain;charset=utf-8,' + encodeURIComponent(this.logBuffer.join('\n'))); + element.setAttribute('download', fileName); + + element.style.display = 'none'; + document.body.appendChild(element); + + element.click(); + document.body.removeChild(element); + this.logBuffer = []; + } + + downloadDebugInfoLogDump = async () => { + const date = new Date(); + const fileName = `logs-${date.toISOString().slice(0, 19)}.txt`; + var element = document.createElement('a'); + let newDebugInfo = null; + try { + let debugInfoFeature = this.callClient.feature(Features.DebugInfo); + let debugInfo = debugInfoFeature.dumpDebugInfo(); + let debugInfoZippedDump = debugInfo.dump; + let debugInfoDumpId = debugInfo.dumpId; + newDebugInfo = { + lastCallId: debugInfoFeature.lastCallId, + lastLocalParticipantId: debugInfoFeature.lastLocalParticipantId, + debugInfoDumpId: debugInfoDumpId, + debugInfoDumpUnzipped: JSON.parse(inflate(debugInfoZippedDump, { to: 'string' })), + } + } catch (e) { + console.error('ERROR, failed to dumpDebugInfo', e); + } + element.setAttribute('href', 'data:text/plain;charset=utf-8,' + encodeURIComponent(JSON.stringify(newDebugInfo))); + element.setAttribute('download', fileName); + + element.style.display = 'none'; + document.body.appendChild(element); + + element.click(); + document.body.removeChild(element); + } + + joinGroup = async (withVideo) => { + try { + const callOptions = await this.getCallOptions({ video: withVideo, micMuted: false }); + this.callAgent.join({ groupId: this.destinationGroup.value }, callOptions); + } catch (e) { + console.error('Failed to join a call', e); + this.setState({ callError: 'Failed to join a call: ' + e }); + } + }; + + joinRooms = async (withVideo) => { + try { + const callOptions = await this.getCallOptions({ video: withVideo, micMuted: false }); + this.callAgent.join({ roomId: this.roomsId.value }, callOptions); + } catch (e) { + console.error('Failed to join a call', e); + this.setState({ callError: 'Failed to join a call: ' + e }); + } + }; + + joinTeamsMeeting = async (withVideo, micMuted = false) => { + try { + const callOptions = await this.getCallOptions({ video: withVideo, micMuted: micMuted }); + if (this.meetingLink.value && !this.messageId.value && !this.threadId.value && this.tenantId && this.organizerId) { + this.callAgent.join({ meetingLink: this.meetingLink.value }, callOptions); + } else if (this.meetingId.value || this.passcode.value && !this.meetingLink.value && !this.messageId.value && !this.threadId.value && this.tenantId && this.organizerId) { + this.callAgent.join({ + meetingId: this.meetingId.value, + passcode: this.passcode.value + }, callOptions); + } else if (!this.meetingLink.value && this.messageId.value && this.threadId.value && this.tenantId && this.organizerId) { + this.callAgent.join({ + messageId: this.messageId.value, + threadId: this.threadId.value, + tenantId: this.tenantId.value, + organizerId: this.organizerId.value + }, callOptions); + } else { + throw new Error('Please enter Teams meeting link or Teams meeting coordinate'); + } + } catch (e) { + console.error('Failed to join teams meeting:', e); + this.setState({ callError: 'Failed to join teams meeting: ' + e }); + } + } + + async getCallOptions(options) { + let callOptions = { + videoOptions: { + localVideoStreams: undefined + }, + audioOptions: { + muted: !!options.micMuted + } + }; + + let cameraWarning = undefined; + let speakerWarning = undefined; + let microphoneWarning = undefined; + + // On iOS, device permissions are lost after a little while, so re-ask for permissions + const permissions = await this.deviceManager.askDevicePermission({ audio: true, video: true }); + this.setState({ permissions: permissions }); + + const cameras = await this.deviceManager.getCameras(); + const cameraDevice = cameras[0]; + if (cameraDevice && cameraDevice?.id !== 'camera:') { + this.setState({ + selectedCameraDeviceId: cameraDevice?.id, + cameraDeviceOptions: cameras.map(camera => { return { key: camera.id, text: camera.name } }) + }); + } + if (!!options.video) { + try { + if (!cameraDevice || cameraDevice?.id === 'camera:') { + throw new Error('No camera devices found.'); + } else if (cameraDevice) { + callOptions.videoOptions = { localVideoStreams: [new LocalVideoStream(cameraDevice)] }; + if (this.videoConstraints) { + callOptions.videoOptions.constraints = this.videoConstraints; + } + } + } catch (e) { + cameraWarning = e.message; + } + } + + try { + const speakers = await this.deviceManager.getSpeakers(); + // Select the default or first speaker device found. + const speakerDevice = speakers.find(speaker => speaker.isSystemDefault) ?? speakers[0]; + if (!speakerDevice || speakerDevice.id === 'speaker:') { + throw new Error('No speaker devices found.'); + } else if (speakerDevice) { + this.setState({ + selectedSpeakerDeviceId: speakerDevice.id, + speakerDeviceOptions: speakers.map(speaker => { return { key: speaker.id, text: speaker.name } }) + }); + await this.deviceManager.selectSpeaker(speakerDevice); + } + } catch (e) { + speakerWarning = e.message; + } + + try { + const microphones = await this.deviceManager.getMicrophones(); + // Select the default or first microphone device found. + const microphoneDevice = microphones.find(mic => mic.isSystemDefault) ?? microphones[0]; + if (!microphoneDevice || microphoneDevice.id === 'microphone:') { + throw new Error('No microphone devices found.'); + } else { + this.setState({ + selectedMicrophoneDeviceId: microphoneDevice.id, + microphoneDeviceOptions: microphones.map(microphone => { return { key: microphone.id, text: microphone.name } }) + }); + await this.deviceManager.selectMicrophone(microphoneDevice); + } + } catch (e) { + microphoneWarning = e.message; + } + + if (cameraWarning || speakerWarning || microphoneWarning) { + this.setState({ + deviceManagerWarning: + `${cameraWarning ? cameraWarning + ' ' : ''} + ${speakerWarning ? speakerWarning + ' ' : ''} + ${microphoneWarning ? microphoneWarning + ' ' : ''}` + }); + } + + return callOptions; + } + + handleCallSurveySubmitted() { + this.setState({ callSurvey: null, call: null }); + } + + async runPreCallDiagnostics() { + try { + this.setState({ + showPreCallDiagnostcisResults: false, + isPreCallDiagnosticsCall: true, + preCallDiagnosticsResults: {} + }); + const preCallDiagnosticsResult = await this.callClient.feature(Features.PreCallDiagnostics).startTest(this.tokenCredential); + + const deviceAccess = await preCallDiagnosticsResult.deviceAccess; + this.setState({ preCallDiagnosticsResults: { ...this.state.preCallDiagnosticsResults, deviceAccess } }); + + const deviceEnumeration = await preCallDiagnosticsResult.deviceEnumeration; + this.setState({ preCallDiagnosticsResults: { ...this.state.preCallDiagnosticsResults, deviceEnumeration } }); + + const inCallDiagnostics = await preCallDiagnosticsResult.inCallDiagnostics; + this.setState({ preCallDiagnosticsResults: { ...this.state.preCallDiagnosticsResults, inCallDiagnostics } }); + + const browserSupport = await preCallDiagnosticsResult.browserSupport; + this.setState({ preCallDiagnosticsResults: { ...this.state.preCallDiagnosticsResults, browserSupport } }); + + this.setState({ + showPreCallDiagnostcisResults: true, + isPreCallDiagnosticsCall: false + }); + + } catch { + throw new Error("Can't run Pre Call Diagnostics test. Please try again..."); + } + } + + xHeadersChanged = () => { + const xHeadersFilled = this.xHeaders.filter(header => !!header.key.value && !!header.value.value).length; + if (xHeadersFilled === this.state.xHeadersCount && this.state.xHeadersCount < this.state.xHeadersMaxCount) { + this.setState({ xHeadersCount: this.state.xHeadersCount + 1 }); + } + }; + + render() { + const callSampleCode = ` +/******************************/ +/* Placing a call */ +/******************************/ +// Set up CallOptions +const cameraDevice = this.callClient.getDeviceManager().getCameras()[0]; +const localVideoStream = new LocalVideoStream(cameraDevice); +this.callOptions.videoOptions = { localVideoStreams: [localVideoStream] }; + +// To place a 1:1 call to another ACS user +const userId = { communicationUserId: 'ACS_USER_ID'); +this.currentCall = this.callAgent.startCall([userId], this.callOptions); + +// Place a 1:1 call to an ACS phone number. PSTN calling is currently in private preview. +// When making PSTN calls, your Alternate Caller Id must be specified in the call options. +const phoneNumber = { phoneNumber: ); +this.callOptions.alternateCallerId = { phoneNumber: } +this.currentCall = this.callAgent.startCall([phoneNumber], this.callOptions); + +// Place a 1:N call. Specify a multiple destinations +this.currentCall = this.callAgent.startCall([userId1, phoneNumber], this.callOptions); + +/******************************/ +/* Receiving a call */ +/******************************/ +this.callAgent.on('incomingCall', async (args) => { + // accept the incoming call + const call = await args.incomingCall.accept(); + + // or reject the incoming call + args.incomingCall.reject(); +}); + +/******************************/ +/* Joining a group call */ +/******************************/ +// Set up CallOptions +const cameraDevice = this.callClient.deviceManager.getCameras()[0]; +const localVideoStream = new LocalVideoStream(cameraDevice); +this.callOptions.videoOptions = { localVideoStreams: [localVideoStream] }; + +// Join a group call +this.currentCall = this.callAgent.join({groupId: }, this.callOptions); + +/*******************************/ +/* Joining a Teams meetings */ +/*******************************/ +// Join a Teams meeting using a meeting link. To get a Teams meeting link, go to the Teams meeting and +// open the participants roster, then click on the 'Share Invite' button and then click on 'Copy link meeting' button. +this.currentCall = this.callAgent.join({meetingLink: }, this.callOptions); +// Join a Teams meeting using a meeting id. +this.currentCall = this.callAgent.join({meetingId: , passcode (optional): }, this.callOptions); +// Join a Teams meeting using meeting coordinates. Coordinates can be derived from the meeting link +// Teams meeting link example +const meetingLink = 'https://teams.microsoft.com/l/meetup-join/19:meeting_NjNiNzE3YzMtYzcxNi00ZGQ3LTk2YmYtMjNmOTE1MTVhM2Jl@thread.v2/0?context=%7B%22Tid%22:%2272f988bf-86f1-41af-91ab-2d7cd011db47%22,%22Oid%22:%227e353a91-0f71-4724-853b-b30ee4ca6a42%22%7D' +const url = new URL(meetingLink); +// Derive the coordinates (threadId, messageId, tenantId, and organizerId) +const pathNameSplit = url.pathname.split('/'); +const threadId = decodeURIComponent(pathNameSplit[3]); +const messageId = pathNameSplit[4]; +const meetingContext = JSON.parse(decodeURIComponent(url.search.replace('?context=', ''))); +const organizerId = meetingContext.Oid; +const tenantId = meetingContext.Tid; +this.currentCall = this.callAgent.join({ + threadId, + messageId, + tenantId, + organizerId + }, this.callOptions); + `; + + const preCallDiagnosticsSampleCode = ` +//Get new token or use existing token. +const response = (await fetch('getAcsUserAccessToken')).json(); +const token = response.token; +const tokenCredential = new AzureCommunicationTokenCredential(token); + +// Start Pre Call diagnostics test +const preCallDiagnosticsResult = await this.callClient.feature(Features.PreCallDiagnostics).startTest(tokenCredential); + +// Pre Call Diagnostics results +const deviceAccess = await preCallDiagnosticsResult.deviceAccess; +const audioDeviceAccess = deviceAccess.audio // boolean +const videoDeviceAccess = deviceAccess.video // boolean + +const deviceEnumeration = await preCallDiagnosticsResult.deviceEnumeration; +const microphone = deviceEnumeration.microphone // 'Available' | 'NotAvailable' | 'Unknown'; +const camera = deviceEnumeration.camera // 'Available' | 'NotAvailable' | 'Unknown'; +const speaker = deviceEnumeration.speaker // 'Available' | 'NotAvailable' | 'Unknown'; + +const inCallDiagnostics = await preCallDiagnosticsResult.inCallDiagnostics; + +const callConnected = inCallDiagnostics.connected; // boolean + +const audioJitter = inCallDiagnostics.diagnostics.audio.jitter; // 'Bad' | 'Average' | 'Good' | 'Unknown'; +const audioPacketLoss = inCallDiagnostics.diagnostics.audio.packetLoss; // 'Bad' | 'Average' | 'Good' | 'Unknown'; +const audioRtt = inCallDiagnostics.diagnostics.audio.rtt; // 'Bad' | 'Average' | 'Good' | 'Unknown'; + +const videoJitter = inCallDiagnostics.diagnostics.video.jitter; // 'Bad' | 'Average' | 'Good' | 'Unknown'; +const videoPacketLoss = inCallDiagnostics.diagnostics.video.packetLoss; // 'Bad' | 'Average' | 'Good' | 'Unknown'; +const videoRtt = inCallDiagnostics.diagnostics.video.rtt; // 'Bad' | 'Average' | 'Good' | 'Unknown'; + +const brandWidth = inCallDiagnostics.bandWidth; // 'Bad' | 'Average' | 'Good' | 'Unknown'; + +const browserSupport = await preCallDiagnosticsResult.browserSupport; +const browser = browserSupport.browser; // 'Supported' | 'NotSupported' | 'Unknown'; +const os = browserSupport.os; // 'Supported' | 'NotSupported' | 'Unknown'; + +const collector = (await preCallDiagnosticsResult.callMediaStatistics).createCollector({ + aggregationInterval: 200, + dataPointsPerAggregation: 1, +}); +collector.on("summaryReported", (mediaStats) => { + console.log(mediaStats); // Get mediaStats summary for the test call. +}); + + `; + + const streamingSampleCode = ` +/************************************************/ +/* Local Video and Local Screen-sharing */ +/************************************************/ +// To start a video, you have to enumerate cameras using the getCameras() +// method on the deviceManager object. Then create a new instance of +// LocalVideoStream passing the desired camera into the startVideo() method as +// an argument +const cameraDevice = this.callClient.getDeviceManager().getCameras()[0]; +const localVideoStream = new LocalVideoStream(cameraDevice); +await call.startVideo(localVideoStream); + +// To stop local video, pass the localVideoStream instance available in the +// localVideoStreams collection +await this.currentCall.stopVideo(localVideoStream); + +// You can use DeviceManager and Renderer to begin rendering streams from your local camera. +// This stream won't be sent to other participants; it's a local preview feed. This is an asynchronous action. +const renderer = new Renderer(localVideoStream); +const view = await renderer.createView(); +document.getElementById('someDiv').appendChild(view.target); + +// You can switch to a different camera device while video is being sent by invoking +// switchSource() on a localVideoStream instance +const cameraDevice1 = this.callClient.getDeviceManager().getCameras()[1]; +localVideoStream.switchSource(cameraDeivce1); + +// Handle 'localVideoStreamsUpdated' event +this.currentCall.on('localVideoStreamsUpdated', e => { + e.added.forEach(addedLocalVideoStream => { this.handleAddedLocalVideoStream(addedLocalVideoStream) }); + e.removed.forEach(removedLocalVideoStream => { this.handleRemovedLocalVideoStream(removedLocalVideoStream) }); +}); + +// To start sharing your screen +await this.currentCall.startScreenSharing(); + +// To stop sharing your screen +await this.currentCall.stopScreenSharing(); + +// Handle 'isScreenSharingOnChanged' event +this.currentCall.on('isScreenSharingOnChanged', this.handleIsScreenSharingOnChanged()); + + + + +/**************************************************************************************/ +/* Handling Video streams and Screen-sharing streams from remote participants */ +/**************************************************************************************/ +// Handle remote participant video and screen-sharing streams +remoteParticipant.videoStreams.forEach(videoStream => subscribeToRemoteVideoStream(videoStream)) + +// Handle remote participant 'videoStreamsUpdated' event. This is for videos and screen-shrings streams. +remoteParticipant.on('videoStreamsUpdated', videoStreams => { + videoStreams.added.forEach(addedStream => { + subscribeToRemoteVideoStream(addedStream) + }); + + videoStreams.removed.forEach(removedStream => { + unsubscribeFromRemoteVideoStream(removedStream); + }); +}); + +// Render remote streams on UI. Do this logic in a UI component. +// Please refer to /src/MakeCall/StreamMedia.js of this app for an example of how to render streams on the UI: +const subscribeToRemoteVideoStream = (stream) => { + let componentContainer = document.getElementById(this.componentId); + componentContainer.hidden = true; + + let renderer = new VideoStreamRenderer(stream); + let view; + let videoContainer; + + const renderStream = async () => { + if(!view) { + view = await renderer.createView(); + } + videoContainer = document.getElementById(this.videoContainerId); + if(!videoContainer?.hasChildNodes()) { videoContainer.appendChild(view.target); } + } + + stream.on('isAvailableChanged', async () => { + if (stream.isAvailable) { + componentContainer.hidden = false; + await renderStream(); + } else { + componentContainer.hidden = true; + } + }); + + if (stream.isAvailable) { + componentContainer.hidden = false; + await renderStream(); + } +} + +
+
+
+ + `; + + const muteUnmuteSampleCode = ` +// To mute your microphone +await this.currentCall.mute(); + +// To unmute your microphone +await this.currentCall.unmute(); + +// Handle remote participant isMutedChanged event +addedParticipant.on('isMutedChanged', () => { + if(remoteParticipant.isMuted) { + console.log('Remote participant is muted'); + } else { + console.log('Remote participant is unmuted'); + } +}); + `; + + const holdUnholdSampleCode = ` +/******************************/ +/* To hold the call */ +/******************************/ + // Call state changes when holding + this.currentCall.on('stateChanged', () => { + // Call state changes to 'LocalHold' or 'RemoteHold' + console.log(this.currentCall.state); + }); + + // If you hold the Call, remote participant state changes to 'Hold'. + // Handle remote participant stateChanged event + addedParticipant.on('stateChanged', () => { + console.log(addedParticipant.state); // 'Hold' + }); + + // If you want to hold the call use: + await this.currentCall.hold(); + +/******************************/ +/* To unhold the call */ +/******************************/ + // The Call state changes when unholding + this.currentCall.on('stateChanged', () => { + // Call state changes back to 'Connected' + console.log(this.currentCall.state); + }); + + // Remote participant state changes to 'Connected' + addedParticipant.on('stateChanged', () => { + console.log(addedParticipant.state); // 'Connected' + }); + + // If you want to unhold the call use: + await this.currentCall.resume(); + `; + + const deviceManagerSampleCode = ` +/*************************************/ +/* Device Manager */ +/*************************************/ +// Get the Device Manager. +// The CallAgent must be initialized first in order to be able to access the DeviceManager. +this.deviceManager = this.callClient.getDeviceManager(); + +// Get list of devices +const cameraDevices = await this.deviceManager.getCameras(); +const speakerDevices = await this.deviceManager.getSpeakers(); +const microphoneDevices = await this.deviceManager.getMicrophones(); + +// Set microphone device and speaker device to use across the call stack. +await this.deviceManager.selectSpeaker(speakerDevices[0]); +await this.deviceManager.selectMicrophone(microphoneDevices[0]); +// NOTE: Setting of video camera device to use is specified on CallAgent.startCall() and Call.join() APIs +// by passing a LocalVideoStream into the options paramter. +// To switch video camera device to use during call, use the LocalVideoStream.switchSource() method. + +// Get selected speaker and microphone +const selectedSpeaker = this.deviceManager.selectedSpeaker; +const selectedMicrophone = this.deviceManager.selectedMicrophone; + +// Handle videoDevicesUpdated event +this.callClient.deviceManager.on('videoDevicesUpdated', e => { + e.added.forEach(cameraDevice => { this.handleAddedCameraDevice(cameraDevice); }); + e.removed.forEach(removedCameraDevice => { this.handleRemovedCameraDevice(removeCameraDevice); }); +}); + +// Handle audioDevicesUpdate event +this.callClient.deviceManager.on('audioDevicesUpdated', e => { + e.added.forEach(audioDevice => { this.handleAddedAudioDevice(audioDevice); }); + e.removed.forEach(removedAudioDevice => { this.handleRemovedAudioDevice(removedAudioDevice); }); +}); + +// Handle selectedMicrophoneChanged event +this.deviceManager.on('selectedMicrophoneChanged', () => { console.log(this.deviceManager.selectedMicrophone) }); + +// Handle selectedSpeakerChanged event +this.deviceManager.on('selectedSpeakerChanged', () => { console.log(this.deviceManager.selectedSpeaker) }); + `; + + const customContextSampleCode = ` +/******************************/ +/* Placing a call */ +/******************************/ +// Set up customContext +this.callOptions.customContext = { + userToUser: , + xHeaders: [ + { key: , value: }, + ] +}; + +// To place a 1:1 call to another ACS user +const userId = { communicationUserId: 'ACS_USER_ID'); +this.currentCall = this.callAgent.startCall([userId], this.callOptions); + +// Place a 1:1 call to an ACS phone number. PSTN calling is currently in private preview. +// When making PSTN calls, your Alternate Caller Id must be specified in the call options. +const phoneNumber = { phoneNumber: ); +this.callOptions.alternateCallerId = { phoneNumber: } +this.currentCall = this.callAgent.startCall([phoneNumber], this.callOptions); + +// Place a 1:N call. Specify a multiple destinations +this.currentCall = this.callAgent.startCall([userId1, phoneNumber], this.callOptions); + +/******************************/ +/* Receiving a call */ +/******************************/ +this.callAgent.on('incomingCall', async (args) => { + // receiving customContext + const customContext = args.incomingCall.customContext; + + // accept the incoming call + const call = await args.incomingCall.accept(); + + // or reject the incoming call + args.incomingCall.reject(); +}); + `; + + // TODO: Create section component. Couldnt use the ExampleCard compoenent from uifabric because it is buggy, + // when toggling their show/hide code functionality, videos dissapear from DOM. + + return ( +
+ + { + this.state?.callSurvey && + this.handleCallSurveySubmitted()} + call={this.state.callSurvey} + /> + } +
+
+
+
+

Placing and receiving calls

+
{`Permissions audio: ${this.state.permissions.audio} video: ${this.state.permissions.video}`}
+
+
+ + + + + + + {/* this.setState({ showCallSampleCode: !this.state.showCallSampleCode })}> + */} +
+
+
+
Having provisioned an ACS Identity and initialized the SDK from the section above, you are now ready to place calls, join group calls, and receiving calls.
+
+ { + this.state.summaryText && +

Summary

+ } + { + this.state.summaryText && +
+                                
+                                    {this.state.summaryText}
+                                
+                            
+ } + { + this.state.showCallSampleCode && +
+                                
+                                    {callSampleCode}
+                                
+                            
+ } + { + this.state.callError && +
+ { this.setState({ callError: undefined }) }} + dismissButtonAriaLabel="Close"> + {this.state.callError} + + +
+ } + { + this.state.deviceManagerWarning && + { this.setState({ deviceManagerWarning: undefined }) }} + dismissButtonAriaLabel="Close"> + {this.state.deviceManagerWarning} + + } + { + this.state.ufdMessages.length > 0 && + { this.setState({ ufdMessages: [] }) }} + dismissButtonAriaLabel="Close"> + {this.state.ufdMessages.map((msg, index) =>
  • {msg}
  • )} +
    + } + { + !this.state.incomingCall && !this.state.call && !this.state.callSurvey && +
    +
    +
    +
    +
    +

    Place a call

    +
    +
    +
    +
    + this.destinationUserIds = val} /> + this.destinationPhoneIds = val} /> + this.alternateCallerId = val} /> +
    +
    + this.placeCall(false)}> + + this.placeCall(true)}> + + this.setState({ showCustomContext: !this.state.showCustomContext })}> + +
    +
    + this.userToUser = val} /> +
    +
    + {[...Array(this.state.xHeadersMaxCount)].map((_, i) => +
    +
    + this.xHeadersChanged()} + componentRef={(val) => this.xHeaders[i].key = val} /> + this.xHeadersChanged()} + componentRef={(val) => this.xHeaders[i].value = val} /> +
    +
    + )} +
    +
    +
    +
    +
    +
    +

    Join a Teams meeting

    +
    +
    +
    +
    +
    + Enter meeting link +
    +
    + this.meetingLink = val} /> +
    +
    + Or enter meeting id (and) passcode +
    +
    + this.meetingId = val} /> + this.passcode = val} /> +
    +
    + Or enter meeting coordinates (Thread Id, Message Id, Organizer Id, and Tenant Id) +
    +
    + this.threadId = val} /> + this.messageId = val} /> + this.organizerId = val} /> + this.tenantId = val} /> +
    +
    +
    + this.joinTeamsMeeting(false)}> + + this.joinTeamsMeeting(true)}> + +
    +
    +
    +
    +
    +

    Join a group call

    +
    +
    + this.destinationGroup = val} /> +
    +
    + this.joinGroup(false)}> + + this.joinGroup(true)}> + +
    +
    +

    Join a Rooms call

    +
    +
    + this.roomsId = val} /> +
    +
    + this.joinRooms(false)}> + + this.joinRooms(true)}> + +
    +
    +
    +
    +
    +

    Video Send Constraints

    + +
    +
    +
    + + } + { + this.state.call && this.state.isPreCallDiagnosticsCallInProgress && +
    + Pre Call Diagnostics call in progress... +
    + } + { + this.state.call && !this.state.callSurvey && !this.state.isPreCallDiagnosticsCallInProgress && + { this.setState({ showCameraNotFoundWarning: show }) }} + onShowSpeakerNotFoundWarning={(show) => { this.setState({ showSpeakerNotFoundWarning: show }) }} + onShowMicrophoneNotFoundWarning={(show) => { this.setState({ showMicrophoneNotFoundWarning: show }) }} /> + } + { + this.state.incomingCall && !this.state.call && + await this.getCallOptions({ video: false, micMuted: false })} + acceptCallMicrophoneUnmutedVideoOn={async () => await this.getCallOptions({ video: true, micMuted: false })} + acceptCallMicrophoneMutedVideoOn={async () => await this.getCallOptions({ video: true, micMuted: true })} + acceptCallMicrophoneMutedVideoOff={async () => await this.getCallOptions({ video: false, micMuted: true })} + onReject={() => { this.setState({ incomingCall: undefined }) }} /> + } +
    +
    +
    +
    +
    +

    Pre Call Diagnostics

    +
    + this.runPreCallDiagnostics()}> + + this.setState({ showPreCallDiagnosticsSampleCode: !this.state.showPreCallDiagnosticsSampleCode })}> + +
    +
    + { + this.state.call && this.state.isPreCallDiagnosticsCallInProgress && +
    + Pre Call Diagnostics call in progress... +
    +
    +
    +
    + } + { + this.state.showPreCallDiagnostcisResults && +
    + { +
    + { + this.state.preCallDiagnosticsResults.deviceAccess && +
    + Device Permission: +
    +
    Audio:
    +
    {this.state.preCallDiagnosticsResults.deviceAccess.audio.toString()}
    +
    +
    +
    Video:
    +
    {this.state.preCallDiagnosticsResults.deviceAccess.video.toString()}
    +
    +
    + } + { + this.state.preCallDiagnosticsResults.deviceEnumeration && +
    + Device Access: +
    +
    Microphone:
    +
    {this.state.preCallDiagnosticsResults.deviceEnumeration.microphone}
    +
    +
    +
    Camera:
    +
    {this.state.preCallDiagnosticsResults.deviceEnumeration.camera}
    +
    +
    +
    Speaker:
    +
    {this.state.preCallDiagnosticsResults.deviceEnumeration.speaker}
    +
    +
    + } + { + this.state.preCallDiagnosticsResults.browserSupport && +
    + Browser Support: +
    +
    OS:
    +
    {this.state.preCallDiagnosticsResults.browserSupport.os}
    +
    +
    +
    Browser:
    +
    {this.state.preCallDiagnosticsResults.browserSupport.browser}
    +
    +
    + } + { + this.state.preCallDiagnosticsResults.inCallDiagnostics && +
    + Call Diagnostics: +
    +
    +
    Call Connected:
    +
    {this.state.preCallDiagnosticsResults.inCallDiagnostics.connected.toString()}
    +
    +
    +
    BandWidth:
    +
    {this.state.preCallDiagnosticsResults.inCallDiagnostics.bandWidth}
    +
    + +
    +
    Audio Jitter:
    +
    {this.state.preCallDiagnosticsResults.inCallDiagnostics.diagnostics.audio.jitter}
    +
    +
    +
    Audio PacketLoss:
    +
    {this.state.preCallDiagnosticsResults.inCallDiagnostics.diagnostics.audio.packetLoss}
    +
    +
    +
    Audio Rtt:
    +
    {this.state.preCallDiagnosticsResults.inCallDiagnostics.diagnostics.audio.rtt}
    +
    + +
    +
    Video Jitter:
    +
    {this.state.preCallDiagnosticsResults.inCallDiagnostics.diagnostics.video.jitter}
    +
    +
    +
    Video PacketLoss:
    +
    {this.state.preCallDiagnosticsResults.inCallDiagnostics.diagnostics.video.packetLoss}
    +
    +
    +
    Video Rtt:
    +
    {this.state.preCallDiagnosticsResults.inCallDiagnostics.diagnostics.video.rtt}
    +
    +
    +
    + } +
    + } +
    + } + { + this.state.showPreCallDiagnosticsSampleCode && +
    +                                
    +                                    {
    +                                        preCallDiagnosticsSampleCode
    +                                    }
    +                                
    +                            
    + } +
    +
    +
    +
    +
    +

    Video, Screen sharing, and local video preview

    +
    + this.setState({ showStreamingSampleCode: !this.state.showStreamingSampleCode })}> + +
    +
    + { + this.state.showStreamingSampleCode && +
    +                                
    +                                    {streamingSampleCode}
    +                                
    +                            
    + } +

    + Video - try it out. +

    +
    + From your current call, toggle your video on and off by clicking on the icon. + When you start your video, remote participants can see your video by receiving a stream and rendering it in an HTML element. +
    +

    +

    + Screen sharing - try it out. +

    +
    + From your current call, toggle your screen sharing on and off by clicking on the icon. + When you start sharing your screen, remote participants can see your screen by receiving a stream and rendering it in an HTML element. +
    +
    +
    +
    +
    +
    +

    Mute / Unmute

    +
    + this.setState({ showMuteUnmuteSampleCode: !this.state.showMuteUnmuteSampleCode })}> + +
    +
    + { + this.state.showMuteUnmuteSampleCode && +
    +                                
    +                                    {muteUnmuteSampleCode}
    +                                
    +                            
    + } +

    + Try it out. +

    +
    + From your current call, toggle your microphone on and off by clicking on the icon. + When you mute or unmute your microphone, remote participants can receive an event about wether your micrphone is muted or unmuted. +
    +
    +
    +
    +
    +
    +

    Hold / Unhold

    +
    + this.setState({ showHoldUnholdSampleCode: !this.state.showHoldUnholdSampleCode })}> + +
    +
    + { + this.state.showHoldUnholdSampleCode && +
    +                                
    +                                    {holdUnholdSampleCode}
    +                                
    +                            
    + } +

    + Try it out. +

    +
    + From your current call, toggle hold call and unhold call on by clicking on the icon. + When you hold or unhold the call, remote participants can receive other participant state changed events. Also, the call state changes. +
    +
    +
    +
    +
    +
    +

    Device Manager

    +
    + this.setState({ showDeviceManagerSampleCode: !this.state.showDeviceManagerSampleCode })}> + +
    +
    + { + this.state.showDeviceManagerSampleCode && +
    +                                
    +                                    {deviceManagerSampleCode}
    +                                
    +                            
    + } +

    + Try it out. +

    +
    + From your current call, click on the icon to open up the settings panel. + The DeviceManager is used to select the devices (camera, microphone, and speakers) to use across the call stack and to preview your camera. +
    +
    +
    +
    +
    +
    +

    Custom Context

    +
    + this.setState({ showCustomContextSampleCode: !this.state.showCustomContextSampleCode })}> + +
    +
    + { + this.state.showCustomContextSampleCode && +
    +                                
    +                                    {customContextSampleCode}
    +                                
    +                            
    + } +

    + Try it out. +

    +
    + Before starting the call, click on the Custom context button to open up the settings panel. + Then you can set your user to user value and up to five custom headers. +
    +
    +
    +
    + ); + } +} diff --git a/summarization-poc/frontend/Project/src/MakeCall/MediaConstraint.js b/summarization-poc/frontend/Project/src/MakeCall/MediaConstraint.js new file mode 100644 index 00000000..294a8374 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/MediaConstraint.js @@ -0,0 +1,114 @@ +import React from "react"; +import { Dropdown } from 'office-ui-fabric-react/lib/Dropdown'; + +export default class MediaConstraint extends React.Component { + constructor(props) { + super(props); + this.videoSendHeightMax = [ + { key: 0, text: 'None' }, + { key: 180, text: '180' }, + { key: 240, text: '240' }, + { key: 360, text: '360' }, + { key: 540, text: '540' }, + { key: 720, text: '720' } + ]; + this.videoSendBitRateConstraint = [ + { key: 0, text: 'None' }, + { key: 15000, text: '15000 (< 180p bitrate)' }, + { key: 175000, text: '175000 (~180 bitrate)' }, + { key: 400000, text: '400000 (~240p bitrate)' }, + { key: 450000, text: '800000 (<360p bitrate)' }, + { key: 575000, text: '575000 (~360p bitrate)' }, + { key: 1125000, text: '1125000 (~540p bitrate)' }, + { key: 2500000, text: '2500000 (~720p bitrate)' }, + { key: 100000000, text: '100000000 (max range for 1080p)' } + ]; + this.videoSendFrameRateConstraint = [ + { key: 0, text: 'None' }, + { key: 5, text: '5' }, + { key: 10, text: '10' }, + { key: 15, text: '15' }, + { key: 20, text: '20' }, + { key: 25, text: '25' }, + { key: 30, text: '30' } + ]; + this.state = { + videoSendHeightMax: 0, + videoSendBitRate: 0, + videoSendFrameRate: 0 + } + } + + handleChange = async(event, item) => { + const videoConstraints = { + video: { + send: { + frameHeight: { + max: this.state.videoSendHeightMax + }, + bitrate: { + max: this.state.videoSendBitRate + }, + frameRate: { + max: this.state.videoSendFrameRate + } + } + } + }; + + if(event.target.id === 'videoSendHeightMaxDropdown') { + videoConstraints.video.send.frameHeight.max = item.key; + this.setState({ + videoSendHeightMax: item.key + }); + } else if(event.target.id === 'videoSendBitRateDropdown') { + videoConstraints.video.send.bitrate.max = item.key; + this.setState({ + videoSendBitRate: item.key + }); + } else if(event.target.id === 'videoSendFrameRateDropdown') { + videoConstraints.video.send.frameRate.max = item.key; + this.setState({ + videoSendFrameRate: item.key + }); + } + + if (this.props.onChange) { + this.props.onChange(videoConstraints); + } + } + + render() { + return ( +
    + + + +
    + ); + } +} diff --git a/summarization-poc/frontend/Project/src/MakeCall/NetworkConfiguration/ProxyConfiguration.js b/summarization-poc/frontend/Project/src/MakeCall/NetworkConfiguration/ProxyConfiguration.js new file mode 100644 index 00000000..7f28d70f --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/NetworkConfiguration/ProxyConfiguration.js @@ -0,0 +1,51 @@ +import React, { useState } from 'react'; +import { + TextField, + PrimaryButton, + Checkbox +} from 'office-ui-fabric-react'; + +export const ProxyConfiguration = (props) => { + const [proxyUrl, setProxyUrl] = useState(''); + + return ( +
    + Proxy configuration + +
    {props.proxy.url}
    + { + setProxyUrl(e.target.value); + }} + value={proxyUrl} + > + +
    +
    + props.handleAddProxyUrl(proxyUrl)} + /> +
    +
    + { + setProxyUrl(''); + props.handleProxyUrlReset(); + }} + /> +
    +
    +
    + ); +}; diff --git a/summarization-poc/frontend/Project/src/MakeCall/NetworkConfiguration/TurnConfiguration.js b/summarization-poc/frontend/Project/src/MakeCall/NetworkConfiguration/TurnConfiguration.js new file mode 100644 index 00000000..d6d704cc --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/NetworkConfiguration/TurnConfiguration.js @@ -0,0 +1,102 @@ +import React, { useState } from 'react'; +import { + TextField, + PrimaryButton, + Checkbox +} from 'office-ui-fabric-react'; + +export const TurnConfiguration = (props) => { + const [turnUrls, setTurnUrls] = useState(''); + const [turnUsername, setTurnUsername] = useState(''); + const [turnCredential, setTurnCredential] = useState(''); + + const handleAddTurn = () => { + if (turnUrls) { + const iceServer = { + urls: !!turnUrls ? turnUrls.split(';') : [], + username: turnUsername, + credential: turnCredential + }; + + props.handleAddTurnConfig(iceServer); + } + }; + + return ( +
    + Turn configuration + +
    + {props.customTurn.turn && + props.customTurn.turn?.iceServers?.map((iceServer, key) => { + if (iceServer.urls && iceServer.urls.length > 0) { + return ( +
    + {iceServer?.urls?.map((url, key) => { + return ( +
    + {url}
    +
    + ) + })} +
    + ) + } + + return ( +
    + ) + }) + } +
    + { + setTurnUrls(e.target.value); + }} + > + + { + setTurnUsername(e.target.value); + }} + > + + { + setTurnCredential(e.target.value); + }} + > + +
    +
    + +
    +
    + +
    +
    +
    + ) +}; diff --git a/summarization-poc/frontend/Project/src/MakeCall/ParticipantMenuOptions.js b/summarization-poc/frontend/Project/src/MakeCall/ParticipantMenuOptions.js new file mode 100644 index 00000000..4b462429 --- /dev/null +++ b/summarization-poc/frontend/Project/src/MakeCall/ParticipantMenuOptions.js @@ -0,0 +1,32 @@ +import * as React from 'react'; +import { DefaultButton } from '@fluentui/react/lib/Button'; +export const ParticipantMenuOptions = ({id, appendMenuitems, menuOptionsHandler, menuOptionsState}) => { + + const emojiIcon= { iconName: 'More' }; + const isSpotlighted = menuOptionsState.isSpotlighted; + + const buttonStyles = { + root: { + minWidth: 0, + padding: '10px 4px', + alignSelf: 'stretch', + fontSize: '30px', + } + } + + let commonMenuItems = [ + ] + + + const menuProps = { + shouldFocusOnMount: true, + items: appendMenuitems ? [...commonMenuItems, ...appendMenuitems]: commonMenuItems + }; + return