C语言中指向数组的指针



数组名是指向数组第一个元素的常量指针。因此,在此声明中,

int balance[5];

balance 是指向 &balance[0] 的指针,也就是数组第一个元素的地址。

示例

在此代码中,我们有一个指针 ptr,它指向名为 balance 的整数数组的第一个元素的地址。

#include <stdio.h>

int main(){

   int *ptr;
   int balance[5] = {1, 2, 3, 4, 5};

   ptr = balance;

   printf("Pointer 'ptr' points to the address: %d", ptr);
   printf("\nAddress of the first element: %d", balance);
   printf("\nAddress of the first element: %d", &balance[0]);

   return 0;
}

输出

在这三种情况下,您都会得到相同的输出:

Pointer 'ptr' points to the address: 647772240
Address of the first element: 647772240
Address of the first element: 647772240

如果您获取存储在ptr指向的地址处的值,即*ptr,则它将返回1

数组名作为常量指针

使用数组名作为常量指针反之亦然是合法的。因此,*(balance + 4) 是访问balance[4]处数据的合法方法。

一旦您将第一个元素的地址存储在“ptr”中,就可以使用*ptr*(ptr + 1)*(ptr + 2) 等访问数组元素。

示例

以下示例演示了上面讨论的所有概念:

#include <stdio.h>

int main(){

   /* an array with 5 elements */
   double balance[5] = {1000.0, 2.0, 3.4, 17.0, 50.0};
   double *ptr;
   int i;

   ptr = balance;
 
   /* output each array element's value */
   printf("Array values using pointer: \n");
	
   for(i = 0; i < 5; i++){
      printf("*(ptr + %d): %f\n",  i, *(ptr + i));
   }

   printf("\nArray values using balance as address:\n");
	
   for(i = 0; i < 5; i++){
      printf("*(balance + %d): %f\n",  i, *(balance + i));
   }
 
   return 0;
}

输出

运行此代码时,将产生以下输出:

Array values using pointer:
*(ptr + 0): 1000.000000
*(ptr + 1): 2.000000
*(ptr + 2): 3.400000
*(ptr + 3): 17.000000
*(ptr + 4): 50.000000

Array values using balance as address:
*(balance + 0): 1000.000000
*(balance + 1): 2.000000
*(balance + 2): 3.400000
*(balance + 3): 17.000000
*(balance + 4): 50.000000

在上面的示例中,ptr是一个可以存储double类型变量地址的指针。一旦我们在ptr中有了地址,*ptr将给我们提供存储在ptr中地址的值。

广告