我在c ++中使用armadillo矩阵库,我想创建一个使用" auxiliare memory"的vec。执行此操作的标准方法是
vec qq(6); qq<<1<<2<<3<<4<<5<<6;
double *qqd = qq.memptr();
vec b1(qqd, 6, false);
所以在这里,如果我改变b1中的元素,qq中的元素就会改变,这就是我想要的。但是,在我的程序中,我声明了b1
向量全局,所以当我定义它时,我不能调用使b1
使用&#34; auxiliare memory&#34;的构造函数。犰狳中是否有功能可以满足我的需求?当我运行以下代码时,为什么会得到不同的结果?
vec b1= vec(qq.memptr(), 3, false); //changing b1 element changes one of qq's element
vec b1;
b1= vec(qq.memptr(), 3, false); //changing b1 element does not chagne qq's
那么,当它被声明为globaly时,如何使向量使用其他向量的内存?
答案 0 :(得分:0)
使用全局变量通常是bad idea。
但是如果你坚持使用它们,这里有一种可能的方法来使用具有全局犰狳矢量的辅助存储器:
#include <armadillo>
using namespace arma;
vec* x; // global declaration as a pointer; points to garbage by default
int main(int argc, char** argv) {
double data[] = { 1, 2, 3, 4 };
// create vector x and make it use the data array
x = new vec(data, 4, false);
vec& y = (*x); // use y as an "easier to use" alias of x
y.print("y:");
// as x is a pointer pointing to an instance of the vec class,
// we need to delete the memory used by the vec class before exiting
// (this doesn't touch the data array, as it's external to the vector)
delete x;
return 0;
}