Добавить HTTP-запросы в составной / смешанный запрос в .NET

Я пытаюсь создать запрос POST с Content-Type: Multipart/mixed в C# .NET
Обратитесь к этому

До сих пор я пытался создать запрос POST для HttpRequestMessage введите и добавьте его в MultipartContent например, но MultipartContent.add()метод не принимает тип HttpRequestMessage

Как добавить HTTP-запросы в составной / смешанный запрос в .NET 5.0.0 preview-7?

1 ответ

Решение

Я думаю, это может выглядеть так, но я не могу проверить, потому что у меня нет подходящего сервера.

C# 8.0, консольное приложение.NET Core 3.1 (совместимо с.NET 5)

class Program
{
    private static readonly HttpClient client = new HttpClient();

    static async Task Main(string[] args)
    {
        string textPlain = "Hello World!";
        string textJson = "{ \"message\" : \"Hello World!\" }";

        using MixedContentList contentList = new MixedContentList
        {
            new StringContent(textPlain, Encoding.UTF8, "text/plain"),
            new StringContent(textJson, Encoding.UTF8, "application/json")
        };

        using Stream fileStream = File.OpenRead("pic1.jpg");
        HttpContent streamContent = new StreamContent(fileStream);
        streamContent.Headers.ContentDisposition = new ContentDispositionHeaderValue("form-data") { FileName = "pic1.jpg" };
        streamContent.Headers.ContentType = new MediaTypeHeaderValue("image/jpeg");
        contentList.Add(streamContent);

        try
        {
            string result = await PostMixedContentAsync("https://myserver.url", contentList);
            // success, handle result
            Console.WriteLine(result);
        }
        catch (Exception ex)
        {
            // failure
            Console.WriteLine(ex.Message);
        }
        Console.ReadKey();
    }

    private static async Task<string> PostMixedContentAsync(string url, MixedContentList contentList)
    {
        using MultipartContent mixedContent = new MultipartContent();
        foreach (HttpContent content in contentList)
        {
            mixedContent.Add(content);
        }
        using HttpRequestMessage request = new HttpRequestMessage(HttpMethod.Post, url);
        request.Content = mixedContent;

        //Console.WriteLine(request.ToString());
        //Console.WriteLine(await mixedContent.ReadAsStringAsync());
        //return "ok";

        using HttpResponseMessage response = await client.SendAsync(request, HttpCompletionOption.ResponseHeadersRead).ConfigureAwait(false);
        response.EnsureSuccessStatusCode();
        return await response.Content.ReadAsStringAsync();
    }
}

public class MixedContentList : List<HttpContent>, IDisposable
{
    public void Dispose()
    {
        Dispose(true);
        GC.SuppressFinalize(this);
    }

    private bool disposed;

    protected virtual void Dispose(bool disposing)
    {
        if (!disposed)
        {
            if (disposing)
            {
                foreach (HttpContent content in this)
                {
                    content?.Dispose();
                }
                Clear();
            }
            disposed = true;
        }
    }
}

Вывод с раскомментированным отладочным кодом

Method: POST, RequestUri: 'https://myserver.url/', Version: 1.1, Content: System.Net.Http.MultipartContent, Headers:
{
  Content-Type: multipart/mixed; boundary="3e48b0d7-82c0-4d64-9946-b6eadae9c7d6"
}
--3e48b0d7-82c0-4d64-9946-b6eadae9c7d6
Content-Type: text/plain; charset=utf-8

Hello World!
--3e48b0d7-82c0-4d64-9946-b6eadae9c7d6
Content-Type: application/json; charset=utf-8

{ "message" : "Hello World!" }
--3e48b0d7-82c0-4d64-9946-b6eadae9c7d6
Content-Disposition: form-data; filename=pic1.jpg
Content-Type: image/jpeg

<JPEG BINARY DATA HERE>
--3e48b0d7-82c0-4d64-9946-b6eadae9c7d6--

Обновить

В качестве MultipartContent не поддерживает application/http, вы можете реализовать собственный Контент, полученный из HttpContent например, названный BatchContent, который может производить application/http состоящий из MultipartContent. Цель - получить желаемоеReadAsStringAsync() выход.

Обратите внимание, что Пакет может привязать вас к HTTP/1.1 и не поддержит HTTP/2. Или подумайте об этом заранее.

Другие вопросы по тегам