在C++中,復制大文件時通常使用流式復制,這樣可以避免一次性將整個文件加載到內存中。以下是一個使用C++標準庫中的std::ifstream
和std::ofstream
進行大文件復制的示例:
#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;
return false;
}
// Copy data from source to destination
destinationFile << sourceFile.rdbuf();
// Check if the copy was successful
if (!sourceFile.eof()) {
std::cerr << "Error copying file: " << sourcePath << std::endl;
return false;
}
// Close files
sourceFile.close();
destinationFile.close();
return true;
}
int main() {
std::string sourcePath = "path/to/source/file.txt";
std::string destinationPath = "path/to/destination/file.txt";
if (copyFile(sourcePath, destinationPath)) {
std::cout << "File copied successfully!" << std::endl;
} else {
std::cerr << "File copy failed!" << std::endl;
}
return 0;
}
在這個示例中,copyFile
函數接受源文件路徑和目標文件路徑作為參數。它首先打開這兩個文件,然后使用rdbuf()
函數獲取源文件的緩沖區,并將其直接寫入目標文件。這樣可以確保整個文件被逐塊復制,而不是一次性加載到內存中。最后,函數關閉文件并返回操作是否成功。
請注意,這個示例假設源文件和目標文件都是二進制文件。如果需要復制文本文件,可能需要對字符進行適當的轉換。