C语言中的指针是变量,也称为定位符或指示符,指向值的地址。
注意:指针是C语言的灵魂,如果指针不能熟练使用,那意味着你的C语言学得不咋地。
指针的优点
- 指针减少代码并提高性能,用于检索字符串,树等,并与数组,结构和函数一起使用。
- 可以使用指针从函数返回多个值。
- 它使您能够访问计算机内存中的任何位置。
指针的使用
C语言中有很多指针的使用。
动态内存分配
在C语言中,可以指针使用malloc()
和calloc()
函数动态分配内存。数组,函数和结构
C语言中的指针被广泛应用于数组,函数和结构中。它减少代码并提高性能。
指针中使用的符号
符号 | 名称 | 说明 |
---|---|---|
& |
地址运算符 | 确定变量的地址。 |
* |
间接运算符 | 访问地址上的值 |
地址运算符
地址运算符'&'
返回变量的地址。 但是,我们需要使用%u
来显示变量的地址。创建一个源代码文件:address-of-operator.c,其代码实现如下 -
#include <stdio.h>
void main() {
int number = 50;
printf("value of number is %d, address of number is %u", number, &number);
}
执行上面示例代码,得到以下结果 -
value of number is 50, address of number is 15727016
指针示例
下面给出了使用打印地址和值的指针的例子。如下图所示 -
如上图所示,指针变量存储数字变量的地址,即fff4
。数字变量的值为50
,但是指针变量p
的地址是aaa3
。
通过*
(间接运算符)符号,可以打印指针变量p
的值。
我们来看一下如上图所示的指针示例。
创建一个源代码文件:pointer-example.c,其代码实现如下 -
#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);
}
执行上面示例代码,得到以下结果 -
Address of number variable is b3fa4c
Address of p variable is b3fa4c
Value of p variable is 50
NULL指针
未分配任何值的指针称为NULL
指针。 如果在声明时没有在指针中指定任何地址,则可以指定NULL
值,这将是一个更好的方法。
int *p=NULL;
在大多数库中,指针的值为0
(零)。
指针的应用示例:
指针程序来交换2
个数字而不使用第3
个变量
创建一个源代码文件:swap2numbers.c,其代码实现如下 -
#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);
}
执行上面示例代码,得到以下结果 -
Before swap: *p1=10 *p2=20
After swap: *p1=20 *p2=10