C++实现将文件移动到temp文件夹里
时间: 2024-09-06 12:04:28 浏览: 32
VC++ 复制文件到指定系统临时目录
4星 · 用户满意度95%
在C++中,你可以使用C++标准库`<filesystem>`来实现文件的移动功能。下面是一个简单的示例,演示如何将文件从给定源路径移动到系统的临时文件夹(通常位于`"/tmp"`目录下):
```cpp
#include <iostream>
#include <filesystem>
void move_file_to_temp(const std::string& src_path, const std::string& temp_dir_path) {
// 检查临时目录是否存在,不存在则创建
if (!std::filesystem::exists(temp_dir_path)) {
try {
std::filesystem::create_directory(temp_dir_path);
std::cout << "临时目录创建成功:" << temp_dir_path << '\n';
} catch (const std::filesystem::filesystem_error& e) {
std::cerr << "创建临时目录失败: " << e.what() << '\n';
return;
}
}
// 获取文件名以便于新路径构建
auto file_name = std::filesystem::path(src_path).filename();
// 完整的目标路径
std::string target_path = temp_dir_path + "/" + file_name;
// 检查源文件是否存在并移动
if (std::filesystem::exists(src_path)) {
try {
std::filesystem::rename(src_path, target_path);
std::cout << "文件" << src_path << "已移动至:" << target_path << '\n';
} catch (const std::filesystem::filesystem_error& e) {
std::cerr << "移动文件失败: " << e.what() << '\n';
}
} else {
std::cerr << "源文件" << src_path << "不存在,无法移动.\n";
}
}
int main() {
// 调用函数传入具体的源文件路径和临时文件夹路径
move_file_to_temp("path_to_your_file.txt", "/tmp");
return 0;
}
```
这个例子假设`move_file_to_temp`函数接受两个字符串参数,分别代表源文件路径和临时目录路径。如果一切顺利,文件会被移动;如果遇到任何错误,会捕获异常并打印错误信息。
阅读全文