9

我正在尝试为 C++ 课程编写一个小型类库。

我想知道是否可以在我的共享对象中定义一组类,然后直接在演示库的主程序中使用它们。有没有什么技巧?我记得很久以前(在我开始真正编程之前)读过这篇文章,C++ 类只适用于 MFC .dll 而不是普通的,但这只是 windows 方面的。

4

3 回答 3

12

C++ 类在 .so 共享库中工作正常(它们也可以在 Windows 上的非 MFC DLL 中工作,但这不是你的问题)。它实际上比 Windows 更容易,因为您不必从库中显式导出任何符号。

本文档将回答您的大部分问题: http: //people.redhat.com/drepper/dsohowto.pdf

要记住的主要事情是-fPIC在编译时使用该选项,以及-shared在链接时使用该选项。你可以在网上找到很多例子。

于 2008-09-12T01:01:22.997 回答
10

我的解决方案/测试

这是我的解决方案,它符合我的预期。

代码

猫.hh

#include <string>

class Cat
{
    std::string _name;
public:
    Cat(const std::string & name);
    void speak();
};

猫.cpp

#include <iostream>
#include <string>

#include "cat.hh"

using namespace std;

Cat::Cat(const string & name):_name(name){}
void Cat::speak()
{
    cout << "Meow! I'm " << _name << endl;
}

主.cpp

#include <iostream>
#include <string>
#include "cat.hh"

using std::cout;using std::endl;using std::string;
int main()
{
    string name = "Felix";
    cout<< "Meet my cat, " << name << "!" <<endl;
    Cat kitty(name);
    kitty.speak();
    return 0;
}

汇编

您首先编译共享库:

$ g++ -Wall -g -fPIC -c cat.cpp
$ g++ -shared -Wl,-soname,libcat.so.1 -o libcat.so.1 cat.o

然后使用库中的类编译主可执行文件或 C++ 程序:

$ g++ -Wall -g -c main.cpp
$ g++ -Wall -Wl,-rpath,. -o main main.o libcat.so.1 # -rpath linker option prevents the need to use LD_LIBRARY_PATH when testing
$ ./main
Meet my cat, Felix!
Meow! I'm Felix
$
于 2008-09-12T02:12:30.297 回答
3

据我了解,只要您链接所有使用相同编译器编译的 .so 文件就可以了。不同的编译器以不同的方式处理符号,并且将无法链接。

这是在 Windows 上使用 COM 的优势之一,它定义了将 OOP 对象放入 DLL 的标准。我可以使用 GNU g++ 编译 DLL 并将其链接到使用 MSVC 编译的 EXE - 甚至是 VB!

于 2008-09-12T01:24:03.627 回答