使用 pyowm 获取平均温度 (python)

using pyowm getting the average tempature (python)

我想在我的 python 代码中显示平均温度。

我发现 http://openweathermap.org/,用他们的 API 我做了以下代码:

import pyowm

api = pyowm.OWM('Your API key')
collectinfo = api.weather_at_place("Gorinchem,nl")
short = collectinfo.get_weather()
temperature = short.get_temperature('celsius')
print(temperature)

然而温度函数显示多个变量,例如

temp': 18.72, 'temp_max': 20.0, 'temp_min': 17.0, 'temp_kf': None

我只想将平均温度写入一个变量,这样我就可以在我的程序中使用它。

经过一番搜索,我找到了以下代码行:

average_temperature(unit='kelvin') 

的一部分
class pyowm.webapi25.historian.Historian(station_history)

link 到文档:https://pyowm.readthedocs.io/en/latest/pyowm.webapi25.html#module-pyowm.webapi25.observation

(使用 ctrl + f ,搜索 celsius 最先弹出)

我不知道如何使用该函数来计算平均温度。

任何可以帮助新手编码器的人:)?

我用不可靠的方法解决了这个问题。我将输出转换为字符串。 然后我就拉出我需要的角色。最后我把它们组合在一起。 这是一种丑陋的方式,但至少我可以继续。如果有人知道更好的解决方案,请继续!

s = "temp': 18.72, 'temp_max': 20.0, 'temp_min': 17.0, 'temp_kf': None"


h1 =s[7]
h2 =s[8]
k1=s[10]
print(h1+h2+","+k1)

字符串的格式适合初始化 python 字典。

s = "'temp': 18.72, 'temp_max': 20.0, 'temp_min': 17.0, 'temp_kf': None"
data = eval('{{{}}}'.format(s))
print data['temp']

请注意,我在字符串的开头添加了一个缺失的 '。 请注意,使用 eval 通常被认为存在安全风险,因为该字符串可能包含恶意 python 代码,这些代码可能会在调用 eval 时执行。

另一种方法是使用正则表达式改进字符串的解析,例如您可以过滤所有十进制值并依赖于您要查找的值始终位于特定位置这一事实:

import re
s = "'temp': 18.72, 'temp_max': 20.0, 'temp_min': 17.0, 'temp_kf': None"
temperatures = [float(q) for q in re.findall(r'([\d\.]+)', s)]

嗯,我最近也遇到了同样的问题,不用你不知道怎么用的功能,更容易知道如何从最初的结果中得到你想要的数据!

 observation = self.owm.weather_at_place("Gorinchem,nl")
 w = observation.get_weather()
 temperature = w.get_temperature('celsius')

这会在此时输出我们:{'temp': 8.52, 'temp_max': 10.0, 'temp_min': 7.22, 'temp_kf': None}

但我们需要了解这是一种什么样的结果:

print(type(temperature))

这将输出我们结果的类型:

<class 'dict'>

有了这个,我们现在知道如果我们访问键,我们可以单独访问值:

avgTemp=temperature['temp']

这是因为平均温度 (8.52) 的键是 'temp'

为确保您可以使用它,我们需要知道它是什么类型:

print(type(tempMedia))

将输出:

<class 'float'>