C#實(shí)現(xiàn)HTTP下載文件的方法是什么

c#
小億
912
2024-03-18 20:39:35

在C#中實(shí)現(xiàn)HTTP下載文件的方法是使用HttpClient類(lèi)發(fā)送HTTP請(qǐng)求并下載文件。以下是一個(gè)簡(jiǎn)單的示例代碼:

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

class Program
{
    static async Task Main(string[] args)
    {
        string url = "https://example.com/file.jpg";
        string savePath = "C:\\path\\to\\save\\file.jpg";

        using (var client = new HttpClient())
        {
            var response = await client.GetAsync(url);

            if (response.IsSuccessStatusCode)
            {
                using (var fileStream = System.IO.File.Create(savePath))
                {
                    await response.Content.CopyToAsync(fileStream);
                }

                Console.WriteLine("File downloaded successfully.");
            }
            else
            {
                Console.WriteLine($"Failed to download file. Status code: {response.StatusCode}");
            }
        }
    }
}

在上面的示例中,我們首先創(chuàng)建一個(gè)HttpClient實(shí)例,然后發(fā)送一個(gè)GET請(qǐng)求以下載文件。如果請(qǐng)求成功,就將響應(yīng)內(nèi)容寫(xiě)入到本地文件中。最后,我們輸出下載結(jié)果。

0