Skip to content

Commit 231caa9

Browse files
Merge pull request #763 from yanliutafewa/main
Add features to "API Based Weather Report" - #744
2 parents 7d424bc + 6f6f2da commit 231caa9

File tree

3 files changed

+213
-15
lines changed

3 files changed

+213
-15
lines changed

projects/API Based Weather Report/API Based Weather Report.py

+75-15
Original file line numberDiff line numberDiff line change
@@ -1,9 +1,19 @@
11
import requests
22
from datetime import datetime
3+
from Util_Functions import wind_degree_to_direction, unix_timestamp_to_localtime, convert_temperature
34

45

5-
# Function to fetch weather data from OpenWeatherMap API
66
def fetch_weather(api_key, location):
7+
"""
8+
Function to fetch weather data from OpenWeatherMap API.
9+
10+
Parameters:
11+
api_key (str): API key.
12+
location (str): City name.
13+
14+
Returns:
15+
str: The JSON response string.
16+
"""
717
try:
818
# Constructing the API link with the provided API key and location
919
complete_api_link = f"https://api.openweathermap.org/data/2.5/weather?q={location}&appid={api_key}"
@@ -23,25 +33,34 @@ def fetch_weather(api_key, location):
2333
return None
2434

2535

26-
# Function to write weather information to a text file
27-
def write_to_file(location, weather_data):
36+
def write_to_file(weather_data, temperature_unit):
37+
"""
38+
Function to write weather information to a text file.
39+
40+
Parameters:
41+
weather_data (str): The JSON API response string.
42+
temperature_unit (str): 'C' for Celsius, 'F' for Fahrenheit.
43+
"""
44+
2845
try:
2946
# Opening the file "weatherinfo.txt" in write mode
3047
with open("weatherinfo.txt", "w+") as f:
3148
# Getting the current date and time
3249
date_time = datetime.now().strftime("%d %b %Y | %I:%M:%S %p")
3350

3451
# Writing header information to the file
35-
f.write("-------------------------------------------------------------\n")
36-
f.write(f"Weather Stats for - {location.upper()} || {date_time}\n")
37-
f.write("-------------------------------------------------------------\n")
52+
if "name" in weather_data and "sys" in weather_data and "country" in weather_data["sys"]:
53+
f.write("-------------------------------------------------------------\n")
54+
f.write(f"Weather Stats for - {weather_data['name']} | {weather_data['sys']['country']} "
55+
f"| {date_time}\n")
56+
f.write("-------------------------------------------------------------\n")
3857

3958
# Writing temperature information to the file
4059
if "main" in weather_data and "temp" in weather_data["main"]:
4160
f.write(
42-
"\tCurrent temperature is : {:.2f} °C\n".format(
43-
weather_data["main"]["temp"] - 273.15
44-
)
61+
"\tCurrent temperature is : "
62+
+ convert_temperature(weather_data["main"]["temp"], temperature_unit)
63+
+ "\n"
4564
)
4665

4766
# Writing weather description information to the file
@@ -68,6 +87,24 @@ def write_to_file(location, weather_data):
6887
)
6988
)
7089

90+
# Writing wind direction information to the file
91+
if "wind" in weather_data and "deg" in weather_data["wind"]:
92+
f.write(
93+
"\tCurrent wind direction : " +
94+
wind_degree_to_direction(weather_data["wind"]["deg"]) + " \n")
95+
96+
# Writing sunrise local time to the file
97+
if "sys" in weather_data and "sunrise" in weather_data["sys"] and "timezone" in weather_data:
98+
f.write(
99+
"\tToday's sunrise time : " +
100+
unix_timestamp_to_localtime(weather_data["sys"]["sunrise"], weather_data["timezone"]) + " \n")
101+
102+
# Writing sunset local time to the file
103+
if "sys" in weather_data and "sunset" in weather_data["sys"] and "timezone" in weather_data:
104+
f.write(
105+
"\tToday's sunset time : " +
106+
unix_timestamp_to_localtime(weather_data["sys"]["sunset"], weather_data["timezone"]) + " \n")
107+
71108
# Printing confirmation message after writing to file
72109
print("Weather information written to weatherinfo.txt")
73110

@@ -76,36 +113,59 @@ def write_to_file(location, weather_data):
76113
print("Error writing to file:", e)
77114

78115

79-
# Main function
80116
def main():
117+
"""
118+
Main function.
119+
"""
81120
# Printing welcome messages and instructions
82121
print("Welcome to the Weather Information App!")
83122
print("You need an API key to access weather data from OpenWeatherMap.")
84123
print(
85124
"You can obtain your API key by signing up at https://home.openweathermap.org/users/sign_up"
86125
)
87126

88-
# Prompting the user to input API key and city name
127+
# Prompting the user to input API key, city name, and temperature unit
89128
api_key = input("Please enter your OpenWeatherMap API key: ")
90129
location = input("Enter the city name: ")
130+
temperature_unit = input("Enter the temperature unit. 'C' for Celsius and 'F' for Fahrenheit: ")
131+
132+
if not (temperature_unit.upper() == "C" or temperature_unit.upper() == "F"):
133+
print("Temperature unit must either be 'C' or be 'F'.")
134+
return
91135

92136
# Fetching weather data using the provided API key and location
93137
weather_data = fetch_weather(api_key, location)
94138

95139
# Checking if weather data was successfully fetched
96140
if weather_data:
141+
# Checking if the API key is invalid
142+
if weather_data["cod"] == "401":
143+
print("Invalid API key.")
144+
return
145+
146+
# Checking if the city is not found
147+
if weather_data["cod"] == "404":
148+
print("City not found.")
149+
return
150+
97151
# Writing weather information to file
98-
write_to_file(location, weather_data)
152+
write_to_file(weather_data, temperature_unit)
99153

100154
# Printing weather information to console
155+
print("Current City : " + weather_data['name'] + ', ' +
156+
weather_data['sys']['country'])
101157
print(
102-
"Current temperature is: {:.2f} °C".format(
103-
weather_data["main"]["temp"] - 273.15
104-
)
158+
"Current temperature is: "
159+
+ convert_temperature(weather_data["main"]["temp"], temperature_unit)
105160
)
106161
print("Current weather desc : " + weather_data["weather"][0]["description"])
107162
print("Current Humidity :", weather_data["main"]["humidity"], "%")
108163
print("Current wind speed :", weather_data["wind"]["speed"], "kmph")
164+
print("Current wind direction:", wind_degree_to_direction(weather_data["wind"]["deg"]))
165+
print("Today's sunrise time :",
166+
unix_timestamp_to_localtime(weather_data["sys"]["sunrise"], weather_data["timezone"]))
167+
print("Today's sunset time :",
168+
unix_timestamp_to_localtime(weather_data["sys"]["sunset"], weather_data["timezone"]))
109169
else:
110170
# Printing error message if weather data fetching fails
111171
print("Failed to fetch weather data. Please check your input and try again.")
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,93 @@
1+
from datetime import datetime, timedelta
2+
3+
4+
def wind_degree_to_direction(str_wind_degree):
5+
"""
6+
Convert wind degree to wind direction.
7+
8+
Parameters:
9+
str_wind_degree (str): Wind degree from API (0 to 360)
10+
11+
Returns:
12+
str: Wind direction (e.g., N, NE, E, etc.)
13+
Or message "API Wind Degree data format error!"
14+
"""
15+
# convert wind degree from str to int.
16+
try:
17+
wind_degree = int(str_wind_degree)
18+
except ValueError:
19+
return "API Wind Degree data format error!"
20+
21+
directions = [
22+
"N", "NNE", "NE", "ENE", "E", "ESE", "SE", "SSE",
23+
"S", "SSW", "SW", "WSW", "W", "WNW", "NW", "NNW"
24+
]
25+
index = int((wind_degree + 11.25) // 22.5) % 16
26+
return directions[index]
27+
28+
29+
def unix_timestamp_to_localtime(str_unix_timestamp, str_timezone_offset_seconds):
30+
"""
31+
Convert unix timestamp to localtime (for sunrise and sunset).
32+
33+
Parameters:
34+
str_unix_timestamp (str): Unix timestamp (e.g., "1717715516")
35+
str_timezone_offset_seconds (str): timezone offset in second (e.g., "28800" represents UTC+8)
36+
37+
Returns:
38+
str: local_time (e.g., "2024-06-07 07:11:56")
39+
Or message "API sunset/sunrise data format error!"
40+
Or message "API timezone data format error!"
41+
"""
42+
# Convert strings to integers
43+
try:
44+
unix_timestamp = int(str_unix_timestamp)
45+
except ValueError:
46+
return "API sunset/sunrise data format error!"
47+
48+
try:
49+
timezone_offset_seconds = int(str_timezone_offset_seconds)
50+
except ValueError:
51+
return "API timezone data format error!"
52+
53+
# Convert Unix timestamp to UTC datetime
54+
utc_time = datetime.utcfromtimestamp(unix_timestamp)
55+
56+
# Apply timezone offset
57+
local_time = utc_time + timedelta(seconds=timezone_offset_seconds)
58+
59+
return local_time.strftime('%Y-%m-%d %H:%M:%S')
60+
61+
62+
def convert_temperature(str_temperature_kelvin, temperature_unit):
63+
"""
64+
Convert temperature in Kelvin degree to Celsius degree or Fahrenheit degree based on second parameter .
65+
66+
Parameters:
67+
str_temperature_kelvin (str): temperature in Kelvin degree (e.g., "291.19")
68+
temperature_unit (str): "C" for Celsius, "F" for Fahrenheit
69+
70+
Returns:
71+
str: temperature (e.g., "21.07 °C" or "67.12 °F")
72+
Or message "API temperature data format error!"
73+
Or message "Temperature unit must either be 'C' or be 'F'!"
74+
"""
75+
# Convert strings to integers
76+
try:
77+
temperature_k = float(str_temperature_kelvin)
78+
except ValueError:
79+
return "API temperature data format error!"
80+
81+
# Validate temperature_unit
82+
unit = str(temperature_unit).upper()
83+
if not (unit == "C" or unit == "F"):
84+
return "Temperature unit must either be 'C' or be 'F'!"
85+
86+
# Converting
87+
if unit == 'C':
88+
temperature_c = temperature_k - 273.15
89+
return f"{temperature_c:.2f} °C"
90+
91+
if unit == 'F':
92+
temperature_f = temperature_k * 9 / 5 - 459.67
93+
return f"{temperature_f:.2f} °F"
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,45 @@
1+
import unittest
2+
from Util_Functions import wind_degree_to_direction, unix_timestamp_to_localtime, convert_temperature
3+
4+
5+
class MyTestCase(unittest.TestCase):
6+
def test_wind_degree_to_direction(self):
7+
self.assertEqual("ENE", wind_degree_to_direction("60"))
8+
self.assertEqual("SE", wind_degree_to_direction("130"))
9+
self.assertEqual("W", wind_degree_to_direction("280"))
10+
11+
def test_wind_degree_to_direction_parameter_format_error(self):
12+
self.assertEqual("API Wind Degree data format error!",
13+
wind_degree_to_direction("abc"))
14+
15+
def test_unix_timestamp_to_localtime(self):
16+
self.assertEqual("2024-06-07 07:11:56",
17+
unix_timestamp_to_localtime("1717715516", "28800"))
18+
19+
def test_unix_timestamp_to_localtime_unix_timestamp_format_error(self):
20+
self.assertEqual("API sunset/sunrise data format error!",
21+
unix_timestamp_to_localtime("abc", "28800"))
22+
23+
def test_unix_timestamp_to_localtime_timezone_format_error(self):
24+
self.assertEqual("API timezone data format error!",
25+
unix_timestamp_to_localtime("1717715516", "abc"))
26+
27+
def test_convert_temperature_to_celsius(self):
28+
self.assertEqual("15.44 °C",
29+
convert_temperature("288.59", "C"))
30+
31+
def test_convert_temperature_to_fahrenheit(self):
32+
self.assertEqual("59.79 °F",
33+
convert_temperature("288.59", "F"))
34+
35+
def test_convert_temperature_temperature_format_error(self):
36+
self.assertEqual("API temperature data format error!",
37+
convert_temperature("abc", "F"))
38+
39+
def test_convert_temperature_temperature_unit_error(self):
40+
self.assertEqual("Temperature unit must either be 'C' or be 'F'!",
41+
convert_temperature("288.59", "H"))
42+
43+
44+
if __name__ == '__main__':
45+
unittest.main()

0 commit comments

Comments
 (0)