在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或更高版本的編譯器。如果你使用的是較舊的編譯器,你可能需要調整代碼以適應其限制。