How do I create separate zip files for each selected file/directory in 7zip?
I am not sure you can do what you are suggesting using the graphical user interface, but you can certainly from the command line:
FOR %i IN (*.*) DO 7z.exe a "%~ni.7z" "%i"
You would need to change directory (the cd
command) to the F:\Downloads
directory first, or whatever directory you would want to perform the mass compression. Also, it is easy enough to substitute in *.exe or whatever extension you want to filter for to just compress those documents.
And the secret decoder ring:
%i
is a variable that holds the file name for each step in the loop(*.*)
is the selection criteria, it could easily be *.exe or similar7z.exe
is the command line version of 7-Zip%~ni
- this expands the %i variable to just the file name - no extension
If you wanted to just add the folders for a given directory, the command is a bit more complex as by default FOR just works with files. We need to feed it some additional information:
FOR /F "usebackq delims=?" %i IN (`DIR /B /A:D`) DO 7z.exe a "%i.7z" "%i"
This works because of a few pieces of what seems like magic:
/F
tells FOR to iterate over the expanded value in ()usebackq
tells FOR that I am going to pass a command and use the output to iteratedelims=?
tells FOR that I want to break tokens apart on the?
- an illegal character in file names and directories. I only want one token.- The
/B
inDIR
is for bare format - just the name - The
/A:D
inDIR
is for restricting the results by attribute, the D is for directories
If you want to encapsulate this inside of a batch file, the only change you will need to make is to double escape the %i variable:
FOR %%i IN (*.*) DO 7z.exe a "%%~ni.7z" "%%i"
I like Goyuix's answer. However, if you are using Windows 7 (or have Power Shell installed) and also use the command-line version of 7-zip, 7za.exe, then you can run this command:
dir | ForEach-Object { & "7za.exe" a $_.BaseName $_.Name }
You can also change "dir" to "dir *.exe" to only select executable files.
One nice thing about Power Shell is that you are working with objects instead of strings. So you could get really specific if you wanted to. For example:
dir *.csv | ? { $_.Length -lt 18900 -and $_.LastWriteTime -ge [DateTime] "07/01/2011" } | ForEach-Object { & "7za.exe" a $_.BaseName $_.Name }
This will only include files that:
- have a csv extension
- less than 18,900 bytes in size
- last modified on or after 7/1/2011
EDIT If you want zip files instead of 7-zip files, use InfoZip's zip.exe instead.