在C++中,你可以使用std::ifstream
和std::ofstream
來復制文件。如果在復制過程中遇到錯誤,你可以檢查相關流的狀態并相應地處理錯誤。以下是一個簡單的示例,展示了如何使用C++復制文件并處理可能的錯誤:
#include <iostream>
#include <fstream>
#include <string>
bool copyFile(const std::string& sourcePath, const std::string& destinationPath) {
std::ifstream sourceFile(sourcePath, std::ios::binary);
if (!sourceFile) {
std::cerr << "Error opening source file: " << sourcePath << std::endl;
return false;
}
std::ofstream destinationFile(destinationPath, std::ios::binary);
if (!destinationFile) {
std::cerr << "Error opening destination file: " << destinationPath << std::endl;
sourceFile.close();
return false;
}
destinationFile << sourceFile.rdbuf();
if (destinationFile.fail()) {
std::cerr << "Error copying file: " << destinationPath << std::endl;
sourceFile.close();
destinationFile.close();
return false;
}
sourceFile.close();
destinationFile.close();
return true;
}
int main() {
std::string sourcePath = "source.txt";
std::string destinationPath = "destination.txt";
if (copyFile(sourcePath, destinationPath)) {
std::cout << "File copied successfully!" << std::endl;
} else {
std::cerr << "Failed to copy file." << std::endl;
}
return 0;
}
在這個示例中,copyFile
函數接受兩個參數:源文件路徑和目標文件路徑。函數首先嘗試打開源文件和目標文件。如果任何一個文件無法打開,函數將返回false
并輸出錯誤信息。
接下來,函數將源文件的內容復制到目標文件中。如果在復制過程中發生錯誤,函數將返回false
并輸出錯誤信息。如果復制成功完成,函數將關閉兩個文件并返回true
。
在main
函數中,我們調用copyFile
函數并檢查其返回值。如果函數返回true
,則表示文件復制成功。否則,我們將輸出一條錯誤消息。