C 语言温度华氏度到摄氏度转换程序
给定华氏度温度“n”,“挑战”是将给定的温度转换为摄氏度并显示它。
例如
Input 1-: 132.00 Output -: after converting fahrenheit 132.00 to celsius 55.56 Input 2-: 456.10 Output -: after converting fahrenheit 456.10 to celsius 235.61
要将温度从华氏度转换为摄氏度,有一个公式如下
T(°C) = (T(°F) - 32) × 5/9
其中,T(°C) 为摄氏温度,T(°F) 为华氏温度
以下使用的途径如下 −
- 将温度输入一个浮点数变量,假设为华氏度
- 应用该公式将温度转换为摄氏度
- 打印摄氏度
算法
Start Step 1-> Declare function to convert Fahrenheit to Celsius float convert(float fahrenheit) declare float Celsius Set celsius = (fahrenheit - 32) * 5 / 9 return Celsius step 2-> In main() declare and set float fahrenheit = 132.00 Call convert(fahrenheit) Stop
例如
#include <stdio.h> //convert fahrenheit to celsius float convert(float fahrenheit) { float celsius; celsius = (fahrenheit - 32) * 5 / 9; return celsius; } int main() { float fahrenheit = 132.00; printf("after converting fahrenheit %.2f to celsius %.2f ",fahrenheit,convert(fahrenheit)); return 0; }
输出
如果我们运行以上的代码,它将产生以下输出
after converting fahrenheit 132.00 to celsius 55.56
广告