寻找一种使用Nim编程语言(版本0.11.2)从tar.gz存档读取文件的方法。说我有档案
/my/path/to/archive.tar.gz
和该档案中的文件
my/path/to/archive/file.txt
我的目标是能够在Nim中逐行读取文件的内容。在Python中,我可以使用tarfile模块执行此操作。在Nim中有libzip和zlib模块,但文档很少,没有示例。还有zipfiles模块,但我不确定它是否能够使用tar.gz档案。
答案 0 :(得分:7)
在我公司的一个项目中,我们一直在使用以下模块,将gzip文件公开为流:
import
zlib, streams
type
GZipStream* = object of StreamObj
f: GzFile
GzipStreamRef* = ref GZipStream
proc fsClose(s: Stream) =
discard gzclose(GZipStreamRef(s).f)
proc fsReadData(s: Stream, buffer: pointer, bufLen: int): int =
return gzread(GZipStreamRef(s).f, buffer, bufLen)
proc fsAtEnd(s: Stream): bool =
return gzeof(GZipStreamRef(s).f) != 0
proc newGZipStream*(f: GzFile): GZipStreamRef =
new result
result.f = f
result.closeImpl = fsClose
result.readDataImpl = fsReadData
result.atEndImpl = fsAtEnd
# other methods are nil!
proc newGZipStream*(filename: cstring): GZipStreamRef =
var gz = gzopen(filename, "r")
if gz != nil: return newGZipStream(gz)
但是您还需要能够读取tar标头,以便在未压缩的gzip流中找到所需文件的正确位置。您可以将libtar之类的现有C库包装起来执行此操作,也可以roll your own implementation。
答案 1 :(得分:2)
据我所知,libzip和zlib不能用于读取tar文件(afaik它们只支持zip存档和/或原始字符串压缩,而tar.gz需要gzip + tar)。不幸的是,看起来还没有读取tar.gz档案的Nim库。
如果您对基于tar
的快速解决方案感到满意,可以这样做:
import osproc
proc extractFromTarGz(archive: string, filename: string): string =
# -z extracts
# -f specifies filename
# -z runs through gzip
# -O prints to STDOUT
result = execProcess("tar -zxf " & archive & " " & filename & " -O")
let content = extractFromTarGz("test.tar.gz", "some/subpath.txt")
如果您想要一个干净灵活的解决方案,这将是为libarchive库编写包装器的好机会。)。
答案 2 :(得分:2)
我创建了一个基本的untar
包,可能对此有所帮助:https://github.com/dom96/untar