C++`fs::directory_iterator` 异常的处理方法
C++ 标准库 遍历文件夹时偶尔出现异常
1
| The system cannot find the path specified
|
异常可能是访问错误或者权限方面的原因,要避免异常可以这样写
1
2
3
4
5
| std::error_code ec;
for ( auto it = fs::directory_iterator( dir, ec ); !ec && it != fs::directory_iterator(); it.increment( ec ) )
{
if ( !it->is_regular_file( ec ) ) continue;
}
|
或者封装一层 采用 for … auto 语法
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
| /*
std::error_code ec;
safe_directory sdir{ std::filesystem::current_path(), ec };
for ( auto dirEntry : sdir )
{
if ( dirEntry.is_regular_file( ec ) )
std::cout << dirEntry.path() << std::endl;
}
*/
//iterator of directory items that will save any errors in (ec) instead of throwing exceptions
struct safe_directory_iterator
{
fs::directory_iterator it;
std::error_code & ec;
safe_directory_iterator & operator ++() { it.increment(ec); return *this; }
auto operator *() const { return *it; }
};
// object of this struct can be passed to range based for
struct safe_directory
{
fs::path dir;
std::error_code & ec;
base::safe_directory_iterator begin()
{
return base::safe_directory_iterator{ fs::directory_iterator(dir, ec), ec };
}
fs::directory_iterator end()
{
return {};
}
};
inline bool operator !=(const safe_directory_iterator & a, const fs::directory_iterator & b)
{
return !a.ec && a.it != b;
}
|
使用方法
1
2
3
4
5
6
7
8
| std::error_code ec;
safe_directory sdir{ std::filesystem::current_path(), ec };
for ( auto dirEntry : sdir )
{
if ( dirEntry.is_regular_file( ec ) )
std::cout << dirEntry.path() << std::endl;
}
|