-
Notifications
You must be signed in to change notification settings - Fork 6.1k
Add Compression best practices guide #52968
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Draft
alinpahontu2912
wants to merge
2
commits into
dotnet:main
Choose a base branch
from
alinpahontu2912:zip_tar_bestpractices
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Draft
Changes from all commits
Commits
Show all changes
2 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
258 changes: 258 additions & 0 deletions
258
docs/standard/io/snippets/zip-tar-best-practices/csharp/Program.cs
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,258 @@ | ||
| using System.Formats.Tar; | ||
| using System.IO.Compression; | ||
| // <SafeExtractEntry> | ||
| void SafeExtractEntry(ZipArchiveEntry entry, string destinationPath, long maxDecompressedSize) | ||
| { | ||
| // The runtime enforces that entry.Open() will never produce more than | ||
| // entry.Length bytes, so checking the declared size is sufficient. | ||
| if (entry.Length > maxDecompressedSize) | ||
| { | ||
| throw new InvalidOperationException( | ||
| $"Entry '{entry.FullName}' declares size {entry.Length}, exceeding limit {maxDecompressedSize}."); | ||
| } | ||
|
|
||
| entry.ExtractToFile(destinationPath, overwrite: false); | ||
| } | ||
| // </SafeExtractEntry> | ||
|
|
||
| // <SafeExtractArchive> | ||
| void SafeExtractArchive(ZipArchive archive, string destinationDir, | ||
| long maxTotalSize, int maxEntryCount) | ||
| { | ||
| // Some zip bombs contain millions of tiny entries (e.g., "42.zip"). | ||
| if (archive.Entries.Count > maxEntryCount) | ||
| { | ||
| throw new InvalidOperationException("Archive contains an excessive number of entries."); | ||
| } | ||
|
|
||
| long totalExtracted = 0; | ||
| foreach (ZipArchiveEntry entry in archive.Entries) | ||
| { | ||
| totalExtracted += entry.Length; | ||
| if (totalExtracted > maxTotalSize) | ||
| { | ||
| throw new InvalidOperationException( | ||
| $"Archive total decompressed size exceeds the allowed limit of {maxTotalSize} bytes."); | ||
| } | ||
| // ... extract each entry with per-entry limits too | ||
| } | ||
| } | ||
| // </SafeExtractArchive> | ||
|
|
||
| // <PathValidation> | ||
| void ValidatePaths(ZipArchive archive, string destinationDir) | ||
| { | ||
| string fullDestDir = Path.GetFullPath(destinationDir); | ||
| if (!fullDestDir.EndsWith(Path.DirectorySeparatorChar)) | ||
| fullDestDir += Path.DirectorySeparatorChar; | ||
|
|
||
| foreach (ZipArchiveEntry entry in archive.Entries) | ||
| { | ||
| string destPath = Path.GetFullPath(Path.Combine(fullDestDir, entry.FullName)); | ||
|
|
||
| if (!destPath.StartsWith(fullDestDir, StringComparison.Ordinal)) | ||
| throw new IOException( | ||
| $"Entry '{entry.FullName}' would extract outside the destination directory."); | ||
|
|
||
| // ... safe to extract | ||
| } | ||
| } | ||
| // </PathValidation> | ||
|
|
||
| // <VulnerablePattern> | ||
| void DangerousExtract(string extractDir) | ||
| { | ||
| // ⚠️ DANGEROUS: entry.FullName could contain "../" sequences | ||
| using ZipArchive archive = ZipFile.OpenRead("archive.zip"); | ||
| foreach (ZipArchiveEntry entry in archive.Entries) | ||
| { | ||
| string destinationPath = Path.Combine(extractDir, entry.FullName); | ||
| entry.ExtractToFile(destinationPath, overwrite: true); // May write outside of `extractDir` | ||
| } | ||
| } | ||
| // </VulnerablePattern> | ||
|
|
||
| // <SafeExtractZip> | ||
| void SafeExtractZip(string archivePath, string destinationDir, | ||
| long maxTotalSize, long maxEntrySize, int maxEntryCount) | ||
| { | ||
| // Resolve the destination to an absolute path and ensure it ends with a | ||
| // directory separator. This trailing separator is essential — without it, | ||
| // the StartsWith check below could be tricked by paths like | ||
| // "/safe-dir-evil/" matching "/safe-dir". | ||
| string fullDestDir = Path.GetFullPath(destinationDir); | ||
| if (!fullDestDir.EndsWith(Path.DirectorySeparatorChar)) | ||
| fullDestDir += Path.DirectorySeparatorChar; | ||
|
|
||
| Directory.CreateDirectory(fullDestDir); | ||
|
|
||
| using var archive = new ZipArchive(File.OpenRead(archivePath), ZipArchiveMode.Read); | ||
|
|
||
| // Check the entry count up front. ZIP central directory is read eagerly, | ||
| // so archive.Entries.Count is available immediately without iterating. | ||
| if (archive.Entries.Count > maxEntryCount) | ||
| throw new InvalidOperationException("Archive contains too many entries."); | ||
|
|
||
| long totalSize = 0; | ||
| foreach (ZipArchiveEntry entry in archive.Entries) | ||
| { | ||
| // Enforce per-entry and cumulative size limits using the declared | ||
| // uncompressed size. Note: this value is read from the archive header | ||
| // and could be spoofed by a malicious archive — for defense in depth, | ||
| // also monitor actual bytes read during decompression (see the zip | ||
| // bomb section for a streaming size check example). | ||
| totalSize += entry.Length; | ||
| if (entry.Length > maxEntrySize) | ||
| throw new InvalidOperationException( | ||
| $"Entry '{entry.FullName}' exceeds per-entry size limit."); | ||
| if (totalSize > maxTotalSize) | ||
| throw new InvalidOperationException("Archive exceeds total size limit."); | ||
|
|
||
| // Resolve the full destination path using Path.GetFullPath, which | ||
| // normalizes away any "../" segments. Then verify the result still | ||
| // starts with the destination directory. | ||
| string destPath = Path.GetFullPath(Path.Combine(fullDestDir, entry.FullName)); | ||
| if (!destPath.StartsWith(fullDestDir, StringComparison.Ordinal)) | ||
| throw new IOException( | ||
| $"Entry '{entry.FullName}' would extract outside the destination."); | ||
|
|
||
| // By convention, directory entries in ZIP archives have names ending | ||
| // in '/'. Path.GetFileName returns empty for these, so we use that | ||
| // to distinguish directories from files. | ||
| if (string.IsNullOrEmpty(Path.GetFileName(destPath))) | ||
| { | ||
| Directory.CreateDirectory(destPath); | ||
| } | ||
| else | ||
| { | ||
| // Create the parent directory and any missing intermediate directories. | ||
| Directory.CreateDirectory(Path.GetDirectoryName(destPath)!); | ||
| entry.ExtractToFile(destPath, overwrite: false); | ||
| } | ||
| } | ||
| } | ||
| // </SafeExtractZip> | ||
|
|
||
| // <SafeExtractTar> | ||
| void SafeExtractTar(Stream archiveStream, string destinationDir, | ||
| long maxTotalSize, long maxEntrySize, int maxEntryCount) | ||
| { | ||
| // Same trailing-separator technique as the ZIP example. | ||
| string fullDestDir = Path.GetFullPath(destinationDir); | ||
| if (!fullDestDir.EndsWith(Path.DirectorySeparatorChar)) | ||
| fullDestDir += Path.DirectorySeparatorChar; | ||
|
|
||
| Directory.CreateDirectory(fullDestDir); | ||
|
|
||
| using var reader = new TarReader(archiveStream); | ||
| TarEntry? entry; | ||
| long totalSize = 0; | ||
| int entryCount = 0; | ||
|
|
||
| // TAR has no central directory — entries are read one at a time. | ||
| // GetNextEntry() returns null when the archive is exhausted. | ||
| while ((entry = reader.GetNextEntry()) is not null) | ||
| { | ||
| if (++entryCount > maxEntryCount) | ||
| throw new InvalidOperationException("Archive contains too many entries."); | ||
|
|
||
| if (entry.Length > maxEntrySize) | ||
| throw new InvalidOperationException( | ||
| $"Entry '{entry.Name}' exceeds per-entry size limit."); | ||
| totalSize += entry.Length; | ||
| if (totalSize > maxTotalSize) | ||
| throw new InvalidOperationException("Archive exceeds total size limit."); | ||
|
|
||
| // Symbolic links and hard links can be used to write files outside the | ||
| // extraction directory or to overwrite sensitive files. The safest | ||
| // approach for untrusted input is to skip them entirely. | ||
| if (entry.EntryType is TarEntryType.SymbolicLink or TarEntryType.HardLink) | ||
| continue; | ||
alinpahontu2912 marked this conversation as resolved.
Show resolved
Hide resolved
|
||
|
|
||
| // Global extended attributes are PAX metadata entries that apply to all | ||
| // subsequent entries. They contain no file data and should be skipped. | ||
| if (entry.EntryType is TarEntryType.GlobalExtendedAttributes) | ||
| continue; | ||
|
|
||
| // Normalize and validate the path, same as the ZIP example. | ||
| string destPath = Path.GetFullPath(Path.Join(fullDestDir, entry.Name)); | ||
| if (!destPath.StartsWith(fullDestDir, StringComparison.Ordinal)) | ||
| throw new IOException( | ||
| $"Entry '{entry.Name}' would extract outside the destination."); | ||
|
|
||
| if (entry.EntryType is TarEntryType.Directory) | ||
| { | ||
| Directory.CreateDirectory(destPath); | ||
| } | ||
| else if (entry.DataStream is not null) | ||
| { | ||
| // Create the parent directory and any missing intermediate directories. | ||
| Directory.CreateDirectory(Path.GetDirectoryName(destPath)!); | ||
| using var fileStream = File.Create(destPath); | ||
| entry.DataStream.CopyTo(fileStream); | ||
| } | ||
| } | ||
| } | ||
| // </SafeExtractTar> | ||
|
|
||
| // <ValidateSymlink> | ||
| bool IsLinkTargetSafe(TarEntry entry, string fullDestDir) | ||
| { | ||
| string resolvedTarget; | ||
|
|
||
| if (entry.EntryType is TarEntryType.SymbolicLink) | ||
| { | ||
| // Symlink targets are relative to the symlink's own parent directory, or absolute. | ||
| string entryDir = Path.GetDirectoryName( | ||
| Path.GetFullPath(Path.Join(fullDestDir, entry.Name)))!; | ||
| resolvedTarget = Path.GetFullPath(Path.Join(entryDir, entry.LinkName)); | ||
| } | ||
| else | ||
| { | ||
| // Hard link targets are relative to the destination directory root. | ||
| resolvedTarget = Path.GetFullPath(Path.Join(fullDestDir, entry.LinkName)); | ||
| } | ||
|
|
||
| return resolvedTarget.StartsWith(fullDestDir, StringComparison.Ordinal); | ||
| } | ||
| // </ValidateSymlink> | ||
|
|
||
| // <StreamingApproach> | ||
| void StreamingModify() | ||
| { | ||
| // ✅ Streaming approach for large archives | ||
| using var input = new ZipArchive(File.OpenRead("large.zip"), ZipArchiveMode.Read); | ||
| using var output = new ZipArchive(File.Create("modified.zip"), ZipArchiveMode.Create); | ||
|
|
||
| foreach (var entry in input.Entries) | ||
| { | ||
| if (ShouldKeep(entry)) | ||
| { | ||
| var newEntry = output.CreateEntry(entry.FullName); | ||
| using var src = entry.Open(); | ||
| using var dst = newEntry.Open(); | ||
| src.CopyTo(dst); | ||
| } | ||
| } | ||
| } | ||
|
|
||
| bool ShouldKeep(ZipArchiveEntry entry) => true; | ||
| // </StreamingApproach> | ||
|
|
||
| // <TarStreaming> | ||
| void TarStreamingRead(Stream archiveStream) | ||
| { | ||
| using var reader = new TarReader(archiveStream); | ||
| TarEntry? entry; | ||
| while ((entry = reader.GetNextEntry()) is not null) | ||
| { | ||
| if (entry.DataStream is not null) | ||
| { | ||
| string safePath = "output.bin"; | ||
| // Copy now — the stream becomes invalid after the next GetNextEntry() call | ||
| using var fileStream = File.Create(safePath); | ||
| entry.DataStream.CopyTo(fileStream); | ||
| } | ||
| } | ||
| } | ||
| // </TarStreaming> | ||
11 changes: 11 additions & 0 deletions
11
docs/standard/io/snippets/zip-tar-best-practices/csharp/Project.csproj
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,11 @@ | ||
| <Project Sdk="Microsoft.NET.Sdk"> | ||
|
|
||
| <PropertyGroup> | ||
| <OutputType>Exe</OutputType> | ||
| <TargetFramework>net9.0</TargetFramework> | ||
| <ImplicitUsings>enable</ImplicitUsings> | ||
| <Nullable>enable</Nullable> | ||
| </PropertyGroup> | ||
|
|
||
|
|
||
| </Project> |
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
I assume this creates also all intermediate directories?
Uh oh!
There was an error while loading. Please reload this page.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Yes, all of them are created: https://learn.microsoft.com/en-us/dotnet/api/system.io.directory.createdirectory?view=net-10.0#remarks, I will reprhase