1
0
Fork 0
golang-github-mholt-archiver/cmd/arc/main.go
Daniel Baumann 097626e61a
Adding upstream version 3.5.1.
Signed-off-by: Daniel Baumann <daniel@debian.org>
2025-05-18 18:07:37 +02:00

376 lines
9.1 KiB
Go

package main
import (
"archive/tar"
"bytes"
"compress/flate"
"flag"
"fmt"
"os"
"path/filepath"
"strings"
"github.com/klauspost/compress/zip"
"github.com/mholt/archiver/v3"
"github.com/nwaples/rardecode"
)
var (
compressionLevel int
overwriteExisting bool
mkdirAll bool
selectiveCompression bool
implicitTopLevelFolder bool
stripComponents int
continueOnError bool
specifyFileType string
)
var (
version string
commit string
date string
)
func init() {
flag.IntVar(&compressionLevel, "level", flate.DefaultCompression, "Compression level")
flag.BoolVar(&overwriteExisting, "overwrite", false, "Overwrite existing files")
flag.BoolVar(&mkdirAll, "mkdirs", false, "Make all necessary directories")
flag.BoolVar(&selectiveCompression, "smart", true, "Only compress files which are not already compressed (zip only)")
flag.BoolVar(&implicitTopLevelFolder, "folder-safe", true, "If an archive does not have a single top-level folder, create one implicitly")
flag.IntVar(&stripComponents, "strip-components", 0, "Strip number of leading paths")
flag.BoolVar(&continueOnError, "allow-errors", true, "Log errors and continue processing")
flag.StringVar(&specifyFileType, "ext", "", "specify file type")
}
func main() {
if len(os.Args) >= 2 &&
(os.Args[1] == "-h" || os.Args[1] == "--help" || os.Args[1] == "help") {
fmt.Println(usageString())
os.Exit(0)
}
if len(os.Args) >= 2 &&
(os.Args[1] == "-V" || os.Args[1] == "--version" || os.Args[1] == "version") {
fmt.Printf("arc v%s %s (%s)", version, commit, date)
os.Exit(0)
}
if len(os.Args) < 3 {
fatal(usageString())
}
flag.Parse()
subcommand := flag.Arg(0)
// get the format we're working with
iface, err := getFormat(subcommand)
if err != nil {
fatal(err)
}
// run the desired command
switch subcommand {
case "archive":
a, ok := iface.(archiver.Archiver)
if !ok {
fatalf("the archive command does not support the %s format", iface)
}
var sources []string
for _, src := range flag.Args()[2:] {
srcs, err := filepath.Glob(src)
if err != nil {
fatalf(err.Error())
}
sources = append(sources, srcs...)
}
err = a.Archive(sources, flag.Arg(1))
case "unarchive":
u, ok := iface.(archiver.Unarchiver)
if !ok {
fatalf("the unarchive command does not support the %s format", iface)
}
err = u.Unarchive(flag.Arg(1), flag.Arg(2))
case "extract":
e, ok := iface.(archiver.Extractor)
if !ok {
fatalf("the extract command does not support the %s format", iface)
}
err = e.Extract(flag.Arg(1), flag.Arg(2), flag.Arg(3))
case "ls":
w, ok := iface.(archiver.Walker)
if !ok {
fatalf("the ls command does not support the %s format", iface)
}
var count int
err = w.Walk(flag.Arg(1), func(f archiver.File) error {
count++
switch h := f.Header.(type) {
case zip.FileHeader:
fmt.Printf("%s\t%d\t%d\t%s\t%s\n",
f.Mode(),
h.Method,
f.Size(),
f.ModTime(),
h.Name,
)
case *tar.Header:
fmt.Printf("%s\t%s\t%s\t%d\t%s\t%s\n",
f.Mode(),
h.Uname,
h.Gname,
f.Size(),
f.ModTime(),
h.Name,
)
case *rardecode.FileHeader:
fmt.Printf("%s\t%d\t%d\t%s\t%s\n",
f.Mode(),
int(h.HostOS),
f.Size(),
f.ModTime(),
h.Name,
)
default:
fmt.Printf("%s\t%d\t%s\t?/%s\n",
f.Mode(),
f.Size(),
f.ModTime(),
f.Name(), // we don't know full path from this
)
}
return nil
})
fmt.Printf("total %d\n", count)
case "compress":
c, ok := iface.(archiver.Compressor)
if !ok {
fatalf("the compress command does not support the %s format", iface)
}
fc := archiver.FileCompressor{Compressor: c}
in := flag.Arg(1)
out := flag.Arg(2)
var deleteWhenDone bool
if cs, ok := c.(fmt.Stringer); ok && out == cs.String() {
out = in + "." + out
deleteWhenDone = true
}
err = fc.CompressFile(in, out)
if err == nil && deleteWhenDone {
err = os.Remove(in)
}
case "decompress":
c, ok := iface.(archiver.Decompressor)
if !ok {
fatalf("the compress command does not support the %s format", iface)
}
fc := archiver.FileCompressor{Decompressor: c}
in := flag.Arg(1)
out := flag.Arg(2)
var deleteWhenDone bool
if cs, ok := c.(fmt.Stringer); ok && out == "" {
out = strings.TrimSuffix(in, "."+cs.String())
deleteWhenDone = true
}
err = fc.DecompressFile(in, out)
if err == nil && deleteWhenDone {
err = os.Remove(in)
}
default:
fatalf("unrecognized command: %s", flag.Arg(0))
}
if err != nil {
fatal(err)
}
}
func getFormat(subcommand string) (interface{}, error) {
// prepare the filename, with which we will find a suitable format
formatPos := 1
if subcommand == "compress" {
formatPos = 2
}
filename := flag.Arg(formatPos)
if subcommand == "compress" && !strings.Contains(filename, ".") {
filename = "." + filename // leading dot needed for extension matching
}
// get the format by filename extension
if specifyFileType != "" {
filename = "." + specifyFileType
}
f, err := archiver.ByExtension(filename)
if err != nil {
return nil, err
}
// prepare a single Tar, in case it's needed
mytar := &archiver.Tar{
OverwriteExisting: overwriteExisting,
MkdirAll: mkdirAll,
ImplicitTopLevelFolder: implicitTopLevelFolder,
StripComponents: stripComponents,
ContinueOnError: continueOnError,
}
// fully configure the new value
switch v := f.(type) {
case *archiver.Rar:
v.OverwriteExisting = overwriteExisting
v.MkdirAll = mkdirAll
v.ImplicitTopLevelFolder = implicitTopLevelFolder
v.StripComponents = stripComponents
v.ContinueOnError = continueOnError
v.Password = os.Getenv("ARCHIVE_PASSWORD")
case *archiver.Tar:
f = mytar
case *archiver.TarBrotli:
v.Tar = mytar
v.Quality = compressionLevel
case *archiver.TarBz2:
v.Tar = mytar
v.CompressionLevel = compressionLevel
case *archiver.TarGz:
v.Tar = mytar
v.CompressionLevel = compressionLevel
case *archiver.TarLz4:
v.Tar = mytar
v.CompressionLevel = compressionLevel
case *archiver.TarSz:
v.Tar = mytar
case *archiver.TarXz:
v.Tar = mytar
case *archiver.TarZstd:
v.Tar = mytar
case *archiver.Zip:
v.CompressionLevel = compressionLevel
v.OverwriteExisting = overwriteExisting
v.MkdirAll = mkdirAll
v.SelectiveCompression = selectiveCompression
v.ImplicitTopLevelFolder = implicitTopLevelFolder
v.StripComponents = stripComponents
v.ContinueOnError = continueOnError
case *archiver.Gz:
v.CompressionLevel = compressionLevel
case *archiver.Brotli:
v.Quality = compressionLevel
case *archiver.Bz2:
v.CompressionLevel = compressionLevel
case *archiver.Lz4:
v.CompressionLevel = compressionLevel
case *archiver.Snappy:
// nothing to customize
case *archiver.Xz:
// nothing to customize
case *archiver.Zstd:
// nothing to customize
default:
return nil, fmt.Errorf("format does not support customization: %s", f)
}
return f, nil
}
func fatal(v ...interface{}) {
fmt.Fprintln(os.Stderr, v...)
os.Exit(1)
}
func fatalf(s string, v ...interface{}) {
fmt.Fprintf(os.Stderr, s+"\n", v...)
os.Exit(1)
}
func usageString() string {
buf := new(bytes.Buffer)
buf.WriteString(usage)
flag.CommandLine.SetOutput(buf)
flag.CommandLine.PrintDefaults()
return buf.String()
}
const usage = `Usage: arc {archive|unarchive|extract|ls|compress|decompress|help} [arguments...]
archive
Create a new archive file. List the files/folders
to include in the archive; at least one required.
unarchive
Extract an archive file. Provide the archive to
open and the destination folder to extract into.
extract
Extract a single file or folder (recursively) from
an archive. First argument is the source archive,
second is the file to extract (exact path within the
archive is required), and third is destination.
ls
List the contents of the archive.
compress
Compresses a file, destination optional.
decompress
Decompresses a file, destination optional.
help
Display this help text. Also -h or --help.
SPECIFYING THE ARCHIVE FORMAT
The format of the archive is determined by its
file extension*. Supported extensions:
.zip
.tar
.tar.br
.tbr
.tar.gz
.tgz
.tar.bz2
.tbz2
.tar.xz
.txz
.tar.lz4
.tlz4
.tar.sz
.tsz
.zst
.tar.zst
.rar (open only)
.bz2
.gz
.lz4
.sz
.xz
*use flag --ext to manually set filetype. example: --ext=tar.gz
(DE)COMPRESSING SINGLE FILES
Some formats are compression-only, and can be used
with the compress and decompress commands on a
single file; they do not bundle multiple files.
To replace a file when compressing, specify the
source file name for the first argument, and the
compression format (without leading dot) for the
second argument. To replace a file when decompressing,
specify only the source file and no destination.
PASSWORD-PROTECTED RAR FILES
Export the ARCHIVE_PASSWORD environment variable
to be able to open password-protected rar archives.
GLOBAL FLAG REFERENCE
The following global flags may be used before the
sub-command (some flags are format-specific):
`