我尝试过这个代码,当我从USB闪存驱动器读取一个扇区但它无法与硬盘驱动器上的任何分区一起工作时,所以我想知道当你尝试从usb读取它时是否是同样的事情或从硬盘驱动器
int ReadSector(int numSector,BYTE* buf){
int retCode = 0;
BYTE sector[512];
DWORD bytesRead;
HANDLE device = NULL;
device = CreateFile("\\\\.\\H:", // Drive to open
GENERIC_READ, // Access mode
FILE_SHARE_READ, // Share Mode
NULL, // Security Descriptor
OPEN_EXISTING, // How to create
0, // File attributes
NULL); // Handle to template
if(device != NULL)
{
SetFilePointer (device, numSector*512, NULL, FILE_BEGIN) ;
if (!ReadFile(device, sector, 512, &bytesRead, NULL))
{
printf("Error in reading disk\n");
}
else
{
// Copy boot sector into buffer and set retCode
memcpy(buf,sector, 512);
retCode=1;
}
CloseHandle(device);
// Close the handle
}
return retCode;}
答案 0 :(得分:1)
问题是共享模式。您已指定FILE_SHARE_READ
,这意味着没有其他人可以写入设备,但该分区已经安装了读/写,因此无法为您提供该共享模式。如果您使用FILE_SHARE_READ|FILE_SHARE_WRITE
,它将有效。 (好吧,如果磁盘扇区大小为512字节,并且假设该进程以管理员权限运行。)
您还要错误地检查故障; CreateFile在失败时返回INVALID_HANDLE_VALUE
而不是NULL
。
我成功测试了这段代码:
#include <windows.h>
#include <stdio.h>
int main(int argc, char ** argv)
{
int retCode = 0;
BYTE sector[512];
DWORD bytesRead;
HANDLE device = NULL;
int numSector = 5;
device = CreateFile(L"\\\\.\\C:", // Drive to open
GENERIC_READ, // Access mode
FILE_SHARE_READ|FILE_SHARE_WRITE, // Share Mode
NULL, // Security Descriptor
OPEN_EXISTING, // How to create
0, // File attributes
NULL); // Handle to template
if(device == INVALID_HANDLE_VALUE)
{
printf("CreateFile: %u\n", GetLastError());
return 1;
}
SetFilePointer (device, numSector*512, NULL, FILE_BEGIN) ;
if (!ReadFile(device, sector, 512, &bytesRead, NULL))
{
printf("ReadFile: %u\n", GetLastError());
}
else
{
printf("Success!\n");
}
return 0;
}