Skip to content

Add yielding support to mlua #518

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Draft
wants to merge 1 commit into
base: main
Choose a base branch
from
Draft
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
10 changes: 10 additions & 0 deletions src/error.rs
Original file line number Diff line number Diff line change
@@ -205,6 +205,13 @@ pub enum Error {
/// Underlying error.
cause: Arc<Error>,
},
// Yield.
//
// Not an error.
// Returning `Err(Yielding)` from a Rust callback will yield with no values.
// See `Lua::yield(args: impl FromLuaMulti) -> Result<Infallible, Error>` for more info.
// If it cannot yield, it will raise an error.
Yielding,
}

/// A specialized `Result` type used by `mlua`'s API.
@@ -321,6 +328,9 @@ impl fmt::Display for Error {
Error::WithContext { context, cause } => {
writeln!(fmt, "{context}")?;
write!(fmt, "{cause}")
},
Error::Yielding => {
write!(fmt, "yield across Rust/Lua boundary")
}
}
}
26 changes: 26 additions & 0 deletions src/state.rs
Original file line number Diff line number Diff line change
@@ -1,5 +1,6 @@
use std::any::TypeId;
use std::cell::{BorrowError, BorrowMutError, RefCell};
use std::convert::Infallible;
use std::marker::PhantomData;
use std::ops::Deref;
use std::os::raw::c_int;
@@ -1966,6 +1967,31 @@ impl Lua {
pub(crate) unsafe fn raw_lua(&self) -> &RawLua {
&*self.raw.data_ptr()
}
/// Yields arguments
///
/// If this function cannot yield, it will raise a runtime error. It yields by using
/// the Error::Yielding error to rapidly exit all of the try blocks.
///
/// Note: On lua 5.1, 5.2, and JIT, this function will unable to know if it can yield
/// or not until it reaches the Lua state.
pub fn yield_args(&self, args: impl IntoLuaMulti) -> Result<()> {
let raw = self.lock();
#[cfg(not(any(feature = "lua51", feature = "lua52", feature = "luajit")))]
if !raw.is_yieldable() {
return Err(Error::runtime("cannot yield across Rust/Lua boundary."))
}
unsafe {
raw.extra.get().as_mut().unwrap_unchecked().yielded_values = args.into_lua_multi(self)?;
}
Err(Error::Yielding)
}

/// Checks if Lua is currently allowed to yield.
#[cfg(not(any(feature = "lua51", feature="lua52", feature = "luajit")))]
#[inline]
pub(crate) fn is_yieldable(&self) -> bool {
self.lock().is_yieldable()
}
}

impl WeakLua {
5 changes: 5 additions & 0 deletions src/state/extra.rs
Original file line number Diff line number Diff line change
@@ -18,6 +18,7 @@ use crate::util::{get_internal_metatable, push_internal_userdata, TypeKey, Wrapp

#[cfg(any(feature = "luau", doc))]
use crate::chunk::Compiler;
use crate::MultiValue;

#[cfg(feature = "async")]
use {futures_util::task::noop_waker_ref, std::ptr::NonNull, std::task::Waker};
@@ -87,6 +88,9 @@ pub(crate) struct ExtraData {
pub(super) compiler: Option<Compiler>,
#[cfg(feature = "luau-jit")]
pub(super) enable_jit: bool,

// Values currently being yielded from Lua.yield()
pub(super) yielded_values: MultiValue,
}

impl Drop for ExtraData {
@@ -182,6 +186,7 @@ impl ExtraData {
compiler: None,
#[cfg(feature = "luau-jit")]
enable_jit: true,
yielded_values: MultiValue::default(),
}));

// Store it in the registry
6 changes: 6 additions & 0 deletions src/state/raw.rs
Original file line number Diff line number Diff line change
@@ -342,6 +342,12 @@ impl RawLua {
}
}

#[cfg(not(any(feature = "lua51", feature="lua52", feature = "luajit")))]
#[inline]
pub(crate) fn is_yieldable(&self) -> bool {
unsafe { ffi::lua_isyieldable(self.state()) != 0 }
}

pub(crate) unsafe fn load_chunk_inner(
&self,
state: *mut ffi::lua_State,
17 changes: 16 additions & 1 deletion src/state/util.rs
Original file line number Diff line number Diff line change
@@ -1,3 +1,4 @@
use std::mem::take;
use std::os::raw::c_int;
use std::panic::{catch_unwind, AssertUnwindSafe};
use std::ptr;
@@ -6,6 +7,7 @@ use std::sync::Arc;
use crate::error::{Error, Result};
use crate::state::{ExtraData, RawLua};
use crate::util::{self, get_internal_metatable, WrappedFailure};
use crate::IntoLuaMulti;

pub(super) struct StateGuard<'a>(&'a RawLua, *mut ffi::lua_State);

@@ -107,7 +109,20 @@ where
prealloc_failure.release(state, extra);
r
}
Ok(Err(err)) => {
Ok(Err(mut err)) => {
if let Error::Yielding = err {
let raw = extra.as_ref().unwrap_unchecked().raw_lua();
let values = take(&mut extra.as_mut().unwrap_unchecked().yielded_values);
match values.push_into_stack_multi(raw) {
Ok(nargs) => {
ffi::lua_yield(state, nargs);
unreachable!()
},
Err(new_err) => {
err = new_err;
}
}
}
let wrapped_error = prealloc_failure.r#use(state, extra);

// Build `CallbackError` with traceback
12 changes: 12 additions & 0 deletions tests/thread.rs
Original file line number Diff line number Diff line change
@@ -219,6 +219,18 @@ fn test_coroutine_panic() {
}
}

#[test]
fn test_yieldability() {
let lua = Lua::new();

let always_yield = lua.create_function(|lua, ()| {
lua.yield_args((42, "69420"))
}).unwrap();

let thread = lua.create_thread(always_yield).unwrap();
assert_eq!(thread.resume::<(i32, String)>(()).unwrap(), (42, String::from("69420")));
}

#[test]
fn test_thread_pointer() -> Result<()> {
let lua = Lua::new();