2023-08-15 13:25:07 +02:00

303 lines
8.9 KiB
Rust

use bit::BitIndex;
use chrono_tz::Europe::Berlin;
use chrono::{DateTime, NaiveDateTime, Utc, Timelike};
use openweathermap::{forecast::{Weather, List}};
use substring::Substring;
use tinybmp::Bmp;
use core::time;
use embedded_graphics::{
image::{Image},
mono_font::{iso_8859_1::FONT_6X10, MonoTextStyle},
pixelcolor::{BinaryColor},
prelude::*,
primitives::{PrimitiveStyle},
text::Text,
};
use std::{net::UdpSocket, time::{Instant, Duration}};
use std::{env, thread};
use openweathermap::forecast::Forecast;
const IMAGE_SIZE_BYTE: usize = (IMAGE_WIDTH_BYTE * IMAGE_HEIGHT) as usize; /* one byte contains 8 LEDs, one in each bit */
const IMAGE_WIDTH: u32 = 5 * 32;
const IMAGE_WIDTH_BYTE: u32 = IMAGE_WIDTH / 8; /* one byte contains 8 LEDs, one in each bit */
const IMAGE_HEIGHT: u32 = 40;
const IMAGE_HEIGHT_BYTE: u32 = 40;
const IMAGE_LENGTH: usize = (IMAGE_WIDTH_BYTE * IMAGE_HEIGHT_BYTE) as usize;
const PACKAGE_LENGTH: usize = (IMAGE_LENGTH + 1) as usize;
const PRIMITIVE_STYLE:PrimitiveStyle<BinaryColor> = PrimitiveStyle::with_stroke(BinaryColor::On, 1);
struct UdpDisplay {
image: [u8; IMAGE_SIZE_BYTE],
}
impl OriginDimensions for UdpDisplay {
fn size(&self) -> Size {
Size::new(IMAGE_WIDTH, IMAGE_HEIGHT)
}
}
impl DrawTarget for UdpDisplay {
type Color = BinaryColor;
type Error = core::convert::Infallible;
fn fill_contiguous<I>(
&mut self,
area: &embedded_graphics::primitives::Rectangle,
colors: I,
) -> Result<(), Self::Error>
where
I: IntoIterator<Item = Self::Color>,
{
self.draw_iter(
area.points()
.zip(colors)
.map(|(pos, color)| Pixel(pos, color)),
)
}
fn fill_solid(
&mut self,
area: &embedded_graphics::primitives::Rectangle,
color: Self::Color,
) -> Result<(), Self::Error> {
self.fill_contiguous(area, core::iter::repeat(color))
}
fn clear(&mut self, color: Self::Color) -> Result<(), Self::Error> {
self.fill_solid(&self.bounding_box(), color)
}
fn draw_iter<I>(&mut self, pixels: I) -> Result<(), Self::Error>
where
I: IntoIterator<Item = Pixel<Self::Color>>,
{
for pixel in pixels {
if pixel.0.x < 0 {
continue;
}
if pixel.0.y < 0 {
continue;
}
let x = pixel.0.x as u32;
let y = pixel.0.y as u32;
if x > (IMAGE_WIDTH - 1) {
continue;
}
if y > (IMAGE_HEIGHT - 1) {
continue;
}
let y = y as u32;
let v = pixel.1.is_on();
//println!("pint {x} {y} is on {v}");
let offset: usize = (x + y * IMAGE_WIDTH) as usize;
let subbit: usize = (offset % 8).into();
let byte_offset: usize = (offset / 8).into();
let current = &mut self.image[byte_offset];
current.set_bit(subbit, v);
}
return Ok(());
}
}
fn renderWeather(display: &mut UdpDisplay ,data: &Option<Result<Forecast, String>>){
let text_style = MonoTextStyle::new(&FONT_6X10, BinaryColor::On);
match data {
Some(v) => match v {
Err(error) => {
Text::new(&error, Point::new(0, 5), text_style)
.draw(display)
.unwrap();
println!("{}", &error);
}
Ok(result) => {
if !result.list.is_empty() {
let mut max:f64 = 0_f64;
let mut best = &result.list[0];
for forecast in &result.list {
let time_s = forecast.dt;
let local_time = NaiveDateTime::from_timestamp_millis(time_s*1000).unwrap();
let zoned_time : DateTime<Utc> = DateTime::from_utc(local_time, Utc);
let europe_time = zoned_time.with_timezone(&Berlin);
let hour = europe_time.hour();
let minute = europe_time.minute();
let cur_time = DateTime::<Utc>::default();
if(zoned_time > cur_time){
println!("Skipping old result {hour}:{minute} @{time_s}");
}
match &forecast.rain {
Some(x) => {
let rain_v = x.three_hours;
println!("Rain at {hour}:{minute} @{time_s} with {rain_v} prior best was {max}");
if rain_v > max {
best = forecast;
max = rain_v;
}
},
None => println!("No rain at {hour}:{minute}"),
}
}
let condition = best.weather[0].to_owned();
println!("Weather info: {} desc: {} icon {}", condition.main, condition.description, condition.icon);
renderWeatherIcon(&condition, display);
}
}
},
None => {
Text::new("Waiting for data", Point::new(0, 0), text_style)
.draw(display)
.unwrap();
println!("{}", "no result");
}
}
}
fn renderWeatherIcon(condition: &Weather, display: &mut UdpDisplay ){
let text_style = MonoTextStyle::new(&FONT_6X10, BinaryColor::On);
let short_icon_code = condition.icon.substring(0,2);
let icon_image: Result<Bmp<BinaryColor>, tinybmp::ParseError> = match short_icon_code {
"01" => {
Bmp::from_slice(include_bytes!("sun.bmp"))
},
"02" => {
Bmp::from_slice(include_bytes!("few_clouds.bmp"))
},
"03" => {
Bmp::from_slice(include_bytes!("scattered_clouds.bmp"))
},
"04" => {
Bmp::from_slice(include_bytes!("broken_clouds.bmp"))
},
"09" => {
Bmp::from_slice(include_bytes!("shower.bmp"))
},
"10" => {
Bmp::from_slice(include_bytes!("rain.bmp"))
},
"11" => {
Bmp::from_slice(include_bytes!("thunderstorm.bmp"))
},
"13" => {
Bmp::from_slice(include_bytes!("snow.bmp"))
},
"50" => {
Bmp::from_slice(include_bytes!("mist.bmp"))
},
_ => {
println!("Missing icon for {short_icon_code}");
Text::new(&condition.description, Point::new(0, 0), text_style)
.draw(display)
.unwrap();
return;
}
};
Image::new(&icon_image.unwrap(), Point::new((IMAGE_WIDTH-40) as i32, 0)).draw(display).unwrap();
}
fn send_package(ipaddress: String, data: &Option<Result<Forecast, String>>) {
let mut package: [u8; PACKAGE_LENGTH] = [0; PACKAGE_LENGTH];
// Brightness
package[0] = 128;
let mut display = UdpDisplay {
image: [0; IMAGE_SIZE_BYTE],
};
// Line::new(Point::new(0, 0), Point::new((IMAGE_WIDTH - 1) as i32, 0))
// .into_styled(PRIMITIVE_STYLE)
// .draw(&mut display)
// .unwrap();
renderWeather(&mut display, data);
package[1..PACKAGE_LENGTH].copy_from_slice(&display.image);
let socket = UdpSocket::bind("0.0.0.0:14242").expect("couldn't bind to address");
socket
.send_to(&package, ipaddress + ":4242")
.expect("couldn't send data");
println!("Packet sent");
}
fn help() {
println!(
"usage:
LEDboardClient <ip address>"
);
println!("one argument necessary!");
println!("<ip address>");
}
fn main() {
let args: Vec<String> = env::args().collect();
match args.len() {
// no arguments passed
1 => {
// show a help message
help();
}
// one argument passed
2 => {
let ip = &args[1];
let receiver = openweathermap::init_forecast("Mannheim",
"metric",
"de",
"978882ab9dd05e7122ff2b0aef2d3e55",
60,1);
let mut last_data = Option::None;
loop {
let delay = time::Duration::from_millis(10000);
thread::sleep(delay);
let answer = openweathermap::update_forecast(&receiver);
match answer {
Some(_) => {
last_data = answer;
}
None => {
}
}
send_package(ip.to_string(), &last_data);
}
}
// all the other cases
_ => {
// show a help message
help();
}
}
}