0

大きな4Dマトリックスを割り当てようとしていますが、動的に割り当てたいと思います。静的マトリックスを作成するだけですべてが正常に機能するので、今のところ十分なメモリがあることがわかります。ただし、同じことを動的に実装しようとすると、3番目の次元に入るたびに壊れて、4番目の次元に到達する必要があります。このコードが機能しない理由を誰かに教えてもらえますか?

#include <iostream>

using namespace std;

static const int time1 = 7;
static const int tlat = 15;
static const int tlon = 17;
static const int outlev = 3;  

int main(void)
{
    //allocate four dimensional dataIn
    int ****dataIn;
    dataIn = new int ***[time1];
    if (dataIn == NULL) { return 1; }

    for(int i = 0 ; i < time1 ; i++) { 
        dataIn[i] = new int **[tlat];
        if (dataIn[i] == NULL) { return 1; }

        for(int j = 0 ; j < tlat ; j++) {
            dataIn[i][j] = new int *[tlon];
            if (dataIn[i][j] == NULL) { return 1; }

            for(int k = 0 ; k < tlon ; k++) {
                dataIn[i][j][k] = new int[outlev];
                if (dataIn[i][j][k] == NULL) { return 1; }
            }
        }
    }
    //there is more code that happens here to add values to dataIn
    //and eventually output it but I know all of that works        
    return 0;
}

このコードでさまざまなバリエーションを試し、newの代わりにmallocを使用しましたが、機能させることができません。どんな助けでも大歓迎です。

4

5 に答える 5

2

これをデバッガで実行しましたか?私の目にはコードは問題ないように見えますが、デバッガーはクラッシュしている場所を教えてくれます。これだけで修正するのに十分な場合があります

于 2009-03-12T06:36:32.713 に答える
2

おそらく、すべてのメモリをフラットな配列に割り当ててから、自分でインデックスを計算するのが最善でしょう。カプセル化のために全体をオブジェクトにラップします。

class Matrix {
private:
        int* data;        
        int[] sizes;
        int nDimensions;

public:
        // allocates the data pointer and copies the other parameters
        Matrix(int[] sizes, int nDimensions); 

        // frees the data and sizes arrays
        ~Matrix();

        // calculates the cell position and returns it
        int getCell(int[] coordinates);

        // calcultes the cell position and sets its value
        void setCell(int[] coordinates, int value);

private:
        // used by getCell and setCell, calculates the cell's 
        // location in the data array
        size_t calculateCellPosition(int[] coordinates);
};
于 2009-03-12T06:47:18.193 に答える