9 minute read

If you search for ways to zip and unzip files using PowerShell, you will find that there a lot of different methods. Some people invoke .Net 4.5 assembly methods, others call a 3rd party executable (I’ve shown how to do this in one of my other posts). For my needs this time around I required a method that didn’t involve using 3rd party tools, and wanted my PowerShell script to work on any Windows OS, not just ones that had .Net 4.5 installed (which isn’t available for older OSs like Windows XP).

I quickly found what I was after; you can use the OS native Application.Shell object. This is what Windows/File Explorer uses behind the scenes when you copy/cut/paste a file. The problem though was that the operations all happen asynchronously, so there was no way for me to determine when the Zip operation actually completed. This was a problem, as I wanted my PowerShell script to copy the zip file to a network location once all of the files had been zipped up, and perform other operations on files once they were unzipped from a different zip file, and if I’m zipping/unzipping many MB or GBs or data, the operation might take several minutes. Most examples I found online worked around this by just putting a Start-Sleep –Seconds 10 after the call to create or extract the Zip files. That’s a super simple solution, and it works, but I wasn’t always sure how large the directory that I wanted to zip/unzip was going to be, and didn’t want to have my script sleep for 5 minutes when the zip/unzip operation sometimes only takes half a second. This is what led to me creating the following PowerShell module below.

This module allows you to add files and directories to a new or existing zip file, as well as to extract the contents of a zip file. Also, it will block script execution until the zip/unzip operation completes.

You can download the PowerShell module zip here or get it from the gist here.

Here is an example of how to call the 2 public module functions, Compress-ZipFile (i.e. Zip) and Expand-ZipFile (i.e. Unzip):

# If you place the psm1 file in the global PowerShell Modules directory then you could reference it just by name, not by the entire file path like we do here (assumes psm1 file is in same directory as your script).
$THIS_SCRIPTS_DIRECTORY_PATH = Split-Path $script:MyInvocation.MyCommand.Path
$SynchronousZipAndUnzipModulePath = Join-Path $THIS_SCRIPTS_DIRECTORY_PATH 'Synchronous-ZipAndUnzip.psm1'

# Import the Synchronous-ZipAndUnzip module.
Import-Module -Name $SynchronousZipAndUnzipModulePath

# Variables used to test the functions.
$zipFilePath = "C:\Temp\ZipFile.zip"
$filePath = "C:\Test.txt"
$directoryPath = "C:\Test\ZipMeUp"
$destinationDirectoryPath = "C:\Temp\UnzippedContents"

# Create a new Zip file that contains only Test.txt.
Compress-ZipFile -ZipFilePath $zipFilePath -FileOrDirectoryPathToAddToZipFile $filePath -OverwriteWithoutPrompting

# Add the ZipMeUp directory to the zip file.
Compress-ZipFile -ZipFilePath $zipFilePath -FileOrDirectoryPathToAddToZipFile $directoryPath -OverwriteWithoutPrompting

# Unzip the Zip file to a new UnzippedContents directory.
Expand-ZipFile -ZipFilePath $zipFilePath -DestinationDirectoryPath $destinationDirectoryPath -OverwriteWithoutPrompting

And here is the Synchronous-ZipAndUnzip.psm1 module code itself:

#Requires -Version 2.0

# Recursive function to calculate the total number of files and directories in the Zip file.
function GetNumberOfItemsInZipFileItems($shellItems)
{
    [int]$totalItems = $shellItems.Count
    foreach ($shellItem in $shellItems)
    {
        if ($shellItem.IsFolder)
        { $totalItems += GetNumberOfItemsInZipFileItems -shellItems $shellItem.GetFolder.Items() }
    }
    $totalItems
}

# Recursive function to move a directory into a Zip file, since we can move files out of a Zip file, but not directories, and copying a directory into a Zip file when it already exists is not allowed.
function MoveDirectoryIntoZipFile($parentInZipFileShell, $pathOfItemToCopy)
{
    # Get the name of the file/directory to copy, and the item itself.
    $nameOfItemToCopy = Split-Path -Path $pathOfItemToCopy -Leaf
    if ($parentInZipFileShell.IsFolder)
    { $parentInZipFileShell = $parentInZipFileShell.GetFolder }
    $itemToCopyShell = $parentInZipFileShell.ParseName($nameOfItemToCopy)

    # If this item does not exist in the Zip file yet, or it is a file, move it over.
    if ($itemToCopyShell -eq $null -or !$itemToCopyShell.IsFolder)
    {
        $parentInZipFileShell.MoveHere($pathOfItemToCopy)

        # Wait for the file to be moved before continuing, to avoid errors about the zip file being locked or a file not being found.
        while (Test-Path -Path $pathOfItemToCopy)
        { Start-Sleep -Milliseconds 10 }
    }
    # Else this is a directory that already exists in the Zip file, so we need to traverse it and copy each file/directory within it.
    else
    {
        # Copy each file/directory in the directory to the Zip file.
        foreach ($item in (Get-ChildItem -Path $pathOfItemToCopy -Force))
        {
            MoveDirectoryIntoZipFile -parentInZipFileShell $itemToCopyShell -pathOfItemToCopy $item.FullName
        }
    }
}

# Recursive function to move all of the files that start with the File Name Prefix to the Directory To Move Files To.
function MoveFilesOutOfZipFileItems($shellItems, $directoryToMoveFilesToShell, $fileNamePrefix)
{
    # Loop through every item in the file/directory.
    foreach ($shellItem in $shellItems)
    {
        # If this is a directory, recursively call this function to iterate over all files/directories within it.
        if ($shellItem.IsFolder)
        {
            $totalItems += MoveFilesOutOfZipFileItems -shellItems $shellItem.GetFolder.Items() -directoryToMoveFilesTo $directoryToMoveFilesToShell -fileNameToMatch $fileNameToMatch
        }
        # Else this is a file.
        else
        {
            # If this file name starts with the File Name Prefix, move it to the specified directory.
            if ($shellItem.Name.StartsWith($fileNamePrefix))
            {
                $directoryToMoveFilesToShell.MoveHere($shellItem)
            }
        }
    }
}

function Expand-ZipFile
{
    [CmdletBinding()]
    param
    (
        [parameter(Position=1,Mandatory=$true)]
        [ValidateScript({(Test-Path -Path $_ -PathType Leaf) -and $_.EndsWith('.zip', [StringComparison]::OrdinalIgnoreCase)})]
        [string]$ZipFilePath,

        [parameter(Position=2,Mandatory=$false)]
        [string]$DestinationDirectoryPath,

        [Alias("Force")]
        [switch]$OverwriteWithoutPrompting
    )

    BEGIN { }
    END { }
    PROCESS
    {
        # If a Destination Directory was not given, create one in the same directory as the Zip file, with the same name as the Zip file.
        if ($DestinationDirectoryPath -eq $null -or $DestinationDirectoryPath.Trim() -eq [string]::Empty)
        {
            $zipFileDirectoryPath = Split-Path -Path $ZipFilePath -Parent
            $zipFileNameWithoutExtension = [System.IO.Path]::GetFileNameWithoutExtension($ZipFilePath)
            $DestinationDirectoryPath = Join-Path -Path $zipFileDirectoryPath -ChildPath $zipFileNameWithoutExtension
        }

        # If the directory to unzip the files to does not exist yet, create it.
        if (!(Test-Path -Path $DestinationDirectoryPath -PathType Container))
        { New-Item -Path $DestinationDirectoryPath -ItemType Container > $null }

        # Flags and values found at: https://msdn.microsoft.com/en-us/library/windows/desktop/bb759795%28v=vs.85%29.aspx
        $FOF_SILENT = 0x0004
        $FOF_NOCONFIRMATION = 0x0010
        $FOF_NOERRORUI = 0x0400

        # Set the flag values based on the parameters provided.
        $copyFlags = 0
        if ($OverwriteWithoutPrompting)
        { $copyFlags = $FOF_NOCONFIRMATION }
    #   { $copyFlags = $FOF_SILENT + $FOF_NOCONFIRMATION + $FOF_NOERRORUI }

        # Get the Shell object, Destination Directory, and Zip file.
        $shell = New-Object -ComObject Shell.Application
        $destinationDirectoryShell = $shell.NameSpace($DestinationDirectoryPath)
        $zipShell = $shell.NameSpace($ZipFilePath)

        # Start copying the Zip files into the destination directory, using the flags specified by the user. This is an asynchronous operation.
        $destinationDirectoryShell.CopyHere($zipShell.Items(), $copyFlags)

        # Get the number of files and directories in the Zip file.
        $numberOfItemsInZipFile = GetNumberOfItemsInZipFileItems -shellItems $zipShell.Items()

        # The Copy (i.e. unzip) operation is asynchronous, so wait until it is complete before continuing. That is, sleep until the Destination Directory has the same number of files as the Zip file.
        while ((Get-ChildItem -Path $DestinationDirectoryPath -Recurse -Force).Count -lt $numberOfItemsInZipFile)
        { Start-Sleep -Milliseconds 100 }
    }
}

function Compress-ZipFile
{
    [CmdletBinding()]
    param
    (
        [parameter(Position=1,Mandatory=$true)]
        [ValidateScript({Test-Path -Path $_})]
        [string]$FileOrDirectoryPathToAddToZipFile,

        [parameter(Position=2,Mandatory=$false)]
        [string]$ZipFilePath,

        [Alias("Force")]
        [switch]$OverwriteWithoutPrompting
    )

    BEGIN { }
    END { }
    PROCESS
    {
        # If a Zip File Path was not given, create one in the same directory as the file/directory being added to the zip file, with the same name as the file/directory.
        if ($ZipFilePath -eq $null -or $ZipFilePath.Trim() -eq [string]::Empty)
        { $ZipFilePath = Join-Path -Path $FileOrDirectoryPathToAddToZipFile -ChildPath '.zip' }

        # If the Zip file to create does not have an extension of .zip (which is required by the shell.application), add it.
        if (!$ZipFilePath.EndsWith('.zip', [StringComparison]::OrdinalIgnoreCase))
        { $ZipFilePath += '.zip' }

        # If the Zip file to add the file to does not exist yet, create it.
        if (!(Test-Path -Path $ZipFilePath -PathType Leaf))
        { New-Item -Path $ZipFilePath -ItemType File > $null }

        # Get the Name of the file or directory to add to the Zip file.
        $fileOrDirectoryNameToAddToZipFile = Split-Path -Path $FileOrDirectoryPathToAddToZipFile -Leaf

        # Get the number of files and directories to add to the Zip file.
        $numberOfFilesAndDirectoriesToAddToZipFile = (Get-ChildItem -Path $FileOrDirectoryPathToAddToZipFile -Recurse -Force).Count

        # Get if we are adding a file or directory to the Zip file.
        $itemToAddToZipIsAFile = Test-Path -Path $FileOrDirectoryPathToAddToZipFile -PathType Leaf

        # Get Shell object and the Zip File.
        $shell = New-Object -ComObject Shell.Application
        $zipShell = $shell.NameSpace($ZipFilePath)

        # We will want to check if we can do a simple copy operation into the Zip file or not. Assume that we can't to start with.
        # We can if the file/directory does not exist in the Zip file already, or it is a file and the user wants to be prompted on conflicts.
        $canPerformSimpleCopyIntoZipFile = $false

        # If the file/directory does not already exist in the Zip file, or it does exist, but it is a file and the user wants to be prompted on conflicts, then we can perform a simple copy into the Zip file.
        $fileOrDirectoryInZipFileShell = $zipShell.ParseName($fileOrDirectoryNameToAddToZipFile)
        $itemToAddToZipIsAFileAndUserWantsToBePromptedOnConflicts = ($itemToAddToZipIsAFile -and !$OverwriteWithoutPrompting)
        if ($fileOrDirectoryInZipFileShell -eq $null -or $itemToAddToZipIsAFileAndUserWantsToBePromptedOnConflicts)
        {
            $canPerformSimpleCopyIntoZipFile = $true
        }

        # If we can perform a simple copy operation to get the file/directory into the Zip file.
        if ($canPerformSimpleCopyIntoZipFile)
        {
            # Start copying the file/directory into the Zip file since there won't be any conflicts. This is an asynchronous operation.
            $zipShell.CopyHere($FileOrDirectoryPathToAddToZipFile)  # Copy Flags are ignored when copying files into a zip file, so can't use them like we did with the Expand-ZipFile function.

            # The Copy operation is asynchronous, so wait until it is complete before continuing.
            # Wait until we can see that the file/directory has been created.
            while ($zipShell.ParseName($fileOrDirectoryNameToAddToZipFile) -eq $null)
            { Start-Sleep -Milliseconds 100 }

            # If we are copying a directory into the Zip file, we want to wait until all of the files/directories have been copied.
            if (!$itemToAddToZipIsAFile)
            {
                # Get the number of files and directories that should be copied into the Zip file.
                $numberOfItemsToCopyIntoZipFile = (Get-ChildItem -Path $FileOrDirectoryPathToAddToZipFile -Recurse -Force).Count

                # Get a handle to the new directory we created in the Zip file.
                $newDirectoryInZipFileShell = $zipShell.ParseName($fileOrDirectoryNameToAddToZipFile)

                # Wait until the new directory in the Zip file has the expected number of files and directories in it.
                while ((GetNumberOfItemsInZipFileItems -shellItems $newDirectoryInZipFileShell.GetFolder.Items()) -lt $numberOfItemsToCopyIntoZipFile)
                { Start-Sleep -Milliseconds 100 }
            }
        }
        # Else we cannot do a simple copy operation. We instead need to move the files out of the Zip file so that we can merge the directory, or overwrite the file without the user being prompted.
        # We cannot move a directory into the Zip file if a directory with the same name already exists, as a MessageBox warning is thrown, not a conflict resolution prompt like with files.
        # We cannot silently overwrite an existing file in the Zip file, as the flags passed to the CopyHere/MoveHere functions seem to be ignored when copying into a Zip file.
        else
        {
            # Create a temp directory to hold our file/directory.
            $tempDirectoryPath = $null
            $tempDirectoryPath = Join-Path -Path ([System.IO.Path]::GetTempPath()) -ChildPath ([System.IO.Path]::GetRandomFileName())
            New-Item -Path $tempDirectoryPath -ItemType Container > $null

            # If we will be moving a directory into the temp directory.
            $numberOfItemsInZipFilesDirectory = 0
            if ($fileOrDirectoryInZipFileShell.IsFolder)
            {
                # Get the number of files and directories in the Zip file's directory.
                $numberOfItemsInZipFilesDirectory = GetNumberOfItemsInZipFileItems -shellItems $fileOrDirectoryInZipFileShell.GetFolder.Items()
            }

            # Start moving the file/directory out of the Zip file and into a temp directory. This is an asynchronous operation.
            $tempDirectoryShell = $shell.NameSpace($tempDirectoryPath)
            $tempDirectoryShell.MoveHere($fileOrDirectoryInZipFileShell)

            # If we are moving a directory, we need to wait until all of the files and directories in that Zip file's directory have been moved.
            $fileOrDirectoryPathInTempDirectory = Join-Path -Path $tempDirectoryPath -ChildPath $fileOrDirectoryNameToAddToZipFile
            if ($fileOrDirectoryInZipFileShell.IsFolder)
            {
                # The Move operation is asynchronous, so wait until it is complete before continuing. That is, sleep until the Destination Directory has the same number of files as the directory in the Zip file.
                while ((Get-ChildItem -Path $fileOrDirectoryPathInTempDirectory -Recurse -Force).Count -lt $numberOfItemsInZipFilesDirectory)
                { Start-Sleep -Milliseconds 100 }
            }
            # Else we are just moving a file, so we just need to check for when that one file has been moved.
            else
            {
                # The Move operation is asynchronous, so wait until it is complete before continuing.
                while (!(Test-Path -Path $fileOrDirectoryPathInTempDirectory))
                { Start-Sleep -Milliseconds 100 }
            }

            # We want to copy the file/directory to add to the Zip file to the same location in the temp directory, so that files/directories are merged.
            # If we should automatically overwrite files, do it.
            if ($OverwriteWithoutPrompting)
            { Copy-Item -Path $FileOrDirectoryPathToAddToZipFile -Destination $tempDirectoryPath -Recurse -Force }
            # Else the user should be prompted on each conflict.
            else
            { Copy-Item -Path $FileOrDirectoryPathToAddToZipFile -Destination $tempDirectoryPath -Recurse -Confirm -ErrorAction SilentlyContinue }  # SilentlyContinue errors to avoid an error for every directory copied.

            # For whatever reason the zip.MoveHere() function is not able to move empty directories into the Zip file, so we have to put dummy files into these directories
            # and then remove the dummy files from the Zip file after.
            # If we are copying a directory into the Zip file.
            $dummyFileNamePrefix = 'Dummy.File'
            [int]$numberOfDummyFilesCreated = 0
            if ($fileOrDirectoryInZipFileShell.IsFolder)
            {
                # Place a dummy file in each of the empty directories so that it gets copied into the Zip file without an error.
                $emptyDirectories = Get-ChildItem -Path $fileOrDirectoryPathInTempDirectory -Recurse -Force -Directory | Where-Object { (Get-ChildItem -Path $_ -Force) -eq $null }
                foreach ($emptyDirectory in $emptyDirectories)
                {
                    $numberOfDummyFilesCreated++
                    New-Item -Path (Join-Path -Path $emptyDirectory.FullName -ChildPath "$dummyFileNamePrefix$numberOfDummyFilesCreated") -ItemType File -Force > $null
                }
            }

            # If we need to copy a directory back into the Zip file.
            if ($fileOrDirectoryInZipFileShell.IsFolder)
            {
                MoveDirectoryIntoZipFile -parentInZipFileShell $zipShell -pathOfItemToCopy $fileOrDirectoryPathInTempDirectory
            }
            # Else we need to copy a file back into the Zip file.
            else
            {
                # Start moving the merged file back into the Zip file. This is an asynchronous operation.
                $zipShell.MoveHere($fileOrDirectoryPathInTempDirectory)
            }

            # The Move operation is asynchronous, so wait until it is complete before continuing.
            # Sleep until all of the files have been moved into the zip file. The MoveHere() function leaves empty directories behind, so we only need to watch for files.
            do
            {
                Start-Sleep -Milliseconds 100
                $files = Get-ChildItem -Path $fileOrDirectoryPathInTempDirectory -Force -Recurse | Where-Object { !$_.PSIsContainer }
            } while ($files -ne $null)

            # If there are dummy files that need to be moved out of the Zip file.
            if ($numberOfDummyFilesCreated -gt 0)
            {
                # Move all of the dummy files out of the supposed-to-be empty directories in the Zip file.
                MoveFilesOutOfZipFileItems -shellItems $zipShell.items() -directoryToMoveFilesToShell $tempDirectoryShell -fileNamePrefix $dummyFileNamePrefix

                # The Move operation is asynchronous, so wait until it is complete before continuing.
                # Sleep until all of the dummy files have been moved out of the zip file.
                do
                {
                    Start-Sleep -Milliseconds 100
                    [Object[]]$files = Get-ChildItem -Path $tempDirectoryPath -Force -Recurse | Where-Object { !$_.PSIsContainer -and $_.Name.StartsWith($dummyFileNamePrefix) }
                } while ($files -eq $null -or $files.Count -lt $numberOfDummyFilesCreated)
            }

            # Delete the temp directory that we created.
            Remove-Item -Path $tempDirectoryPath -Force -Recurse > $null
        }
    }
}

# Specify which functions should be publicly accessible.
Export-ModuleMember -Function Expand-ZipFile
Export-ModuleMember -Function Compress-ZipFile

Of course if you don’t want to reference an external module you could always just copy paste the functions from the module directly into your script and call the functions that way.

Happy coding!

Disclaimer: At the time of this writing I have only tested the module on Windows 8.1, so if you discover problems running it on another version of Windows please let me know.

Comments

craig

Does Application.Shell’s Copyhere() method support password-protected archives? If so, that would be a nice feature to add to your methods.

Brooks Vaughn

I developed a script that uses the Application.Shell’s Copyhere() method to extract zip files. The script works perfectly when running directly with PowerShell.

I created a Scheduler Task to run it and the script runs but the Copyhere() method fails to extract any zip files. It’s not a permissions issue as the script has no problems creating folders, copying files, creating logfiles, etc… Only the Copyhere() does not produce any results, no errors, no exceptions, no std out, etc….

Any thoughts?

For those how are interested, I am executing the Scheduler Task that runs on Windows 2008 R2 server as follows:

Using NETWORK_SERVICE for the User Account, Selecting “Run whenever user is logged on or not”, Run with Highest Privileges

Action: Start a Program Program/Script: C:\Windows\System32\WindowsPowerShell\v1.0\powershell.exe Add Arguments: -Version 2 -ExecutionPolicy Bypass -NoProfile -NoLogo -NonInteractive -WindowStyle Hidden -Command “” 2>&1>> “D:\Utilities\Salt_Scripts\SALTARS_Daily_Cleanup_Task.log”

Start In: D:\Utilities\Salt_Scripts

NETWORK_SERVICE has full rights to D:\Utilities\Salt_Scripts\ and to D:\wwwlogs and their subfolders

Sample Log Output looks like this:

07/01/2015 15:19:26 ============================================================ 07/01/2015 15:19:26 Run Script Log File for Script: (LogFileCleanup_v1.1) 07/01/2015 15:19:26 Started processing at: [07/01/2015 15:19:26] 07/01/2015 15:19:26 ============================================================ 07/01/2015 15:19:26 Script Running on: MATLKSRT1APS002 07/01/2015 15:19:26 Current Directory: D:\Utilities\Salt_Scripts 07/01/2015 15:19:26 Calling Script File: D:\Utilities\Salt_Scripts\wwwlogsCleanup.ps1 07/01/2015 15:19:26 Script Output File: D:\Utilities\Salt_Scripts\wwwlogsCleanup.log 07/01/2015 15:19:26 Script Folder: D:\Utilities\Salt_Scripts 07/01/2015 15:19:26 Temp Working Folder: D:\Utilities\Salt_Scripts\Temp 07/01/2015 15:19:26 Profile Temp Path: C:\Windows\ServiceProfiles\NetworkService\AppData\Local\Temp
07/01/2015 15:19:26
07/01/2015 15:19:26 Parameter Values Passed In as Arguments: 07/01/2015 15:19:26 Key Value
— —–
Logpath D:\wwwlogs
LogPattern .log
ArchiveAge 9
ArchiveNamingPattern SavedLogs_.zip
LogFileAge 45
LogMethod File
TempFolder D:\Utilities\Salt_Scripts\Temp 07/01/2015 15:19:26
07/01/2015 15:19:26 Start of Current Month: 07/01/2015 07/01/2015 15:19:26 Start of Previous Month: 06/01/2015 07/01/2015 15:19:26 Retain Files Since Date: 05/17/2015 Using Log File Pattern (
.log) 07/01/2015 15:19:26 Delete Date for Archives: 10/01/2014 Using Archive File Pattern (SavedLogs_.zip) 07/01/2015 15:19:26 Log File Folder: D:\wwwlogs 07/01/2015 15:19:26
07/01/2015 15:19:26 Processing Search and Aging of Archive Files… 07/01/2015 15:19:26 Found 42 logs earlier than 05/17/2015 07/01/2015 15:19:27 Using Existing Zip file (D:\wwwlogs\logs\logfiles\W3SVC2\SavedLogs_W3SVC2_2015-05.zip) which contains (15) files 07/01/2015 15:19:27 File (u_ex150501.log) Already Exists in SavedLogs_W3SVC2_2015-05.zip… Checking log file is a Duplicate by extracting existing log from archive and comparing before deleting or renaming then adding to archive if different. 07/01/2015 15:19:27 Extracting (D:\Utilities\Salt_Scripts\Temp\pdzqndfm.mji\u_ex150501.log), CopyFlag: 0x61c 07/01/2015 15:19:27 Temporary Folder: D:\Utilities\Salt_Scripts\Temp\pdzqndfm.mji 07/01/2015 15:20:27 IsFileLocked() - Warning: File Not Found (D:\Utilities\Salt_Scripts\Temp\pdzqndfm.mji\u_ex150501.log) 07/01/2015 15:20:27 Zip-FileList Added (0) files 07/01/2015 15:20:27 Zipped count: 0

Dave Miller

Nasty bug on line 199.

-Path $DestinationDirectoryPath

Should be:

-Path $FileOrDirectoryPathToAddToZipFile

Will Bel

Nice script you have there, i really dig what you did.

However (errr), Could you state how to get back a result from the “ Compress-ZipFile” stating that the operation is done. Any help on that ?

deadlydog

@Will Bel The Compress-ZipFile is a blocking operation; It will not return control back to the caller until it completes. Therefore you can simply assume that by the time the next line in your script is called, the Zip file is guaranteed to exist already.

How to zip/unzip files in Powershell? – segmentfault

[…] I’ve created a PowerShell 2.0 compatible module that uses the native Windows OS commands to zip and unzip files in a synchronous manner. This works on older OSs, like Windows XP, and does not require .Net 4.5 or any other external tools. The functions will also block script execution until the files have all been zipped/unzipped. You can find more information and the module on my blog here. […]

Karel Frajtak

I found a much simpler solution - just use Invoke-Command and run the compression/extraction in the script block.

deadlydog

@reya You can get also get the raw script from https://gist.github.com/deadlydog/4d3d98ca10c5c6b62e29f7e793850305

I might turn this into it’s own Git repo later, but for now a gist will do.

Graham

Great script, thanks am using it to download Word docs from SharePoint, unzip, edit and reconstitute

and hit a problem, files and dirs. like [trash] and [Content_Types].xml all failed

did a spot of googling and in every Test-Path, replaced the -Path param with -LiteralPath and all was good

Manuel Guzman

Thank you. Ran into a bug in the Expand-ZipFile function that loops indefinitely when only one file in the zip. I used the following to resolve it:

    # The Copy (i.e. unzip) operation is asynchronous, so wait until it is complete before continuing. That is, sleep until the Destination Directory has the same number of files as the Zip file.
	if ($numberOfItemsInZipFile -eq 1) {
        Start-Sleep -Milliseconds 100 
    } else {
        while ((Get-ChildItem -Path $DestinationDirectoryPath -Recurse -Force).Count -lt $numberOfItemsInZipFile) {
            Start-Sleep -Milliseconds 100 
        }
    }
Frank

I found another approach which works for both PowerShell 2 and 3.

function Unzip-File($file, $destination) { $shell = new-object -com shell.application $zip = $shell.NameSpace($file) foreach($item in $zip.items()) { $shell.Namespace($destination).copyhere($item) } }

function Zip-File($srcdir, $zipFilename, $zipFilepath) {

if ($zipFilename -ne $null -and $zipFilepath -ne $null) { $zipFile = “$zipFilepath$zipFilename”

#Prepare zip file
if(-not (test-path($zipFile))) 
{
    set-content $zipFile ("PK" + [char]5 + [char]6 + ("$([char]0)" * 18))
    (dir $zipFile).IsReadOnly = $false  
}

$shellApplication = new-object -com shell.application
$zipPackage = $shellApplication.NameSpace($zipFile)
$files = Get-ChildItem -Path $srcdir | where{! $_.PSIsContainer}

foreach($file in $files) 
{ 
    $zipPackage.CopyHere($file.FullName)
    #using this method, sometimes files can be 'skipped'
    #this 'while' loop checks each file is added before moving to the next
    while($zipPackage.Items().Item($file.name) -eq $null)
    {
        Start-sleep -seconds 1
    }
} }

}

How to zip/unzip files in Powershell? – Blog SatoHost

[…] I’ve created a PowerShell 2.0 compatible module that uses the native Windows OS commands to zip and unzip files in a synchronous manner. This works on older OSs, like Windows XP, and does not require .Net 4.5 or any other external tools. The functions will also block script execution until the files have all been zipped/unzipped. You can find more information and the module on my blog here. […]

Or Ohev-Zion

@Frank For whom it may concern, this method is not good. This line: while($zipPackage.Items().Item($file.name) -eq $null) Will not work for files with special chars like “[” and “]” in them, thus inifinite loop is created.

Leave a Comment

Your email address will not be published. Required fields are marked *

Loading...