6

我正在尝试openat()使用可以通过加载的自定义共享库来拦截 Linux 上的系统调用LD_PRELOAD。一个例子intercept-openat.c有这样的内容:

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

int (*_original_openat)(int dirfd, const char *pathname, int flags, mode_t mode);

void init(void) __attribute__((constructor));
int openat(int dirfd, const char *pathname, int flags, mode_t mode);

void init(void)
{
        _original_openat = (int (*)(int, const char *, int, mode_t))
                dlsym(RTLD_NEXT, "openat");
}

int openat(int dirfd, const char *pathname, int flags, mode_t mode)
{
        fprintf(stderr, "intercepting openat()...\n");
        return _original_openat(dirfd, pathname, flags, mode);
}

我通过gcc -fPIC -Wall -shared -o intercept-openat.so intercept-openat.c -ldl. 然后,当我运行这个小示例程序时:

int main(int argc, char *argv[])
{
    int fd;
    fd = openat(AT_FDCWD, "/home/feh/.vimrc", O_RDONLY);
    if(fd == -1)
        return -1;
    close(fd);
    return 0;
}

openat()调用通过库重写:

$ LD_PRELOAD=./intercept-openat.so ./openat 
intercepting openat()...

但是,GNU tar 不会发生同样的情况,即使它使用相同的系统调用:

$ strace -e openat tar cf /tmp/t.tgz .vimrc  
openat(AT_FDCWD, ".vimrc", O_RDONLY|O_NOCTTY|O_NONBLOCK|O_NOFOLLOW|O_CLOEXEC) = 4
$ LD_PRELOAD=./intercept-openat.so tar cf /tmp/t.tgz .vimrc

所以自定义openat()fromintercept-openat.so没有被调用。这是为什么?

4

1 回答 1

2

它使用相同的系统调用,但显然它没有通过相同的 C 函数调用它。或者,它可能确实如此,但它是静态链接的。

无论哪种方式,我认为您已经证明它永远不会动态链接函数名称“openat”。如果您仍想继续使用此选项,您可能想查看它是否链接到该功能的特定版本,但这是一个很长的机会。

您仍然可以通过编写程序来拦截系统调用来使用ptrace. 这与 strace 和 gdb 使用的接口相同。不过,它会有更高的性能损失。

http://linux.die.net/man/2/ptrace

于 2012-02-06T16:23:48.883 回答