本地动态库

时间:2016-06-15 19:38:38

标签: c++ dynamic-library

马上,我想说我从未使用过动态库,所以有可能我甚至不了解它们是如何正常工作的。

我希望运行一个完全加载的代码,并在一些触发器(可能是用户交互)之后,我想加载一个特定的库并在该库中执行一个函数。最好在之后关闭它。基本上允许我在运行时更改它并重新加载它。

这是一个简单的动态库(名为 dynlib.so ,位于与主代码相同的目录中):

int getInt(int arg_0)
{
  return (arg_0 + 7);
}

这是主要计划:

#include <iostream>
#include <dlfcn.h>

int main() {
  void *lib_handle = dlopen("./dynlib.so", RTLD_LAZY | RTLD_NOW);
  if (!lib_handle) {
    fprintf(stderr, "%s\n", dlerror());
    exit(EXIT_FAILURE);
  }

  typedef int (*func_ptr)(int);
  func_ptr func = (func_ptr)dlsym(lib_handle, "getInt");
  std::cout << func(13);

  dlclose(lib_handle);
}

我正在编译它: g ++ -std = c ++ 11 -ldl loadlibtest.cpp -o main

我抓到的错误是 ./ libshared.so:文件太短在我的if (!lib_handle) {

2 个答案:

答案 0 :(得分:3)

对我来说很好。我用

编译了dynlib.so
$ gcc dynlib.c -fPIC -shared -o dynlib.so

(显然,您需要使用extern "C"将其编译为C或C ++,以避免名称损坏。)

我需要在-ldl调用中的源文件之后放置g++

gcc:4.8.5; g ++:5.3.0

dlsym也可能失败,从void *转换为函数指针在技术上是UB。您应该基于usage snippet from the manpage(为您的功能修改):

       dlerror();    /* Clear any existing error */

       /* Writing: func = (int (*)(int)) dlsym(handle, "getInt");
          would seem more natural, but the C99 standard leaves
          casting from "void *" to a function pointer undefined.
          The assignment used below is the POSIX.1-2003 (Technical
          Corrigendum 1) workaround; see the Rationale for the
          POSIX specification of dlsym(). */

       *(void **) (&func) = dlsym(handle, "getInt");

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

答案 1 :(得分:1)

经过一些很好的回复,我发现了我做错了什么。

1)我没有使用extern&#34; C&#34;对于我的库函数,所以 dlsym 无法找到该函数。

2)我不知道必须编译动态库&lt;&lt;我非常愚蠢。

我仍然想知道是否有办法将未编译的代码用作库,但是我的初始问题已经解决了,感谢所有人。