linux

Linux readdir如何实现文件同步

小樊
39
2025-06-08 00:32:19
栏目: 智能运维

在Linux系统中,readdir函数用于读取目录中的文件和子目录。要实现文件同步,你可以结合readdir和其他文件操作函数(如statopendirclosedir等)来遍历源目录和目标目录,然后比较文件属性,最后根据需要进行文件的复制、删除或更新操作。

以下是一个简单的示例,展示了如何使用readdir实现文件同步:

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <dirent.h>
#include <sys/stat.h>
#include <unistd.h>

void sync_files(const char *src_dir, const char *dst_dir) {
    DIR *src_dirent = opendir(src_dir);
    if (!src_dirent) {
        perror("opendir");
        return;
    }

    struct dirent *entry;
    while ((entry = readdir(src_dirent)) != NULL) {
        if (strcmp(entry->d_name, ".") == 0 || strcmp(entry->d_name, "..") == 0) {
            continue;
        }

        char src_path[1024], dst_path[1024];
        snprintf(src_path, sizeof(src_path), "%s/%s", src_dir, entry->d_name);
        snprintf(dst_path, sizeof(dst_path), "%s/%s", dst_dir, entry->d_name);

        struct stat src_stat, dst_stat;
        if (stat(src_path, &src_stat) == -1 || stat(dst_path, &dst_stat) == -1) {
            perror("stat");
            continue;
        }

        if (S_ISDIR(src_stat.st_mode)) {
            if (mkdir(dst_path, src_stat.st_mode) == -1 && errno != EEXIST) {
                perror("mkdir");
            }
        } else {
            if (src_stat.st_mtime > dst_stat.st_mtime) {
                FILE *src_file = fopen(src_path, "rb");
                FILE *dst_file = fopen(dst_path, "wb");
                if (!src_file || !dst_file) {
                    perror("fopen");
                    continue;
                }

                char buffer[1024];
                size_t n;
                while ((n = fread(buffer, 1, sizeof(buffer), src_file)) > 0) {
                    fwrite(buffer, 1, n, dst_file);
                }

                fclose(src_file);
                fclose(dst_file);
            }
        }
    }

    closedir(src_dirent);
}

int main(int argc, char *argv[]) {
    if (argc != 3) {
        fprintf(stderr, "Usage: %s <source_directory> <destination_directory>\n", argv[0]);
        return 1;
    }

    sync_files(argv[1], argv[2]);
    return 0;
}

这个示例程序接受两个命令行参数:源目录和目标目录。它会遍历源目录中的所有文件和子目录,并将它们同步到目标目录。如果目标目录中不存在相应的文件或子目录,程序会创建它们。如果源目录中的文件比目标目录中的文件更新,程序会将源文件复制到目标目录。

请注意,这个示例程序仅用于演示目的,实际应用中可能需要考虑更多的错误处理和优化选项。

0
看了该问题的人还看了