如何获取文件的地址?

时间:2012-09-20 12:23:20

标签: c file

我想知道文件的地址。

我可以使用fopen()打开文件,然后我可以使用文件指针来读取其内容。是否可以按地址获取文件的内容?我知道它是从流而不是文件读取,但即使知道流的起始地址是有用的。

我看到了FILE结构,并注意到其中包含一个base指针。我已阅读其值,但它是0

我做错了什么?我正在尝试甚至可能吗?

2 个答案:

答案 0 :(得分:3)

内存中的内容(RAM)具有可以读写的地址。磁盘上的文件没有地址。您只能将文件读入内存,然后浏览它的内容。

或者你可以在流API中使用fseek来寻找文件中的特定位置,并从那里开始在内存中读取它,或者其他什么。

要在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;
}

答案 1 :(得分:1)

内存映射文件可以实现这一点,但它们是特定于操作系统的功能(大多数系统都支持),而不是标准库提供的。