英文:
How can I access nested archives?
问题
我有客户端和服务器。
客户端将存档(zip)作为[]byte发送到服务器。
现在服务器读取它们并打印所有内容文件的名称:
r, err := zip.NewReader(bytes.NewReader(data), int64(len(data)))
if err != nil {
fmt.Println(err)
}
for _, zipFile := range r.File {
if strings.Contains(zipFile.Name, ".tar") {
fmt.Println(zipFile.Name)
}
}
问题是存档中有嵌套的存档(tar),其中包含xml文件,所以这些名称是存档的名称。
我如何访问嵌套存档的内容(以便我可以处理xml文件)?
英文:
I have client and server.
Client sends archives (zip) as []byte to server.
Now server reads them and print all content files names:
r, err := zip.NewReader(bytes.NewReader(data), int64(len(data)))
if err != nil {
fmt.Println(err)
}
for _, zipFile := range r.File {
if strings.Contains(zipFile.Name, ".tar") {
fmt.Println(zipFile.Name)
}
}
The trouble is archive has nested archives (tar) with xml files inside, so these names are the names of archives.
How can I access nested archives content (so i can work with xml files)?
答案1
得分: 1
你只需要继续前进并访问tar文件:
if strings.Contains(zipFile.Name, ".tar") {
fmt.Println(zipFile.Name)
rz, err := zipFile.Open()
if err != nil {
fmt.Println(err)
}
tr := tar.NewReader(rz)
for {
hdr, err := tr.Next()
if err == io.EOF {
break // 归档结束
}
if err != nil {
log.Fatal(err)
}
if strings.Contains(hdr.Name, ".xml") {
fmt.Printf("文件 %s 的内容:\n", hdr.Name)
/*if _, err := io.Copy(os.Stdout, tr); err != nil {
log.Fatal(err)
}
fmt.Println()
*/
}
}
}
你可以查看tar包的文档。我使用了示例,并为文件访问添加了注释,因为我不知道你想要对文件做什么。
英文:
You just have to keep going and access the tar:
if strings.Contains(zipFile.Name, ".tar") {
fmt.Println(zipFile.Name)
rz, err := zipFile.Open()
if err != nil {
fmt.Println(err)
}
tr := tar.NewReader(rz)
for {
hdr, err := tr.Next()
if err == io.EOF {
break // End of archive
}
if err != nil {
log.Fatal(err)
}
if strings.Contains(hdr.Name, ".xml") {
fmt.Printf("Contents of %s:\n", hdr.Name)
/*if _, err := io.Copy(os.Stdout, tr); err != nil {
log.Fatal(err)
}
fmt.Println()
*/
}
}
}
You can see the documentation for the tar package. I used the example and put a comment for file access since I don't know what you want to do with the file.
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论