函数在模块化设计中的作用
例题源于《C语言程序设计》
6.1
knowledge:函数定义=函数头(函数说明)+函数体,C程序结构,函数分类
① 实例:函数的定义、声明、调用
已知边长,求三角形面积。
调用math的库;
声明函数area():用形参计算面积
声明函数prtsmg():输出错误信息
code
#define _CRT_SECURE_NO_WARNINGS 1
#include <stdio.h>
#include <math.h>
double area(double, double, double);
void prtsmg();//无值函数的定义:说明符void
//自定义函数
void prtsmg()
{
printf("输入数据不能构成三角形。\n");//返回到调用语句
}
//自定义函数
double area(double x, double y, double z)//有形参
{
double S, m;
m = (x + y + z) / 2;
S = sqrt(m*(m - x)*(m - y)*(m - z));//sqrt()库函数:有形参
return S;//,再返回到s中
}
int main()
{
double a, b, c, s;
printf("请输入三条边长:\n");//printf()库函数
scanf_s("%lf%lf%lf", &a, &b, &c);//scanf()库函数
if (a + b > c && a + c > b && b + c > a)
{
s = area(a, b, c);
printf("s=%lf\n", s);
}
else
prtsmg();//无参函数
}
②函数分类
-
- 标注见代码注释
- 用户:库函数,自定义函数。
- 函数参数:有参函数(包含形参),无参函数。
- 函数返回值:有值函数,无值函数。
6.2 定义函数功能
knowledge:有值函数、无值函数的定义及要求
①有值函数定义
- return语句:计算表达式的值,把表达式的值返回给主调函数。
- 例1:求三个数的最大值。
code
//&&1&& basic:未定义函数
#define _CRT_SECURE_NO_WARNINGS 1
#include <stdio.h>
int main()
{
double a, b, c,max;
printf("请输入三个数:\n");
scanf_s("%lf%lf%lf", &a, &b, &c);
max = a;
if (max < b)
{
max = b;
if (max < c)
max = c;
}
else
if (max < c)
max = c;
else
return max;
printf("最大值是%lf\n", max);
}
//&&2&& 2
#define _CRT_SECURE_NO_WARNINGS 1
#include <stdio.h>
double fmax(double, double, double);//不加在VS中也可以运行
double fmax(double x, double y, double z)
{
double m;
m = x > y ? x : y;
m = m < z ? z : m;
return m;
}
int main()
{
double a, b, c,max;
printf("请输入三个数:\n");
scanf_s("%lf%lf%lf", &a, &b, &c);
max = fmax(a, b, c);
printf("最大值是%lf\n", max);
}
- 例2:递推法求Π值(误差小于10^(-5)结束)
- Π/4=1-1/3+1/5…
#define _CRT_SECURE_NO_WARNINGS 1
#include <stdio.h>
double pai();
int main()
{
double pi;
pi = pai();
printf("PI=%.2f\n",pi);
}
double pai()
{
int n = 1, sign = 1;
double p=1;
do
{
n = n + 2;
sign = -sign;
p = p + sign*1.0 / n;
} while (1.0 / n >= 1e-5);
return p*4;
}
//自定义的函数体中,sign换成其他变量名不可以(结果是4)。需要重新定义为double型
{
int n = 1;
double t = 1,p=1;
do
{
n = n + 2;
t = -t;
p = p + t / n;
} while (1.0 / n >= 1e-5);
return p*4;
}
//3.14
②无值函数定义
- 定义时指定函数类型为void。return语句省略/为空。
- 例1:输出金字塔形图像,1,3,5,7,9,每一行由*组成。
//还不太懂
#define _CRT_SECURE_NO_WARNINGS 1
#include <stdio.h>
void draw(int);
void main()
{
int m;
printf("Plz input m:\n");
scanf("%d",&m);
draw(m);
}
void draw(int n)
{
int i, j;
char c1 = ' ', c2 = '*';
for (j = 0; j < n; j++)
{
for (i = 0; i < 2 * n; i++)
if (i > n - j && i < n + j)
printf("%c", c2);
else
printf("%c", c1);
printf("\n");
}
return;
}
- 例2:return语句将变量值转化为int型并返回主调函数。
code
#define _CRT_SECURE_NO_WARNINGS 1
#include <stdio.h>
double fmax();
int fmax(double x, double y, double z)
//类型说明符 函数名(带类型说明的形式参数表列)
{
double m;
m = x > y ? x : y;
m = m > z ? m : z;
return m;
}
void main()
{
double x, y, z,max;
printf("请输入x,y,z:\n");
scanf("%lf%lf%lf", &x ,&y ,&z);
max = fmax(x,y,z);
printf("max=%.2lf", max);
}
- 例3 debug无果,明天再说