自定义函数的完整写法
程序员文章站
2022-07-15 09:22:09
...
1、计算两个数字之和
#include <iostream>
using namespace std;
//计算两个数字之和
int sum(int, int); //函数原型
int main()
{
int result = sum(5, 6); //函数调用
cout << "结果为: " << result <<endl;
}
//函数定义
int sum(int num1, int num2) //函数实现的代码
{
//1、计算两个数字之和
int result = num1 + num2;
//2、返回计算的结果
}
2、计算三种不同形状的体积
三种形状的体积计算公式如下:
长方体:长宽高
圆柱体:圆周率半径的平方高
圆锥体:1/3 * 底面积 *高
#include <iostream>
#include <cmath>
using namespace std;
/*
三种形状的体积计算公式如下:
长方体:长*宽*高
圆柱体:圆周率*半径的平方*高
圆锥体:1/3 * 底面积 *高
*/
//1、定义三个函数,分别用来计算三种形状的体积
//2、在main函数中用户可以选择计算某个形状的体积
void calcCuboid(); //计算长方体的体积
void calcCylinder(); //计算圆柱体的体积
void calcCone(); //计算圆锥体的体积
int main()
{
int choice = -1;
while(choice)
{
cout << "请选择要计算形状的体积:" << endl;
cout << "1、长方体" << endl;
cout << "2、圆柱体" << endl;
cout << "3、圆锥体" << endl;
cout << "0、退出" << endl;
cin >> choice;
switch(choice)
{
case 1:
calcCuboid();
break;
case 2:
calcCylinder();
break;
case 3:
calcCone();
//calcCylinder();
break;
default:
break;
}
cout << endl;
}
cout << "感谢使用!" << endl;
}
void calcCuboid()
{
//输入长宽高
double len, width, height;
cout << "请输入长宽高:";
cin >> len >> width >> height;
//计算体积
double v = len * width * height;
cout << "长方体的体积为:" << v << endl;
}
void calcCylinder()
{
double radius, height;
cout << "请输入半径和高:";
cin >> radius >> height;
//计算体积
double pi = 4 * atan(1.0); //这是pi的值,精度比较高
double v = pi * pow(radius, 2) * height;
cout << "圆柱体的体积为:" << v << endl;
}
void calcCone()
{
double radius, height;
cout << "请输入圆锥体的半径和高:";
cin >> radius >> height;
//计算体积
double pi = 4 * atan(1.0); //这是pi的值,精度比较高
double v = pi * pow(radius, 2) * height / 3;
cout << "圆锥体的体积为:" << v << endl;
}