C++文件系统操作2 - 跨平台实现文件夹的创建和删除

  • 1. 关键词
  • 2. fileutil.h
  • 3. fileutil.cpp
  • 4. filesystem_win.h
  • 5. filesystem_win.cpp
  • 6. filesystem_unix.cpp
  • 7. 源码地址

1. 关键词

C++ 文件系统操作 创建文件夹 创建多级目录文件夹 删除文件夹 删除文件夹下的所有文件和子目录 跨平台

2. fileutil.h


#pragma once#include <string>
#include <cstdio>
#include <cstdint>
#include "filetype.h"
#include "filepath.h"namespace cutl
{/*** @brief The file guard class to manage the FILE pointer automatically.* file_guard object can close the FILE pointer automatically when his scope is exit.*/class file_guard{public:/*** @brief Construct a new file guard object** @param file the pointer of the FILE object*/explicit file_guard(FILE *file);/*** @brief Destroy the file guard object**/~file_guard();/*** @brief Get the FILE pointer.** @return FILE**/FILE *getfd() const;private:FILE *file_;};/*** @brief Create a new directory.** @param path the filepath of the new directory to be created* @param recursive whether to create parent directories, default is false.* If true, means create parent directories if not exist, like the 'mkdir -p' command.* @return true if the directory is created successfully, false otherwise.*/bool createdir(const filepath &path, bool recursive = false);/*** @brief Remove a directory.** @param path the filepath of the directory to be removed* @param recursive whether to remove the whole directory recursively, default is false.* If true, means remove the whole directory recursively, like the 'rm -rf' command.* @return true if the directory is removed successfully, false otherwise.*/bool removedir(const filepath &path, bool recursive = false);} // namespace cutl

3. fileutil.cpp

#include <cstdio>
#include <map>
#include <iostream>
#include <cstring>
#include <sys/stat.h>
#include "fileutil.h"
#include "inner/logger.h"
#include "inner/filesystem.h"
#include "strutil.h"namespace cutl
{file_guard::file_guard(FILE *file): file_(file){}file_guard::~file_guard(){if (file_){// CUTL_DEBUG("close file");int ret = fclose(file_);if (ret != 0){CUTL_ERROR("fail to close file, ret" + std::to_string(ret));}file_ = nullptr;}// ROBOLOG_DCHECK(file_ == nullptr);}FILE *file_guard::getfd() const{return file_;}bool createdir(const filepath &path, bool recursive){if (recursive){constexpr int buf_size = MAX_PATH_LEN;char buffer[buf_size] = {0};int ret = snprintf(buffer, buf_size, "%s", path.str().c_str());if (ret < 0 || ret >= buf_size){CUTL_ERROR("invalid path: " + path.str());return false;}int len = strlen(buffer);if (buffer[len - 1] != filepath::separator()){buffer[len++] = filepath::separator();}int32_t idx = (buffer[0] == filepath::separator()) ? 1 : 0;for (; idx < len; ++idx){if (buffer[idx] != filepath::separator()){continue;}buffer[idx] = '\0';filepath temp_path(buffer);if (!temp_path.exists()){if (!create_dir(temp_path.str())){CUTL_ERROR("createdir error. dir:" + temp_path.str());return false;}}buffer[idx] = filepath::separator();}return true;}else{auto dirPath = path.dirname();if (dirPath.empty()){CUTL_ERROR("invalid path: " + path.str());return false;}if (!cutl::path(dirPath).exists()){CUTL_ERROR("directory does not exist: " + dirPath);return false;}return create_dir(path.str());}}bool removedir(const filepath &path, bool recursive){if (!path.exists()){CUTL_ERROR("directory does not exist: " + path.str());return false;}if (recursive){return remove_dir_recursive(path.str());}else{return remove_dir(path.str());}}

4. filesystem_win.h


#include <vector>
#include <string>#pragma oncenamespace cutl
{bool create_dir(const std::string &dir_path);// remove empty directorybool remove_dir(const std::string &dir_path);// remove directory recursivelybool remove_dir_recursive(const std::string &dir_path);
} // namespace cutl

5. filesystem_win.cpp

#if defined(_WIN32) || defined(__WIN32__)#include <io.h>
#include <direct.h>
#include <Windows.h>
#include <stdlib.h>
#include "strutil.h"
#include "filesystem.h"
#include "logger.h"namespace cutl
{bool create_dir(const std::string &dir_path){if (_mkdir(dir_path.c_str()) != 0){CUTL_ERROR("mkdir error. dir_path:" + dir_path + ", error:" + strerror(errno));return false;}return true;}// remove empty directory// https://learn.microsoft.com/en-us/cpp/c-runtime-library/reference/rmdir-wrmdir?view=msvc-170bool remove_dir(const std::string &dir_path){if (_rmdir(dir_path.c_str()) != 0){CUTL_ERROR("rmdir error. dir_path:" + dir_path + ", error:" + strerror(errno));return false;}return true;}// remove directory recursivelybool remove_dir_recursive(const std::string &dir_path){auto findpath = dir_path + win_separator + "*.*";WIN32_FIND_DATAA data = {0};HANDLE hFind = FindFirstFileA(findpath.c_str(), &data);bool unicode = true;if (hFind == INVALID_HANDLE_VALUE || hFind == NULL){CUTL_ERROR("FindFirstFileA failed for " + findpath + ", errCode: " + std::to_string(GetLastError()));return false;}do{auto dwAttrs = data.dwFileAttributes;auto filename = std::string(data.cFileName);if (is_special_dir(filename)){// “..”和“.”不做处理continue;}std::string filepath = dir_path + win_separator + filename;if ((dwAttrs & FILE_ATTRIBUTE_DIRECTORY)){// directoryif (!remove_dir_recursive(filepath)){FindClose(hFind);return false;}}else{// fileint ret = remove(filepath.c_str());if (ret != 0){CUTL_ERROR("remove " + filepath + " error, ret:" + std::to_string(ret));return false;}}} while (FindNextFileA(hFind, &data));// 关闭句柄FindClose(hFind);// 删除当前文件夹if (_rmdir(dir_path.c_str()) != 0){CUTL_ERROR("rmdir error. dir_path:" + dir_path + ", error:" + strerror(errno));return false;}return true;}
} // namespace cutl#endif // defined(_WIN32) || defined(__WIN32__)

6. filesystem_unix.cpp

#if defined(_WIN32) || defined(__WIN32__)
// do nothing
#else#include <unistd.h>
#include <sys/stat.h>
#include <dirent.h>
#include <stack>
#include <cstring>
#include <utime.h>
#include <stdlib.h>
#include <sys/time.h>
#include "filesystem.h"
#include "inner/logger.h"namespace cutl
{bool create_dir(const std::string &dir_path){if (mkdir(dir_path.c_str(), S_IRWXU | S_IRWXG | S_IRWXO | S_IWOTH) != 0){CUTL_ERROR("mkdir error. dir_path:" + dir_path + ", error:" + strerror(errno));return false;}return true;}bool remove_dir(const std::string &dir_path){if (rmdir(dir_path.c_str()) != 0){CUTL_ERROR("rmdir error. dir_path:" + dir_path + ", error:" + strerror(errno));return false;}return true;}bool remove_dir_recursive(const std::string &dir_path){DIR *dir = opendir(dir_path.c_str()); // 打开这个目录if (dir == NULL){CUTL_ERROR("opendir error. dir_path:" + dir_path + ", error:" + strerror(errno));return false;}struct dirent *file_info = NULL;// 逐个读取目录中的文件到file_infowhile ((file_info = readdir(dir)) != NULL){// 系统有个系统文件,名为“..”和“.”,对它不做处理std::string filename(file_info->d_name);if (is_special_dir(filename)){continue;}struct stat file_stat; // 文件的信息std::string filepath = dir_path + unix_separator + filename;int ret = lstat(filepath.c_str(), &file_stat);if (0 != ret){CUTL_ERROR("stat error. filepath:" + filepath + ", error:" + strerror(errno));closedir(dir);return false;}if (S_ISDIR(file_stat.st_mode)){if (!remove_dir_recursive(filepath)){closedir(dir);return false;}}else{int ret = remove(filepath.c_str());if (ret != 0){CUTL_ERROR("remove " + filepath + " error, ret:" + std::to_string(ret));closedir(dir);return false;}}}closedir(dir);// 删除当前文件夹int ret = rmdir(dir_path.c_str());if (ret != 0){CUTL_ERROR("rmdir error. dir_path:" + dir_path + ", error:" + strerror(errno));return false;}return true;}
} // namespace cutl#endif // defined(_WIN32) || defined(__WIN32__)

7. 源码地址

更多详细代码,请查看本人写的C++ 通用工具库: common_util, 本项目已开源,代码简洁,且有详细的文档和Demo。

本文由博客一文多发平台 OpenWrite 发布!

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/pingmian/40166.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Linux中为什么etc是存放配置文件

在计算机系统中&#xff0c;/etc 是一个目录的名称&#xff0c;通常位于Unix和类Unix操作系统中&#xff0c;如Linux。这个目录用于存放系统配置文件。/etc 的命名来源于早期Unix系统中的 "etcetera"&#xff08;拉丁语 "et cetera" 的缩写&#xff0c;意为…

AI绘画Stable Diffusion超强提示词插件!一键翻译,AI帮你写提示词!

大家好&#xff0c;我是向阳。 对于AI绘画来说&#xff0c;提示词写得好坏&#xff0c;十分影响最终生成图片的结果。会写提示词的话&#xff0c;生成的图片质量就会比较高&#xff0c;不会写的话&#xff0c;结果可能就不会好。 之前大家在使用Stable Diffuison&#xff08;以…

《数据结构与算法基础 by王卓老师》学习笔记——2.5线性表的链式表示与实现1

1.链式表示 2.链表举例 3.链式存储的相关术语 4.三个讨论题

【linux/shell案例实战】解决Linux和Windows的换行符CRLF和LF问题

目录 一.什么是Linux 和 Windows 的换行符 CRLF 和 LF 二.使用Linux 中命令 dos2unix 和 unix2dos 实现CRLF 和LF的转换 三.使用 windows 中的代码编辑器实现 CRLF 和 LF 的转换&#xff08;Notepad&#xff09; 一.什么是Linux 和 Windows 的换行符 CRLF 和 LF CR是Carria…

英语中‘How often’,‘How long’和‘How soon’的区分用法

Spark: 在英语中&#xff0c;“How often”&#xff0c;“How long”&#xff0c;和“How soon”都是询问时间相关事宜的常用短语&#xff0c;但它们的用法各有不同。以下是对这三个短语的详细区分和用法说明&#xff1a; 1. How often 定义&#xff1a;用于询问某事件在一定…

安装依赖时:Error: pngquant failed to build, make sure that libpng-dev is installed

错误原因&#xff1a;windows系统在安装依赖时可能报错&#xff0c;没有安装libping -dev 解决方法&#xff1a; 1、前往libping -dev官网&#xff1a;LIBPNG (sourceforge.io) 2、点击首行DOWNLOAD 3、进入网站点击Download Latest Verison下载安装&#xff0c;解压压缩包即…

2024.7.3作业

1. 梳理笔记(原创) 明天继续提问 2.程序运行后的输出结果为&#xff08;1&#xff09; #include <stdio.h> #define SQR(X) X*X void main() { int a10,k2,m1; a / SQR(km)/SQR(km); printf("%d\n",a); } 结果为1

STM32——GPIO(点亮LED)

一、GPIO是什么&#xff1f; 1、GPI/O(general porpose intput output):通用输入输出端口的简称&#xff0c;通俗地说&#xff0c;就是我们所学的51单片机的IO口&#xff0c;即P0_0等。但要注意&#xff1a;并非所有的引脚都是GPIO 输出模式下可控制端口输出高低电平&#xf…

程序员的加油站,各类技术文章,可视化技术,在线源码资源,在线实用工具,数据爬虫接口持续集成更新中

先挂网址&#xff1a;https://wheart.cn 可视化大屏模板与设计&#xff0c;在线预览 上百例可视化模板 技术文章、资源下载等各类资源导航页 echart在线实用demo 各种在线工具提升开发效率 echart在线代码模板

【电商指标详解】

前言&#xff1a; &#x1f49e;&#x1f49e;大家好&#xff0c;我是书生♡&#xff0c;本篇文章主要和大家分享一下电商行业中常见指标的详解&#xff01;存在的原因和作用&#xff01;&#xff01;&#xff01;希望对大家有所帮助。 &#x1f49e;&#x1f49e;代码是你的画…

Typora导出为Word

文章目录 一、场景二、安装1、网址2、解压并验证 三、配置四、重启Typora 一、场景 在使用Typora软件编辑文档时&#xff0c;我们可能需要将其导出为Word格式文件 当然我们可以直接在菜单里进行导出操作 文件-> 导出-> Word(.docx) 如果是第一次导出word文件&#xff0…

Python特征工程 — 1.3 对数与指数变换

目录 1 对数变换 1.1 对数变换的概念 1.2 对数变换实战 2 指数变换 2.1 指数变换的概念 2.2 指数变换实战 3 Box-Cox变换 3.1 Box-Cox变换概念 3.2 Box-Cox变换实战 1 对数变换 1.1 对数变换的概念 特征对数变换和指数变换是数据预处理中的两种常用技术&#xff0c;…

中国植物志(80卷)

中国植物志&#xff0c;全书共80卷126分册&#xff0c;3700页&#xff0c;记载了我国301科3408属31142种植物学名、形态特征、生态环境、地理分布、经济用途和物候期等。是研究中国植物的重要论著&#xff08;截图仅部分&#xff09;。

使用 bend-ingest-kafka 将数据流实时导入到 Databend

作者&#xff1a;韩山杰 Databend Cloud 研发工程师 https://github.com/hantmac Databend是一个开源、高性能、低成本易于扩展的新一代云数据仓库。bend-ingest-kafka 是一个专为 Databend 设计的实时数据导入工具&#xff0c;它允许用户从 Apache Kafka 直接将数据流导入到 D…

Konva.js 使用指南

简介 Konva.js 是一个用于创建 2D 图形的高性能 JavaScript 库&#xff0c;专注于提供丰富的 API 和灵活的图层管理。它适用于数据可视化、游戏开发和其他需要复杂图形和动画的应用场景。本文将介绍 Konva.js 的基本使用方法&#xff0c;包括初始化、绘制基本图形、处理事件和…

密码学原理精解【4】

文章目录 Z 256 下的希尔密码 Z_{256}下的希尔密码 Z256​下的希尔密码概述exampleK密钥选择 ∣ K ∣ − 1 |K|^{-1} ∣K∣−1 K ∗ K^* K∗ K − 1 K^{-1} K−1 Z 256 下的希尔密码 Z_{256}下的希尔密码 Z256​下的希尔密码 概述 m ≥ 2 为正整数&#xff0c;表示 m 维向量空…

linux系统中的各种命令的解释和帮助(含内部命令、外部命令)

目录 一、说明 二、命令详解 1、帮助命令的种类 &#xff08;1&#xff09;help用法 &#xff08;2&#xff09;--help用法 2、如何区别linux内部命令和外部命令 三、help和—help 四、man 命令 1、概述 2、语法和命令格式 &#xff08;1&#xff09;man命令的格式&…

Spring Cloud中的服务熔断与降级

Spring Cloud中的服务熔断与降级 大家好&#xff0c;我是免费搭建查券返利机器人省钱赚佣金就用微赚淘客系统3.0的小编&#xff0c;也是冬天不穿秋裤&#xff0c;天冷也要风度的程序猿&#xff01;今天我们将深入探讨在Spring Cloud中的服务熔断与降级策略。 一、什么是服务熔…

qt6 通过http查询天气的实现

步骤如下&#xff1a; cmakelist 当中&#xff0c;增加如下配置 引入包 访问远端api 解析返回的数据 cmakelist 当中&#xff0c;增加如下配置&#xff0c;作用是引入Network库。 引入包 3、访问远端api void Form1::on_pushButton_clicked() {//根据URL(http://t.weather.…

接口测试流程及测试点!

一、什么时候开展接口测试 1.项目处于开发阶段&#xff0c;前后端联调接口是否请求的通&#xff1f;&#xff08;对应数据库增删改查&#xff09;--开发自测 2.有接口需求文档&#xff0c;开发已完成联调&#xff08;可以转测&#xff09;&#xff0c;功能测试展开之前 3.专…