Python 代码阅读合集介绍:为什么不推荐Python初学者直接看项目源码
本篇阅读的代码实现了摄氏温度与华氏温度的相互转换。
本篇阅读的代码片段来自于30-seconds-of-python。
celsius_to_fahrenheit
def celsius_to_fahrenheit(celsius):
return ((celsius * 1.8) + 32)
# EXAMPLES
print(celsius_to_fahrenheit(180)) # 356.0
函数实现了将摄氏温度转换为华氏温度。
摄氏温度的规定是:在标准大气压,纯水的凝固点(即固液共存的温度)为0°C
,水的沸点为100°C
,中间划分为100
等份,每等份为1°C
。
华氏温度的定义是:在标准大气压下,冰的熔点为32℉
,水的沸点为212℉
,中间有180
等分,每等分为1℉
。
因此他们的换算规则为:
℉ = 1.8 * °C +32
°C = (℉ - 32) / 1.8
fahrenheit_to_celsius
def fahrenheit_to_celsius(fahrenheit):
return ((fahrenheit - 32) / 1.8)
# EXAMPLES
print(fahrenheit_to_celsius(77)) # 25.0
该函数与上面相反,实现了华氏温度转换为摄氏温度。