blackout/src/log.rs

64 lines
1.4 KiB
Rust
Raw Normal View History

2021-05-13 17:25:45 +00:00
use std::{error::Error, time::Instant};
use bevy::prelude::*;
use bevy_tts::Tts;
use derive_more::{Deref, DerefMut};
use crate::error::error_handler;
2022-01-10 19:50:52 +00:00
#[derive(Component, Clone, Debug, Default, Deref, DerefMut)]
2021-05-13 17:25:45 +00:00
pub struct Log(pub Vec<LogEntry>);
impl Log {
pub fn push<S: Into<String>>(&mut self, message: S) {
self.0.push(LogEntry {
time: Instant::now(),
message: message.into(),
})
}
}
2022-01-10 19:50:52 +00:00
#[derive(Component, Clone, Debug)]
2021-05-13 17:25:45 +00:00
pub struct LogEntry {
pub time: Instant,
pub message: String,
}
impl From<String> for LogEntry {
fn from(string: String) -> Self {
LogEntry {
time: Instant::now(),
message: string,
}
2022-03-22 21:37:54 +00:00
}
}
2021-05-13 17:25:45 +00:00
fn setup(mut commands: Commands) {
commands.spawn().insert(Log::default());
}
fn read_log(
mut tts: ResMut<Tts>,
mut position: Local<usize>,
log: Query<&Log, Changed<Log>>,
) -> Result<(), Box<dyn Error>> {
for log in log.iter() {
for (index, entry) in log.iter().enumerate() {
if index >= *position {
tts.speak(entry.message.clone(), false)?;
*position = index + 1;
}
}
}
Ok(())
}
pub struct LogPlugin;
impl Plugin for LogPlugin {
2022-01-10 19:50:52 +00:00
fn build(&self, app: &mut App) {
app.add_startup_system(setup)
.add_system_to_stage(CoreStage::PostUpdate, read_log.chain(error_handler));
2021-05-13 17:25:45 +00:00
}
}