1

我有一些类要编译为外部静态库。我的linked_list.hpp(我正在尝试编译的linked_list的标题)看起来像:

#include "list_base.hpp"

template <typename T>

class Linked_list : public List_base <T> {


    public://
        Linked_list();
        ~Linked_list();

    public://accessor functions
        Linked_list<T> * next();//go to the next element in the list
        Node<T> * get_current_node() const;//return the current node
        T get_current() const;//get the current data
        T get(int index) const;//this will get the specified index and will return the data it holds

    public://worker functions
        Linked_list<T> * push(T value);//push a value into the front of the list
        Linked_list<T> * pop_current();//deletes the current_node--resets the current as the next element in the list!
        Linked_list<T> * reset();//this resets the current to the front of the list
        Linked_list<T> * erase(int index);

    private://variables
        Node<T> * current;//store the current node


};

#include "linked_list.cpp"//grab the template implementation file


#endif

我所有的代码头都放在“header”目录中,实现放在我拥有的实现文件夹中。这些作为 -I 目录传递。

我用于编译的 make 文件命令如下所示:

static: $(DEPENDENCIES)
    ar rcs liblist_templates.a node.o list_base.o linked_list.o 

运行时它给了我这个错误......

/usr/bin/ranlib: warning for library: liblist_templates.a the table of contents is empty (no object file members in the library define global symbols)

我创建了一个包含“linked_list.hpp”和其他一些库的主头文件,但是每当我包含它时,它似乎仍在寻找包含的 cpp 文件。我做错了什么?我想创建一个可移植的库,我可以从此代码中放入现有项目。

4

1 回答 1

2

如果您的库仅包含模板代码,则它本身无法编译:例如,编译器不知道T在链表中将使用哪种类型。

当你编译linked_list.cpp时,编译器只实现了基本的语法检查并生成了一个空的目标文件。ranlib然后抱怨,因为您要求他从所有这些空目标文件中创建一个空库。

解决方法很简单:什么都不做!您的客户端代码只需要源文件;它不需要链接到任何库。而且您总是需要发送.cpp文件,因为没有它们,编译器将无能为力。

于 2012-12-01T23:07:48.353 回答