我有: car.cc
#include "car.h"
#include <iostream>
using namespace std;
extern "C" Car* create_object()
{
return new Car;
}
Car::Car() {
this->maxGear = 2;
this->currentGear = 1;
this->speed = 0;
}
void Car::shift(int gear) {
if (gear < 1 || gear > maxGear) {
return;
}
currentGear = gear;
}
void Car::brake() {
speed -= (5 * this->getCurrentGear());
std::cout<<"THE SPEED IS:" <<speed<<std::endl;
}
extern "C" void destroy_object( Car* object )
{
delete object;
}
car.h
#ifndef VEHICLES_CAR_H
#define VEHICLES_CAR_H
// A very simple car class
class Car {
public:
Car();
void shift(int gear);
void accelerate();
void brake();
private:
int maxGear;
int currentGear;
int speed;
};
#endif /* VEHICLES_CAR_H */
test.cc
#include "/home/car.h"
#include <dlfcn.h>
#include <stdio.h>
#include <stdlib.h>
#include <iostream>
using namespace std;
int main()
{
/* on Linux, use "./myclass.so" */
void* handle = dlopen("/usr/lib/libCarTest.so", RTLD_LAZY);
int (*result)(int);
if (!handle)
{
}
/*dlsym(handle,"accelerate");
cout<<"IN HERE: "<<endl;
dlsym(handle,"brake");
dlclose(handle);*/
Car* (*create)();
void (*destroy)(Car*);
dlerror();
create = (Car* (*)())dlsym(handle, "create_object");
destroy = (void (*)(Car*))dlsym(handle, "destroy_object");
Car* carr = (Car*)create();
carr->brake();
destroy( carr );
dlclose(handle);
/*
Car carr;
carr.brake();
* compilation g++ test.cpp -o tst /path/libcar.so
*/
return 0;
}
创建libMyLib.so
并在/usr/lib
中安装后,我尝试使用:g++ test.cc -o tst -ldl
编译test.cc。为什么我需要包含-lMyLib?
有没有办法在没有libMyLib.so
的情况下编译代码?其次为什么dlsym(handle,"brake")
不起作用?如果我改变dlsym(Car *(*).... with dlsym(handle,"brake")
我什么都没得到。为什么?
欣赏
答案 0 :(得分:3)
为什么我需要包含-lMyLib?
因为您需要链接到Car::brake
方法。
其次为什么dlsym(句柄,“刹车”)不起作用?
因为没有brake
符号。方法Car::brake
具有复杂的损坏(实现定义)名称。您可以在nm -D
的输出中看到这一点。
AFAIK,您可以通过
解决Car
虚拟的所有方法(它们将通过指针调用,因此不需要链接)brake()
方法的自由函数Car::brake
Car
inline
的所有公开方法,并在标题中定义它们。结合最后两种方法:
class Car {
public:
void brake() { brake_impl(this); }
private:
void (*brake_impl)(Car*);
void do_brake(); // this would be the actual implementation
Car() : brake_impl([] (Car* c){ c->do_brake(); }) { ... }
};
当然你可以拆分实现和界面,所以它不是那么混乱。