c语言编写函数,函数的功能是:将华氏温度转F换为摄氏温度C。转换公式为:C=5*( F- 32)/9。编写一个程序,输出指定范围的华氏温度与摄氏温度的对照表,其中华氏温度步长 为4。输入: 两个空格隔开的整数n,m(且0<n<m<1000)。输出:华氏温度与摄氏温度的对照 表。
时间: 2024-05-02 09:17:00 浏览: 129
以下是用C语言编写的函数实现题目要求的功能:
```c
#include <stdio.h>
void fahrenheitToCelsius(int n, int m) {
int fahrenheit = n;
float celsius;
printf("Fahrenheit\tCelsius\n"); // 输出表头
while (fahrenheit <= m) {
celsius = 5.0 * (fahrenheit - 32) / 9.0;
printf("%d\t\t%.2f\n", fahrenheit, celsius);
fahrenheit += 4; // 华氏温度步长为4
}
}
```
在主函数中调用该函数并输入n、m的值即可输出对照表:
```c
int main() {
int n, m;
scanf("%d %d", &n, &m);
fahrenheitToCelsius(n, m);
return 0;
}
```
例如,输入n为0,m为20,则输出如下对照表:
```
Fahrenheit Celsius
0 -17.78
4 -15.56
8 -13.33
12 -11.11
16 -8.89
20 -6.67
```
相关问题
用c语言编写函数,函数的功能是:将华氏温度转F换为摄氏温度C。转换公式为:C=5*(F- 32)/9。编写一个程序,输出指定范围的华氏温度与摄氏温度的对照表,其中华氏温度步长 为4。
好的,这是一个关于C语言的问题,我可以回答。以下是C语言代码:
```c
#include <stdio.h>
void convertFahrenheitToCelsius(int start, int end) {
int fahrenheit = start;
while (fahrenheit <= end) {
int celsius = 5 * (fahrenheit - 32) / 9;
printf("%d Fahrenheit\t= %d Celsius\n", fahrenheit, celsius);
fahrenheit += 4;
}
}
int main() {
int start = 0, end = 100;
convertFahrenheitToCelsius(start, end);
return 0;
}
```
这个程序会输出从0到100华氏温度转换成摄氏温度的对照表,每个华氏温度步长为4。
编写程序,将摄氏温度值转换为华氏温度。公式如下:华氏温度=9*摄氏温度/5+32,用c语言
在C语言中,编写一个函数来将摄氏温度转换为华氏温度非常简单。你可以创建一个名为`celsius_to_fahrenheit`的函数,接受一个摄氏温度作为输入,然后返回对应的华氏温度。以下是代码示例:
```c
#include <stdio.h>
// 定义摄氏转华氏的函数
double celsius_to_fahrenheit(double celsius) {
return (9.0 * celsius / 5.0) + 32;
}
int main() {
double celsius_input;
// 提示用户输入摄氏温度
printf("请输入摄氏温度: ");
scanf("%lf", &celsius_input);
// 转换并输出结果
double fahrenheit = celsius_to_fahrenheit(celsius_input);
printf("摄氏 %.2f 度转换为华氏是 %.2f 度.\n", celsius_input, fahrenheit);
return 0;
}
```
在这个程序中,首先通过`scanf`获取用户的输入,然后调用`celsius_to_fahrenheit`函数进行转换,并用`printf`显示转换后的华氏温度。
阅读全文