3

read()我已经成功地截获了对, write(), open(), unlink(),的调用rename()creat()但不知何故,以完全相同的语义截获stat()并没有发生。我已经使用 LD_PRELOAD 更改了执行环境。

我错过了什么吗?

代码非常庞大,其中哪一部分对发布最有帮助,以便您提供帮助?

谢谢。

编辑:我保持插入的 stat() 包装器简单,以检查它是否有效。

int stat(const char *path,struct stat *buff)
{
    printf("client invoke: stat %s",path);
    return 1;
}
4

3 回答 3

5

编译一个调用stat(); 查看生成了哪些参考 ( nm -g stat.o)。然后,您将更好地了解要插入哪些函数。提示:它可能不叫stat().

于 2011-11-23T08:20:51.650 回答
3

如果您使用 64 位文件偏移量进行编译,则stat()要么是宏,要么是解析为 的重定向函数声明stat64(),因此您也必须插入该函数。

于 2011-11-23T04:47:35.847 回答
3

那么在linux中运行时并不是很简单。Gnu libc 做了一些技巧。您需要拦截 __xstat 并且如果要调用原始保存调用。

这是我如何让它工作的

gcc -fPIC -shared -o stat.so stat.c -ldl


#define _GNU_SOURCE

#include <stdio.h>
#include <dlfcn.h>
#include <string.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>

static int (*old_xstat)(int ver, const char *path, struct stat *buf) = NULL;
static int (*old_xstat64)(int ver, const char *path, struct stat64 *buf) = NULL;

int __xstat(int ver, const char *path, struct stat *buf)
{
  if ( old_xstat == NULL ) {
    old_xstat = dlsym(RTLD_NEXT, "__xstat");
  }

  printf("xstat %s\n",path);
  return old_xstat(ver,path, buf);
} 

int __xstat64(int ver, const char *path, struct stat64 *buf)
{
  if ( old_xstat64 == NULL ) {
    old_xstat64 = dlsym(RTLD_NEXT, "__xstat64");
  }

  printf("xstat64 %s\n",path);
  return old_xstat64(ver,path, buf);
}
于 2013-09-04T08:48:23.603 回答