Move rendering back to main thread

This is only like the third time I've made this change. The issue of
having a blank screen at startup is due to x11 event loop + glX
interactions. Not sure what the problem is specifically, but
glXMakecurrent was blocking until the x11 event loop advanced.

The input and rendering are able to live on the same thread while still
removing unnecessary renders due to the
glutin::WindowProxy::wakeup_event_loop() method. The PtyReader just
kicks the event loop when there's something to do; otherwise, the event
loop just waits for something to happen and _doesn't_ draw in free run
mode.
This commit is contained in:
Joe Wilm 2016-09-01 10:24:20 -07:00
parent 0517f376be
commit 3085b0b137
3 changed files with 245 additions and 207 deletions

81
src/event.rs Normal file
View File

@ -0,0 +1,81 @@
//! Process window events
use std::sync::{Arc, mpsc};
use std;
use glutin;
use input;
use sync::PriorityMutex;
use term::Term;
use tty::process_should_exit;
/// The event processor
pub struct Processor<'a, W: 'a> {
writer: &'a mut W,
input_processor: input::Processor,
terminal: Arc<PriorityMutex<Term>>,
resize_tx: mpsc::Sender<(u32, u32)>,
}
impl<'a, W> Processor<'a, W>
where W: std::io::Write
{
/// Create a new event processor
///
/// Takes a writer which is expected to be hooked up to the write end of a
/// pty.
pub fn new(writer: &mut W,
terminal: Arc<PriorityMutex<Term>>,
resize_tx: mpsc::Sender<(u32, u32)>)
-> Processor<W>
{
Processor {
writer: writer,
terminal: terminal,
input_processor: input::Processor::new(),
resize_tx: resize_tx,
}
}
fn handle_event(&mut self, event: glutin::Event) {
match event {
glutin::Event::Closed => panic!("window closed"), // TODO ...
glutin::Event::ReceivedCharacter(c) => {
match c {
// Ignore BACKSPACE and DEL. These are handled specially.
'\u{8}' | '\u{7f}' => (),
// OSX arrow keys send invalid characters; ignore.
'\u{f700}' | '\u{f701}' | '\u{f702}' | '\u{f703}' => (),
_ => {
let encoded = c.encode_utf8();
self.writer.write(encoded.as_slice()).unwrap();
}
}
},
glutin::Event::Resized(w, h) => {
self.resize_tx.send((w, h)).expect("send new size");
},
glutin::Event::KeyboardInput(state, _code, key, mods) => {
// Acquire term lock
let terminal = self.terminal.lock_high();
self.input_processor.process(state, key, mods,
&mut input::WriteNotifier(self.writer),
*terminal.mode());
},
_ => (),
}
}
/// Process at least one event and handle any additional queued events.
pub fn process_events(&mut self, window: &glutin::Window) {
for event in window.wait_events() {
self.handle_event(event);
break;
}
for event in window.poll_events() {
self.handle_event(event);
}
}
}

View File

@ -44,6 +44,7 @@ mod meter;
pub mod config;
mod input;
mod index;
mod event;
mod tty;
pub mod ansi;
mod term;
@ -54,7 +55,7 @@ mod sync;
use std::sync::{mpsc, Arc};
use std::sync::atomic::{AtomicBool, Ordering};
use parking_lot::{Condvar, Mutex};
use parking_lot::{Condvar, Mutex, MutexGuard};
use config::Config;
use io::{Utf8Chars, Utf8CharsError};
@ -68,29 +69,6 @@ use util::thread;
/// Channel used by resize handling on mac
static mut resize_sender: Option<mpsc::Sender<(u32, u32)>> = None;
struct Waiter {
mutex: Mutex<bool>,
cond: Condvar,
}
impl Waiter {
pub fn new() -> Waiter {
Waiter {
mutex: Mutex::new(false),
cond: Condvar::new(),
}
}
pub fn notify(&self) {
self.cond.notify_one();
}
pub fn wait(&self) {
let mut guard = self.mutex.lock();
self.cond.wait(&mut guard);
}
}
/// Resize handling for Mac
fn window_resize_handler(width: u32, height: u32) {
unsafe {
@ -140,6 +118,12 @@ fn main() {
println!("device_pixel_ratio: {}", dpr);
for event in window.wait_events() {
if let glutin::Event::Refresh = event {
break;
}
}
let _ = unsafe { window.make_current() };
unsafe {
gl::Viewport(0, 0, width as i32, height as i32);
@ -150,9 +134,6 @@ fn main() {
let rasterizer = font::Rasterizer::new(dpi.x(), dpi.y(), dpr);
let waiter = Arc::new(Waiter::new());
let dirty = Arc::new(AtomicBool::new(false));
// Create renderer
let mut renderer = QuadRenderer::new(width, height);
@ -189,89 +170,51 @@ fn main() {
}
let terminal = Arc::new(PriorityMutex::new(terminal));
let pty_reader_thread = spawn_pty_reader(terminal.clone(),
reader,
waiter.clone(),
dirty.clone(),
window.create_window_proxy());
let window = Arc::new(window);
let _ = window.clear_current();
let render_thread = spawn_renderer(window.clone(),
let pty_reader = PtyReader::spawn(terminal.clone(), reader, window.create_window_proxy());
// Wraps a renderer and gives simple draw() api.
let mut display = Display::new(window.clone(),
terminal.clone(),
renderer,
glyph_cache,
render_timer,
rx,
waiter.clone(),
dirty);
rx);
handle_window_events(&mut writer, terminal, window);
// Event processor
let mut processor = event::Processor::new(&mut writer, terminal.clone(), tx);
pty_reader_thread.join().ok();
// Main loop
loop {
// Wait for something to happen
processor.process_events(&window);
waiter.notify();
render_thread.join().ok();
println!("Goodbye");
}
/// Handle window events until the application should close
fn handle_window_events<W>(writer: &mut W,
terminal: Arc<PriorityMutex<Term>>,
window: Arc<glutin::Window>)
where W: std::io::Write,
{
let mut input_processor = input::Processor::new();
let resize_tx = unsafe { resize_sender.as_ref().cloned().unwrap() };
for event in window.wait_events() {
match event {
glutin::Event::Closed => break,
glutin::Event::ReceivedCharacter(c) => {
match c {
// Ignore BACKSPACE and DEL. These are handled specially.
'\u{8}' | '\u{7f}' => (),
// OSX arrow keys send invalid characters; ignore.
'\u{f700}' | '\u{f701}' | '\u{f702}' | '\u{f703}' => (),
_ => {
let encoded = c.encode_utf8();
writer.write(encoded.as_slice()).unwrap();
}
}
},
glutin::Event::Resized(w, h) => {
resize_tx.send((w, h)).expect("send new size");
},
glutin::Event::KeyboardInput(state, _code, key, mods) => {
// Acquire term lock
// Maybe draw the terminal
let terminal = terminal.lock_high();
if terminal.dirty {
println!("dirty!");
display.draw(terminal);
}
input_processor.process(state,
key,
mods,
&mut input::WriteNotifier(writer),
*terminal.mode())
},
glutin::Event::Awakened => {
if process_should_exit() {
println!("input thread exitting");
break;
}
}
_ => (),
// shutdown
pty_reader.join().ok();
println!("Goodbye");
}
}
}
struct PtyReader;
fn spawn_pty_reader<R>(terminal: Arc<PriorityMutex<Term>>,
impl PtyReader {
pub fn spawn<R>(terminal: Arc<PriorityMutex<Term>>,
mut pty: R,
waiter: Arc<Waiter>,
dirty: Arc<AtomicBool>,
proxy: ::glutin::WindowProxy) -> std::thread::JoinHandle<()>
where R: std::io::Read + Send + 'static,
proxy: ::glutin::WindowProxy)
-> std::thread::JoinHandle<()>
where R: std::io::Read + Send + 'static
{
thread::spawn_named("pty reader", move || {
let mut buf = [0u8; 4096];
@ -286,6 +229,7 @@ fn spawn_pty_reader<R>(terminal: Arc<PriorityMutex<Term>>,
let end = start + got;
{
let mut terminal = terminal.lock_low();
terminal.dirty = true;
for c in Utf8Chars::new(&buf[..end]) {
match c {
Ok(c) => pty_parser.advance(&mut *terminal, c),
@ -300,8 +244,8 @@ fn spawn_pty_reader<R>(terminal: Arc<PriorityMutex<Term>>,
}
}
dirty.store(true, Ordering::Release);
waiter.notify();
println!("updated terminal");
proxy.wakeup_event_loop();
// Move any leftover bytes to front of buffer
for i in 0..remain {
@ -309,53 +253,66 @@ fn spawn_pty_reader<R>(terminal: Arc<PriorityMutex<Term>>,
}
start = remain;
} else {
proxy.wakeup_event_loop();
break;
}
}
println!("pty reader stopped");
})
}
}
fn spawn_renderer(window: Arc<glutin::Window>,
struct Display {
window: Arc<glutin::Window>,
terminal_mutex: Arc<PriorityMutex<Term>>,
mut renderer: QuadRenderer,
mut glyph_cache: GlyphCache,
renderer: QuadRenderer,
glyph_cache: GlyphCache,
render_timer: bool,
rx: mpsc::Receiver<(u32, u32)>,
waiter: Arc<Waiter>,
dirty: Arc<AtomicBool>) -> std::thread::JoinHandle<()> {
thread::spawn_named("render", move || {
unsafe {
let _ = window.make_current();
meter: Meter,
}
let mut meter = Meter::new();
'render_loop: loop {
// Scope ensures terminal lock isn't held when calling swap_buffers
impl Display {
pub fn new(window: Arc<glutin::Window>,
terminal_mutex: Arc<PriorityMutex<Term>>,
renderer: QuadRenderer,
glyph_cache: GlyphCache,
render_timer: bool,
rx: mpsc::Receiver<(u32, u32)>)
-> Display
{
// Acquire term lock
let mut terminal = terminal_mutex.lock_high();
if !dirty.load(Ordering::Acquire) {
drop(terminal);
waiter.wait();
terminal = terminal_mutex.lock_high();
Display {
window: window,
terminal_mutex: terminal_mutex,
renderer: renderer,
glyph_cache: glyph_cache,
render_timer: render_timer,
rx: rx,
meter: Meter::new(),
}
}
dirty.store(false, Ordering::Release);
/// Draw the screen
///
/// A reference to Term whose state is being drawn must be provided.
///
/// This call may block if vsync is enabled
pub fn draw(&mut self, mut terminal: MutexGuard<Term>) {
terminal.dirty = false;
// Resize events new_size and are handled outside the poll_events
// iterator. This has the effect of coalescing multiple resize
// events into one.
let mut new_size = None;
// TODO should be built into renderer
unsafe {
gl::ClearColor(0.0, 0.0, 0.00, 1.0);
gl::Clear(gl::COLOR_BUFFER_BIT);
}
// Check for any out-of-band resize events (mac only)
while let Ok(sz) = rx.try_recv() {
while let Ok(sz) = self.rx.try_recv() {
new_size = Some(sz);
}
@ -363,38 +320,35 @@ fn spawn_renderer(window: Arc<glutin::Window>,
// available
if let Some((w, h)) = new_size.take() {
terminal.resize(w as f32, h as f32);
renderer.resize(w as i32, h as i32);
self.renderer.resize(w as i32, h as i32);
}
{
let glyph_cache = &mut self.glyph_cache;
// Draw grid
{
let _sampler = meter.sampler();
let _sampler = self.meter.sampler();
let size_info = terminal.size_info().clone();
renderer.with_api(&size_info, |mut api| {
self.renderer.with_api(&size_info, |mut api| {
// Draw the grid
api.render_grid(&terminal.render_grid(), &mut glyph_cache);
api.render_grid(&terminal.render_grid(), glyph_cache);
});
}
// Draw render timer
if render_timer {
let timing = format!("{:.3} usec", meter.average());
if self.render_timer {
let timing = format!("{:.3} usec", self.meter.average());
let color = Rgb { r: 0xd5, g: 0x4e, b: 0x53 };
renderer.with_api(terminal.size_info(), |mut api| {
api.render_string(&timing[..], &mut glyph_cache, &color);
self.renderer.with_api(terminal.size_info(), |mut api| {
api.render_string(&timing[..], glyph_cache, &color);
});
}
}
}
window.swap_buffers().unwrap();
if process_should_exit() {
break;
} else {
// Unlock the terminal mutex
drop(terminal);
println!("swap buffers");
self.window.swap_buffers().unwrap();
}
}
})
}

View File

@ -209,7 +209,9 @@ pub struct Term {
size_info: SizeInfo,
/// Template cell
template_cell: Cell
template_cell: Cell,
pub dirty: bool,
}
/// Terminal size info
@ -275,6 +277,7 @@ impl Term {
let scroll_region = Line(0)..grid.num_lines();
Term {
dirty: true,
grid: grid,
alt_grid: alt,
alt: false,