1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136
//! The current time.
//!
//! # Configuration
//!
//! Key | Values | Default
//! -----------|--------|--------
//! `format` | Format string. See [chrono docs](https://docs.rs/chrono/0.3.0/chrono/format/strftime/index.html#specifiers) for all options. | `" $icon $timestamp.datetime() "`
//! `interval` | Update interval in seconds | `10`
//! `timezone` | A timezone specifier (e.g. "Europe/Lisbon") | Local timezone
//!
//! Placeholder | Value | Type | Unit
//! --------------|---------------------------------------------|----------|-----
//! `icon` | A static icon | Icon | -
//! `timestamp` | The current time | Datetime | -
//!
//! Action | Default button
//! ----------------|---------------
//! `next_timezone` | Left
//! `prev_timezone` | Right
//!
//! # Example
//!
//! ```toml
//! [[block]]
//! block = "time"
//! interval = 60
//! [block.format]
//! full = " $icon $timestamp.datetime(f:'%a %Y-%m-%d %R %Z', l:fr_BE) "
//! short = " $icon $timestamp.datetime(f:%R) "
//! ```
//!
//! # Non Gregorian calendars
//!
//! You can use calendars other than the Gregorian calendar by adding the calendar specifier in the locale string. When using
//! this feature you can't use chrono style format string, and you should use one of the options provided by
//! the `icu4x` crate: `short`, `medium`, `long`, `full`.
//!
//! ** Only available using feature `icu_calendar`. **
//!
//! ## Example
//!
//! ```toml
//! [[block]]
//! block = "time"
//! interval = 60
//! format = "$timestamp.datetime(locale:'fa_IR-u-ca-persian', f:'full')"
//! ```
//!
//! # Icons Used
//! - `time`
use chrono::{Timelike, Utc};
use chrono_tz::Tz;
use super::prelude::*;
#[derive(Deserialize, Debug, SmartDefault)]
#[serde(deny_unknown_fields, default)]
pub struct Config {
pub format: FormatConfig,
#[default(10.into())]
pub interval: Seconds,
pub timezone: Option<Timezone>,
}
#[derive(Deserialize, Debug, Clone)]
#[serde(untagged)]
pub enum Timezone {
Timezone(Tz),
Timezones(Vec<Tz>),
}
pub async fn run(config: &Config, api: &CommonApi) -> Result<()> {
let mut actions = api.get_actions()?;
api.set_default_actions(&[
(MouseButton::Left, None, "next_timezone"),
(MouseButton::Right, None, "prev_timezone"),
])?;
let format = config
.format
.with_default(" $icon $timestamp.datetime() ")?;
let timezones = match config.timezone.clone() {
Some(tzs) => match tzs {
Timezone::Timezone(tz) => vec![tz],
Timezone::Timezones(tzs) => tzs,
},
None => Vec::new(),
};
let prev_step_length = timezones.len().saturating_sub(2);
let mut timezone_iter = timezones.iter().cycle();
let mut timezone = timezone_iter.next();
let interval_seconds = config.interval.seconds().max(1);
let mut timer = tokio::time::interval_at(
tokio::time::Instant::now() + Duration::from_secs(interval_seconds),
Duration::from_secs(interval_seconds),
);
timer.set_missed_tick_behavior(tokio::time::MissedTickBehavior::Skip);
loop {
let mut widget = Widget::new().with_format(format.clone());
let now = Utc::now();
widget.set_values(map! {
"icon" => Value::icon("time"),
"timestamp" => Value::datetime(now, timezone.copied())
});
api.set_widget(widget)?;
let phase = now.second() as u64 % interval_seconds;
if phase != 0 {
timer.reset_after(Duration::from_secs(interval_seconds - phase));
}
tokio::select! {
_ = timer.tick() => (),
_ = api.wait_for_update_request() => (),
Some(action) = actions.recv() => match action.as_ref() {
"next_timezone" => {
timezone = timezone_iter.next();
},
"prev_timezone" => {
timezone = timezone_iter.nth(prev_step_length);
},
_ => (),
}
}
}
}