How can I read xz files in a go program? When I try to read them using lzma
, I get an error in lzma header
error.
可以将文章内容翻译成中文,广告屏蔽插件可能会导致该功能失效(如失效,请关闭广告屏蔽插件后再试):
问题:
回答1:
You have 3 options.
- Try another library, perhaps one that uses cgo. I see two here.
- Use cgo directly/make your own lib.
- Use the xz executable.
Option three is easier than it sounds. Here is what I would use:
func xzReader(r io.Reader) io.ReadCloser {
rpipe, wpipe := io.Pipe()
cmd := exec.Command("xz", "--decompress", "--stdout")
cmd.Stdin = r
cmd.Stdout = wpipe
go func() {
err := cmd.Run()
wpipe.CloseWithError(err)
}()
return rpipe
}
Runnable code here: http://play.golang.org/p/SrgZiKdv9a
回答2:
I recently created an XZ decompression package. It does not require Cgo. You can find it here:
https://github.com/xi2/xz
A program to decompress stdin to stdout:
package main
import (
"io"
"log"
"os"
"github.com/xi2/xz"
)
func main() {
r, err := xz.NewReader(os.Stdin, 0)
if err != nil {
log.Fatal(err)
}
_, err = io.Copy(os.Stdout, r)
if err != nil {
log.Fatal(err)
}
}