C#でのPOSTリクエストの送り方は何ですか?

C#でPOSTリクエストを送信する際には、HttpClientクラスを使用することができます。以下はサンプルコードです:

using System;
using System.Net.Http;
using System.Threading.Tasks;

class Program
{
    static async Task Main(string[] args)
    {
        using (HttpClient client = new HttpClient())
        {
            // 设置请求的地址
            string url = "http://example.com/api/post";

            // 构造请求参数
            var postData = new Dictionary<string, string>
            {
                { "param1", "value1" },
                { "param2", "value2" }
            };

            // 创建HttpContent对象并转换为字节数组
            HttpContent content = new FormUrlEncodedContent(postData);

            // 发送POST请求
            HttpResponseMessage response = await client.PostAsync(url, content);

            // 检查响应状态码
            if (response.IsSuccessStatusCode)
            {
                // 读取响应内容
                string responseBody = await response.Content.ReadAsStringAsync();
                Console.WriteLine(responseBody);
            }
            else
            {
                Console.WriteLine("请求失败,状态码:" + response.StatusCode);
            }
        }
    }
}

HttpClientクラスを使用してPOSTリクエストを送信し、リクエストパラメータをフォーム形式でエンコードします。応答内容はresponse.Content.ReadAsStringAsync()メソッドを使用して読み取ることができます。

この例でのPostAsyncメソッドは非同期メソッドであり、awaitキーワードを使用してその完了を待つことができます。

bannerAds