帮我写一个c语言程序,从键盘输入温度(输入温度可以是华氏度或摄氏度),判断输入温度类型,将华氏度转化成摄氏度,或者将摄氏度转化成华氏度,将结果保留两位小数并输出
时间: 2023-05-19 19:02:14 浏览: 84
好的,以下是程序代码:
#include <stdio.h>
int main() {
float temperature;
char type;
printf("请输入温度和类型(F或C,分别代表华氏度和摄氏度):");
scanf("%f %c", &temperature, &type);
if (type == 'F' || type == 'f') {
temperature = (temperature - 32) * 5 / 9;
printf("转换后的温度为:%.2fC\n", temperature);
} else if (type == 'C' || type == 'c') {
temperature = temperature * 9 / 5 + 32;
printf("转换后的温度为:%.2fF\n", temperature);
} else {
printf("输入类型错误!\n");
}
return 0;
}
相关问题
用c语言设计华氏温度和摄氏温度的转换程序,键盘输入华氏温度可输出转换的摄氏温度,键盘输入摄氏温度可输出转化的华氏温度
可以使用C语言编写一个华氏温度和摄氏温度转换的程序。以下是一个示例程序:
```c
#include <stdio.h>
// 函数声明
float fahrenheitToCelsius(float fahrenheit);
float celsiusToFahrenheit(float celsius);
int main() {
int choice;
float temperature;
printf("请选择转换类型:\n");
printf("1. 华氏温度转摄氏温度\n");
printf("2. 摄氏温度转华氏温度\n");
scanf("%d", &choice);
if (choice == 1) {
printf("请输入华氏温度:");
scanf("%f", &temperature);
float celsius = fahrenheitToCelsius(temperature);
printf("转换后的摄氏温度为:%.2f\n", celsius);
} else if (choice == 2) {
printf("请输入摄氏温度:");
scanf("%f", &temperature);
float fahrenheit = celsiusToFahrenheit(temperature);
printf("转换后的华氏温度为:%.2f\n", fahrenheit);
} else {
printf("无效的选择!\n");
}
return 0;
}
// 华氏温度转摄氏温度
float fahrenheitToCelsius(float fahrenheit) {
return (fahrenheit - 32) * 5 / 9;
}
// 摄氏温度转华氏温度
float celsiusToFahrenheit(float celsius) {
return celsius * 9 / 5 + 32;
}
```
这个程序首先会让用户选择转换类型,然后根据用户的选择进行相应的温度转换。用户可以输入华氏温度或摄氏温度,程序会输出转换后的结果。
用C语言,一个驾驶员想要看一下天气温度,最初给出的是华氏温度,但他希望知道摄氏温编写程序,从键盘上输入华氏温度,计算摄氏温度(将华氏温度转化为摄氏温度的公司 C=5/9x (F-32))。
在C语言中,你可以创建一个简单的控制台应用程序来实现这个功能。下面是一个基本的示例程序:
```c
#include <stdio.h>
// 函数声明,用于将华氏温度转换为摄氏温度
double fahrenheit_to_celsius(double fahrenheit);
int main() {
double fahrenheit;
// 输入华氏温度
printf("请输入华氏温度: ");
scanf("%lf", &fahrenheit);
// 计算并打印摄氏温度
double celsius = fahrenheit_to_celsius(fahrenheit);
printf("华氏温度 %.2lf 度转换为摄氏温度为 %.2lf 度。\n", fahrenheit, celsius);
return 0;
}
// 华氏到摄氏的转换函数
double fahrenheit_to_celsius(double f) {
return (f - 32) * 5 / 9; // 转换公式
}
```
在这个程序中,用户首先会看到提示输入华氏温度,然后`fahrenheit_to_celsius`函数会被调用来进行华氏到摄氏的转换,并将结果打印出来。
阅读全文