std::experimental::filesystem::recursive_directory_iterator 跳过文件夹及其子文件夹
std::experimental::filesystem::recursive_directory_iterator skip folder and its subfolder
我需要在一个目录及其子目录中递归搜索文件,但我想从搜索中排除一个路径(及其文件和子目录)。
我正在使用 std::experimental::filesystem::recursive_directory_iterator
和 pop()
修饰符,但它不起作用。我哪里错了?
void search(const char* pathToSearch,const char* pathToExclude){
std::experimental::filesystem::recursive_directory_iterator iterator(pathToSearch);
for (auto& p : iterator) {
if (p.path() == std::experimental::filesystem::directory_entry(pathToExclude).path()) iterator.pop();
if (fs::is_directory(p)) continue; //exclude directory from output
else std::cout << p << std::endl;
}
}
首先,基于范围的 for 循环在 iterator
的隐藏副本上运行,而不是 iterator
本身。如果需要操作用于迭代的迭代器,则需要常规 for
:
for(decltype(iterator) end; iterator != end; ++iterator) {
// ...
}
其次,pop
表示 "go up one level",但是当您将 iterator->path()
与排除的路径进行比较时,您的迭代还没有进入目录,因此 pop
不会不要做正确的事。相反,使用 disable_recursion_pending
.
我需要在一个目录及其子目录中递归搜索文件,但我想从搜索中排除一个路径(及其文件和子目录)。
我正在使用 std::experimental::filesystem::recursive_directory_iterator
和 pop()
修饰符,但它不起作用。我哪里错了?
void search(const char* pathToSearch,const char* pathToExclude){
std::experimental::filesystem::recursive_directory_iterator iterator(pathToSearch);
for (auto& p : iterator) {
if (p.path() == std::experimental::filesystem::directory_entry(pathToExclude).path()) iterator.pop();
if (fs::is_directory(p)) continue; //exclude directory from output
else std::cout << p << std::endl;
}
}
首先,基于范围的 for 循环在 iterator
的隐藏副本上运行,而不是 iterator
本身。如果需要操作用于迭代的迭代器,则需要常规 for
:
for(decltype(iterator) end; iterator != end; ++iterator) {
// ...
}
其次,pop
表示 "go up one level",但是当您将 iterator->path()
与排除的路径进行比较时,您的迭代还没有进入目录,因此 pop
不会不要做正确的事。相反,使用 disable_recursion_pending
.