From 4117cfba75c6df50bd5b12a776ad33e768393753 Mon Sep 17 00:00:00 2001 From: Filip Tibell Date: Thu, 1 Feb 2024 12:46:33 +0100 Subject: [PATCH] Implement exit codes for runtime --- Cargo.toml | 4 +++ examples/exit_code.rs | 68 +++++++++++++++++++++++++++++++++++++ examples/lua/exit_code.luau | 8 +++++ lib/exit.rs | 31 +++++++++++++++++ lib/lib.rs | 1 + lib/queue.rs | 14 ++++---- lib/runtime.rs | 59 ++++++++++++++++++++++++++------ lib/traits.rs | 33 ++++++++++++++++-- 8 files changed, 199 insertions(+), 19 deletions(-) create mode 100644 examples/exit_code.rs create mode 100644 examples/lua/exit_code.luau create mode 100644 lib/exit.rs diff --git a/Cargo.toml b/Cargo.toml index ae7b873..9b5b1f1 100644 --- a/Cargo.toml +++ b/Cargo.toml @@ -50,6 +50,10 @@ test = true name = "callbacks" test = true +[[example]] +name = "exit_code" +test = true + [[example]] name = "lots_of_threads" test = true diff --git a/examples/exit_code.rs b/examples/exit_code.rs new file mode 100644 index 0000000..7d9be1d --- /dev/null +++ b/examples/exit_code.rs @@ -0,0 +1,68 @@ +#![allow(clippy::missing_errors_doc)] +#![allow(clippy::missing_panics_doc)] + +use std::process::ExitCode; + +use async_io::block_on; + +use mlua::prelude::*; +use mlua_luau_runtime::{LuaRuntimeExt, Runtime}; + +const MAIN_SCRIPT: &str = include_str!("./lua/exit_code.luau"); + +const EXIT_IMPL_LUA: &str = r" +exit(...) +yield() +"; + +pub fn main() -> LuaResult<()> { + tracing_subscriber::fmt::init(); + + // Set up persistent Lua environment + let lua = Lua::new(); + + // Note that our exit function is partially implemented in Lua + // because we need to also yield the thread that called it, this + // is not possible to do in Rust because of crossing C-call boundary + let exit_fn_env = lua.create_table_from(vec![ + ( + "exit", + lua.create_function(|lua, code: Option| { + let code = code.map(ExitCode::from).unwrap_or_default(); + lua.set_exit_code(code); + Ok(()) + })?, + ), + ( + "yield", + lua.globals() + .get::<_, LuaTable>("coroutine")? + .get::<_, LuaFunction>("yield")?, + ), + ])?; + + let exit_fn = lua + .load(EXIT_IMPL_LUA) + .set_environment(exit_fn_env) + .into_function()?; + lua.globals().set("exit", exit_fn)?; + + // Load the main script into a runtime + let rt = Runtime::new(&lua); + let main = lua.load(MAIN_SCRIPT); + rt.push_thread_front(main, ())?; + + // Run until completion + block_on(rt.run()); + + // Verify that we got a correct exit code + let code = rt.get_exit_code().unwrap_or_default(); + assert!(format!("{code:?}").contains("(1)")); + + Ok(()) +} + +#[test] +fn test_exit_code() -> LuaResult<()> { + main() +} diff --git a/examples/lua/exit_code.luau b/examples/lua/exit_code.luau new file mode 100644 index 0000000..0c627dd --- /dev/null +++ b/examples/lua/exit_code.luau @@ -0,0 +1,8 @@ +--!nocheck +--!nolint UnknownGlobal + +print("Setting exit code manually") + +exit(1) + +error("unreachable") diff --git a/lib/exit.rs b/lib/exit.rs new file mode 100644 index 0000000..a2794dd --- /dev/null +++ b/lib/exit.rs @@ -0,0 +1,31 @@ +use std::{cell::Cell, process::ExitCode, rc::Rc}; + +use event_listener::Event; + +#[derive(Debug, Clone)] +pub(crate) struct Exit { + code: Rc>>, + event: Rc, +} + +impl Exit { + pub fn new() -> Self { + Self { + code: Rc::new(Cell::new(None)), + event: Rc::new(Event::new()), + } + } + + pub fn set(&self, code: ExitCode) { + self.code.set(Some(code)); + self.event.notify(usize::MAX); + } + + pub fn get(&self) -> Option { + self.code.get() + } + + pub async fn listen(&self) { + self.event.listen().await; + } +} diff --git a/lib/lib.rs b/lib/lib.rs index 81f8745..9ac9c55 100644 --- a/lib/lib.rs +++ b/lib/lib.rs @@ -1,4 +1,5 @@ mod error_callback; +mod exit; mod functions; mod queue; mod result_map; diff --git a/lib/queue.rs b/lib/queue.rs index 1e08580..172ed67 100644 --- a/lib/queue.rs +++ b/lib/queue.rs @@ -1,4 +1,4 @@ -use std::{pin::Pin, rc::Rc, sync::Arc}; +use std::{pin::Pin, rc::Rc}; use concurrent_queue::ConcurrentQueue; use derive_more::{Deref, DerefMut}; @@ -16,14 +16,14 @@ use crate::{traits::IntoLuaThread, util::ThreadWithArgs, ThreadId}; */ #[derive(Debug, Clone)] pub(crate) struct ThreadQueue { - queue: Arc>, - event: Arc, + queue: Rc>, + event: Rc, } impl ThreadQueue { pub fn new() -> Self { - let queue = Arc::new(ConcurrentQueue::unbounded()); - let event = Arc::new(Event::new()); + let queue = Rc::new(ConcurrentQueue::unbounded()); + let event = Rc::new(Event::new()); Self { queue, event } } @@ -98,13 +98,13 @@ pub type LocalBoxFuture<'fut> = Pin + 'fut>>; #[derive(Debug, Clone)] pub(crate) struct FuturesQueue<'fut> { queue: Rc>>, - event: Arc, + event: Rc, } impl<'fut> FuturesQueue<'fut> { pub fn new() -> Self { let queue = Rc::new(ConcurrentQueue::unbounded()); - let event = Arc::new(Event::new()); + let event = Rc::new(Event::new()); Self { queue, event } } diff --git a/lib/runtime.rs b/lib/runtime.rs index 937ef68..213d137 100644 --- a/lib/runtime.rs +++ b/lib/runtime.rs @@ -2,6 +2,7 @@ use std::{ cell::Cell, + process::ExitCode, rc::{Rc, Weak as WeakRc}, sync::{Arc, Weak as WeakArc}, }; @@ -14,6 +15,7 @@ use tracing::Instrument; use crate::{ error_callback::ThreadErrorCallback, + exit::Exit, queue::{DeferredThreadQueue, FuturesQueue, SpawnedThreadQueue}, result_map::ThreadResultMap, status::Status, @@ -48,6 +50,7 @@ pub struct Runtime<'lua> { error_callback: ThreadErrorCallback, result_map: ThreadResultMap, status: Rc>, + exit: Exit, } impl<'lua> Runtime<'lua> { @@ -66,6 +69,7 @@ impl<'lua> Runtime<'lua> { let queue_defer = DeferredThreadQueue::new(); let error_callback = ThreadErrorCallback::default(); let result_map = ThreadResultMap::new(); + let exit = Exit::new(); assert!( lua.app_data_ref::().is_none(), @@ -83,11 +87,16 @@ impl<'lua> Runtime<'lua> { lua.app_data_ref::().is_none(), "{ERR_METADATA_ALREADY_ATTACHED}" ); + assert!( + lua.app_data_ref::().is_none(), + "{ERR_METADATA_ALREADY_ATTACHED}" + ); lua.set_app_data(queue_spawn.clone()); lua.set_app_data(queue_defer.clone()); lua.set_app_data(error_callback.clone()); lua.set_app_data(result_map.clone()); + lua.set_app_data(exit.clone()); let status = Rc::new(Cell::new(Status::NotStarted)); @@ -98,6 +107,7 @@ impl<'lua> Runtime<'lua> { error_callback, result_map, status, + exit, } } @@ -145,6 +155,23 @@ impl<'lua> Runtime<'lua> { self.error_callback.clear(); } + /** + Gets the exit code for this runtime, if one has been set. + */ + #[must_use] + pub fn get_exit_code(&self) -> Option { + self.exit.get() + } + + /** + Sets the exit code for this runtime. + + This will cause [`Runtime::run`] to exit immediately. + */ + pub fn set_exit_code(&self, code: ExitCode) { + self.exit.set(code); + } + /** Spawns a chunk / function / thread onto the runtime queue. @@ -276,10 +303,11 @@ impl<'lua> Runtime<'lua> { Manually tick the Lua executor, while running under the main executor. Each tick we wait for the next action to perform, in prioritized order: - 1. A Lua thread is available to run on the spawned queue - 2. A Lua thread is available to run on the deferred queue - 3. A new thread-local future is available to run on the local executor - 4. Task(s) scheduled on the Lua executor have made progress and should be polled again + 1. The exit event is triggered by setting an exit code + 2. A Lua thread is available to run on the spawned queue + 3. A Lua thread is available to run on the deferred queue + 4. A new thread-local future is available to run on the local executor + 5. Task(s) scheduled on the Lua executor have made progress and should be polled again This ordering is vital to ensure that we don't accidentally exit the main loop when there are new Lua threads to enqueue and potentially more work to be done. @@ -315,11 +343,12 @@ impl<'lua> Runtime<'lua> { }; loop { - let fut_spawn = self.queue_spawn.wait_for_item(); // 1 - let fut_defer = self.queue_defer.wait_for_item(); // 2 - let fut_futs = fut_queue.wait_for_item(); // 3 + let fut_exit = self.exit.listen(); // 1 + let fut_spawn = self.queue_spawn.wait_for_item(); // 2 + let fut_defer = self.queue_defer.wait_for_item(); // 3 + let fut_futs = fut_queue.wait_for_item(); // 4 - // 4 + // 5 let mut num_processed = 0; let span_tick = tracing::debug_span!("tick_executor"); let fut_tick = async { @@ -331,13 +360,20 @@ impl<'lua> Runtime<'lua> { } }; - // 1 + 2 + 3 + 4 - fut_spawn + // 1 + 2 + 3 + 4 + 5 + fut_exit + .or(fut_spawn) .or(fut_defer) .or(fut_futs) .or(fut_tick.instrument(span_tick.or_current())) .await; + // Check if we should exit + if self.exit.get().is_some() { + tracing::trace!("exited with code"); + break; + } + // Emit traces if num_processed > 0 { tracing::trace!(num_processed, "tasks_processed"); @@ -410,5 +446,8 @@ impl Drop for Runtime<'_> { self.lua .remove_app_data::() .expect(ERR_METADATA_REMOVED); + self.lua + .remove_app_data::() + .expect(ERR_METADATA_REMOVED); } } diff --git a/lib/traits.rs b/lib/traits.rs index d15f926..13aba08 100644 --- a/lib/traits.rs +++ b/lib/traits.rs @@ -1,13 +1,16 @@ #![allow(unused_imports)] #![allow(clippy::missing_errors_doc)] -use std::{future::Future, rc::Weak as WeakRc, sync::Weak as WeakArc}; +use std::{ + cell::Cell, future::Future, process::ExitCode, rc::Weak as WeakRc, sync::Weak as WeakArc, +}; use mlua::prelude::*; use async_executor::{Executor, Task}; use crate::{ + exit::Exit, queue::{DeferredThreadQueue, FuturesQueue, SpawnedThreadQueue}, result_map::ThreadResultMap, runtime::Runtime, @@ -61,9 +64,28 @@ where } /** - Trait for scheduling Lua threads and spawning futures on the current executor. + Trait for interacting with the current [`Runtime`]. + + Provides extra methods on the [`Lua`] struct for: + + - Setting the exit code and forcibly stopping the runtime + - Pushing (spawning) and deferring (pushing to the back) lua threads + - Tracking and getting the result of lua threads + - Spawning thread-local (`!Send`) futures on the current executor + - Spawning background (`Send`) futures on the current executor */ pub trait LuaRuntimeExt<'lua> { + /** + Sets the exit code of the current runtime. + + See [`Runtime::set_exit_code`] for more information. + + # Panics + + Panics if called outside of a running [`Runtime`]. + */ + fn set_exit_code(&self, code: ExitCode); + /** Pushes (spawns) a lua thread to the **front** of the current runtime. @@ -206,6 +228,13 @@ pub trait LuaRuntimeExt<'lua> { } impl<'lua> LuaRuntimeExt<'lua> for Lua { + fn set_exit_code(&self, code: ExitCode) { + let exit = self + .app_data_ref::() + .expect("exit code can only be set within a runtime"); + exit.set(code); + } + fn push_thread_front( &'lua self, thread: impl IntoLuaThread<'lua>,