温馨提示×

C#客户端如何实现断点续传

c#
小樊
82
2024-09-06 06:04:27
栏目: 编程语言

在C#中,实现断点续传功能通常需要使用HttpWebRequest和HttpWebResponse类。以下是一个简单的示例,展示了如何在C#客户端中实现断点续传功能:

using System;
using System.IO;
using System.Net;

namespace BreakpointResumeExample
{
    class Program
    {
        static void Main(string[] args)
        {
            string url = "http://example.com/largefile.zip";
            string localFilePath = "largefile.zip";

            DownloadFileWithBreakpointResume(url, localFilePath);
        }

        private static void DownloadFileWithBreakpointResume(string url, string localFilePath)
        {
            long initialPosition = 0;

            if (File.Exists(localFilePath))
            {
                initialPosition = new FileInfo(localFilePath).Length;
            }

            HttpWebRequest request = (HttpWebRequest)WebRequest.Create(url);
            request.AddRange(initialPosition);

            try
            {
                using (HttpWebResponse response = (HttpWebResponse)request.GetResponse())
                {
                    if (response.StatusCode == HttpStatusCode.PartialContent || response.StatusCode == HttpStatusCode.OK)
                    {
                        using (Stream remoteStream = response.GetResponseStream())
                        using (FileStream localStream = new FileStream(localFilePath, FileMode.Append, FileAccess.Write, FileShare.Write))
                        {
                            byte[] buffer = new byte[4096];
                            int bytesRead;

                            while ((bytesRead = remoteStream.Read(buffer, 0, buffer.Length)) > 0)
                            {
                                localStream.Write(buffer, 0, bytesRead);
                            }
                        }
                    }
                    else
                    {
                        Console.WriteLine("Error: Server returned status code {0}", response.StatusCode);
                    }
                }
            }
            catch (Exception ex)
            {
                Console.WriteLine("Error: {0}", ex.Message);
            }
        }
    }
}

这个示例中,我们首先检查本地文件是否存在,如果存在,则获取其长度。然后,我们创建一个HttpWebRequest对象,并设置请求范围(Range)为初始位置。接下来,我们发送请求并获取响应。如果服务器返回了部分内容或完整内容,我们将远程流的数据追加到本地文件流中。

注意:这个示例仅适用于支持断点续传的服务器。如果服务器不支持断点续传,你可能需要修改代码以适应不同的服务器行为。

0