An async scheduler for Luau
Find a file
2024-01-26 09:57:48 +01:00
.github/workflows Add CI workflow 2024-01-20 13:04:28 +01:00
.vscode Add stylua and other formatters, apply formatting 2024-01-23 15:20:38 +01:00
examples Get rid of poll pending hack, more threads in example file 2024-01-26 08:38:09 +01:00
lib Use event primitive instead of smol channels in thread queue 2024-01-26 09:57:48 +01:00
.editorconfig Add git attributes and editor config 2024-01-20 00:26:33 +01:00
.gitattributes Add git attributes and editor config 2024-01-20 00:26:33 +01:00
.gitignore Initial commit 2024-01-16 22:23:11 +01:00
Cargo.lock Use event primitive instead of smol channels in thread queue 2024-01-26 09:57:48 +01:00
Cargo.toml Use event primitive instead of smol channels in thread queue 2024-01-26 09:57:48 +01:00
LICENSE.txt Add readme and license 2024-01-23 13:59:50 +01:00
README.md Refactor runtime and callbacks 2024-01-24 19:50:25 +01:00
stylua.toml Add stylua and other formatters, apply formatting 2024-01-23 15:20:38 +01:00

smol-mlua


Integration between smol and mlua that provides a fully functional and asynchronous Luau runtime using smol executor(s).

Example Usage

1. Import dependencies

use std::time::{Duration, Instant};

use mlua::prelude::*;
use smol::{Timer, io, fs::read_to_string}
use smol_mlua::Runtime;

2. Set up lua environment

let lua = Lua::new();

lua.globals().set(
    "sleep",
    lua.create_async_function(|_, duration: f64| async move {
        let before = Instant::now();
        let after = Timer::after(Duration::from_secs_f64(duration)).await;
        Ok((after - before).as_secs_f64())
    })?,
)?;

lua.globals().set(
    "readFile",
    lua.create_async_function(|lua, path: String| async move {
        // Spawn background task that does not take up resources on the lua thread
        // Normally, futures in mlua can not be shared across threads, but this can
        let task = lua.spawn(async move {
            match read_to_string(path).await {
                Ok(s) => Ok(Some(s)),
                Err(e) if e.kind() == io::ErrorKind::NotFound => Ok(None),
                Err(e) => Err(e),
            }
        });
        task.await.into_lua_err()
    })?,
)?;

3. Run

let rt = Runtime::new(&lua)?;

// We can create multiple lua threads ...
let sleepThread = lua.load("sleep(0.1)");
let fileThread = lua.load("readFile(\"Cargo.toml\")");

// ... spawn them both onto the runtime ...
rt.spawn_thread(sleepThread, ());
rt.spawn_thread(fileThread, ());

// ... and run either async or blocking, until they finish
rt.run_async().await;
rt.run_blocking();