我试图用文本文件中的数据填充矩阵。
这是我的代码
int main() {
ifstream in;
int n=150;
int m=5;
mat coordinates (n,m);
coordinate.zeros();
in.open("test.txt");
for (int i=0; i<n ; i++) {
for (int j=0; i<m ; j++)
in >> coordinates(i,j);
return 0;
}
我用命令
编译了它 g++ -I/usr/local/include coordinates.cpp -O2 -larmadillo -llapack -lblas
到目前为止一切似乎都不错,但是当我尝试运行该程序时,我收到以下错误
error: Mat::operator(): index out of bounds
libc++abi.dylib: terminating with uncaught exception of type std::logic_error: Mat::operator(): index out of bounds
Abort trap: 6
我尝试了我能想到的一切,但没有任何效果。你有什么建议吗?
感谢您的时间。
答案 0 :(得分:1)
您的代码中存在错误:第二个循环有i<m
而不是j<m
。
此外,不要直接将>>
运算符与矩阵一起使用,因为您无法检查元素是否实际被读取。相反,您只需使用.load()
成员函数加载整个文件。
在发布基本问题之前,彻底阅读Armadillo documentation是个好主意。
// simple way
mat coordinates;
coordinates.load("test.txt", raw_ascii); // .load() will set the size
coordinates.print();
OR
// complicated way
ifstream in;
in.open("test.txt");
unsigned int n=150;
unsigned int m=5;
mat coordinates(n, m, fill::zeros);
for(unsigned int i=0; i<n; ++i)
{
for(unsigned int j=0; j<m; ++j)
{
double val;
in >> val;
if(in.good()) { coordinates(i,j) = val; }
}
}
coordinates.print();