1.0 函数的创建和使用
在C语言中,函数是一种封装了特定功能的代码块,可以被程序中的其他部分调用。函数可以接受输入参数,并且可以返回一个值。定义一个函数的基本语法如下
cpp
#define _CRT_SECURE_NO_WARNINGS
#include "stdio.h"
#include "stdlib.h"
#include "math.h"
#include <string.h>
void Swap(int *px, int *py) {
int z = 0;
z = *px;
*px = *py;
*py = z;
}
int main() {
int a = 0;
int b = 0;
scanf("%d %d", &a, &b);
Swap(&a, &b);
printf("a = %d b = %d", a, b);
return 0;
}
传递地址调用实际上引用的是存储在内存当中的地址通过地址找到对应变量或参数进行一些必要操作。
注:函数的参数可以是表达式也可以是函数
【注:函数调用函数的写法一定要有返回值】
cpp
#define _CRT_SECURE_NO_WARNINGS
#include "stdio.h"
#include "stdlib.h"
#include "math.h"
#include <string.h>
void Swap(int *px, int *py) {
int z = 0;
z = *px;
*px = *py;
*py = z;
}
int Add(int x, int y) {
return x + y;
}
int main() {
int a = 0;
int b = 0;
scanf("%d %d", &a, &b);
Swap(&a, &b);
Add(a + 3, b);
Add(Add(a, b), b);
printf("a = %d b = %d", a, b);
return 0;
}
形式参数是指函数名后括号中的变量,因为形式参数只有在函数被调用的过程中才实例化(分配内存单元),所以叫形式参数。形式参数当函数调用完成之后就自动销毁了。因此形式参数只在函数中有效。【形式参数出了作用域效果会消失,形式参数实例化之后是实际参数的一份拷贝】
2.0 函数的传值调用和传址调用
传值调用-------传递变量的时候把变量本身传递进去叫做传值调用
传址调用------传递参数的时候把数据的地址传递过去就叫做传址调用
传址调用是把函数外部创建变量的内存地址传递给函数参数的一种调用函数的方式,这种传参方式可以让函数和函数外边的变量建立起真正的联系,也就是函数内部可以直接操作函数外部的变量。
案例通过编写程序求素数【素数只能被1和自身整除的数】
cpp
#define _CRT_SECURE_NO_WARNINGS
#include "stdio.h"
#include "stdlib.h"
#include "math.h"
#include <string.h>
int main() {
int i = 0;
int count = 0;
for (i = 100; i <= 200; i++) {
// 如何判断I是不是素数
// 数素数就打印输出
// 取i-1之间的数字去试除i
int flag = 1; // 1 数素数
int j = 0;
for (j = 2; j <= i - 1; j++) {
if (i % j == 0) {
flag = 0;
break;
}
}
if (flag == 1) {
count++;
printf("%d ", i);
}
}
printf("\ncount = %d\n", count);
return 0;
}
......[后续继续更新]......