C ++链接问题

时间:2016-09-21 23:30:34

标签: c++ linux g++ dynamic-linking

假设我有一个名为libfoo.so的共享库,它还依赖于另一个名为libbar.so的共享库。在libfoo.so中,它提供的唯一功能是一个存储两个整数的类,并且可以返回添加在一起的那两个整数的值。

libfoo.so:

// Foo.hpp

class Foo
{
  int x, y;
public:
  Foo(int x, int y);
  int add() const;
};

现在,在libbar.so中,有两个类:一个只存储字符串的Bar1类和一个存储一个整数的Bar2类,该整数通过创建一个Foo对象并使用add()函数生成一个新的整数。

// Bar1.hpp

class Bar1
{
  std::string str;
public:
  Bar1(const std::string& str);
  const std::string& getString() const;
};


// Bar2.hpp

#include "foo.hpp"

class Bar2
{
  int z;
public:
  Bar2(int x, int y);
  int getInt() const;
};

现在,我想编写一个使用Bar1的程序。我不关心Bar2。我非常简单的程序如下:

// Test.cpp

#include <iostream>

#include "Bar1.hpp"

using namespace std;

int main()
{
  Bar1 bar1("Hello");
  cout << bar1.getString() << endl;
}

我像这样编译这个程序:

g++ -c test.cpp -o test.o
g++ -o test test.o -lbar

生成的错误是:

undefined reference to 'Foo::Foo(int, int)' 
undefined reference to 'Foo::add() const' 

这可以通过为链接器指定'-lfoo'来解决。但是,我现在正在链接一个我的二进制文件永远不会使用的库。

有没有办法清理它,编译器知道我的二进制文件不关心解析这些符号,因为我从不在程序中的任何地方使用Bar2?

编辑:

添加类的实现。我认为这不重要。他们在这里:

// Foo.cpp

#include "Foo.hpp"

Foo::Foo(int new_x, int new_y)
{
  x = new_x;
  y = new_y;
}

int Foo::add() const
{
  return x + y;
}

这是Bar1.cpp:

// Bar1.cpp

#include "Bar1.hpp"

Bar1::Bar1(const std::string& the_str)
{
  str = the_str;
}

const std::string& Bar1::getString() const
{
  return str;
}

这是Bar2.cpp:

// Bar2.cpp

#include "Bar2.hpp"

Bar2::Bar2(int x, int y)
{
  Foo foo(x, y);
  z = foo.add();
}

int Bar2::getInt() const
{
  return z;
}

请注意,显而易见的是,我这样写这些类纯粹是出于实验目的。我正在使用链接器以及开发人员如何链接到库并使用它们。

1 个答案:

答案 0 :(得分:0)

foo.cpp和bar.cpp在哪里?你没有实现类foo和bar:

// foo.cpp
#include "Foo.hpp"

Foo::Foo(int X, int Y) : x(X), y(Y){}
int Foo::add()const{return x + y;}


// Bar1.cpp

#include "bar1.hpp"

Bar1::Bar1(const std::string& STR) : str(STR){}
const std::string& Bar1::getString() const{return str;}


// Bar2.cpp

#include "foo.hpp"

Bar2::Bar2(int X, int Y) : x(X), y(Y) {z = x + y;}  
int Bar2::getInt() const{ return z;}