-1

我有: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;
}

汽车.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 */

测试.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 我尝试使用以下命令编译 test.cc g++ test.cc -o tst -ldl:。为什么我需要包含-lMyLib?有没有编译代码的方法libMyLib.so?其次为什么dlsym(handle,"brake")不工作?如果我改变 dlsym (Car* (*)....dlsym(handle,"brake")我什么也得不到。为什么?

欣赏

4

1 回答 1

3

为什么我需要包含 -lMyLib?

因为您需要链接到该Car::brake方法。

其次,为什么 dlsym(handle,"brake") 不起作用?

因为没有brake符号。该方法Car::brake有一个复杂的(实现定义的)名称。您可以在 的输出中看到这一点nm -D

AFAIK,你可以通过

  • 使所有Car虚拟方法(它们将通过指针调用,因此不需要链接)
  • 以旧的 C 方式进行操作,即。导出一个从 .sobrake()调用该方法的自由函数Car::brake
  • 制作所有公共方法Car inline并在标头中定义它们。
  • 模拟虚拟表方法(就像我们在 C 中所做的那样)

结合最后两种方法:

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(); }) { ... }
};

当然,您可以将实现和接口分开,这样就不会那么混乱了。

于 2011-09-05T12:17:14.113 回答