我需要定期下载、提取http://data.dot.state.mn.us/dds/det_sample.xml.gz的内容并将其保存到磁盘。有人有使用 C# 下载 gzip 文件的经验吗?
JohnS
问问题
22749 次
6 回答
29
压缩:
using (FileStream fStream = new FileStream(@"C:\test.docx.gzip",
FileMode.Create, FileAccess.Write)) {
using (GZipStream zipStream = new GZipStream(fStream,
CompressionMode.Compress)) {
byte[] inputfile = File.ReadAllBytes(@"c:\test.docx");
zipStream.Write(inputfile, 0, inputfile.Length);
}
}
解压:
using (FileStream fInStream = new FileStream(@"c:\test.docx.gz",
FileMode.Open, FileAccess.Read)) {
using (GZipStream zipStream = new GZipStream(fInStream, CompressionMode.Decompress)) {
using (FileStream fOutStream = new FileStream(@"c:\test1.docx",
FileMode.Create, FileAccess.Write)) {
byte[] tempBytes = new byte[4096];
int i;
while ((i = zipStream.Read(tempBytes, 0, tempBytes.Length)) != 0) {
fOutStream.Write(tempBytes, 0, i);
}
}
}
}
摘自我去年写的一篇文章,该文章展示了如何使用 C# 和内置的 GZipStream 类解压缩 gzip 文件。 http://blogs.msdn.com/miah/archive/2007/09/05/zipping-files.aspx
至于下载它,您可以使用 .NET 中的标准WebRequest或WebClient类。
于 2008-08-19T20:15:07.007 回答
7
您可以使用 System.Net 中的 WebClient 下载:
WebClient Client = new WebClient ();
Client.DownloadFile("http://data.dot.state.mn.us/dds/det_sample.xml.gz", " C:\mygzipfile.gz");
然后使用#ziplib解压
编辑:或GZipStream ...忘记了那个
于 2008-08-19T20:13:06.260 回答
5
尝试使用SharpZipLib,这是一个基于 C# 的库,用于使用 gzip/zip 压缩和解压缩文件。
示例用法可以在此博客文章中找到:
using ICSharpCode.SharpZipLib.Zip;
FastZip fz = new FastZip();
fz.ExtractZip(zipFile, targetDirectory,"");
于 2008-08-19T20:14:36.243 回答
4
只需使用 System.Net 命名空间中的HttpWebRequest类来请求文件并下载它。然后使用System.IO.Compression 命名空间中的GZipStream类将内容提取到您指定的位置。他们提供了例子。
于 2008-08-19T20:10:48.217 回答
2
GZipStream类可能是您想要的。
于 2008-08-19T20:10:44.283 回答
0
您可以使用该HttpContext
对象下载 csv.gz 文件
使用( )将您转换DataTable
为字符串StringBuilder
inputString
byte[] buffer = Encoding.ASCII.GetBytes(inputString.ToString());
HttpContext.Current.Response.Clear();
HttpContext.Current.Response.Buffer = true;
HttpContext.Current.Response.ContentType = "application/zip";
HttpContext.Current.Response.AddHeader("Content-Disposition", string.Format("attachment;filename={0}.csv.gz", fileName));
HttpContext.Current.Response.Filter = new GZipStream(HttpContext.Current.Response.Filter, CompressionMode.Compress);
HttpContext.Current.Response.AppendHeader("Content-Encoding", "gzip");
using (GZipStream zipStream = new GZipStream(HttpContext.Current.Response.OutputStream, CompressionMode.Compress))
{
zipStream.Write(buffer, 0, buffer.Length);
}
HttpContext.Current.Response.End();
您可以使用 7Zip 提取此下载的文件
于 2022-01-06T07:18:25.417 回答