0


libarchive库笔记:tar.gz格式压缩文件编程

libarchive,一个支持多种格式的压缩和归档的C语言库,包含常见的tar、cpio和zcat命令行工具的实现。

本文展示一个libarchive库C语言编程的tar.gz格式压缩文件示例。

简单代码示例:

#include <stdlib.h>
#include <stdio.h>
#include <string.h>
#include <fcntl.h>
#include "archive.h"
#include "archive_entry.h"

void write_archive(const char *outname, const char **filename)
{
    struct archive *a;
    struct archive_entry *entry;
    struct stat st;
    char buff[1024];
    int len;
    int fd;
    int ret;

    a = archive_write_new(); 
    archive_write_add_filter_gzip(a);
    archive_write_set_format_pax_restricted(a);
    archive_write_open_filename(a, outname);
    while (*filename) {
        stat(*filename, &st);
        entry = archive_entry_new();
        archive_entry_copy_pathname(entry, *filename);
        archive_entry_set_mtime(entry, st.st_mtime, 0);
        archive_entry_set_size(entry, st.st_size);
        archive_entry_set_filetype(entry, AE_IFREG);
        archive_entry_set_perm(entry, 0644);
        ret = archive_write_header(a, entry);
        if (ARCHIVE_OK != ret) {
            printf("archive_write_header errno:%d, errstr:%s\n", 
                    archive_errno(a), archive_error_string(a));
        }
        fd = open(*filename, O_RDONLY);
        memset(buff, 0, sizeof(buff));
        len = read(fd, buff, sizeof(buff));
        while ( len > 0 ) {
            archive_write_data(a, buff, len);
            memset(buff, 0, sizeof(buff));
            len = read(fd, buff, sizeof(buff));
        }
        close(fd);
        archive_entry_free(entry);
        filename++;
    }
    archive_write_close(a);
    archive_write_free(a);
}

int main(int argc, char *argv[])
{
    const char *outname;

    if (argc < 3) {
        printf("[usage] %s [outname] [filename]\n", argv[0]);
        printf("example: %s [dst].tar.gz [src]\n", argv[0]);
        return 0;
    }
    
    argv++;
    outname = *argv++;
    write_archive(outname, (const char**)argv);
    return 0;
}

其中,write_archive()函数的输入参数outname是压缩后的tar.gz文件,输入参数filename是需要被压缩的文件。

编译运行:

GCC编译时加-larchive参数,编译示例如下:

gcc -o main main.c -larchive

运行示例如下图,将生成的tar.gz压缩文件解压后,比较源文件和解压文件的MD5值,结果是一致的。

使用hexdump命令查看该压缩包的文件头,值为0x1f8b 0800,与tar.gz文件头一致。


备注:压缩要注意的一点,程序运行空间是否充足。

标签: 笔记 服务器 linux

本文转载自: https://blog.csdn.net/starlight_0/article/details/141109695
版权归原作者 忽见星光 所有, 如有侵权,请联系我们删除。

“libarchive库笔记:tar.gz格式压缩文件编程”的评论:

还没有评论