C中使用指针表达式迭代2D数组

pw9qyyiw  于 2023-06-05  发布在  其他
关注(0)|答案(5)|浏览(244)

我在练习指针,想用指针操作代替数组来遍历数组的元素。我读过很多文章,但无法理解这个概念。有人能解释一下吗
这里我创建了一个2D数组,并使用一个基本的嵌套for循环遍历它,但我想使用指针;

int test[3][2] = {1,4,2,5,2,8};

for (int i = 0 ; i < 3; i++) {

    for (int j = 0; j < 2; j++) {

        printf("%d\n", test[i][j]);
    }
}
ijnw1ujt

ijnw1ujt1#

int test[3][2] = {{1,4},{2,5},{2,8}};

// Define a pointer to walk the rows of the 2D array.
int (*p1)[2] = test;

// Define a pointer to walk the columns of each row of the 2D array.
int *p2 = NULL;

// There are three rows in the 2D array.
// p1 has been initialized to point to the first row of the 2D array.
// Make sure the iteration stops after the third row of the 2D array.
for (; p1 != test+3; ++p1) {

    // Iterate over each column of the arrays.
    // p2 is initialized to *p1, which points to the first column.
    // Iteration must stop after two columns. Hence, the breaking
    // condition of the loop is when p2 == *p1+2
    for (p2 = *p1; p2 != *p1+2; ++p2 ) {
        printf("%d\n", *p2);
    }
}
8cdiaqws

8cdiaqws2#

尝试以下操作并进行调查

#include <stdio.h>

int main(void) 
{
    int test[3][2] = { { 1,4 }, { 2,5 }, { 2,8 } };

    for ( int ( *p )[2] = test ; p != test + 3; ++p ) 
    {
        for ( int *q = *p; q != *p + 2; ++q ) printf( "%d ", *q );
        puts( "" );
    }

    return 0;
}

该putput是
第一个指针是指向int[2]类型的对象的指针,即它指向数组的第一个“行”,然后由于增量,它指向其他行。第二个指针是指向int类型对象的指针。它指向内部循环中每一行的第一个元素。

mbjcgjjk

mbjcgjjk3#

在某些编译器中,您还可以使用单个循环,将多维数组视为按行优先顺序读取的一维数组。
这在King's C Programming: A Modern Approach(第2版,p268)中提到。

#include <stdio.h>

int main(void)
{
    int test[3][2] = {{1,4},{2,5},{2,8}}, *p;

    for(p = &test[0][0]; p <= &test[2][1]; p++)
    {
        printf("%d\n", *p);
    }
    return 0;
}
7eumitmz

7eumitmz4#

将2d数组视为1d数组非常容易使用指针算法进行迭代。

void print_2d_array(int *num, size) {
    int counter = 0;
    while (counter++ < size) {
        printf("%i ", *num);
        num++;
    }
    printf("\n");
}

int main() {
    int matrix[2][3] = {{2, 11, 33},
                       {9, 8,  77}};

    int matrix_size = sizeof(matrix) / sizeof(int); // 24 bytes / 4 (int size) = 6 itens 

    print_2d_array(matrix, matrix_size);

    return 0;
}
4dbbbstv

4dbbbstv5#

如果指针声明是您练习的目标,请使用以下初始化:

int (*pTest)[rmax][cmax] = test;

一旦你这样做了,使用指针索引的语法就像数组索引的语法一样,除了你必须使用*解引用操作符。

for (int i= 0; i < 3; i++) { 
  for (int j= 0; j < 2; j++) {
     printf ("%d ", *(pTest[i][j])); 
  }
  printf ("\n"); 
}

但是,如果指针算法是您练习的目标,那么以下内容也可以工作:

int *res = &test;
for (int i = 0; i < 3; i++) {
  for (int j = 0; j < 2; j++) {
    printf ("%d ", *(res + i*2 + j)); 
  }
  printf ("\n"); 
}

输出

相关问题