Преобразование функции Azure в вызов WebAPI хранилища Azure - PullRequest
0 голосов
/ 01 июня 2018

Я пытался преобразовать функции в этом https://blog.jeremylikness.com/build-a-serverless-link-shortener-with-analytics-faster-than-finishing-your-latte-8c094bb1df2c в эквивалент WebAPI.Это мой вызов webapi:

    [HttpPost]       
    public async Task<IActionResult> PostAsync([FromBody] ShortRequest shortRequest)
    {
        _logger.LogInformation($"ShrinkUrl api called with req: {shortRequest}");

       if(!Request.IsHttps && !Request.Host.Host.Contains("localhost"))
            return StatusCode(StatusCodes.Status400BadRequest);

        if (string.IsNullOrEmpty(shortRequest.Input))
            return StatusCode(StatusCodes.Status404NotFound);

       try
       {
            var result = new List<ShortResponse>();
            var analytics = new Analytics();

            // determine whether or not to process analytics tags
            bool tagMediums = analytics.Validate(shortRequest);

            var campaign = string.IsNullOrWhiteSpace(shortRequest.Campaign) ? DefaultCampaign : shortRequest.Campaign;
            var url = shortRequest.Input.Trim();
            var utm = analytics.TagUtm(shortRequest);
            var wt = analytics.TagWt(shortRequest);

            _logger.LogInformation($"URL: {url} Tag UTM? {utm} Tag WebTrends? {wt}");

            // get host for building short URL 
            var host = Request.Scheme + "://" + Request.Host;

            await _tableOut.CreateIfNotExistsAsync();

            if (_keyTable == null)
            {
                _logger.LogInformation($"Keytable is null, creating initial partition key of 1");

                _keyTable = new NextId
                {
                    PartitionKey = "1",
                    RowKey = "KEY",
                    Id = 1024
                };
                var keyAdd = TableOperation.Insert(_keyTable);
                await _tableOut.ExecuteAsync(keyAdd);
            }

            // strategy for getting a new code 
            string getCode() => Utility.Encode(_keyTable.Id++);

            // strategy for logging 
            void logFn(string msg) => _logger.LogInformation(msg);

            // strategy to save the key 
            async Task saveKeyAsync()
            {
                var operation = TableOperation.Replace(_keyTable);
                await _tableOut.ExecuteAsync(operation);
            }

            // strategy to insert the new short url entry
            async Task saveEntryAsync(TableEntity entry)
            {
                var operation = TableOperation.Insert(entry);
                await _tableOut.ExecuteAsync(operation);
            }

            // strategy to create a new URL and track the dependencies
            async Task saveWithTelemetryAsync(TableEntity entry)
            {
                await TrackDependencyAsync(
                    "AzureTableStorageInsert",
                    "Insert",
                    async () => await saveEntryAsync(entry),
                    () => true);
                await TrackDependencyAsync(
                    "AzureTableStorageUpdate",
                    "Update",
                    async () => await saveKeyAsync(),
                    () => true);
            }

            if (tagMediums)
            {
                // this will result in multiple entries depending on the number of 
                // mediums passed in 
                result.AddRange(await analytics.BuildAsync(
                    shortRequest,
                    Source,
                    host,
                    getCode,
                    saveWithTelemetryAsync,
                    logFn,
                    HttpUtility.ParseQueryString));
            }
            else
            {
                // no tagging, just pass-through the URL
                result.Add(await Utility.SaveUrlAsync(
                    url,
                    null,
                    host,
                    getCode,
                    logFn,
                    saveWithTelemetryAsync));
            }

            _logger.LogInformation($"Done.");
            //return req.CreateResponse(HttpStatusCode.OK, result);
        }
        catch (Exception ex)
        {
            _logger.LogError("An unexpected error was encountered.", ex);
            //return req.CreateErrorResponse(HttpStatusCode.BadRequest, ex);
        }

        return null;
    }

И это параметры функции:

[FunctionName("ShortenUrl")]
public static async Task<HttpResponseMessage>([HttpTrigger(AuthorizationLevel.Function, "post")],HttpRequestMessage req,
        [Table(Utility.TABLE, "1", Utility.KEY, Take = 1)]NextId keyTable,
        [Table(Utility.TABLE)]CloudTable, TraceWriter log)

Функция лазури заботится о том, чтобы keyTable содержала следующий Id в счетчике, но яне могу понять, как сделать то же самое в вызове webapi.

Есть идеи?

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...