一、打开文件并获取文件大小
要获取文件大小,首先需要打开文件。我们可以使用c++提供的fstream库中的ifstream来打开文件,并使用seekg函数定位到文件末尾,然后使用tellg函数获取当前文件指针位置。当前文件指针位置就是文件大小,即使文件为空也可以正确获取文件大小。
#include#include using namespace std; int main() { ifstream in("test.txt", ios::binary); if (!in) { cout << "文件打开失败\n"; return 1; } in.seekg(0, ios::end); int file_size = in.tellg(); cout << "文件大小为:" << file_size << "字节\n"; return 0; }
二、使用系统API获取文件大小
除了使用c++标准库,还可以调用系统API来获取文件大小。在Windows系统上,可以使用GetFileSize函数来获取文件大小。需要引入Windows.h头文件。
#include// 需要Windows.h头文件 int main() { HANDLE hFile = CreateFile( L"test.txt", GENERIC_READ, FILE_SHARE_READ, NULL, OPEN_EXISTING, FILE_ATTRIBUTE_NORMAL, NULL); if (hFile == INVALID_HANDLE_VALUE) { cout << "文件打开失败\n"; return 1; } int file_size = GetFileSize(hFile, NULL); cout << "文件大小为:" << file_size << "字节\n"; CloseHandle(hFile); return 0; }
三、获取目录下所有文件的大小
有时需要获取目录下所有文件的大小。我们可以使用c++标准库中的filesystem库来实现。遍历目录下所有文件,每次获取文件大小并累加即可。
#include#include using namespace std; int main() { int total_size = 0; for (const auto& entry : filesystem::directory_iterator(".")) { // 忽略目录,只计算文件大小 if (entry.is_directory()) continue; ifstream in(entry.path(), ios::binary); if (!in) { cout << "打开文件" << entry.path() << "失败\n"; return 1; } in.seekg(0, ios::end); total_size += in.tellg(); } cout << "目录下所有文件大小为:" << total_size << "字节\n"; return 0; }
四、使用boost库获取文件大小
除了c++标准库和系统API,还可以使用第三方库boost来获取文件大小。boost库中的filesystem库提供了file_size函数,可以获取文件大小。
#include#include using namespace std; namespace fs = boost::filesystem; int main() { int file_size = fs::file_size("test.txt"); cout << "文件大小为:" << file_size << "字节\n"; return 0; }
五、结语
本文介绍了四种获取文件大小的方法。使用c++标准库可以方便地获取文件大小,使用系统API可以直接操作系统,使用boost库可以兼容各种平台,使用filesystem库可以遍历目录下所有文件并获取文件大小。