阅读量:0
在C++中,你可以使用标准库中的文件流(如 ifstream
和 ofstream
)和系统相关的API来实现文件复制,并通过计算已复制的字节数来控制进度。以下是一个简单的示例,展示了如何使用C++复制文件并显示进度:
#include <iostream> #include <fstream> #include <string> void copyFile(const std::string& source, const std::string& destination) { std::ifstream src(source, std::ios::binary); if (!src) { std::cerr << "Error opening source file: " << source << std::endl; return; } std::ofstream dest(destination, std::ios::binary); if (!dest) { std::cerr << "Error opening destination file: " << destination << std::endl; src.close(); return; } const size_t bufferSize = 1024 * 1024; // 1 MB char buffer[bufferSize]; size_t totalBytesRead = 0; size_t bytesRead; while ((bytesRead = src.read(buffer, bufferSize)) > 0) { dest.write(buffer, bytesRead); totalBytesRead += bytesRead; // 计算进度百分比 double progress = static_cast<double>(totalBytesRead) / src.tellg() * 100; std::cout << "Progress: " << progress << "%\r" << std::flush; } if (src.eof()) { std::cout << std::endl; } else { std::cerr << "Error reading source file: " << source << std::endl; } src.close(); dest.close(); } int main() { std::string sourceFile = "source.txt"; std::string destinationFile = "destination.txt"; copyFile(sourceFile, destinationFile); return 0; }
在这个示例中,copyFile
函数接受源文件名和目标文件名作为参数。它使用ifstream
打开源文件,并使用ofstream
打开目标文件。然后,它在一个循环中读取源文件的内容,并将其写入目标文件。在每次迭代中,它计算已复制的字节数占总字节数的百分比,并输出进度。
请注意,这个示例仅适用于支持C++11或更高版本的编译器。如果你使用的是较旧的编译器,你可能需要调整代码以适应其限制。