1

我正在尝试解决结构矩阵,但有些出错了。这是代码:

typedef struct {
    bool state;
    float val;
    char ch[11];
} st_t;

st_t matrix[3][5];


int main(int argc, char *argv[])
{
    int i, j;

    // Init matrix value matrix[i][j] = i.j
    ....

    // Init matrix pointer
    st_t (*pMatrix)[3][5];
    pMatrix = &matrix;

    // print address element
    fprintf(stderr, "\n\nsizeof st_t:%d\n\n", sizeof(st_t) );
    for( i = 0; i < 3; i++ )
    {
        for( j = 0; j < 5; j++ )
            fprintf(stderr, "matrix[%d][%d] ADDR:%p    pMatrix[%d][%d] ADDR:%p\n", i, j, &(matrix[i][j]), i, j, &pMatrix[i][j]);
        fprintf(stderr, "\n");
    }
    return 0;
}

这是代码的输出:

sizeof st_t:16

matrix[0][0] ADDR:0x8049a00             pMatrix[0][0] ADDR:0x8049a00
matrix[0][1] ADDR:0x8049a10             pMatrix[0][1] ADDR:0x8049a50
matrix[0][2] ADDR:0x8049a20             pMatrix[0][2] ADDR:0x8049aa0
matrix[0][3] ADDR:0x8049a30             pMatrix[0][3] ADDR:0x8049af0
matrix[0][4] ADDR:0x8049a40             pMatrix[0][4] ADDR:0x8049b40

matrix[1][0] ADDR:0x8049a50             pMatrix[1][0] ADDR:0x8049af0

例如为什么 pMatrix[0][1] 与 matrix[0][1] 的地址不同?

提前致谢。

4

1 回答 1

2

您已声明pMatrix为指向 的 3⨉5 矩阵的指针st_t,也就是说,它指向由 3 个数组组成的数组,其中包含 5 个st_t对象。鉴于此,是一个由 5 个对象pMatrix[0]组成的 3 个数组的数组。st_t但是,由于它是一个数组,它会自动转换为指向数组第一个元素的指针。所以它变成了一个指向 5 个st_t对象的数组的指针。

那么pMatrix[0][0]pMatrix[0][1]pMatrix[0][2]等是 5 个st_t对象的连续数组,而不是连续st_t对象。

最有可能的是,您想要的是:

// Declare pMatrix to be a pointer to an array of 5 st_t objects,
// and point it to the first row of matrix.
st_t (*pMatrix)[5] = matrix;
于 2013-05-17T13:33:34.550 回答