mirror of
https://github.com/ChuckBuilds/LEDMatrix.git
synced 2026-04-10 21:03:01 +00:00
Weather Forecast Visual improvements
This commit is contained in:
@@ -19,8 +19,10 @@ class DisplayController:
|
|||||||
self.weather = WeatherManager(self.config, self.display_manager)
|
self.weather = WeatherManager(self.config, self.display_manager)
|
||||||
self.current_display = 'clock'
|
self.current_display = 'clock'
|
||||||
self.last_switch = time.time()
|
self.last_switch = time.time()
|
||||||
self.hourly_index = 0
|
self.scroll_position = 0
|
||||||
self.last_hourly_update = time.time()
|
self.scroll_speed = 2 # Pixels per update
|
||||||
|
self.last_scroll = time.time()
|
||||||
|
self.scroll_interval = 0.05 # 50ms between scroll updates
|
||||||
logger.info("DisplayController initialized with display_manager: %s", id(self.display_manager))
|
logger.info("DisplayController initialized with display_manager: %s", id(self.display_manager))
|
||||||
|
|
||||||
def run(self):
|
def run(self):
|
||||||
@@ -29,7 +31,6 @@ class DisplayController:
|
|||||||
while True:
|
while True:
|
||||||
current_time = time.time()
|
current_time = time.time()
|
||||||
rotation_interval = self.config['display'].get('rotation_interval', 15)
|
rotation_interval = self.config['display'].get('rotation_interval', 15)
|
||||||
hourly_scroll_interval = 3 # Show each hour for 3 seconds
|
|
||||||
|
|
||||||
# Track if we're switching modes
|
# Track if we're switching modes
|
||||||
switching_modes = False
|
switching_modes = False
|
||||||
@@ -41,8 +42,7 @@ class DisplayController:
|
|||||||
self.current_display = 'weather'
|
self.current_display = 'weather'
|
||||||
elif self.current_display == 'weather':
|
elif self.current_display == 'weather':
|
||||||
self.current_display = 'hourly'
|
self.current_display = 'hourly'
|
||||||
self.hourly_index = 0
|
self.scroll_position = 0
|
||||||
self.last_hourly_update = current_time
|
|
||||||
elif self.current_display == 'hourly':
|
elif self.current_display == 'hourly':
|
||||||
self.current_display = 'daily'
|
self.current_display = 'daily'
|
||||||
else: # daily
|
else: # daily
|
||||||
@@ -52,11 +52,11 @@ class DisplayController:
|
|||||||
self.last_switch = current_time
|
self.last_switch = current_time
|
||||||
switching_modes = True
|
switching_modes = True
|
||||||
|
|
||||||
# Update hourly forecast index if needed
|
# Update scroll position for hourly forecast
|
||||||
if self.current_display == 'hourly' and current_time - self.last_hourly_update > hourly_scroll_interval:
|
if self.current_display == 'hourly' and current_time - self.last_scroll > self.scroll_interval:
|
||||||
self.hourly_index = (self.hourly_index + 1) % 6 # We show 6 hours
|
self.scroll_position += self.scroll_speed
|
||||||
self.last_hourly_update = current_time
|
self.last_scroll = current_time
|
||||||
switching_modes = True # Force clear for new hour
|
switching_modes = True # Force clear for smooth scrolling
|
||||||
|
|
||||||
# Display current screen
|
# Display current screen
|
||||||
if self.current_display == 'clock':
|
if self.current_display == 'clock':
|
||||||
@@ -67,13 +67,13 @@ class DisplayController:
|
|||||||
self.weather.display_weather(force_clear=switching_modes)
|
self.weather.display_weather(force_clear=switching_modes)
|
||||||
elif self.current_display == 'hourly':
|
elif self.current_display == 'hourly':
|
||||||
logger.debug("Updating hourly forecast display")
|
logger.debug("Updating hourly forecast display")
|
||||||
self.weather.display_hourly_forecast(self.hourly_index, force_clear=switching_modes)
|
self.weather.display_hourly_forecast(self.scroll_position, force_clear=switching_modes)
|
||||||
else: # daily
|
else: # daily
|
||||||
logger.debug("Updating daily forecast display")
|
logger.debug("Updating daily forecast display")
|
||||||
self.weather.display_daily_forecast(force_clear=switching_modes)
|
self.weather.display_daily_forecast(force_clear=switching_modes)
|
||||||
|
|
||||||
# Sleep for 0.5 seconds since we only need to check for second changes
|
# Sleep for a shorter interval to make scrolling smoother
|
||||||
time.sleep(0.5)
|
time.sleep(0.02)
|
||||||
|
|
||||||
except KeyboardInterrupt:
|
except KeyboardInterrupt:
|
||||||
print("\nDisplay stopped by user")
|
print("\nDisplay stopped by user")
|
||||||
|
|||||||
@@ -168,6 +168,34 @@ class DisplayManager:
|
|||||||
# Update the display using double buffering
|
# Update the display using double buffering
|
||||||
self.update_display()
|
self.update_display()
|
||||||
|
|
||||||
|
def draw_scrolling_text(self, text: str, scroll_position: int, force_clear: bool = False) -> None:
|
||||||
|
"""Draw scrolling text on the display."""
|
||||||
|
if force_clear:
|
||||||
|
self.clear()
|
||||||
|
else:
|
||||||
|
# Just create a new blank image without updating display
|
||||||
|
self.image = Image.new('RGB', (self.matrix.width * 2, self.matrix.height)) # Double width for scrolling
|
||||||
|
self.draw = ImageDraw.Draw(self.image)
|
||||||
|
|
||||||
|
# Calculate text dimensions
|
||||||
|
bbox = self.draw.textbbox((0, 0), text, font=self.font)
|
||||||
|
text_width = bbox[2] - bbox[0]
|
||||||
|
text_height = bbox[3] - bbox[1]
|
||||||
|
|
||||||
|
# Draw text at current scroll position
|
||||||
|
y = (self.matrix.height - text_height) // 2
|
||||||
|
self.draw.text((self.matrix.width - scroll_position, y), text, font=self.font, fill=(255, 255, 255))
|
||||||
|
|
||||||
|
# If text has scrolled past the left edge, draw it again at the right
|
||||||
|
if scroll_position > text_width:
|
||||||
|
self.draw.text((self.matrix.width * 2 - scroll_position, y), text, font=self.font, fill=(255, 255, 255))
|
||||||
|
|
||||||
|
# Create a cropped version of the image that's the size of our display
|
||||||
|
visible_portion = self.image.crop((0, 0, self.matrix.width, self.matrix.height))
|
||||||
|
|
||||||
|
# Update the display with the visible portion
|
||||||
|
self.matrix.SetImage(visible_portion)
|
||||||
|
|
||||||
def cleanup(self):
|
def cleanup(self):
|
||||||
"""Clean up resources."""
|
"""Clean up resources."""
|
||||||
self.matrix.Clear()
|
self.matrix.Clear()
|
||||||
|
|||||||
@@ -5,23 +5,23 @@ from typing import Dict, Any, List
|
|||||||
from PIL import Image, ImageDraw
|
from PIL import Image, ImageDraw
|
||||||
|
|
||||||
class WeatherManager:
|
class WeatherManager:
|
||||||
# Weather condition to emoji mapping
|
# Weather condition to larger colored icons (we'll use these as placeholders until you provide custom ones)
|
||||||
WEATHER_ICONS = {
|
WEATHER_ICONS = {
|
||||||
'Clear': '☀️',
|
'Clear': '🌞', # Larger sun with rays
|
||||||
'Clouds': '☁️',
|
'Clouds': '☁️', # Cloud
|
||||||
'Rain': '🌧️',
|
'Rain': '🌧️', # Rain cloud
|
||||||
'Snow': '❄️',
|
'Snow': '❄️', # Snowflake
|
||||||
'Thunderstorm': '⛈️',
|
'Thunderstorm': '⛈️', # Storm cloud
|
||||||
'Drizzle': '🌦️',
|
'Drizzle': '🌦️', # Sun behind rain cloud
|
||||||
'Mist': '🌫️',
|
'Mist': '🌫️', # Fog
|
||||||
'Fog': '🌫️',
|
'Fog': '🌫️', # Fog
|
||||||
'Haze': '🌫️',
|
'Haze': '🌫️', # Fog
|
||||||
'Smoke': '🌫️',
|
'Smoke': '🌫️', # Fog
|
||||||
'Dust': '🌫️',
|
'Dust': '🌫️', # Fog
|
||||||
'Sand': '🌫️',
|
'Sand': '🌫️', # Fog
|
||||||
'Ash': '🌫️',
|
'Ash': '🌫️', # Fog
|
||||||
'Squall': '💨',
|
'Squall': '💨', # Dash symbol
|
||||||
'Tornado': '🌪️'
|
'Tornado': '🌪️' # Tornado
|
||||||
}
|
}
|
||||||
|
|
||||||
def __init__(self, config: Dict[str, Any], display_manager):
|
def __init__(self, config: Dict[str, Any], display_manager):
|
||||||
@@ -34,6 +34,7 @@ class WeatherManager:
|
|||||||
self.forecast_data = None
|
self.forecast_data = None
|
||||||
self.hourly_forecast = None
|
self.hourly_forecast = None
|
||||||
self.daily_forecast = None
|
self.daily_forecast = None
|
||||||
|
self.scroll_position = 0
|
||||||
|
|
||||||
def _fetch_weather(self) -> None:
|
def _fetch_weather(self) -> None:
|
||||||
"""Fetch current weather and forecast data from OpenWeatherMap API."""
|
"""Fetch current weather and forecast data from OpenWeatherMap API."""
|
||||||
@@ -81,7 +82,7 @@ class WeatherManager:
|
|||||||
# Process hourly forecast (next 6 hours)
|
# Process hourly forecast (next 6 hours)
|
||||||
self.hourly_forecast = []
|
self.hourly_forecast = []
|
||||||
for item in self.forecast_data['list'][:6]: # First 6 entries (3 hours each)
|
for item in self.forecast_data['list'][:6]: # First 6 entries (3 hours each)
|
||||||
hour = datetime.fromtimestamp(item['dt']).strftime('%I%p')
|
hour = datetime.fromtimestamp(item['dt']).strftime('%I%p').lstrip('0') # Remove leading zero
|
||||||
temp = round(item['main']['temp'])
|
temp = round(item['main']['temp'])
|
||||||
condition = item['weather'][0]['main']
|
condition = item['weather'][0]['main']
|
||||||
icon = self.WEATHER_ICONS.get(condition, '❓')
|
icon = self.WEATHER_ICONS.get(condition, '❓')
|
||||||
@@ -108,7 +109,6 @@ class WeatherManager:
|
|||||||
self.daily_forecast = []
|
self.daily_forecast = []
|
||||||
for date, data in list(daily_data.items())[:3]: # First 3 days
|
for date, data in list(daily_data.items())[:3]: # First 3 days
|
||||||
avg_temp = round(sum(data['temps']) / len(data['temps']))
|
avg_temp = round(sum(data['temps']) / len(data['temps']))
|
||||||
# Get most common condition for the day
|
|
||||||
condition = max(set(data['conditions']), key=data['conditions'].count)
|
condition = max(set(data['conditions']), key=data['conditions'].count)
|
||||||
icon = self.WEATHER_ICONS.get(condition, '❓')
|
icon = self.WEATHER_ICONS.get(condition, '❓')
|
||||||
display_date = datetime.strptime(date, '%Y-%m-%d').strftime('%a %d')
|
display_date = datetime.strptime(date, '%Y-%m-%d').strftime('%a %d')
|
||||||
@@ -137,27 +137,36 @@ class WeatherManager:
|
|||||||
condition = weather_data['weather'][0]['main']
|
condition = weather_data['weather'][0]['main']
|
||||||
icon = self.WEATHER_ICONS.get(condition, '❓')
|
icon = self.WEATHER_ICONS.get(condition, '❓')
|
||||||
|
|
||||||
# Format the display string with temp, icon, and condition
|
# Format the display string with temp and large icon
|
||||||
display_text = f"{temp}°F {icon}\n{condition}"
|
display_text = f"{temp}°F\n{icon}"
|
||||||
|
|
||||||
# Draw both lines at once using the multi-line support in draw_text
|
# Draw both lines at once using the multi-line support in draw_text
|
||||||
self.display_manager.draw_text(display_text, force_clear=force_clear)
|
self.display_manager.draw_text(display_text, force_clear=force_clear)
|
||||||
|
|
||||||
def display_hourly_forecast(self, index: int = 0, force_clear: bool = False) -> None:
|
def display_hourly_forecast(self, scroll_amount: int = 0, force_clear: bool = False) -> None:
|
||||||
"""Display hourly forecast information, showing one time slot at a time."""
|
"""Display scrolling hourly forecast information."""
|
||||||
if not self.hourly_forecast:
|
if not self.hourly_forecast:
|
||||||
self.get_weather() # This will also update forecasts
|
self.get_weather() # This will also update forecasts
|
||||||
if not self.hourly_forecast:
|
if not self.hourly_forecast:
|
||||||
return
|
return
|
||||||
|
|
||||||
# Get the forecast for the current index
|
# Update scroll position
|
||||||
forecast = self.hourly_forecast[index % len(self.hourly_forecast)]
|
self.scroll_position = scroll_amount
|
||||||
|
|
||||||
|
# Create the full scrolling text
|
||||||
|
forecasts = []
|
||||||
|
for forecast in self.hourly_forecast:
|
||||||
|
forecasts.append(f"{forecast['hour']}\n{forecast['temp']}°F\n{forecast['icon']}")
|
||||||
|
|
||||||
# Format the display string
|
# Join with some spacing between each forecast
|
||||||
display_text = f"{forecast['hour']}\n{forecast['temp']}°F {forecast['icon']}"
|
display_text = " | ".join(forecasts)
|
||||||
|
|
||||||
# Draw the forecast
|
# Draw the scrolling text
|
||||||
self.display_manager.draw_text(display_text, force_clear=force_clear)
|
self.display_manager.draw_scrolling_text(
|
||||||
|
display_text,
|
||||||
|
self.scroll_position,
|
||||||
|
force_clear=force_clear
|
||||||
|
)
|
||||||
|
|
||||||
def display_daily_forecast(self, force_clear: bool = False) -> None:
|
def display_daily_forecast(self, force_clear: bool = False) -> None:
|
||||||
"""Display 3-day forecast information."""
|
"""Display 3-day forecast information."""
|
||||||
@@ -169,7 +178,7 @@ class WeatherManager:
|
|||||||
# Create a compact display of all three days
|
# Create a compact display of all three days
|
||||||
lines = []
|
lines = []
|
||||||
for day in self.daily_forecast:
|
for day in self.daily_forecast:
|
||||||
lines.append(f"{day['date']}: {day['temp']}°F {day['icon']}")
|
lines.append(f"{day['date']}\n{day['temp']}°F {day['icon']}")
|
||||||
|
|
||||||
# Join all lines with newlines
|
# Join all lines with newlines
|
||||||
display_text = "\n".join(lines)
|
display_text = "\n".join(lines)
|
||||||
|
|||||||
Reference in New Issue
Block a user