我正在使用ReadFile读取我使用WriteFile写入文件的简单字符串。
有一个简单的字符串:“测试字符串,测试Windows函数”。
使用WriteFile将其写入文件。
现在,我想使用ReadFile确认它已写入文件中。我需要将读取的内容与上面的原始字符串进行比较。要从文件中读取
DWORD dwBytesRead;
char buff[128];
if(!ReadFile(hFile, buff, 128, &dwBytesRead, NULL))
//Fail
该函数返回true,因此正在从文件读取。问题是,仅仅只是一个完整的buff。我之前从未接触过LPVOID,所以我不知道它是否存在。有没有办法进行字符串比较?
编辑:我用来写入文件的代码非常简单:
if(!WriteFile(hFile, sentence.c_str(), sentence.length(), &bytesWritten, NULL))
{
//FAIL
}
最佳答案
文件指针需要在WriteFile()
之后和ReadFile()
之前倒退。就目前而言,ReadFile()
不会失败,但会读取零字节,因此buff
不变。由于buff
未初始化,因此包含垃圾。要将文件指针倒退到文件的开头,请使用SetFilePointer()
:
#include <windows.h>
#include <iostream>
#include <string>
int main()
{
HANDLE hFile = CreateFile ("myfile.txt",
GENERIC_WRITE | GENERIC_READ,
0,
NULL,
OPEN_EXISTING,
FILE_ATTRIBUTE_NORMAL,
NULL);
if (hFile)
{
std::string sentence("a test");
DWORD bytesWritten;
if (WriteFile(hFile,
sentence.c_str(),
sentence.length(),
&bytesWritten,
NULL))
{
if (INVALID_SET_FILE_POINTER != SetFilePointer(hFile,
0,
0,
FILE_BEGIN))
{
char buf[128] = { 0 }; /* Initialise 'buf'. */
DWORD bytesRead;
/* Read one less char into 'buf' to ensure null termination. */
if (ReadFile(hFile, buf, 127, &bytesRead, NULL))
{
std::cout << "[" << buf << "]\n";
}
else
{
std::cerr << "Failed to ReadFile: " <<
GetLastError() << "\n";
}
}
else
{
std::cerr << "Failed to SetFilePointer: " <<
GetLastError() << "\n";
}
}
else
{
std::cerr << "Failed to WriteFile: " << GetLastError() << "\n";
}
CloseHandle(hFile);
}
else
{
std::cerr << "Failed to open file: " << GetLastError() << "\n";
}
return 0;
}
关于c++ - ReadFile lpBuffer参数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/9180535/