I'm using Lapack in my C++ code. I'm quite confused how to properly link to the library. Here is a small example corresponding to my code calling a function from Lapack:
#include <iostream>
namespace lapack { extern "C" {
void ilaver(int* major, int* minor, int* patch); } }
int main()
{
int major = 0;
int minor = 0;
int patch = 0;
lapack::ilaver(&major, &minor, &patch);
std::cout << major << "." << minor << "." << patch << std::endl;
return 0;
}
If I try to compile it with GCC 4.8.5 (Linux openSUSE), I get the following error:
> g++ ilaver.cpp -o ilaver -L /softs/lapack/3.7.1/64/gcc/4.8.5/lib64 -l lapack
/tmp/ccHvDCAh.o: In function `main':
ilaver.cpp:(.text+0x33): undefined reference to `ilaver'
collect2: error: ld returned 1 exit status
I understood it's a name mangling problem. If I change my code adding an underscore at the end of the function name, it compiles properly with GCC:
#include <iostream>
namespace lapack { extern "C" {
void ilaver_(int* major, int* minor, int* patch); } }
int main()
{
int major = 0;
int minor = 0;
int patch = 0;
lapack::ilaver_(&major, &minor, &patch);
std::cout << major << "." << minor << "." << patch << std::endl;
return 0;
}
But it doesn't compile with Intel's compilers under Windows. There, the mangling is different, I have to change it to lapack::ILAVER
, and then it compiles.
My code must be compiled under several configurations (Linux/Mac/Windows) with several compilers (GCC,Intel,MSVC). How can I be more generic and be sure it will compile under a large panel of compilers ?
As you have already discovered, hacks like adding the underscore are platform-specific by their nature. Supporting a big range of platforms and compilers that way "by hand" requires a large amount of unpleasant and tedious work.
The easiest way to get portability is to use LAPACKE, the official C interface to LAPACK. This also has the added benefit of saving you from having to re-declare all the functions you need.
Here's a simple example:
More information can be found in the official documentation.
Note that LAPACKE only handles LAPACK, if you also need BLAS routines, you can get those from CBLAS.