使用 dlopen 动态加载共享库
Loading shared library dynamically using dlopen
我正在尝试使用 dlopen 加载 TestCode.so。 getNumber() 是我想从 TestCode.so 使用的函数。但是当我加载 .so 时。我无法使用该功能。它给出了分段错误。
示例程序:
TestHeader.hpp
#ifndef _HEADER_HPP
#define _HEADER_HPP
typedef struct
{
int number;
} Test;
#endif
TestCode.cpp
#include "TestHeader.hpp"
extern "C" void getNumber( Test* tObj, int number)
{
tObj->number = number;
}
main.cpp
#include "TestHeader.hpp"
#include <iostream>
#include <dlfcn.h>
#include <stdio.h>
int main() {
using std::cout;
using std::cerr;
Test* tMainObj = NULL;
typedef int (*TestNumber)(Test*, int);
void* thandle = dlopen("./TestCode.so", RTLD_LAZY);
if (!thandle) {
cerr << "Cannot load TestCode: " << dlerror() << '\n';
return 1;
}
// reset errors
dlerror();
// load the symbols
TestNumber getAge = (TestNumber) dlsym(thandle, "getNumber");
const char* dlsym_error = dlerror();
if (dlsym_error) {
cerr << "Cannot load symbol getNumber: " << dlsym_error << '\n';
return 1;
}
printf("Getting my age\n");
int myAge = 25;
getAge(tMainObj,myAge);
printf("My age from the so is: %d\n",tMainObj->number);
dlclose(thandle);
}
输出:
Getting my age Segmentation fault (core dumped)
用于编译和创建共享库。我使用了以下命令,
g++ -fPIC -c -Wall TestHeader.hpp
g++ -fPIC -c -Wall TestCode.cpp
g++ -shared TestCode.o -o TestCode.so
g++ -fPIC -c -Wall main.cpp
g++ main.cpp -o main TestCode.o -ldl
谁能帮我理解这部分?提前致谢。
原因是您从未分配任何 Test
对象。指针是NULL
(使用nullptr
),所以
tObj->number = number;
是 UB,可能是段错误。
test
没有理由成为指针。
Test tMainObj;getAge(&tMainObj,myAge);
更简单,完成工作。
我正在尝试使用 dlopen 加载 TestCode.so。 getNumber() 是我想从 TestCode.so 使用的函数。但是当我加载 .so 时。我无法使用该功能。它给出了分段错误。
示例程序: TestHeader.hpp
#ifndef _HEADER_HPP
#define _HEADER_HPP
typedef struct
{
int number;
} Test;
#endif
TestCode.cpp
#include "TestHeader.hpp"
extern "C" void getNumber( Test* tObj, int number)
{
tObj->number = number;
}
main.cpp
#include "TestHeader.hpp"
#include <iostream>
#include <dlfcn.h>
#include <stdio.h>
int main() {
using std::cout;
using std::cerr;
Test* tMainObj = NULL;
typedef int (*TestNumber)(Test*, int);
void* thandle = dlopen("./TestCode.so", RTLD_LAZY);
if (!thandle) {
cerr << "Cannot load TestCode: " << dlerror() << '\n';
return 1;
}
// reset errors
dlerror();
// load the symbols
TestNumber getAge = (TestNumber) dlsym(thandle, "getNumber");
const char* dlsym_error = dlerror();
if (dlsym_error) {
cerr << "Cannot load symbol getNumber: " << dlsym_error << '\n';
return 1;
}
printf("Getting my age\n");
int myAge = 25;
getAge(tMainObj,myAge);
printf("My age from the so is: %d\n",tMainObj->number);
dlclose(thandle);
}
输出:
Getting my age Segmentation fault (core dumped)
用于编译和创建共享库。我使用了以下命令,
g++ -fPIC -c -Wall TestHeader.hpp
g++ -fPIC -c -Wall TestCode.cpp
g++ -shared TestCode.o -o TestCode.so
g++ -fPIC -c -Wall main.cpp
g++ main.cpp -o main TestCode.o -ldl
谁能帮我理解这部分?提前致谢。
原因是您从未分配任何 Test
对象。指针是NULL
(使用nullptr
),所以
tObj->number = number;
是 UB,可能是段错误。
test
没有理由成为指针。
Test tMainObj;getAge(&tMainObj,myAge);
更简单,完成工作。