指针的基本概念
作用:可以通过指针间接访问内存
内存编号是从0开始记录的,一般用十六制数字表示
可以利用指针变量保存地址
指针变量的定义和使用
指针变量的定义语法:数据类型 *变量名;
#include<iostream>
using namespace std;
int main() {
//定义一个指针
int a = 10;
int* p;
//让指针记录a的地址
p = &a;
//使用指针,可以通过解引用的方式来找到指针指向的内存
//指针前加*代表解引用,找到指针指向的内存中的数据
*p = 1000;//对a进行修改
system("pause");
return 0;
}
指针所占内存的空间
提问:指针也是一种数据类型,那么这种类型数据类型占用多少内存空间?
32位操作系统占用4个字节,而64位占用8个字节
#include<iostream>
using namespace std;
int main() {
int a = 10;
int* p;
p = &a;
//int* p=&a;第二种写法
cout << sizeof(p) << endl;
cout << sizeof(int*) << endl;
cout << sizeof(float*) << endl;
cout << sizeof(double*) << endl;
cout << sizeof(char*) << endl;
system("pause");
return 0;
}
空指针和野指针
空指针:指针变量指向内存中编号为0的空间
用途:初始化指针变量
PS:空指针指向的内存是不可以访问的
#include<iostream>
using namespace std;
int main() {
int* p = NULL;//初始化指针
cout << *p << endl;
//内存编号为0~255为系统占用内存,不允许用户访问
system("pause");
return 0;
}
野指针:指针变量指向非法的内存空间
#include<iostream>
using namespace std;
int main() {
int* p = (int*)0x1100;
cout << *p << endl;
system("pause");
return 0;
}
总结:空指针和野指针都不是我们申请的空间,因此不要访问
const修饰指针
1.const修饰指针------常量指针
特点:指针指向可以修改,但是指向的值不能修改
2.const修饰常量------指针常量
特点:指针指向不可以修改,但是指向的值可以修改
3.const既修饰指针也修饰常量
特点:都不可以修改
#include<iostream>
using namespace std;
int main() {
//const修饰指针,常量指针:指针指向的值不可以改,指向可以改
int a = 10;
int b = 10;
const int* p = &a;
p = &b;
//const修饰常量,指针常量:指针指向不可以改,指向的值可以修改
int* const p2 = &b;
*p2 = 100;
//const既修饰常量又修饰指针,都不可以改
const int* const p3 = &a;
system("pause");
return 0;
}
指针和数组
作用:利用指针访问数组中的元素
#include<iostream>
using namespace std;
int main() {
int arr[] = { 1,2,3,4,5,6,7,8,9,10 };
int* p=arr;
cout << "第一个数组" << *p << endl;
for (int i = 0; i < 10; i++) {
cout << *p << endl;
p++;//用指针遍历数组
}
system("pause");
return 0;
}
指针和函数
作用:利用指针作为函数参数,可以修改实参的值
#include<iostream>
using namespace std;
void swap(int a, int b) {
int temp = a;
a = b;
b = temp;
cout <<"a" << a << endl;
cout << "b" << b << endl;
}
void swap02(int* p, int* p2) {
int temp = *p;
*p = *p2;
*p2 = temp;
cout << "a" << *p << endl;
cout << "b" << *p2 << endl;
}
int main() {
int a = 10;
int b = 20;
swap(a, b);
swap02(&a, &b);
system("pause");
return 0;
}
指针,数组,函数综合练习
题目:封装一个函数,利用冒泡排序,实现对整型数组的升序排序
例如数组:int arr[10]={4,3,6,9,1,2,10,8,7,5};
#include<iostream>
using namespace std;
void bubblesort(int* arr, int len) {
for (int i = 0; i < len - 1; i++) {
for (int j = 0; j < len - i - 1; j++) {
if (arr[j] > arr[j + 1]) {
int temp = arr[j];
arr[j] = arr[j + 1];
arr[j + 1] = temp;
}
}
}
}
void printarry(int* arr, int len) {
for (int i = 0; i < len; i++) {
cout << arr[i] << endl;
}
}
int main() {
//封装一个函数,利用冒泡排序,实现对整型数组的升序排序
//例如数组:int arr[10]={4,3,6,9,1,2,10,8,7,5};
int arr[10] = { 4,3,6,9,1,2,10,8,7,5 };
int len = sizeof(arr) / sizeof(arr[0]);
bubblesort(arr, len);
printarry(arr, len);
system("pause");
return 0;
}