C語言中的指針是變量,也稱為定位符或指示符,指向值的地址。
注意:指針是C語言的靈魂,如果指針不能熟練使用,那意味著你的C語言學(xué)得不咋地。
C語言中有很多指針的使用。
動(dòng)態(tài)內(nèi)存分配
在C語言中,可以指針使用malloc()
和calloc()
函數(shù)動(dòng)態(tài)分配內(nèi)存。
數(shù)組,函數(shù)和結(jié)構(gòu)
C語言中的指針被廣泛應(yīng)用于數(shù)組,函數(shù)和結(jié)構(gòu)中。它減少代碼并提高性能。
符號(hào) | 名稱 | 說明 |
---|---|---|
& |
地址運(yùn)算符 | 確定變量的地址。 |
* |
間接運(yùn)算符 | 訪問地址上的值 |
地址運(yùn)算符'&'
返回變量的地址。 但是,我們需要使用%u
來顯示變量的地址。創(chuàng)建一個(gè)源代碼文件:address-of-operator.c,其代碼實(shí)現(xiàn)如下 -
#include <stdio.h>
void main() {
int number = 50;
printf("value of number is %d, address of number is %u", number, &number);
}
執(zhí)行上面示例代碼,得到以下結(jié)果 -
value of number is 50, address of number is 15727016
下面給出了使用打印地址和值的指針的例子。如下圖所示 -
如上圖所示,指針變量存儲(chǔ)數(shù)字變量的地址,即fff4
。數(shù)字變量的值為50
,但是指針變量p
的地址是aaa3
。
通過*
(間接運(yùn)算符)符號(hào),可以打印指針變量p
的值。
我們來看一下如上圖所示的指針示例。
創(chuàng)建一個(gè)源代碼文件:pointer-example.c,其代碼實(shí)現(xiàn)如下 -
#include <stdio.h>
void main() {
int number = 50;
int *p;
p = &number;//stores the address of number variable
printf("Address of number variable is %x \n", &number);
printf("Address of p variable is %x \n", p);
printf("Value of p variable is %d \n", *p);
}
執(zhí)行上面示例代碼,得到以下結(jié)果 -
Address of number variable is b3fa4c
Address of p variable is b3fa4c
Value of p variable is 50
未分配任何值的指針稱為NULL
指針。 如果在聲明時(shí)沒有在指針中指定任何地址,則可以指定NULL
值,這將是一個(gè)更好的方法。
int *p=NULL;
在大多數(shù)庫中,指針的值為0
(零)。
指針的應(yīng)用示例:
指針程序來交換2
個(gè)數(shù)字而不使用第3
個(gè)變量
創(chuàng)建一個(gè)源代碼文件:swap2numbers.c,其代碼實(shí)現(xiàn)如下 -
#include<stdio.h>
void main() {
int a = 10, b = 20, *p1 = &a, *p2 = &b;
printf("Before swap: *p1=%d *p2=%d\n", *p1, *p2);
*p1 = *p1 + *p2;
*p2 = *p1 - *p2;
*p1 = *p1 - *p2;
printf("\nAfter swap: *p1=%d *p2=%d\n", *p1, *p2);
}
執(zhí)行上面示例代碼,得到以下結(jié)果 -
Before swap: *p1=10 *p2=20
After swap: *p1=20 *p2=10