2017-06-05 46 views
-2

我在ubuntu 16.04 LTS中使用了带有g ++ 5.4和CUDA 8.0的Eigen library version 3.3NVCC编译特征库,并在运行时在结构中调整MatrixXd的大小失败

编写代码时发生了令人困惑的事情。 当我尝试在一个结构中调整Eigen :: MatrixXd时发生崩溃

结构如下。

struct cudaCopy{ 
     struct s_path_info *nodes_parents 
     struct s_path_info *nodes_children 
     ... 
} 

s_path_info结构如下。

struct s_path_info{ 
    Eigen::MatrixXd supps; 
    Eigen::MatrixXd residu; 
    ... 

问题如下。

struct cudaCopy *mem; 
mem = (struct cudaCopy*)malloc(sizeof(struct cudaCopy)); 

mem->nodes_parents = (struct s_path_info*)malloc(50 * sizeof(struct s_path_info)) 
for(int i=0; i<50; i++){ 
    mem->nodes_parents[i].supps.resize(1, 1); // ERROR 

下面是GDB执行代码的回溯。

#0 __GI___libc_free (mem=0x1) at malloc.c:2949 
#1 0x000000000040a538 in Eigen::internal::aligned_free (ptr=0x1) at ../Eigen/Eigen/src/Core/util/Memory.h:177 
#2 0x000000000040f3e8 in Eigen::internal::conditional_aligned_free<true> (ptr=0x1) at ../Eigen/Eigen/src/Core/util/Memory.h:230 
#3 0x000000000040cdd4 in Eigen::internal::conditional_aligned_delete_auto<double, true> (ptr=0x1, size=7209728) at ../Eigen/Eigen/src/Core/util/Memory.h:416 
#4 0x000000000040d085 in Eigen::DenseStorage<double, -1, -1, -1, 0>::resize (this=0x6e1348, size=20, rows=20, cols=1) at ../Eigen/Eigen/src/Core/DenseStorage.h:406 
#5 0x000000000040ba9e in Eigen::PlainObjectBase<Eigen::Matrix<double, -1, -1, 0, -1, -1> >::resize (this=0x6e1348, rows=20, cols=1) at ../Eigen/Eigen/src/Core/PlainObjectBase.h:293 
#6 0x000000000040697f in search::islsp_EstMMP_BF_reuse (this=0x7fffffffe4b0) at exam.cu:870 
#7 0x0000000000404f33 in main() at exam.cu:422 

有趣的是,下面的效果很好。

mem->nodes_children = (struct s_path_info*)malloc(10*50*sizeof(struct s_path_info)) 
for(int i=0; i<10*50; i++){ 
    mem->nodes_children[i].supps.resize(1, 1); // OK 

我不明白为什么nodes_parents无法调整大小。

我希望对此事有任何意见。谢谢。

+2

欢迎来到Stack Overflow。请花些时间阅读[The Tour](http://stackoverflow.com/tour),并参阅[帮助中心](http://stackoverflow.com/help/asking)中的资料,了解您可以在这里问。 –

回答

0

您将nodes_parents设置为未初始化的内存,这意味着从未调用过s_path_info(以及其成员)的构造函数。 而不是struct s_path_info *nodes_parents你只要简单地写:

std::vector<s_path_info> nodes_parents; 

而主要cudaCopy应该只是一个堆栈变量:

cudaCopy mem; 

一般来说,不要使用malloc C++里面,尤其不适合非吊舱。

N.B .:它与nodes_children一起使用的事实很可能是纯粹的巧合。

相关问题