我想知道一个文件的地址。
我可以使用 打开一个文件fopen()
,然后我可以使用文件指针来读取它的内容。是否可以通过地址获取文件的内容?我知道它是从流而不是文件中读取的,但即使知道流的起始地址是什么也会有所帮助。
我看到了FILE
结构,并注意到其中base
包含一个指针。我已经阅读了它的价值,但它是0
。
我究竟做错了什么?我正在尝试的甚至可能吗?
内存 (RAM) 中的事物具有可以读取和写入的地址。磁盘上的文件没有地址。您只能将文件读入内存,然后浏览其内容。
或者您可以fseek
在流 API 中使用来寻找文件中的特定位置,然后从那里开始在内存中读取它,或者其他什么。
要在 C 中打开和读取文件,您可以执行以下操作:
/* fread example: read a complete file */
#include <stdio.h>
#include <stdlib.h>
int main () {
FILE * pFile;
long lSize;
char * buffer;
size_t result;
pFile = fopen ( "myfile.bin" , "rb" );
if (pFile==NULL) {fputs ("File error",stderr); exit (1);}
// obtain file size:
fseek (pFile , 0 , SEEK_END);
lSize = ftell (pFile);
rewind (pFile);
// allocate memory to contain the whole file:
buffer = (char*) malloc (sizeof(char)*lSize);
if (buffer == NULL) {fputs ("Memory error",stderr); exit (2);}
// copy the file into the buffer:
result = fread (buffer,1,lSize,pFile);
if (result != lSize) {fputs ("Reading error",stderr); exit (3);}
/* the whole file is now loaded in the memory buffer. */
// terminate
fclose (pFile);
free (buffer);
return 0;
}
内存映射文件可以实现这一点,但它们是特定于操作系统的功能(大多数系统都支持),标准库不提供。