多维数组中元素的位置[C]



我必须编写一个接收整数X(线性化位置的值)和包含多维数组维度的数组的函数,并且它必须在第二个数组中保存多维参考系统中位置为X的元素的坐标。例如:

X=2 and array[]={A,B},其中数组包含本例中二维矩阵的维数(A,B)。因此在二维参照系中的位置为:

知道: X = X * B + y ,> X = X/B y = X % B ,> 位置[]= {X, y};

将X解码为X和y很简单因为这是二维矩阵的普通情况但我的程序必须处理n维矩阵(所以它必须将X解码为位置X,y,......,n)

我的想法是应用我所展示的算法,但即使我找不到一个C代码,可以处理一个通用的n维矩阵(我也试图写一个递归函数没有成功)。

有人能找到解决这个问题的方法吗?(提前感谢!!)

我是初学者!!

如果您有一个维度为Xn和Yn的数组DIM2[X,Y],您也可以将其表示为一维数组。

A[x,y]将被映射到DIM1[x + y * Xn]

DIM1必须有size (Xn * Yn)

维度为Xn,Yn,Zn的三维数组B[]可以用同样的方式映射:

B[x,y,z]将映射到DIM1 [x + y * Xn + z * Xn * Yn], DIM1必须能够保存(Xn * Yn * Zn)项,
B[x,y,z,a]将映射到DIM1 [x + y * Xn + z * Xn * Yn + a * Xn * Yn *锌)

等等

对于一般的N维数组,递归是最好的,其中100维数组是由99维数组组成的数组。如果所有维度都具有相同的大小,那将是相对简单的(编写它,我还提到递归可以很容易地展开成一个简单的for循环,在下面找到它)

    #include <stdio.h>
    #include <math.h>
    #include <malloc.h>
    #define max_depth  5    /* 5 dimensions        */
    #define size      10    /* array[10] of array  */
    // recursive part, do not use this one
    int _getValue( int *base, int offset, int current, int *coords) {
        if (--current)
           return _getValue (base + *coords*offset, offset/size, current, coords+1);
        return base[*coords];
    }
    // recursive part, do not use this one
    void _setValue( int *base, int offset, int current, int *coords, int newVal) {
        if (--current)
           _setValue (base + *coords*offset, offset/size, current, coords+1, newVal);
        base[*coords]=newVal;
    }
    // getValue: read item
    int getValue( int *base, int *coords) {
        int offset=pow( size, max_depth-1);   /* amount of ints to skip for first dimension */
        return (_getValue (base, offset, max_depth, coords));
    }
    // setValue: set an item
    void setValue( int *base, int *coords, int newVal) {
        int offset=pow( size, max_depth-1);
        _setValue (base, offset, max_depth, coords, newVal);
    }
    int main() {
        int items_needed = pow( size, max_depth);
        printf ("allocating room for %i itemsn", items_needed);
        int *dataholder = (int *) malloc(items_needed*sizeof(int));
        if (!dataholder) {
            fprintf (stderr,"out of memoryn");
            return 1;
        }
        int coords1[5] = { 3,1,2,1,1 };    // access member [3,1,2,1,1]
        setValue(dataholder, coords1, 4711);
        int coords2[5] = { 3,1,0,4,2 };
        int x = getValue(dataholder, coords2);
        int coords3[5] = { 9,7,5,3,9 };
        /* or: access without recursion: */
        int i, posX = 0;                           // position of the wanted integer
        int skip = pow( size, max_depth-1);        // amount of integers to be skipped for "pick"ing array
        for (i=0;i<max_depth; i++) {
            posX += coords3[i] * skip;             // use array according to current coordinate
            skip /= size;                          // calculate next dimension's size
        }
        x = dataholder[posX];
        return x;
    }

相关内容

  • 没有找到相关文章

最新更新