阅读量:0
在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()
函数获取源文件的缓冲区,并将其直接写入目标文件。这样可以确保整个文件被逐块复制,而不是一次性加载到内存中。最后,函数关闭文件并返回操作是否成功。
请注意,这个示例假设源文件和目标文件都是二进制文件。如果需要复制文本文件,可能需要对字符进行适当的转换。