Exemple #1
0
        /// <summary>
        /// Requests a list of popular commands from service. These commands are used as fall back suggestion
        /// if none of the predictions fit for the current input. This method should be called once per session.
        /// </summary>
        protected virtual void RequestAllPredictiveCommands()
        {
            // We don't need to block on the task. We send the HTTP request and update commands and predictions list at the background.
            Task.Run(async() =>
            {
                Exception exception = null;

                try
                {
                    AzPredictorService.SetHttpRequestHeader(_client.DefaultRequestHeaders, _azContext.UserId, _telemetryClient.CorrelationId);

                    var httpResponseMessage = await _client.GetAsync(_commandsEndpoint);

                    httpResponseMessage.EnsureSuccessStatusCode();
                    var reply         = await httpResponseMessage.Content.ReadAsStringAsync();
                    var commandsReply = JsonSerializer.Deserialize <IList <PredictiveCommand> >(reply, JsonUtilities.DefaultSerializerOptions);
                    SetFallbackPredictor(commandsReply);
                }
                catch (Exception e)
                {
                    exception = e;
                }
                finally
                {
                    _telemetryClient.OnRequestPrediction(new RequestPredictionTelemetryData("request_commands", hasSentHttpRequest: true, exception: exception));
                }

                // Initialize predictions
                RequestPredictions(new string[] {
                    AzPredictorConstants.CommandPlaceholder,
                    AzPredictorConstants.CommandPlaceholder
                });
            });
        }
Exemple #2
0
        /// <summary>
        /// Sets the fallback predictor.
        /// </summary>
        /// <param name="commands">The command collection to set the predictor</param>
        protected void SetFallbackPredictor(IList <PredictiveCommand> commands)
        {
            Validation.CheckArgument(commands, $"{nameof(commands)} cannot be null.");

            _fallbackPredictor     = new CommandLinePredictor(commands, _parameterValuePredictor);
            _allPredictiveCommands = commands.Select(x => AzPredictorService.GetCommandName(x.Command)).ToHashSet <string>(StringComparer.OrdinalIgnoreCase); // this could be slow
        }
        /// <summary>
        /// Requests a list of popular commands from service. These commands are used as fall back suggestion
        /// if none of the predictions fit for the current input. This method should be called once per session.
        /// </summary>
        protected virtual void RequestAllPredictiveCommands()
        {
            // We don't need to block on the task. We send the HTTP request and update commands and predictions list at the background.
            Task.Run(async() =>
            {
                var hasSentHttpRequest = false;
                Exception exception    = null;

                try
                {
                    AzPredictorService.SetHttpRequestHeader(_client.DefaultRequestHeaders, _azContext.HashUserId, _telemetryClient.RequestId);

                    var httpResponseMessage = await _client.GetAsync(_commandsEndpoint);
                    hasSentHttpRequest      = true;

                    httpResponseMessage.EnsureSuccessStatusCode();
                    var reply         = await httpResponseMessage.Content.ReadAsStringAsync();
                    var commandsReply = JsonSerializer.Deserialize <IList <PredictiveCommand> >(reply, JsonUtilities.DefaultSerializerOptions);
                    SetFallbackPredictor(commandsReply);
                }
                catch (Exception e) when(!(e is OperationCanceledException))
                {
                    exception = e;
                }
                finally
                {
                    _telemetryClient.OnRequestPrediction(new RequestPredictionTelemetryData(AzPredictorConstants.DefaultClientId,
                                                                                            new List <string>(),
                                                                                            hasSentHttpRequest,
                                                                                            exception));
                }

                // Initialize predictions
                hasSentHttpRequest      = false;
                var placeholderCommands = new string[] {
                    AzPredictorConstants.CommandPlaceholder,
                    AzPredictorConstants.CommandPlaceholder
                };
                try
                {
                    hasSentHttpRequest = await RequestPredictionsAsync(placeholderCommands, CancellationToken.None);
                }
                catch (ServiceRequestException e)
                {
                    hasSentHttpRequest = e.IsRequestSent;
                    exception          = e.InnerException;
                }
                catch (Exception e)
                {
                    exception = e;
                }
                finally
                {
                    _telemetryClient.OnRequestPrediction(new RequestPredictionTelemetryData(AzPredictorConstants.DefaultClientId,
                                                                                            placeholderCommands,
                                                                                            hasSentHttpRequest,
                                                                                            (exception is OperationCanceledException ? null : exception)));
                }
            });
        }
Exemple #4
0
        /// <inheritdoc/>
        public virtual async Task <bool?> RequestPredictionsAsync(IEnumerable <string> commands, string requestId, CancellationToken cancellationToken)
        {
            Validation.CheckArgument(commands, $"{nameof(commands)} cannot be null.");

            var  localCommands = string.Join(AzPredictorConstants.CommandConcatenator, commands);
            bool isRequestSent = false;

            try
            {
                if (string.Equals(localCommands, _commandToRequestPrediction, StringComparison.OrdinalIgnoreCase))
                {
                    // It's the same history we've already requested the prediction for last time, skip it.
                    return(null);
                }

                if (!commands.Any())
                {
                    return(null);
                }

                // We have a check to avoid sending the request using the same commands. So we only check if it's cancelled
                // here. We don't cancel the request once we set _commandToRequestPrediction to localCommands.
                cancellationToken.ThrowIfCancellationRequested();
                cancellationToken = CancellationToken.None;
                SetCommandToRequestPrediction(localCommands);

                AzPredictorService.SetHttpRequestHeader(_client?.DefaultRequestHeaders, _azContext.HashUserId, requestId);

                var requestContext = new PredictionRequestBody.RequestContext()
                {
                    VersionNumber = this._azContext.AzVersion
                };

                var requestBody = new PredictionRequestBody(commands)
                {
                    Context = requestContext,
                };

                var requestBodyString   = JsonSerializer.Serialize(requestBody, JsonUtilities.DefaultSerializerOptions);
                var httpResponseMessage = await _client.PostAsync(_predictionsEndpoint, new StringContent(requestBodyString, Encoding.UTF8, "application/json"), cancellationToken);

                isRequestSent = true;

                httpResponseMessage.EnsureSuccessStatusCode();
                var reply = await httpResponseMessage.Content.ReadAsStreamAsync(cancellationToken);

                var suggestionsList = await JsonSerializer.DeserializeAsync <IList <PredictiveCommand> >(reply, JsonUtilities.DefaultSerializerOptions);

                SetCommandBasedPreditor(localCommands, suggestionsList);
            }
            catch (Exception e) when(!(e is OperationCanceledException))
            {
                throw new ServiceRequestException(e.Message, e)
                      {
                          IsRequestSent = isRequestSent
                      };
            }

            return(isRequestSent);
        }
        /// <inheritdoc/>
        public void OnImport()
        {
            var settings  = Settings.GetSettings();
            var azContext = new AzContext();

            azContext.UpdateContext();
            var telemetryClient    = new AzPredictorTelemetryClient(azContext);
            var azPredictorService = new AzPredictorService(settings.ServiceUri, telemetryClient, azContext);
            var predictor          = new AzPredictor(azPredictorService, telemetryClient, settings, azContext);

            SubsystemManager.RegisterSubsystem <ICommandPredictor, AzPredictor>(predictor);
        }
Exemple #6
0
        /// <inheritdoc/>
        public virtual void RequestPredictions(IEnumerable <string> commands)
        {
            AzPredictorService.ReplaceThrottleUserIdToHeader(this._client?.DefaultRequestHeaders, this._azContext.UserId);
            var localCommands = string.Join(AzPredictorConstants.CommandConcatenator, commands);

            this._telemetryClient.OnRequestPrediction(localCommands);

            if (string.Equals(localCommands, this._commandForPrediction, StringComparison.Ordinal))
            {
                // It's the same history we've already requested the prediction for last time, skip it.
                return;
            }
            else
            {
                this.SetPredictionCommand(localCommands);

                // When it's called multiple times, we only need to keep the one for the latest command.

                this._predictionRequestCancellationSource?.Cancel();
                this._predictionRequestCancellationSource = new CancellationTokenSource();

                var cancellationToken = this._predictionRequestCancellationSource.Token;

                // We don't need to block on the task. We send the HTTP request and update prediction list at the background.
                Task.Run(async() => {
                    try
                    {
                        var requestContext = new PredictionRequestBody.RequestContext()
                        {
                            SessionId     = this._telemetryClient.SessionId,
                            CorrelationId = this._telemetryClient.CorrelationId,
                        };
                        var requestBody = new PredictionRequestBody(localCommands)
                        {
                            Context = requestContext,
                        };

                        var requestBodyString   = JsonConvert.SerializeObject(requestBody);
                        var httpResponseMessage = await _client.PostAsync(this._predictionsEndpoint, new StringContent(requestBodyString, Encoding.UTF8, "application/json"), cancellationToken);

                        var reply           = await httpResponseMessage.Content.ReadAsStringAsync(cancellationToken);
                        var suggestionsList = JsonConvert.DeserializeObject <List <string> >(reply);

                        this.SetSuggestionPredictor(localCommands, suggestionsList);
                    }
                    catch (Exception e) when(!(e is OperationCanceledException))
                    {
                        this._telemetryClient.OnRequestPredictionError(localCommands, e);
                    }
                },
                         cancellationToken);
            }
        }
Exemple #7
0
        /// <inheritdoc/>
        public void OnImport()
        {
            var settings  = Settings.GetSettings();
            var azContext = new AzContext()
            {
                IsInternal = (settings.SetAsInternal == true) ? true : false,
                SurveyId   = settings.SurveyId?.ToString(CultureInfo.InvariantCulture) ?? string.Empty,
            };

            azContext.UpdateContext();
            var telemetryClient    = new AzPredictorTelemetryClient(azContext);
            var azPredictorService = new AzPredictorService(settings.ServiceUri, telemetryClient, azContext);
            var predictor          = new AzPredictor(azPredictorService, telemetryClient, settings, azContext);

            SubsystemManager.RegisterSubsystem <ICommandPredictor, AzPredictor>(predictor);
        }
Exemple #8
0
        cmd.IndexOf(AzPredictorConstants.AzCommandMoniker) > 0;        // This is the Az cmdlet.

        /// <summary>
        /// Requests a list of popular commands from service. These commands are used as fall back suggestion
        /// if none of the predictions fit for the current input. This method should be called once per session.
        /// </summary>
        protected virtual void RequestAllPredictiveCommands()
        {
            // We don't need to block on the task. We send the HTTP request and update commands and predictions list at the background.
            Task.Run(async() =>
            {
                var hasSentHttpRequest = false;
                Exception exception    = null;
                var requestId          = Guid.NewGuid().ToString();

                try
                {
                    AzPredictorService.SetHttpRequestHeader(_client.DefaultRequestHeaders, _azContext.HashUserId, requestId);

                    var httpResponseMessage = await _client.GetAsync(_commandsEndpoint);
                    hasSentHttpRequest      = true;

                    httpResponseMessage.EnsureSuccessStatusCode();
                    var reply         = await httpResponseMessage.Content.ReadAsStringAsync();
                    var commandsReply = JsonSerializer.Deserialize <List <PredictiveCommand> >(reply, JsonUtilities.DefaultSerializerOptions);
                    commandsReply.AddRange(_surveyCmdlets);
                    SetFallbackPredictor(commandsReply);
                }
                catch (Exception e) when(!(e is OperationCanceledException))
                {
                    exception = e;
                }
                finally
                {
                    _telemetryClient.RequestId = requestId;
                    _telemetryClient.OnRequestPrediction(new RequestPredictionTelemetryData(null,
                                                                                            new List <string>(),
                                                                                            hasSentHttpRequest,
                                                                                            exception));
                }

                // Initialize predictions
                var placeholderCommands = new string[] {
                    AzPredictorConstants.CommandPlaceholder,
                    AzPredictorConstants.CommandPlaceholder
                };

                return(AzPredictorUtilities.RequestPredictionAndCollectTelemetryAync(this, _telemetryClient, null, placeholderCommands, null, CancellationToken.None));
            });
        }
Exemple #9
0
        /// <inheritdoc/>
        public virtual void RequestPredictions(IEnumerable <string> commands)
        {
            Validation.CheckArgument(commands, $"{nameof(commands)} cannot be null.");

            var       localCommands    = string.Join(AzPredictorConstants.CommandConcatenator, commands);
            bool      postSuccess      = false;
            Exception exception        = null;
            bool      startRequestTask = false;

            try
            {
                if (string.Equals(localCommands, _commandToRequestPrediction, StringComparison.Ordinal))
                {
                    // It's the same history we've already requested the prediction for last time, skip it.
                    return;
                }

                if (commands.Any())
                {
                    SetCommandToRequestPrediction(localCommands);

                    // When it's called multiple times, we only need to keep the one for the latest command.

                    _predictionRequestCancellationSource?.Cancel();
                    _predictionRequestCancellationSource = new CancellationTokenSource();

                    var cancellationToken = _predictionRequestCancellationSource.Token;

                    // We don't need to block on the task. We send the HTTP request and update prediction list at the background.
                    startRequestTask = true;
                    Task.Run(async() => {
                        try
                        {
                            AzPredictorService.SetHttpRequestHeader(_client?.DefaultRequestHeaders, _azContext.UserId, _telemetryClient.CorrelationId);

                            var requestContext = new PredictionRequestBody.RequestContext()
                            {
                                VersionNumber = this._azContext.AzVersion
                            };

                            var requestBody = new PredictionRequestBody(commands)
                            {
                                Context = requestContext,
                            };

                            var requestBodyString   = JsonSerializer.Serialize(requestBody, JsonUtilities.DefaultSerializerOptions);
                            var httpResponseMessage = await _client.PostAsync(_predictionsEndpoint, new StringContent(requestBodyString, Encoding.UTF8, "application/json"), cancellationToken);
                            postSuccess             = true;

                            httpResponseMessage.EnsureSuccessStatusCode();
                            var reply           = await httpResponseMessage.Content.ReadAsStreamAsync(cancellationToken);
                            var suggestionsList = await JsonSerializer.DeserializeAsync <IList <PredictiveCommand> >(reply, JsonUtilities.DefaultSerializerOptions);

                            SetCommandBasedPreditor(localCommands, suggestionsList);
                        }
                        catch (Exception e) when(!(e is OperationCanceledException))
                        {
                            exception = e;
                        }
                        finally
                        {
                            _telemetryClient.OnRequestPrediction(new RequestPredictionTelemetryData(localCommands, postSuccess, exception));
                        }
                    },
                             cancellationToken);
                }
            }
            catch (Exception e)
            {
                exception = e;
            }
            finally
            {
                if (!startRequestTask)
                {
                    _telemetryClient.OnRequestPrediction(new RequestPredictionTelemetryData(localCommands, hasSentHttpRequest: false, exception: exception));
                }
            }
        }
Exemple #10
0
 /// <summary>
 /// Sets the commands predictor.
 /// </summary>
 /// <param name="commands">The command collection to set the predictor</param>
 protected void SetCommandsPredictor(IList <string> commands)
 {
     this._commands   = new Predictor(commands, this._parameterValuePredictor);
     this._commandSet = commands.Select(x => AzPredictorService.GetCommandName(x)).ToHashSet <string>(StringComparer.OrdinalIgnoreCase); // this could be slow
 }