倾斜具有依赖关系的库

时间:2013-05-27 03:51:46

标签: linux dynamic-linking dlopen ld-preload

我有一个程序调用dlopen(带有RTLD_NOW)来动态加载一个库,该库的运行时间指定了完整路径,但在程序首次执行时却不知道。指定的库与另一个.so文件动态链接,该文件的位置在程序启动之后也是未知的,但在调用dlopen之前是已知的。关于如何让这个场景发挥作用的任何想法?谢谢!

1 个答案:

答案 0 :(得分:0)

将其传递给第一个动态加载库中的方法

three.c:

#include <stdio.h>

void
doit()
{
   printf("Success\n");
}

two.c:

#include <stdio.h>
#include <stdlib.h>
#include <dlfcn.h>

void go(const char* location)
{
   void *handle;
   void (*doit)(void);
   char *error;

   handle = dlopen(location, RTLD_LAZY);
   if (!handle) {
      fprintf(stderr, "%s\n", dlerror());
      exit(EXIT_FAILURE);
   }

   dlerror();

   *(void **) (&doit) = dlsym(handle, "doit");

   if ((error = dlerror()) != NULL)  {
      fprintf(stderr, "%s\n", error);
      exit(EXIT_FAILURE);
   }

   (*doit)();
   dlclose(handle);
}

main.c中:

#include <stdio.h>
#include <stdlib.h>
#include <dlfcn.h>

int
main(int argc, char **argv)
{
   void *handle;
   void (*go)(const char*);
   char *error;

   handle = dlopen("/tmp/two.so", RTLD_NOW);
   if (!handle) {
      fprintf(stderr, "%s\n", dlerror());
      return EXIT_FAILURE;
   }

   dlerror();

   const char* location = "/tmp/three.so";
   *(void **) (&go) = dlsym(handle, "go");

   if ((error = dlerror()) != NULL)  {
      fprintf(stderr, "%s\n", error);
      return EXIT_FAILURE;
   }

   (*go)(location);
   dlclose(handle);

   return EXIT_SUCCESS;
}

结果:

svengali ~ % gcc -o /tmp/two.so two.c -shared -rdynamic -fpic
svengali ~ % gcc -o /tmp/three.so three.c -shared -rdynamic -fpic
svengali ~ % gcc -rdynamic -o go main.c -ldl
svengali ~ % go
Success
svengali ~ %