Skip to content

Commit badb766

Browse files
committed
Add file change detection and reload.
1 parent e9b1c87 commit badb766

File tree

5 files changed

+168
-12
lines changed

5 files changed

+168
-12
lines changed

Cargo.lock

+103
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

Cargo.toml

+2
Original file line numberDiff line numberDiff line change
@@ -15,6 +15,7 @@ regex = "^1.10"
1515
grep = "^0.3"
1616
grep-regex = "^0.1"
1717
wasm-bindgen-futures = "0.4.42"
18+
notify = "^6.1"
1819

1920
egui = { version = "^0.27", default-features = false, features = [
2021
"log",
@@ -37,6 +38,7 @@ serde = { version = "1", features = ["derive"] }
3738

3839
puffin = "^0.19"
3940
puffin_http = "^0.16"
41+
crossbeam-channel = "0.5.13"
4042

4143
[profile.release]
4244
opt-level = 2 # fast and small

src/app.rs

+5-1
Original file line numberDiff line numberDiff line change
@@ -1,4 +1,5 @@
11
use std::path::{Path, PathBuf};
2+
use std::time::Duration;
23

34
use egui::{RichText, Ui};
45
use egui_dock::DockState;
@@ -110,7 +111,7 @@ impl eframe::App for TemplateApp {
110111
/// Put your widgets into a `SidePanel`, `TopPanel`, `CentralPanel`, `Window` or `Area`.
111112
fn update(&mut self, ctx: &egui::Context, _frame: &mut eframe::Frame) {
112113
puffin::profile_function!();
113-
114+
114115
egui::TopBottomPanel::top("top_panel").show(ctx, |ui| {
115116
// The top panel is often a good place for a menu bar:
116117
egui::menu::bar(ui, |ui| {
@@ -172,6 +173,9 @@ impl eframe::App for TemplateApp {
172173
});
173174
});
174175
}
176+
177+
// Keep painting at least once a second to check for file changes
178+
ctx.request_repaint_after(Duration::from_secs(1));
175179
}
176180

177181
/// Called by the frame work to save state before shutdown.

src/app/log_file_reader.rs

+28-5
Original file line numberDiff line numberDiff line change
@@ -1,12 +1,19 @@
1+
use io::Error;
12
use std::{
23
fs::File,
34
io::{self, BufReader, Read, Seek, SeekFrom},
45
path::Path,
56
};
7+
use crossbeam_channel::Receiver;
68

79
use grep::searcher::{Searcher, Sink, SinkMatch};
8-
use grep_regex::{RegexMatcher};
10+
use grep_regex::RegexMatcher;
911
use json::JsonValue;
12+
use notify::{Config, Event, RecommendedWatcher, RecursiveMode, Watcher};
13+
14+
fn to_io_error(err: notify::Error) -> io::Error {
15+
io::Error::new(io::ErrorKind::Other, err)
16+
}
1017

1118
#[derive(Clone)]
1219
pub struct LogEntry {
@@ -20,13 +27,13 @@ type FileOffset = u64;
2027

2128
struct AbsolutePositionSink<F>(pub F)
2229
where
23-
F: FnMut(u64) -> Result<bool, io::Error>;
30+
F: FnMut(u64) -> Result<bool, Error>;
2431

2532
impl<F> Sink for AbsolutePositionSink<F>
2633
where
27-
F: FnMut(u64) -> Result<bool, io::Error>,
34+
F: FnMut(u64) -> Result<bool, Error>,
2835
{
29-
type Error = io::Error;
36+
type Error = Error;
3037

3138
fn matched(&mut self, _searcher: &Searcher, mat: &SinkMatch<'_>) -> Result<bool, Self::Error> {
3239
(self.0)(mat.absolute_byte_offset())
@@ -37,15 +44,27 @@ pub struct LogFileReader {
3744
buf_reader: BufReader<File>,
3845
line_map: Vec<FileOffset>,
3946
file_size: FileOffset,
47+
_watcher: Box<dyn Watcher>,
48+
watcher_recv: Receiver<notify::Result<Event>>,
4049
}
4150

4251
impl LogFileReader {
4352
pub fn open(path: &Path) -> io::Result<LogFileReader> {
53+
// sync_channel of 0 makes it a "rendezvous" channel where the watching thread hands off to receiver
54+
let (tx, rx) = crossbeam_channel::bounded(0);
55+
56+
let mut watcher = RecommendedWatcher::new(tx, Config::default()).map_err(to_io_error)?;
57+
watcher
58+
.watch(path, RecursiveMode::NonRecursive)
59+
.map_err(to_io_error)?;
60+
4461
let file = File::open(path)?;
4562
Ok(LogFileReader {
4663
buf_reader: BufReader::new(file),
4764
line_map: Vec::new(),
4865
file_size: 0,
66+
_watcher: Box::new(watcher),
67+
watcher_recv: rx,
4968
})
5069
}
5170

@@ -67,7 +86,7 @@ impl LogFileReader {
6786
searcher.search_reader(
6887
matcher,
6988
self.buf_reader.get_ref(),
70-
AbsolutePositionSink(|file_offset| -> Result<bool, io::Error> {
89+
AbsolutePositionSink(|file_offset| -> Result<bool, Error> {
7190
self.line_map.push(file_offset as FileOffset);
7291
Ok(true)
7392
}),
@@ -80,6 +99,10 @@ impl LogFileReader {
8099
Ok(self.line_count())
81100
}
82101

102+
pub fn has_changed(&mut self) -> bool {
103+
self.watcher_recv.try_recv().is_ok()
104+
}
105+
83106
/// Returns the total number of lines counted in the file
84107
/// Only valid after a successful load.
85108
pub fn line_count(&self) -> usize {

src/app/log_view.rs

+30-6
Original file line numberDiff line numberDiff line change
@@ -1,21 +1,23 @@
1+
use std::collections::HashMap;
2+
use std::default::Default;
3+
use std::time::SystemTime;
14
use std::{
25
io,
36
path::{Path, PathBuf},
47
};
5-
use std::collections::HashMap;
6-
use std::default::Default;
78

89
use egui::{Align2, Color32, Direction, Id, Ui, WidgetText};
910
use egui_dock::{DockArea, DockState, NodeIndex, SurfaceIndex, TabViewer};
1011
use egui_toast::{Toast, ToastKind, ToastOptions, Toasts};
12+
use log::{error, info};
1113

14+
use super::log_file_reader::LogFileReader;
1215
use super::{
1316
filtered_log_entries_tab::FilteredLogEntriesTab,
1417
log_entries_tab::LogEntriesTab,
1518
log_entry_context_tab::LogEntryContextTab,
16-
log_file_reader::{LineNumber, LogEntry},
19+
log_file_reader::{LineNumber},
1720
};
18-
use super::log_file_reader::LogFileReader;
1921

2022
#[derive(Default)]
2123
struct FilteredLogEntriesTabState {}
@@ -178,7 +180,7 @@ impl LogView {
178180
tree.main_surface_mut().split_right(
179181
new_nodes[1],
180182
0.5,
181-
vec![FilteredLogEntriesTab::new(file_path.to_owned())]
183+
vec![FilteredLogEntriesTab::new(file_path.to_owned())],
182184
);
183185

184186
Ok(LogView {
@@ -193,6 +195,20 @@ impl LogView {
193195
}
194196

195197
pub fn ui(self: &mut Self, ui: &mut Ui) {
198+
if self.log_view_context.log_file_reader.has_changed() {
199+
info!(
200+
"File updated, reloading. {:?}",
201+
self.log_view_context.log_file_path
202+
);
203+
let load_result = self.log_view_context.log_file_reader.load();
204+
if let Err(e) = load_result {
205+
error!(
206+
"Failed to reload file. file: {:?} error: {:?}",
207+
self.log_view_context.log_file_path, e
208+
);
209+
}
210+
}
211+
196212
DockArea::new(&mut self.tree)
197213
.id(Id::new(&self.file_path))
198214
.show_add_buttons(true)
@@ -225,11 +241,19 @@ impl LogViewContext {
225241
tabs_to_open: vec![],
226242
viewer_state: Default::default(),
227243
};
244+
245+
let load_start_time = SystemTime::now();
246+
228247
match log_view.log_file_reader.load() {
229248
Ok(line_count) => {
230249
log_view.viewer_state.add_toast(
231250
ToastKind::Info,
232-
format!("File load complete. Loaded {} lines.", line_count).into(),
251+
format!(
252+
"File load complete. Loaded {} lines in {:?}.",
253+
line_count,
254+
load_start_time.elapsed().unwrap()
255+
)
256+
.into(),
233257
10.0,
234258
);
235259
}

0 commit comments

Comments
 (0)