gcc链接动态库时,两个动态库中符号重名的问题

1、最近同事遇到了一个程序崩溃的问题,后来找到原因,是因为这个程序引用了多个动态库,而其中两个动态库中有一个类重名了!

难道gcc对符号重名不做检测的吗?自己觉得有趣,就做了个测试:

//m1.cpp
#include 

int get_value()
{
  return 1;
}

int get_m1()
{
  return get_value();
}

//m2.cpp
#include 

int get_value()
{
  return 2;
}

int get_m2()
{
  return get_value();
}

 //main.cpp
#include 

int get_m1();
int get_m2();

int main()
{
  printf("m1: %d  m2: %d\n", get_m1(), get_m2());
}

先分别将m1和m2制作成动态库:

g++ m1.cpp -fPIC -shared -o libm1.so
g++ m2.cpp -fPIC -shared -o libm2.so

再链接主程序:

g++ main.cpp -L. -lm1 -lm2 -o main

有趣的事情发生了:当我使用-lm1 -lm2时,输出两个值都是1;相反的,使用-lm2 -lm1时,两个是都是2

就是说,gcc在链接时,如果有一个动态库模块定义了某个符号,那么后面其他动态库中同名符号都会被忽略!



2、有解决的办法吗?我做了第二个测试,为函数增加命名空间:

//m1.cpp
#include 

int get_value()
{
  return 1;
}

int get_m1()
{
  return get_value();
}

namespace m1
{

int get_value_n()
{
  return 11;
}

int get_m1_n()
{
  return get_value_n();
}

}

//m2.cpp
#include 

int get_value()
{
  return 2;
}

int get_m2()
{
  return get_value();
}

namespace m2
{

int get_value_n()
{
  return 22;
}

int get_m2_n()
{
  return get_value_n();
}

}

//main.cpp
#include 

int get_m1();
int get_m2();

namespace m1
{
int get_m1_n();
}

namespace m2
{
int get_m2_n();
}

using namespace m1;
using namespace m2;

int get_value()
{
  return 0;
}

int main()
{
  printf("m1: %d  m2: %d\n", get_m1(), get_m2());
  printf("m1_n: %d  m2_n: %d\n", get_m1_n(), get_m2_n());
}

这样好了,无论如何交换m1和m2的链接顺序,第二行的输出内容都是11、22,因为增加了命名空间之后,两个库中的导出符号不同了。


3、我又做了另外两个测试

1)将get_value函数改成static,那么两个库中的get_value也不会冲突,因为静态函数只能被本模块引用。

2)将m1和m2制作成静态库,那么在链接时就会报符号重定义的错误。


你可能感兴趣的:(gcc,c++)