c++实现华氏到摄氏温度转换
时间: 2024-09-28 08:16:07 浏览: 144
在 C++ 中,实现华氏温度(Fahrenheit)转摄氏温度(Celsius)的转换通常涉及简单的数学公式。华氏温度到摄氏温度的转换公式是 `(F - 32) * 5 / 9`。下面是这个转换过程的一个简单函数示例:
```cpp
#include <iostream>
// 华氏到摄氏的转换函数
double fahrenheitToCelsius(double fahrenheit) {
return (fahrenheit - 32) * 5 / 9;
}
int main() {
double fahrenheit_input;
std::cout << "请输入华氏温度: ";
std::cin >> fahrenheit_input;
// 转换并打印结果
double celsius_output = fahrenheitToCelsius(fahrenheit_input);
std::cout << "对应的摄氏温度是: " << celsius_output << "℃\n";
return 0;
}
```
在这个程序中,用户可以输入一个华氏温度值,然后调用 `fahrenheitToCelsius` 函数将其转换成摄氏温度。
相关问题
编写c++函数实现华氏温度转换为摄氏温度
下面是一个简单的 C++ 函数实现华氏温度转换为摄氏温度的代码:
```cpp
#include <iostream>
using namespace std;
double fahrenheitToCelsius(double fahrenheit)
{
double celsius = (fahrenheit - 32) * 5 / 9;
return celsius;
}
int main()
{
double fahrenheit, celsius;
cout << "Enter the temperature in Fahrenheit: ";
cin >> fahrenheit;
celsius = fahrenheitToCelsius(fahrenheit);
cout << "The temperature in Celsius is: " << celsius << endl;
return 0;
}
```
在这个例子中,我们定义了一个名为 `fahrenheitToCelsius` 的函数,它接受一个表示华氏温度的参数,并返回相应的摄氏温度。在 `main` 函数中,我们首先要求用户输入一个华氏温度,然后调用 `fahrenheitToCelsius` 函数将其转换为摄氏温度,并将结果打印到控制台上。
C++语言转换华氏温度与摄氏温度,用户输入1华氏温度转摄氏温度,用户输入2摄氏温度转华氏温度
在C++中,我们可以定义两个函数来实现华氏到摄氏的转换和摄氏到华氏的转换。这里有一个简单的示例:
```cpp
#include <iostream>
// 华氏到摄氏的转换函数
double fahrenheitToCelsius(double fahrenheit) {
return (fahrenheit - 32) * 5 / 9;
}
// 摄氏到华氏的转换函数
double celsiusToFahrenheit(double celsius) {
return celsius * 9 / 5 + 32;
}
int main() {
int choice;
std::cout << "请输入选择(1:华氏转摄氏, 2:摄氏转华氏): ";
std::cin >> choice;
double temperature;
if (choice == 1) {
std::cout << "请输入华氏温度: ";
std::cin >> temperature;
double result = fahrenheitToCelsius(temperature);
std::cout << "摄氏温度为: " << result << std::endl;
} else if (choice == 2) {
std::cout << "请输入摄氏温度: ";
std::cin >> temperature;
double result = celsiusToFahrenheit(temperature);
std::cout << "华氏温度为: " << result << std::endl;
} else {
std::cout << "无效的选择,请重新输入!" << std::endl;
}
return 0;
}
```
在这个程序中,用户首先被询问选择哪种转换(1或2)。根据用户的输入,相应的温度值会被读取并进行转换。如果用户输入的是无效选项,程序会提示错误。
阅读全文