我被困在这个问题上。问题在于执行cudaMalloc时出现分段错误。这就是我在做什么:

class AllInput {
public:
    int numProducts;
    Product * products;

public:
    AllInput(int _numProducts, Product * _products);
};

class Product {
public:
    int sellingPrice; //Ri
    struct DemandDistribution observationDemand; //C2i

public:
    Product(
            LucyDecimal _sellingPrice, //Ri
            LucyDecimal _costPriceAssmbly);
};


然后我有一个创建它的函数:

AllInput* in1() {
    struct DemandDistribution * _observationDemand1 =
            (DemandDistribution*) malloc(sizeof(DemandDistribution));
    // set values
    Product * product1 = new Product(165,_observationDemand1);
    //initialize product2, product3, product4
    Product *products = (Product*) malloc(4 * sizeof(Product*)); //line-a
    products[0] = * product1;
    products[1] = * product2;
    products[2] = * product3;
    products[3] = * product4;
    AllInput* all = new AllInput(4, products);
    return all;
}


当我尝试这样做时:

void mainRun(){
    AllInput* in = in1();
    AllInput* deviceIn;
    deviceIn = new AllInput(0, NULL);
    cudaMalloc((void**) &deviceIn,  sizeof(AllInput*));  //line-b


line-b引发分段错误。如果将line-a更改为Product products[4] = { *product1, * product2, *product3, *product4};,错误将消失。那不是解决方案,因为products被解构了

更改products如何影响cudaMalloc?我们没有将任何参数传递给cudaMalloc,但是为什么会影响它呢?
我该怎么做才能避免这种情况?

最佳答案

可能是线路问题

(Product*) malloc(4 * sizeof(Product*));


您创建一个包含四个指针的数组。如果Product更大,则一个指针(在您的示例中可能是指针)然后接下来的4行是缓冲区溢出。可能是堆损坏了,并且malloc内部数据也被覆盖了-此外,您还可以覆盖堆中的随机部分。

该行应为(Product*) malloc(4 * sizeof(Product))(Product *)malloc(sizeof(Product[4]))或什至更好的new Product[4](请注意,在最后一种情况下,您应按delete[]释放)。

关于c++ - CudaMalloc抛出sigabrt错误,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/23079987/

10-15 22:30