欢迎来到尧图网

客户服务 关于我们

您的位置:首页 > 健康 > 养生 > 用Python写一个天气预报小程序

用Python写一个天气预报小程序

2025/3/17 3:45:17 来源:https://blog.csdn.net/kouweizhu/article/details/146055057  浏览:    关键词:用Python写一个天气预报小程序

一、界面效果

二、完整代码

import tkinter as tk
from tkinter import ttk
import requests
import json
from datetime import datetime
from PIL import Image, ImageTk
import io
from ttkbootstrap import Styleclass WeatherApp:def __init__(self, root):self.root = rootself.root.title("天气预报")self.root.geometry("1000x800")# 使用ttkbootstrap美化界面style = Style(theme='cosmo')# 创建主框架self.main_frame = ttk.Frame(self.root)self.main_frame.pack(pady=20, padx=20, fill='both', expand=True)# 搜索框self.search_frame = ttk.Frame(self.main_frame)self.search_frame.pack(fill='x', pady=10)self.city_entry = ttk.Entry(self.search_frame, font=('微软雅黑', 12))self.city_entry.pack(side='left', expand=True, padx=(0, 10))self.city_entry.insert(0, "上海")self.search_button = ttk.Button(self.search_frame,text="查询",command=self.get_weather,style='primary.TButton')self.search_button.pack(side='right')# 当前天气信息框self.current_weather_frame = ttk.LabelFrame(self.main_frame, text="当前天气", padding=15)self.current_weather_frame.pack(fill='x', pady=10)# 当前天气信息self.current_info_frame = ttk.Frame(self.current_weather_frame)self.current_info_frame.pack(fill='x', padx=20)self.city_label = ttk.Label(self.current_info_frame, font=('微软雅黑', 20, 'bold'))self.city_label.pack(anchor='w')self.temp_label = ttk.Label(self.current_info_frame, font=('微软雅黑', 30))self.temp_label.pack(anchor='w')self.weather_label = ttk.Label(self.current_info_frame, font=('微软雅黑', 15))self.weather_label.pack(anchor='w')# 详细信息框self.detail_frame = ttk.LabelFrame(self.main_frame, text="详细信息", padding=15)self.detail_frame.pack(fill='x', pady=10)# 创建详细信息标签self.details = {"体感温度": ttk.Label(self.detail_frame),"湿度": ttk.Label(self.detail_frame),"气压": ttk.Label(self.detail_frame),"能见度": ttk.Label(self.detail_frame),"风向": ttk.Label(self.detail_frame),"风速": ttk.Label(self.detail_frame)}# 布局详细信息row = 0col = 0for key, label in self.details.items():ttk.Label(self.detail_frame, text=f"{key}:").grid(row=row, column=col * 2, padx=5, pady=5, sticky='e')label.grid(row=row, column=col * 2 + 1, padx=5, pady=5, sticky='w')col += 1if col > 2:col = 0row += 1# 未来天气预报框self.forecast_frame = ttk.LabelFrame(self.main_frame, text="未来天气预报", padding=15)self.forecast_frame.pack(fill='both', expand=True, pady=10)# 创建未来5天的预报框架self.forecast_days = []for i in range(5):day_frame = ttk.Frame(self.forecast_frame)day_frame.pack(side='left', expand=True, padx=10)date_label = ttk.Label(day_frame, font=('微软雅黑', 10))date_label.pack()temp_label = ttk.Label(day_frame, font=('微软雅黑', 12))temp_label.pack()weather_label = ttk.Label(day_frame, font=('微软雅黑', 10))weather_label.pack()self.forecast_days.append({'date': date_label,'temp': temp_label,'weather': weather_label})def get_weather(self):city = self.city_entry.get()api_key = "你的API密钥"  # 替换为你的API密钥# 获取城市IDlocation_url = f"https://geoapi.qweather.com/v2/city/lookup?location={city}&key={api_key}"try:# 获取城市IDlocation_response = requests.get(location_url)location_data = json.loads(location_response.text)if location_data['code'] == '200' and location_data['location']:city_id = location_data['location'][0]['id']# 获取实时天气current_url = f"https://devapi.qweather.com/v7/weather/now?location={city_id}&key={api_key}"# 获取天气预报forecast_url = f"https://devapi.qweather.com/v7/weather/7d?location={city_id}&key={api_key}"# 获取当前天气response = requests.get(current_url)current_data = json.loads(response.text)if current_data['code'] == '200':now = current_data['now']# 更新当前天气信息self.city_label.config(text=f"{city}")self.temp_label.config(text=f"{now['temp']}°C")self.weather_label.config(text=f"{now['text']}")# 更新详细信息self.details["体感温度"].config(text=f"{now['feelsLike']}°C")self.details["湿度"].config(text=f"{now['humidity']}%")self.details["气压"].config(text=f"{now['pressure']}hPa")self.details["能见度"].config(text=f"{now['vis']}km")self.details["风向"].config(text=now['windDir'])self.details["风速"].config(text=f"{now['windSpeed']}km/h")# 获取天气预报forecast_response = requests.get(forecast_url)forecast_data = json.loads(forecast_response.text)if forecast_data['code'] == '200':daily_forecast = forecast_data['daily']for i, day in enumerate(daily_forecast[:5]):date = datetime.strptime(day['fxDate'], '%Y-%m-%d').strftime('%m/%d')self.forecast_days[i]['date'].config(text=date)self.forecast_days[i]['temp'].config(text=f"{day['tempMin']}°C - {day['tempMax']}°C")self.forecast_days[i]['weather'].config(text=day['textDay'])else:self.city_label.config(text="获取天气信息失败")else:self.city_label.config(text="未找到该城市")except Exception as e:print(f"错误信息: {str(e)}")self.city_label.config(text="获取天气信息失败")if __name__ == "__main__":root = tk.Tk()app = WeatherApp(root)root.mainloop()

三、注意事项

需要将代码中的api_key替换成你自己的,提前在和风天气官网注册一个账号并申请apikey

登录 | 和风天气

 

 

版权声明:

本网仅为发布的内容提供存储空间,不对发表、转载的内容提供任何形式的保证。凡本网注明“来源:XXX网络”的作品,均转载自其它媒体,著作权归作者所有,商业转载请联系作者获得授权,非商业转载请注明出处。

我们尊重并感谢每一位作者,均已注明文章来源和作者。如因作品内容、版权或其它问题,请及时与我们联系,联系邮箱:809451989@qq.com,投稿邮箱:809451989@qq.com

热搜词