我将不同意其他一些答案,并说我相信弄清楚如何使用LAPACK 在科学计算领域很重要。
但是,使用LAPACK的学习曲线很大。这是因为它写得很低。这样做的缺点是,它看起来非常神秘,并且感觉不愉快。它的优点是接口是明确的,并且基本上不会改变。此外,LAPACK的实现(例如英特尔数学内核库)确实非常快。
出于我自己的目的,我有自己的高级C ++类,它们围绕LAPACK子例程进行包装。许多科学图书馆也在下面使用LAPACK。有时,仅使用它们会更容易,但是我认为理解下面的工具有很多价值。为此,我提供了一个使用LAPACK用C ++编写的小型工作示例,以帮助您入门。这在Ubuntu中工作,liblapack3
安装了软件包,以及用于构建的其他必需软件包。它可能可以在大多数Linux发行版中使用,但是LAPACK的安装和链接可能有所不同。
这是文件 test_lapack.cpp
#include <iostream>
#include <fstream>
using namespace std;
// dgeev_ is a symbol in the LAPACK library files
extern "C" {
extern int dgeev_(char*,char*,int*,double*,int*,double*, double*, double*, int*, double*, int*, double*, int*, int*);
}
int main(int argc, char** argv){
// check for an argument
if (argc<2){
cout << "Usage: " << argv[0] << " " << " filename" << endl;
return -1;
}
int n,m;
double *data;
// read in a text file that contains a real matrix stored in column major format
// but read it into row major format
ifstream fin(argv[1]);
if (!fin.is_open()){
cout << "Failed to open " << argv[1] << endl;
return -1;
}
fin >> n >> m; // n is the number of rows, m the number of columns
data = new double[n*m];
for (int i=0;i<n;i++){
for (int j=0;j<m;j++){
fin >> data[j*n+i];
}
}
if (fin.fail() || fin.eof()){
cout << "Error while reading " << argv[1] << endl;
return -1;
}
fin.close();
// check that matrix is square
if (n != m){
cout << "Matrix is not square" <<endl;
return -1;
}
// allocate data
char Nchar='N';
double *eigReal=new double[n];
double *eigImag=new double[n];
double *vl,*vr;
int one=1;
int lwork=6*n;
double *work=new double[lwork];
int info;
// calculate eigenvalues using the DGEEV subroutine
dgeev_(&Nchar,&Nchar,&n,data,&n,eigReal,eigImag,
vl,&one,vr,&one,
work,&lwork,&info);
// check for errors
if (info!=0){
cout << "Error: dgeev returned error code " << info << endl;
return -1;
}
// output eigenvalues to stdout
cout << "--- Eigenvalues ---" << endl;
for (int i=0;i<n;i++){
cout << "( " << eigReal[i] << " , " << eigImag[i] << " )\n";
}
cout << endl;
// deallocate
delete [] data;
delete [] eigReal;
delete [] eigImag;
delete [] work;
return 0;
}
可以使用命令行来构建
g++ -o test_lapack test_lapack.cpp -llapack
这将产生一个名为的可执行文件test_lapack
。我已经将其设置为读取文本输入文件。这是一个名为matrix.txt
3x3矩阵的文件。
3 3
-1.0 -8.0 0.0
-1.0 1.0 -5.0
3.0 0.0 2.0
要运行该程序,只需键入
./test_lapack matrix.txt
在命令行上,输出应为
--- Eigenvalues ---
( 6.15484 , 0 )
( -2.07742 , 3.50095 )
( -2.07742 , -3.50095 )
注释:
- 您似乎不喜欢LAPACK的命名方案。这里有一个简短的描述。
- DGEEV子例程的接口在此处。您应该能够将此处的参数描述与我在这里所做的进行比较。
- 请注意
extern "C"
顶部的部分,并且我已在上添加下划线dgeev_
。那是因为该库是用Fortran编写和构建的,因此在链接时使符号匹配是必要的。这取决于编译器和系统,因此,如果在Windows上使用它,则都必须更改。
- 有人可能会建议对LAPACK使用C接口。他们可能是对的,但我一直都是这样做的。