Como posso descompactar um .tar.gz em um passo (usando 7-Zip)?

78

Estou usando o 7-Zip no Windows XP e sempre que faço o download de um arquivo .tar.gz, são necessários dois passos para extrair completamente o (s) arquivo (s).

  1. Clique com o botão direito do mouse no arquivo example.tar.gz e escolha 7-Zip - > Extrair aqui no menu de contexto.
  2. Pego o arquivo example.tar resultante e clico com o botão direito novamente e escolho 7-Zip - > Extrair aqui no menu de contexto.

Existe um caminho no menu de contexto para fazer isso em uma etapa?

    
por quickcel 07.12.2009 / 21:01

7 respostas

44

Não realmente. Um arquivo .tar.gz ou .tgz tem dois formatos: .tar é o arquivo e .gz é a compactação. Então o primeiro passo descompacta e o segundo passo extrai o arquivo.

Para fazer tudo isso em uma etapa, você precisa do programa tar . O Cygwin inclui isso.

tar xzvf foobaz.tar.gz

; x = eXtract 
; z = filter through gZip
; v = be Verbose (show activity)
; f = filename

Você também pode fazer isso "em uma única etapa" abrindo o arquivo na GUI do 7-zip: Abra o arquivo .tar.gz , clique duas vezes no arquivo .tar incluído e extraia esses arquivos para o local de sua escolha.

Há um longo período de execução aqui de pessoas perguntando / votando sobre o manuseio de uma etapa arquivos tgz e bz2. A falta de ação até agora indica que isso não vai acontecer até que alguém pise e contribua significativamente (código, dinheiro, algo).

    
por 07.12.2009 / 21:07
21

Velha pergunta, mas eu estava lutando com isso hoje, então aqui está o meu 2c. A ferramenta de linha de comando 7zip "7z.exe" (eu tenho v9.22 instalado) pode gravar em stdout e ler stdin para que você possa fazer sem o arquivo tar intermediário usando um pipe:

7z x "somename.tar.gz" -so | 7z x -aoa -si -ttar -o"somename"

Onde:

x     = Extract with full paths command
-so   = write to stdout switch
-si   = read from stdin switch
-aoa  = Overwrite all existing files without prompt.
-ttar = Treat the stdin byte stream as a TAR file
-o    = output directory

Consulte o arquivo de ajuda (7-zip.chm) no diretório de instalação para obter mais informações sobre os comandos e as opções da linha de comando.

Você pode criar uma entrada de menu de contexto para arquivos .tar.gz / .tgz que chama o comando acima usando o regedit ou uma ferramenta de terceiros como stexbar .

    
por 05.02.2013 / 03:07
7

A partir do 7-zip 9.04, existe uma opção de linha de comando para fazer a extração combinada sem usar armazenamento intermediário para o arquivo .tar simples:

7z x -tgzip -so theinputfile.tgz | 7z x -si -ttar

-tgzip é necessário se o arquivo de entrada tiver o nome .tgz em vez de .tar.gz .

    
por 07.01.2018 / 21:23
4

Você está usando o Windows XP, portanto, deve ter o Windows Scripting Host instalado por padrão. Com isso dito, aqui está um script do WSH JScript para fazer o que você precisa. Basta copiar o código para um nome de arquivo xtract.bat ou algo assim (pode ser o que for desde que tenha a extensão .bat ) e executar:

xtract.bat example.tar.gz

Por padrão, o script verificará a pasta do script, bem como a variável de ambiente PATH do seu sistema para 7z.exe. Se você quiser mudar a aparência do material, você pode alterar a variável SevenZipExe no topo do script para o nome que você quer que seja o executável. (Por exemplo, 7za.exe ou 7z-real.exe) Você também pode definir um diretório padrão para o executável alterando SevenZipDir. Então, se 7z.exe estiver em C:\Windows\system32z.exe , você colocará:

var SevenZipDir = "C:\Windows\system32";

De qualquer forma, aqui está o script:

@set @junk=1 /* vim:set ft=javascript:
@echo off
cscript //nologo //e:jscript "%~dpn0.bat" %*
goto :eof
*/
/* Settings */
var SevenZipDir = undefined;
var SevenZipExe = "7z.exe";
var ArchiveExts = ["zip", "tar", "gz", "bzip", "bz", "tgz", "z", "7z", "bz2", "rar"]

/* Multi-use instances */
var WSH = new ActiveXObject("WScript.Shell");
var FSO = new ActiveXObject("Scripting.FileSystemObject");
var __file__ = WScript.ScriptFullName;
var __dir__ = FSO.GetParentFolderName(__file__);
var PWD = WSH.CurrentDirectory;

/* Prototypes */
(function(obj) {
    obj.has = function object_has(key) {
        return defined(this[key]);
    };
    return obj;
})(this.Object.prototype);

(function(str) {
    str.trim = function str_trim() {
        return this.replace(/^\s\s*/, '').replace(/\s\s*$/, '');
    };
})(this.String.prototype);

(function(arr) {
    arr.contains = function arr_contains(needle) {
        for (var i in this) {
            if (this[i] == needle) {
                return true;
            }
        }
        return false;
    }
})(this.Array.prototype);

/* Utility functions */
function defined(obj)
{
    return typeof(obj) != "undefined";
}

function emptyStr(obj)
{
    return !(defined(obj) && String(obj).length);
}

/* WSH-specific Utility Functions */
function echo()
{
    if(!arguments.length) return;
    var msg = "";
    for (var n = 0; n < arguments.length; n++) {
        msg += arguments[n];
        msg += " ";
    }
    if(!emptyStr(msg))
        WScript.Echo(msg);
}

function fatal(msg)
{
    echo("Fatal Error:", msg);
    WScript.Quit(1);
}

function findExecutable()
{
    // This function searches the directories in;
    // the PATH array for the specified file name;
    var dirTest = emptyStr(SevenZipDir) ? __dir__ : SevenZipDir;
    var exec = SevenZipExe;
    var strTestPath = FSO.BuildPath(dirTest, exec);
    if (FSO.FileExists(strTestPath))
        return FSO.GetAbsolutePathName(strTestPath);

    var arrPath = String(
            dirTest + ";" + 
            WSH.ExpandEnvironmentStrings("%PATH%")
        ).split(";");

    for(var i in arrPath) {
        // Skip empty directory values, caused by the PATH;
        // variable being terminated with a semicolon;
        if (arrPath[i] == "")
            continue;

        // Build a fully qualified path of the file to test for;
        strTestPath = FSO.BuildPath(arrPath[i], exec);

        // Check if (that file exists;
        if (FSO.FileExists(strTestPath))
            return FSO.GetAbsolutePathName(strTestPath);
    }
    return "";
}

function readall(oExec)
{
    if (!oExec.StdOut.AtEndOfStream)
      return oExec.StdOut.ReadAll();

    if (!oExec.StdErr.AtEndOfStream)
      return oExec.StdErr.ReadAll();

    return -1;
}

function xtract(exec, archive)
{
    var splitExt = /^(.+)\.(\w+)$/;
    var strTmp = FSO.GetFileName(archive);
    WSH.CurrentDirectory = FSO.GetParentFolderName(archive);
    while(true) {
        var pathParts = splitExt.exec(strTmp);
        if(!pathParts) {
            echo("No extension detected for", strTmp + ".", "Skipping..");
            break;
        }

        var ext = pathParts[2].toLowerCase();
        if(!ArchiveExts.contains(ext)) {
            echo("Extension", ext, "not recognized. Skipping.");
            break;
        }

        echo("Extracting", strTmp + "..");
        var oExec = WSH.Exec('"' + exec + '" x -bd "' + strTmp + '"');
        var allInput = "";
        var tryCount = 0;

        while (true)
        {
            var input = readall(oExec);
            if (-1 == input) {
                if (tryCount++ > 10 && oExec.Status == 1)
                    break;
                WScript.Sleep(100);
             } else {
                  allInput += input;
                  tryCount = 0;
            }
        }

        if(oExec. ExitCode!= 0) {
            echo("Non-zero return code detected.");
            break;
        }

        WScript.Echo(allInput);

        strTmp = pathParts[1];
        if(!FSO.FileExists(strTmp))
            break;
    }
    WSH.CurrentDirectory = PWD;
}

function printUsage()
{
    echo("Usage:\r\n", __file__, "archive1 [archive2] ...");
    WScript.Quit(0);
}

function main(args)
{
    var exe = findExecutable();
    if(emptyStr(exe))
        fatal("Could not find 7zip executable.");

    if(!args.length || args(0) == "-h" || args(0) == "--help" || args(0) == "/?")
        printUsage();

    for (var i = 0; i < args.length; i++) {
        var archive = FSO.GetAbsolutePathName(args(i));
        if(!FSO.FileExists(archive)) {
            echo("File", archive, "does not exist. Skipping..");
            continue;
        }
        xtract(exe, archive);
    }
    echo("\r\nDone.");
}

main(WScript.Arguments.Unnamed);
    
por 26.11.2011 / 06:34
2

Como você pode ver, o 7-Zip não é muito bom nisso. As pessoas têm perguntando tarball operação atômica desde 2009. Aqui está um pequeno programa (490 KB) em Go que pode fazer isso, eu o compilei para você.

package main
import (
  "archive/tar"
  "compress/gzip"
  "flag"
  "fmt"
  "io"
  "os"
  "strings"
 )

func main() {
  flag.Parse() // get the arguments from command line
  sourcefile := flag.Arg(0)
  if sourcefile == "" {
    fmt.Println("Usage : go-untar sourcefile.tar.gz")
    os.Exit(1)
  }
  file, err := os.Open(sourcefile)
  if err != nil {
    fmt.Println(err)
    os.Exit(1)
  }
  defer file.Close()
  var fileReader io.ReadCloser = file
  // just in case we are reading a tar.gz file,
  // add a filter to handle gzipped file
  if strings.HasSuffix(sourcefile, ".gz") {
    if fileReader, err = gzip.NewReader(file); err != nil {
      fmt.Println(err)
      os.Exit(1)
    }
    defer fileReader.Close()
  }
  tarBallReader := tar.NewReader(fileReader)
  // Extracting tarred files
  for {
    header, err := tarBallReader.Next()
    if err != nil {
      if err == io.EOF {
        break
      }
      fmt.Println(err)
      os.Exit(1)
    }
    // get the individual filename and extract to the current directory
    filename := header.Name
    switch header.Typeflag {
    case tar.TypeDir:
      // handle directory
      fmt.Println("Creating directory :", filename)
      // or use 0755 if you prefer
      err = os.MkdirAll(filename, os.FileMode(header.Mode))
      if err != nil {
        fmt.Println(err)
        os.Exit(1)
      }
    case tar.TypeReg:
      // handle normal file
      fmt.Println("Untarring :", filename)
      writer, err := os.Create(filename)
      if err != nil {
        fmt.Println(err)
        os.Exit(1)
      }
      io.Copy(writer, tarBallReader)
      err = os.Chmod(filename, os.FileMode(header.Mode))
      if err != nil {
        fmt.Println(err)
        os.Exit(1)
      }
      writer.Close()
    default:
      fmt.Printf("Unable to untar type : %c in file %s", header.Typeflag,
      filename)
    }
  }
}
    
por 29.10.2016 / 20:37
1

A partir do Windows 10 build 17063, tar e curl são suportados, portanto, é possível descompactar um arquivo .tar.gz em uma etapa usando o comando tar , conforme abaixo.

tar -xzvf your_archive.tar.gz

Digite tar --help para mais informações sobre tar .

    
por 23.04.2019 / 04:33
0

7za funciona corretamente conforme abaixo:

7za.exe x D:\pkg-temp\Prod-Rtx-Service.tgz -so | 7za.exe x -si -ttar -oD:\pkg-temp\Prod-Rtx-Service
    
por 31.08.2018 / 10:08