web-dev-qa-db-ja.com

フォルダ内のすべてのファイルからZipファイルを作成する

フォルダー内のすべてのファイルからZipファイルを作成しようとしていますが、関連するスニペットをオンラインで見つけることができません。私はこのようなことをやろうとしています:

DirectoryInfo dir = new DirectoryInfo("somedir path");
ZipFile Zip = new ZipFile();
Zip.AddFiles(dir.getfiles());
Zip.SaveTo("some other path");

どんな助けでも大歓迎です。

編集:サブフォルダーではなく、フォルダーからファイルを圧縮するだけです。

6
SnelleJelle

プロジェクトでSystem.IO.CompressionおよびSystem.IO.Compression.FileSystemを参照する

using System.IO.Compression;

string startPath = @"c:\example\start";//folder to add
string zipPath = @"c:\example\result.Zip";//URL for your Zip file
ZipFile.CreateFromDirectory(startPath, zipPath, CompressionLevel.Fastest, true);
string extractPath = @"c:\example\extract";//path to extract
ZipFile.ExtractToDirectory(zipPath, extractPath);

ファイルのみを使用するには、以下を使用します。

//Creates a new, blank Zip file to work with - the file will be
//finalized when the using statement completes
using (ZipArchive newFile = ZipFile.Open(zipName, ZipArchiveMode.Create))
{
    foreach (string file in Directory.GetFiles(myPath))
    {
        newFile.CreateEntryFromFile(file, System.IO.Path.GetFileName(file));
    }              
}
19

参照System.IO.CompressionおよびSystem.IO.Compression.FileSystemプロジェクトでは、コードは次のようになります。

string startPath = @"some path";
string zipPath = @"some other path";
var files = Directory.GetFiles(startPath);

using (FileStream zipToOpen = new FileStream(zipPath, FileMode.Open))
{
    using (ZipArchive archive = new ZipArchive(zipToOpen, ZipArchiveMode.Create))
    {
        foreach (var file in files)
        {
            archive.CreateEntryFromFile(file, file);
        }
    }
}

一部のフォルダでは、権限に問題がある可能性があります。

3
αNerd

これはループを必要としません。 VS2019 + .NET FW 4.7以降では、これを行いました...

  1. Nugetパッケージの管理でZipFileを見つける

https://www.nuget.org/packages/40-System.IO.Compression.FileSystem/

  1. 次に使用します:

    system.IO.Compressionを使用します。

例として、以下のコードフラグメントはディレクトリをパックおよびアンパックします(サブディレクトリのパックを回避するにはfalseを使用します)

    string zippedPath = "c:\\mydir";                   // folder to add
    string zipFileName = "c:\\temp\\therecipes.Zip";   // zipfile to create
    string unzipPath = "c:\\unpackedmydir";            // URL for Zip file unpack
    ZipFile.CreateFromDirectory(zippedPath, zipFileName, CompressionLevel.Fastest, true);
    ZipFile.ExtractToDirectory(zipFileName, unzipPath);
0
Goodies