boost-filesystem-删除复制文件-设置文件权限-递归创建删除复制文件夹-解析文件名-C++

文章目录

    • 1.简介
    • 2.路径合法性
    • 3.路径处理及迭代器
    • 4.设置权限
    • 5.文件操作
    • 6.迭代目录
      • 6.1. directory_iterator
        • 6.1.1.类摘要
        • 6.1.2.单层目录迭代
        • 6.1.3.directory_iterator深度遍历目录(递归)
      • 6.2.recursive_directory_iterator
        • 6.2.1. 类摘要
        • 6.2.2 示例代码
    • 7.查找文件、模糊查找文件、复制文件
      • 7.1.查找文件
      • 7.2.正则表达式模糊文件查找
      • 7.3.拷贝目录
    • 8.总结

1.简介

boost::filesystem是Boost C++ Libraries中的一个模块,主要作用是处理文件(Files)和目录(Directories)。该模块提供的类boost::filesystem::path专门用来处理路径。而且,该模块中还有很多独立的函数能够用来执行创建目录、检查文件是否存在等任务。

涉及头文件

// filesystem
#include <boost/filesystem.hpp>
using namespace boost::filesystem;

2.路径合法性

检查路径字符串的合法性。

// path 仅仅是用于表示路径,而并不关心路径中的文件或目录是否存在,路径也可能是个在当前文件系统中无效的名字,例如在Windows 下不允许文件名或目录名使用冒号、尖括号、星号、问号,等等,但path 并不禁止这种表示
path p("/::/*/?/<>"); 
// 完全合法
// -----------------------------------------------------------------------------------------// 为了提高程序在不同文件系统上的可移植性,filesystem库提供了一系列的文件名(或目录名)检查函数,可以根据系统的命名规则判断一个文件名字符串的有效性,从而尽可能地为程序员编写可移植的程序创造便利。// portable_posix_name()  检测文件名字符串是否符合POSIX规范(包括大小写字母、点号、下画线和连字符)
// windows_name()         检测文件名字符串是否符合Windows规范(范围要广一些,仅不允许<>?:|/\等少量字符)// portable_name()        相当于 portable_posix_name()&&windows_name()
//					      但名字不能以点号或者连字符开头,并允许表示当前目录的"."和父目录的".."// portable_directory_name 包含了portable_name(),名字中不能出现点号,目录名可以移植到OpenVMS操作系统上// portable_file_name    类似portable_directory_name()
// 						 提供更可移植的文件名,它要求文件名中最多有一个点号,且后缀名不能超过3个字符.cout << "protable_posix_name, posix:" << portable_posix_name("w+abc.xxx") << "; windows" << windows_name("w+abc.xxx") << endl;cout << "portable_name:" << portable_name("w+()abc.txt") << "; " << portable_name("./abc") << endl;cout << "portable_directory_name:" << portable_directory_name("a.txt") << "; "<< portable_directory_name("abc") << endl;cout << "portable_file_name:" << portable_directory_name("a.bc") << "; " << portable_file_name("y.conf") << endl;
/*protable_posix_name, posix:0; windows1portable_name:0; 0portable_directory_name:0; 1portable_file_name:0; 0*/

3.路径处理及迭代器

boost::filesystem::path p("/usr/local/include/xxx.hpp");
// 以字符串的形式返回标准格式的路径
cout << p.string() << endl;                 // /usr/local/include/xxx.hpp// 父路径、全文件名、不含扩展名的文件名和扩展名
cout << p.parent_path() << endl;            // /usr/local/include/ (返回的是path类型)        
cout << p.stem() << endl;                   // xxx
cout << p.filename() << endl;               // xxx.hpp
cout << p.extension() << endl;              // .hpp// 判断是否是绝对路径
assert(p.is_absolute());                    // Windows 断言不成立
assert(boost::filesystem::system_complete(p).is_absolute());   // 总是完整路径// 根的名字、根目录和根路径                        若Windows下 path p("c:/xxx/yyy")
cout << p.root_name() << endl;              // linux 空   windows  c:
cout << p.root_directory() << endl;         // linux /    windows  /
cout << p.root_path() << endl;              // linux /    windows  c:/// 判断路径是否有文件名或者父路径
assert(!p.has_root_name());
assert( p.has_root_path());
assert( p.has_parent_path());// 使用成员函数compare()基于字典序并且大小写敏感比较路径字符串
// 提供operator==、operator!=、operator<等操作符
boost::filesystem::path p1("/test/1.cpp");
boost::filesystem::path p2("/TEST/1.cpp");
boost::filesystem::path p3("/abc/1.cpp");assert(p1 != p2);
assert(p2 < p3);// 迭代器
path p = "/boost/tools/libs";
BOOST_FOREACH(auto& x, p) {              // 使用foreach 算法,也可以用forcout << "["<< x << "]";              // 输出路径字符串
}
/*[/][boost][tools][libs]
*/

4.设置权限

只读文件,需要去除只读属性,才能进行编辑或者删除。

boost::filesystem::permissions(xmlFilename,boost::filesystem::add_perms | boost::filesystem::owner_write | boost::filesystem::group_write | boost::filesystem::others_write);//设置属性非只读
boost::filesystem::remove(xmlFilename);//删除文件

5.文件操作

filesystem库基于path的路径表示提供了基本的文件操作函数,如创建目录(create_directory)、文件改名(rename)、文件删除(remove)、文件拷贝(copy_file)、创建符号链接(create_symlink),等等,这些函数的名字都很容易理解。

namespace fs = boost::filesystem;                        // 名字空间别名
boost::filesystem::path ptest = "./test";
if (exists(ptest)) {                                     // 检查路径是否存在if (boost::filesystem::is_empty(ptest)) {                           // 注意名字空间限定boost::filesystem::remove(ptest);                                   // remove只能删除空目录或文件}else {boost::filesystem::remove_all(ptest);                               // remove_all 可以递归删除}
}assert(!boost::filesystem::exists(ptest));                                  // 该目录已经被删除
boost::filesystem::create_directory(ptest);                                 // 创建一个目录boost::filesystem::copy_file("/usr/local/include/boost/version.hpp", ptest / "a.txt");
assert(boost::filesystem::exists(ptest / "a.txt"));
boost::filesystem::copy_directory("E:\\VSCode","D:\\VSCode"); //复制目录,可以使用copy_directory(),使用时需要注意如果目录已经存在,该函数会失败;boost::filesystem::rename(ptest / "a.txt", ptest / "b.txt");                // 改名
assert(boost::filesystem::exists(ptest / "b.txt"));// 使用create_directories 可以一次创建多级目录
boost::filesystem::create_directories(ptest / "sub_dir1" / "sub_dir2");// 注意
// cpp标准的type_traits库中有一个同名的元函数is_empty,所以我们在这段代码中为is_empty()函数加上了名字空间限定,避免名字冲突。

6.迭代目录

filesystem库提供了迭代一个目录下的所有文件的功能的类:

directory_iterator,基于boost.iterator库的iterator_facade。
recursive_directory_iterator,递归遍历文件系统目录。

6.1. directory_iterator

6.1.1.类摘要
// directory_iterator只能迭代本层目录,不支持深度遍历目录
class directory_iterator : public boost::iterator_facade<directory_iterator,directory_entry,                  // 解引用返回类型boost::single_pass_traversal_tag >
{
public:directory_iterator(){}directory_iterator(const directory_iterator&);explicit directory_iterator(const path& p);~directory_iterator();directory_iterator& operator=(const directory_iterator&);directory_iterator& operator++();
};// 注意:directory_iterator迭代器返回的对象并不是path,而是一个directory_entry对象
class directory_entry
{
public:const path& path() const;                                      // 返回path 对象file_status status() const;                                    // 获取文件状态file_status symlink_status() const;
};
6.1.2.单层目录迭代

directory_iterator只能迭代本层目录,不支持深度遍历目录。

#include <iostream>
#include <boost/filesystem.hpp>
#include <boost/foreach.hpp>void test() {// directory_iterator,空的构造函数生成一个逾尾end迭代器,传入path对象构造将开始一个迭代操作,// 反复调用operator++即可遍历目录下的所有文件。namespace fs = boost::filesystem;fs::directory_iterator end;for (fs::directory_iterator pos("C:/Users/ajz/Desktop/说明书模板"); pos != end; ++pos) {std::cout << *pos << std::endl;}// 定义一个std::pair区间,使用foreach算法简化迭代// 定义一个迭代器的区间typedef std::pair<fs::directory_iterator, fs::directory_iterator> dir_range;dir_range dr(fs::directory_iterator("C:/Users/ajz/Desktop/说明书模板"),                      // 迭代起点fs::directory_iterator());                                      // 迭代终点BOOST_FOREACH(auto & x, dr) {                                             // 迭代区间std::cout << x << std::endl;}
}
6.1.3.directory_iterator深度遍历目录(递归)
#include <iostream>
#include <boost/filesystem.hpp>
#include <boost/foreach.hpp>void recursive_dir(const boost::filesystem::path& dir)                         // 递归遍历目录
{boost::filesystem::directory_iterator end;                                 // 结束迭代器调用for (boost::filesystem::directory_iterator pos(dir); pos != end; ++pos) {if (is_directory(*pos)) {recursive_dir(*pos);                            // 是目录则递归遍历}else {std::cout << *pos << std::endl;                           // 不是目录则输出路径}}
}//调用
recursive_dir(boost::filesystem::path("C:/Users/ajz/Desktop/说明书模板"));

6.2.recursive_directory_iterator

6.2.1. 类摘要
class recursive_directory_iterator                         // 省略构造、析构函数以及迭代器通用操作
{
public:int level() const;                                    // 目录深度void pop();                                           // 退出当前目录的遍历void no_push();                                       // 不遍历本目录
private:int m_level;                                          // 目录深度成员变量
};
/*成员函数level()返回当前的目录深度m_level,当rd_iterator构造时(未开始遍历)m_level==0,每深入一层子目录则m_level增加,退出时减少。成员函数pop()用于退出当前目录层次的遍历,同时--m_level。当迭代到一个目录时,no_push()可以让目录不参与遍历,使rd_iterator的行为等价于directory_iterator。
*/
6.2.2 示例代码
void test() {//深度迭代代码,展示文件夹和文件rd_iterator end;for (rd_iterator pos("C:/Users/ajz/Desktop/说明书模板"); pos != end; ++pos) {std::cout << "level" << pos.level() << ":" << *pos << std::endl;}// 下面的代码使用no_push()令rd_iterator的行为等价于directory_iterator://rd_iterator end;for (rd_iterator pos("C:/Users/ajz/Desktop/说明书模板"); pos != end; ++pos) {if (is_directory(*pos)) {pos.no_push();                                 // 使用no_push(),不深度遍历}std::cout << *pos << std::endl;}
}

7.查找文件、模糊查找文件、复制文件

optional库使用"容器"语义,包装了"可能产生无效值"的对象,实现了"未初始化"的概念。

7.1.查找文件

#include <iostream>
#include <boost/filesystem.hpp>
#include <boost/foreach.hpp>
#include <boost/optional.hpp>
#include <list>typedef boost::filesystem::recursive_directory_iterator rd_iterator;boost::optional<std::list<boost::filesystem::path>> FindFile(boost::filesystem::path dir, std::string filename)
{// 返回值类型定义typedef boost::optional<std::list<boost::filesystem::path>> result_type;// 检查目录的有效性if (!boost::filesystem::exists(dir) || !boost::filesystem::is_directory(dir)) {return result_type();}// 递归迭代器rd_iterator end;std::list<boost::filesystem::path> lstPath = std::list<boost::filesystem::path>();for (rd_iterator pos(dir); pos != end; ++pos) {// 不是目录、文件名相等if ((!is_directory(*pos)) && (pos->path().filename() == filename)) {lstPath.push_back(pos->path());}}return result_type(lstPath);
}int main(int argc, char* argv[])
{boost::optional<std::list<boost::filesystem::path>> r=FindFile(boost::filesystem::path("C:/Users/ajz/Desktop/说明书模板"),"说明书变量部分.png");std::list<boost::filesystem::path> lstPath = r.value();// 不存在提示并returnif (lstPath.size() == 0) {std::cout << "file not found." << std::endl;return -1;}for (boost::filesystem::path p : lstPath) {std::cout << p << std::endl;}return 0;
}

7.2.正则表达式模糊文件查找

#include <boost/algorithm/string.hpp>
#include <boost/filesystem.hpp>
#include <boost/xpressive/xpressive_dynamic.hpp>
#include <iostream>
#include <list>typedef boost::filesystem::recursive_directory_iterator rd_iterator;
std::vector<boost::filesystem::path> FindFiles(const boost::filesystem::path& dir, const std::string& filename)
{boost::xpressive::sregex_compiler rc; // 正则表达式工厂if (!rc[filename].regex_id()) {std::string str = boost::replace_all_copy(boost::replace_all_copy(filename, ".", "\\."),"*", ".*"); // 处理文件名rc[filename] = rc.compile(str); // 创建正则表达式}typedef std::vector<boost::filesystem::path> result_type; // 返回值类型定义result_type v;if (!boost::filesystem::exists(dir) || !boost::filesystem::is_directory(dir)) // 目录检查{return v;}rd_iterator end; // 递归迭代器逾尾位置for (rd_iterator pos(dir); pos != end; ++pos) {if (!is_directory(*pos) && boost::xpressive::regex_match(pos->path().filename().string(), rc[filename])) {v.push_back(pos->path()); // 找到,加入vector}}return v; // 返回查找的结果
}int main()
{auto v = FindFiles("C:/Users/ajz/Desktop/说明书模板", "*.txt");std::cout << v.size() << std::endl;for (boost::filesystem::path& p : v) {std::cout << p << std::endl;}return 0;
}

7.3.拷贝目录

#include <iostream>
#define BOOST_ALLOW_DEPRECATED_HEADERS
#include <boost/algorithm/string.hpp>
#include <boost/filesystem.hpp>
#include <boost/optional.hpp>
#include <boost/progress.hpp>
#include <boost/xpressive/xpressive_dynamic.hpp>
#include <iostream>
#include <list>typedef boost::filesystem::recursive_directory_iterator rd_iterator;
std::vector<boost::filesystem::path> FindFiles(const boost::filesystem::path& dir, const std::string& filename)
{boost::xpressive::sregex_compiler rc; // 正则表达式工厂if (!rc[filename].regex_id()) {std::string str = boost::replace_all_copy(boost::replace_all_copy(filename, ".", "\\."),"*", ".*"); // 处理文件名rc[filename] = rc.compile(str); // 创建正则表达式}typedef std::vector<boost::filesystem::path> result_type; // 返回值类型定义result_type v;if (!boost::filesystem::exists(dir) || !boost::filesystem::is_directory(dir)) // 目录检查{return v;}rd_iterator end; // 递归迭代器逾尾位置for (rd_iterator pos(dir); pos != end; ++pos) {if (!is_directory(*pos) && boost::xpressive::regex_match(pos->path().filename().string(), rc[filename])) {v.push_back(pos->path()); // 找到,加入vector}}return v; // 返回查找的结果
}size_t CopyFiles(const boost::filesystem::path& from_dir, const boost::filesystem::path& to_dir, const std::string& filename = "*")
{if (!boost::filesystem::is_directory(from_dir)) { // 源必须是个目录std::cout << "args is not a dir." << std::endl;return 0;}std::cout << "prepare for copy, please wait..." << std::endl;auto v = FindFiles(from_dir, filename); // 查找源的所有文件if (v.empty()) { // 空目录则不拷贝std::cout << "0 file copied." << std::endl;return 0;}std::cout << "now begin copy files ..." << std::endl;boost::filesystem::path tmp;boost::progress_display pd(v.size()); // 进度显示for (auto& p : v) { // 变量容器// 拆分基本路径与目标路径tmp = to_dir / p.string().substr(from_dir.string().length());if (!boost::filesystem::exists(tmp.parent_path())) { // 创建子目录boost::filesystem::create_directories(tmp.parent_path());}boost::filesystem::copy_file(p, tmp); // 拷贝文件++pd; // 更新进度}std::cout << v.size() << " file copied." << std::endl;return v.size(); // 完成拷贝
}int main()
{CopyFiles("C:/Users/ajz/Desktop/说明书模板", "C:/Users/ajz/Desktop/说明书模板1");return 0;
}

8.总结

filesystem模块提供了关于文件夹和文件常规操作的绝大部分内容,能够跨平台,接口简单易用。

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

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

相关文章

制作一个RISC-V的操作系统二-RISC-V ISA介绍

文章目录 ISA的基本介绍啥是ISA为什么要设计ISACISCvsRISCISA的宽度知名ISA介绍 RISC-V历史和特点RISC-V发展RISC-V ISA 命名规范模块化的ISA通用寄存器Hart特权级别Control and Status Register&#xff08;CSR&#xff09;内存管理与保护异常和中断 ISA的基本介绍 啥是ISA …

<DB2>《AIX环境下DB2冷备机恢复方案(生产实践)》

《AIX环境下DB2冷备机恢复方案&#xff08;生产实践&#xff09;》 1 DB2数据库常见备份方式简要说明2 方案说明3 实际方案&#xff08;信息已脱敏&#xff09;3.1 基本信息3.2 创建互信3.3 部署scp脚本3.4 在冷备机192.168.16.165上部署恢复脚本3.5 在冷备机192.168.16.165上部…

【UE】UEC++获取屏幕颜色GetPixelFromCursorPosition()

目录 【UE】UE C 获取屏幕颜色GetPixelFromCursorPosition() 一、函数声明与定义 二、函数的调用 三、运行结果 【UE】UE C 获取屏幕颜色GetPixelFromCursorPosition() 一、函数声明与定义 创建一个蓝图方法库方法 GetPixelFromCursorPosition()&#xff0c;并给他指定UF…

【MATLAB】RLMD分解+FFT+HHT组合算法

有意向获取代码&#xff0c;请转文末观看代码获取方式~也可转原文链接获取~ 1 基本定义 RLMD分解FFTHHT组合算法是一种强大的分析方法&#xff0c;结合了局部均值分解&#xff08;LMD&#xff09;、快速傅里叶变换&#xff08;FFT&#xff09;和希尔伯特-黄变换&#xff08;H…

WIN10 WIN11 关闭更新的绝佳办法(极简单无副作用)

WIN10 WIN11 关闭更新的绝佳办法&#xff08;极简单无副作用&#xff09; 极其简单用实用可以关闭更新20年 winr&#xff0c;输入regedit 打开注册表打开注册表的这个路径&#xff1a; 计算机\HKEY_LOCAL_MACHINE\SOFTWARE\Microsoft\WindowsUpdate\UX\Settings 右键空白的地方…

图文深入理解TCP三次握手

前言 TCP三次握手和四次挥手是面试题的热门考点&#xff0c;它们分别对应TCP的连接和释放过程&#xff0c;今天我们先来认识一下TCP三次握手过程&#xff0c;以及是否可以使用“两报文握手”建立连接&#xff1f;。 1、TCP是什么&#xff1f; TCP是面向连接的协议&#xff0c;…

QT 中使用 QTableView 和 QStandardItemModel 实现将数据导出到Excel 和 从Excel导入到 QTableView 的功能

简介 在Qt中&#xff0c;使用QTableView和QStandardItemModel来实现将数据导出到Excel和从Excel导入到QTableView的功能&#xff0c;而不使用第三方库&#xff08;如QXlsx&#xff09;。 效果 将 QTableView 中的数据导出到Excel //从tableview 导出到 EXcle void MainInterfa…

编程中常见的技术难题和解决策略

编程中常见的技术难题有哪些&#xff1f; 编程中常见的技术难题 在编程过程中&#xff0c;我遇到了一些常见的技术难题&#xff0c;这些难题不仅仅是挑战&#xff0c;也是学习和成长的机会。以下是其中的一些例子&#xff1a; 复杂的并发和多线程问题 在一个多用户的系统中&a…

【PTA题目】7-2 完美的素数 分数 20

7-2 完美的素数 分数 20 全屏浏览题目 切换布局 作者 伍建全 单位 重庆科技学院 一个十进制数&#xff0c;如果是素数&#xff0c;而且它的各位数字和也是素数&#xff0c;则称之为“美素数”&#xff0c;如29&#xff0c;本身是素数&#xff0c;而且29 11也是素数&#x…

MQTT协议理解并实践

MQTT是一个轻量的发布订阅模式消息传输协议&#xff0c;专门针对低带宽和不稳定网络环境的物联网应用设计 MQTT协议根据主题来分发消息进行通信&#xff0c;支持通配符匹配&#xff0c;可以低开销的使用数百万Topic进行一对一&#xff0c;一对多双向通信。 协议特点 1. 开放…

Vulhub-信息泄露

1.Jetty WEB-INF 敏感信息泄露漏洞&#xff08;CVE-2021-28164&#xff09; docker-compose up -d 启动环境&#xff0c;显示8080端口被占用 修改 docker-compose.yml 中的映射端口 curl 访问 http://192.168.48.129:8090/WEB-INF/web.xml 显示404&#xff1a; 通过 %2e 绕过…

STlink下载程序不能复位的说明

STLINK在MDK5.28或其他版本中下载程序后不能复位&#xff0c;需要手动按复位键&#xff0c;MCU 才正常运行。 首先判断是不是该MDK版本的问题&#xff0c;按照以下进行 点击魔法棒 点击Debug&#xff0c;Settings 勾选Reset and Run 如果还是不行&#xff0c;取消Enable…

1423. 可获得的最大点数 --力扣 --JAVA

题目 几张卡牌 排成一行&#xff0c;每张卡牌都有一个对应的点数。点数由整数数组 cardPoints 给出。 每次行动&#xff0c;你可以从行的开头或者末尾拿一张卡牌&#xff0c;最终你必须正好拿 k 张卡牌。 你的点数就是你拿到手中的所有卡牌的点数之和。 给你一个整数数组 cardP…

九章量子计算机:引领量子计算的新篇章

九章量子计算机:引领量子计算的新篇章 一、引言 随着科技的飞速发展,量子计算已成为全球科研领域的前沿议题。九章量子计算机作为中国自主研发的量子计算机,具有划时代的意义。本文将深入探讨九章量子计算机的原理、技术特点、应用前景等方面,带领读者领略量子计算的魅力…

初识主力投资者

在股票市场中&#xff0c;真正赚钱的散户并不多。“七亏二平一赚”似乎已经成为了大家公认的一个股市定律。 为什么散户炒股赚的人少呢&#xff1f;原因很简单&#xff0c;就是因为市场上除了散户之外&#xff0c;还存在着一个重要的投资主体——主力。股市交易的过程&#xff…

树_对称二叉树

//给你一个二叉树的根节点 root &#xff0c; 检查它是否轴对称。 // // // // 示例 1&#xff1a; // // //输入&#xff1a;root [1,2,2,3,4,4,3] //输出&#xff1a;true // // // 示例 2&#xff1a; // // //输入&#xff1a;root [1,2,2,null,3,null,3] //输出…

【源码篇】基于SpringBoot+Vue实现的在线考试系统

文章目录 系统说明技术选型成果展示账号地址及其他说明 系统说明 基于SpringBootVue实现的在线考试系统是为高校打造的一款在线考试平台。 系统功能说明 1、系统共有管理员、老师、学生三个角色&#xff0c;管理员拥有系统最高权限。 2、老师拥有考试管理、题库管理、成绩管…

【物联网无线通信技术】ZigBee从理论到实践(CC2530)

文章延续之前【物联网无线通信技术】系列文章的风格&#xff0c;首先对ZigBee这种在物联网发展初期出现的无线通信技术进行了相关背景概念的介绍&#xff0c;并横向介绍了几款时间跨度比较大的ZigBee芯片。然后以CC2530为例&#xff0c;从硬件到软件介绍了ZigBee这中无线通信技…

java+springboot校园一卡通学生卡管理系统+jsp

利用校园卡实现了学生在学校的身份认证&#xff0c;对学生在学校的各种消费提供了方便的途径。对于学校图书馆&#xff0c;将自动存储学生图书借阅情况&#xff0c;记录处罚情况.对于任课教师可以及时、准确、方便的了解学生出勤、作业等情况。是凭借发达的网络技术&#xff0c…

【Redis】Redis缓存使用问题

目录 Redis缓存使用问题 数据一致性 新增数据类 更新缓存类 1、先更新缓存,再更新DB 2、先更新DB,再更新缓存 删除缓存类 3、先删除缓存,后更新DB 4、先更新DB,后删除缓存 如何选择问题 缓存穿透、击穿、雪崩 缓存穿透 缓存击穿 使用互斥锁(mutex key) 永远…