Compare commits

..

No commits in common. "40829cdfc61696ca11b16c0d421556a1c04db7a7" and "31b5ff5ab973d1b1ca0efda0bacb8403309336b2" have entirely different histories.

22 changed files with 204 additions and 1003 deletions

View File

@ -1,9 +1,5 @@
{ {
"$schema": "https://raw.githubusercontent.com/LuaLS/vscode-lua/master/setting/schema.json", "$schema": "https://raw.githubusercontent.com/LuaLS/vscode-lua/master/setting/schema.json",
"runtime.version": "LuaJIT", "runtime.version": "LuaJIT",
"diagnostics.disable": [ "diagnostics.disable": ["redefined-local", "lowercase-global"]
"undefined-global",
"redefined-local",
"lowercase-global"
]
} }

43
Cargo.lock generated
View File

@ -691,19 +691,6 @@ version = "0.3.2"
source = "registry+https://github.com/rust-lang/crates.io-index" source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "a8d1add55171497b4705a648c6b583acafb01d58050a51727785f0b2c8e0a2b2" checksum = "a8d1add55171497b4705a648c6b583acafb01d58050a51727785f0b2c8e0a2b2"
[[package]]
name = "globset"
version = "0.4.16"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "54a1028dfc5f5df5da8a56a73e6c153c9a9708ec57232470703592a3f18e49f5"
dependencies = [
"aho-corasick",
"bstr",
"log",
"regex-automata 0.4.9",
"regex-syntax 0.8.5",
]
[[package]] [[package]]
name = "h2" name = "h2"
version = "0.4.10" version = "0.4.10"
@ -1045,13 +1032,11 @@ name = "lb"
version = "0.0.1" version = "0.0.1"
dependencies = [ dependencies = [
"derive_more", "derive_more",
"globset",
"luaffi", "luaffi",
"luajit", "luajit",
"sysexits", "sysexits",
"thiserror", "thiserror",
"tokio", "tokio",
"walkdir",
] ]
[[package]] [[package]]
@ -1593,15 +1578,6 @@ version = "1.0.20"
source = "registry+https://github.com/rust-lang/crates.io-index" source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "28d3b2b1366ec20994f1fd18c3c594f05c5dd4bc44d8bb0c1c632c8d6829481f" checksum = "28d3b2b1366ec20994f1fd18c3c594f05c5dd4bc44d8bb0c1c632c8d6829481f"
[[package]]
name = "same-file"
version = "1.0.6"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "93fc1dc3aaa9bfed95e02e6eadabb4baf7e3078b0bd1b4d7b6b0b68378900502"
dependencies = [
"winapi-util",
]
[[package]] [[package]]
name = "semver" name = "semver"
version = "1.0.26" version = "1.0.26"
@ -2093,16 +2069,6 @@ dependencies = [
"rustversion", "rustversion",
] ]
[[package]]
name = "walkdir"
version = "2.5.0"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "29790946404f91d9c5d06f9874efddea1dc06c5efe94541a7d6863108e3a5e4b"
dependencies = [
"same-file",
"winapi-util",
]
[[package]] [[package]]
name = "want" name = "want"
version = "0.3.1" version = "0.3.1"
@ -2154,15 +2120,6 @@ version = "0.4.0"
source = "registry+https://github.com/rust-lang/crates.io-index" source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "ac3b87c63620426dd9b991e5ce0329eff545bccbbb34f3be09ff6fb6ab51b7b6" checksum = "ac3b87c63620426dd9b991e5ce0329eff545bccbbb34f3be09ff6fb6ab51b7b6"
[[package]]
name = "winapi-util"
version = "0.1.9"
source = "registry+https://github.com/rust-lang/crates.io-index"
checksum = "cf221c93e13a30d793f7645a0e7762c55d169dbb0a49671918a2319d289b10bb"
dependencies = [
"windows-sys 0.59.0",
]
[[package]] [[package]]
name = "winapi-x86_64-pc-windows-gnu" name = "winapi-x86_64-pc-windows-gnu"
version = "0.4.0" version = "0.4.0"

View File

@ -30,10 +30,6 @@ repository.workspace = true
dev.panic = "abort" dev.panic = "abort"
release.panic = "abort" release.panic = "abort"
[[test]]
name = "main"
harness = false
[features] [features]
default = ["task", "fs", "net"] default = ["task", "fs", "net"]
task = ["lb/task"] task = ["lb/task"]

View File

@ -8,16 +8,14 @@ homepage.workspace = true
repository.workspace = true repository.workspace = true
[features] [features]
task = ["tokio/rt", "tokio/time"] task = []
fs = ["tokio/fs", "dep:walkdir", "dep:globset"] fs = ["tokio/fs"]
net = ["tokio/net"] net = ["tokio/net"]
[dependencies] [dependencies]
derive_more = { version = "2.0.1", features = ["full"] } derive_more = { version = "2.0.1", features = ["full"] }
globset = { version = "0.4.16", optional = true }
luaffi = { path = "../luaffi" } luaffi = { path = "../luaffi" }
luajit = { path = "../luajit" } luajit = { path = "../luajit" }
sysexits = "0.9.0" sysexits = "0.9.0"
thiserror = "2.0.12" thiserror = "2.0.12"
tokio = { version = "1.45.1" } tokio = { version = "1.45.1", features = ["rt"] }
walkdir = { version = "2.5.0", optional = true }

View File

@ -1,22 +1,7 @@
//! Channel library // use flume::{Receiver, Sender};
//!
//! The `lb:chan` library provides primitives for asynchronous communication between tasks via
//! message passing channels.
//!
//! ## Exports
//!
//! See [`lb_chanlib`] for items exported by this library.
use luaffi::{cdef, metatype}; use luaffi::{cdef, metatype};
/// Items exported by the `lb:chan` library. #[cdef]
///
/// This library can be acquired by calling
/// [`require("lb:chan")`](https://www.lua.org/manual/5.1/manual.html#pdf-require) in Lua.
///
/// ```lua
/// local chan = require("lb:chan");
/// ```
#[cdef(module = "lb:chan")]
pub struct lb_chanlib; pub struct lb_chanlib;
#[metatype] #[metatype]

View File

@ -1,49 +1,21 @@
//! # Filesystem library
//!
//! The `lb:fs` library provides synchronous and asynchronous utilities for interacting with the //! The `lb:fs` library provides synchronous and asynchronous utilities for interacting with the
//! file system. //! file system.
//! //!
//! ## Asynchronous by default //! # Exports
//!
//! Filesystem operations are blocking by nature; to provide asynchronicity, luby performs blocking
//! operations in a background thread pool by default. Synchronous complements to all asynchronous
//! functions are always provided.
//!
//! ## Exports
//! //!
//! See [`lb_fslib`] for items exported by this library. //! See [`lb_fslib`] for items exported by this library.
use derive_more::From;
use luaffi::{cdef, metatype}; use luaffi::{cdef, metatype};
use std::{path::PathBuf, time::SystemTime}; use std::io;
use thiserror::Error; use tokio::fs;
/// Errors that can be thrown by this library.
///
/// Functions which return this error will **throw** in Lua. The error message can be caught by
/// using [`pcall(f, ...)`](https://www.lua.org/manual/5.1/manual.html#pdf-pcall).
#[derive(Debug, Error)]
pub enum Error {
/// I/O error.
#[error("{0}")]
Io(#[from] std::io::Error),
/// Walk directory error.
#[error("{0}")]
Walk(#[from] walkdir::Error),
/// Glob pattern error.
#[error("{0}")]
Glob(#[from] globset::Error),
}
type Result<T> = std::result::Result<T, Error>;
/// Items exported by the `lb:fs` library. /// Items exported by the `lb:fs` library.
/// ///
/// This library can be acquired by calling `require` in Lua. /// This library can be obtained by calling `require` in Lua.
/// ///
/// ```lua /// ```lua
/// local fs = require("lb:fs"); /// local fs = require("lb:fs");
/// ``` /// ```
#[cdef(module = "lb:fs")] #[cdef]
pub struct lb_fslib; pub struct lb_fslib;
#[metatype] #[metatype]
@ -53,351 +25,19 @@ impl lb_fslib {
Self Self
} }
pub async extern "Lua-C" fn read(&self, path: &str) -> Result<Vec<u8>> { pub async extern "Lua-C" fn read(&self, path: &str) -> io::Result<Vec<u8>> {
Ok(tokio::fs::read(path).await?) fs::read(path).await
} }
pub extern "Lua-C" fn read_sync(&self, path: &str) -> Result<Vec<u8>> { pub extern "Lua-C" fn read_sync(&self, path: &str) -> io::Result<Vec<u8>> {
Ok(std::fs::read(path)?) std::fs::read(path)
} }
pub async extern "Lua-C" fn write(&self, path: &str, contents: &[u8]) -> Result<()> { pub async extern "Lua-C" fn write(&self, path: &str, contents: &[u8]) -> io::Result<()> {
Ok(tokio::fs::write(path, contents).await?) fs::write(path, contents).await
} }
pub extern "Lua-C" fn write_sync(&self, path: &str, contents: &[u8]) -> Result<()> { pub extern "Lua-C" fn write_sync(&self, path: &str, contents: &[u8]) -> io::Result<()> {
Ok(std::fs::write(path, contents)?) std::fs::write(path, contents)
}
pub async extern "Lua-C" fn read_dir(&self, path: &str) -> Result<lb_read_dir> {
Ok(tokio::fs::read_dir(path).await?.into())
}
pub extern "Lua-C" fn read_dir_sync(&self, path: &str) -> Result<lb_read_dir_sync> {
Ok(std::fs::read_dir(path)?.into())
}
pub extern "Lua-C" fn walk_dir(&self, path: &str) -> lb_walk_dir {
walkdir::WalkDir::new(path).into_iter().into()
}
pub extern "Lua-C" fn glob(&self, pattern: &str) -> Result<lb_glob_dir> {
self.glob_dir(".", pattern)
}
pub extern "Lua-C" fn glob_dir(&self, path: &str, pattern: &str) -> Result<lb_glob_dir> {
let prefix = PathBuf::from(path);
let iter = walkdir::WalkDir::new(path).min_depth(1).into_iter();
let matcher = globset::GlobSet::builder()
.add(globset::Glob::new(pattern)?)
.build()?;
Ok(lb_glob_dir {
iter,
matcher,
prefix,
})
}
}
/// Iterator over the entries in a directory.
#[derive(Debug, From)]
#[cdef]
pub struct lb_read_dir(#[opaque] tokio::fs::ReadDir);
#[metatype]
impl lb_read_dir {
#[call]
pub async extern "Lua-C" fn next(&mut self) -> Result<Option<lb_dir_entry>> {
Ok(self.0.next_entry().await?.map(Into::into))
}
}
/// Synchronous version of [`lb_read_dir`].
#[derive(Debug, From)]
#[cdef]
pub struct lb_read_dir_sync(#[opaque] std::fs::ReadDir);
#[metatype]
impl lb_read_dir_sync {
#[call]
pub extern "Lua-C" fn next(&mut self) -> Result<Option<lb_dir_entry_sync>> {
Ok(self.0.next().transpose()?.map(Into::into))
}
}
/// Entry inside of a directory on the filesystem.
#[derive(Debug, From)]
#[cdef]
pub struct lb_dir_entry(#[opaque] tokio::fs::DirEntry);
#[metatype]
impl lb_dir_entry {
pub extern "Lua-C" fn path(&self) -> String {
self.0.path().to_string_lossy().into()
}
pub extern "Lua-C" fn name(&self) -> String {
self.0.file_name().to_string_lossy().into()
}
pub async extern "Lua-C" fn r#type(&self) -> Result<lb_file_type> {
Ok(self.0.file_type().await?.into())
}
pub async extern "Lua-C" fn metadata(&self) -> Result<lb_file_meta> {
Ok(self.0.metadata().await?.into())
}
#[cfg(unix)]
pub extern "Lua-C" fn ino(&self) -> u64 {
self.0.ino()
}
#[tostring]
pub extern "Lua" fn tostring(&self) -> String {
self.path()
}
}
/// Synchronous version of [`lb_dir_entry`].
#[derive(Debug, From)]
#[cdef]
pub struct lb_dir_entry_sync(#[opaque] std::fs::DirEntry);
#[metatype]
impl lb_dir_entry_sync {
pub extern "Lua-C" fn path(&self) -> String {
self.0.path().to_string_lossy().into()
}
pub extern "Lua-C" fn name(&self) -> String {
self.0.file_name().to_string_lossy().into()
}
pub extern "Lua-C" fn r#type(&self) -> Result<lb_file_type> {
Ok(self.0.file_type()?.into())
}
pub extern "Lua-C" fn metadata(&self) -> Result<lb_file_meta> {
Ok(self.0.metadata()?.into())
}
#[cfg(unix)]
pub extern "Lua-C" fn ino(&self) -> u64 {
use std::os::unix::fs::DirEntryExt;
self.0.ino()
}
#[tostring]
pub extern "Lua" fn tostring(&self) -> String {
self.path()
}
}
/// Structure representing the type of a file with accessors for each file type.
#[derive(Debug, From)]
#[cdef]
pub struct lb_file_type(#[opaque] std::fs::FileType);
#[metatype]
impl lb_file_type {
pub extern "Lua-C" fn is_dir(&self) -> bool {
self.0.is_dir()
}
pub extern "Lua-C" fn is_file(&self) -> bool {
self.0.is_file()
}
pub extern "Lua-C" fn is_symlink(&self) -> bool {
self.0.is_file()
}
#[tostring]
pub extern "Lua-C" fn tostring(&self) -> String {
if self.0.is_file() {
"file"
} else if self.0.is_dir() {
"dir"
} else if self.0.is_symlink() {
"symlink"
} else {
"other"
}
.into()
}
}
/// Metadata information about a file.
#[derive(Debug, From)]
#[cdef]
pub struct lb_file_meta(#[opaque] std::fs::Metadata);
#[metatype]
impl lb_file_meta {
pub extern "Lua-C" fn is_dir(&self) -> bool {
self.0.is_dir()
}
pub extern "Lua-C" fn is_file(&self) -> bool {
self.0.is_file()
}
pub extern "Lua-C" fn is_symlink(&self) -> bool {
self.0.is_file()
}
pub extern "Lua-C" fn r#type(&self) -> lb_file_type {
self.0.file_type().into()
}
pub extern "Lua-C" fn size(&self) -> u64 {
self.0.len()
}
pub extern "Lua-C" fn perms(&self) -> lb_file_perms {
self.0.permissions().into()
}
pub extern "Lua-C" fn created(&self) -> Result<f64> {
Ok(self
.0
.created()?
.duration_since(SystemTime::UNIX_EPOCH)
.map(|dur| dur.as_secs_f64())
.unwrap_or(0.))
}
pub extern "Lua-C" fn modified(&self) -> Result<f64> {
Ok(self
.0
.modified()?
.duration_since(SystemTime::UNIX_EPOCH)
.map(|dur| dur.as_secs_f64())
.unwrap_or(0.))
}
pub extern "Lua-C" fn accessed(&self) -> Result<f64> {
Ok(self
.0
.accessed()?
.duration_since(SystemTime::UNIX_EPOCH)
.map(|dur| dur.as_secs_f64())
.unwrap_or(0.))
}
#[tostring]
pub extern "Lua-C" fn tostring(&self) -> String {
let ty = self.0.file_type();
if ty.is_file() {
format!("file {}", self.0.len())
} else if ty.is_dir() {
"dir".into()
} else if ty.is_symlink() {
"symlink".into()
} else {
"other".into()
}
}
}
/// Representation of the various permissions on a file.
#[derive(Debug, From)]
#[cdef]
pub struct lb_file_perms(#[opaque] std::fs::Permissions);
#[metatype]
impl lb_file_perms {
pub extern "Lua-C" fn readonly(&self) -> bool {
self.0.readonly()
}
pub extern "Lua-C" fn set_readonly(&mut self, readonly: bool) {
self.0.set_readonly(readonly);
}
}
/// Iterator for recursively descending into a directory.
#[derive(Debug, From)]
#[cdef]
pub struct lb_walk_dir(#[opaque] walkdir::IntoIter);
#[metatype]
impl lb_walk_dir {
#[call]
pub extern "Lua-C" fn next(&mut self) -> Result<Option<lb_walk_dir_entry>> {
Ok(self.0.next().transpose()?.map(Into::into))
}
}
/// Entry inside of a directory on the filesystem obtained from [`lb_walk_dir`].
#[derive(Debug, From)]
#[cdef]
pub struct lb_walk_dir_entry(#[opaque] walkdir::DirEntry);
#[metatype]
impl lb_walk_dir_entry {
pub extern "Lua-C" fn path(&self) -> String {
self.0.path().to_string_lossy().into()
}
pub extern "Lua-C" fn name(&self) -> String {
self.0.file_name().to_string_lossy().into()
}
pub extern "Lua-C" fn r#type(&self) -> lb_file_type {
self.0.file_type().into()
}
pub extern "Lua-C" fn metadata(&self) -> Result<lb_file_meta> {
Ok(self.0.metadata()?.into())
}
pub extern "Lua-C" fn is_symlink(&self) -> bool {
self.0.path_is_symlink()
}
pub extern "Lua-C" fn depth(&self) -> u32 {
self.0.depth() as u32
}
#[cfg(unix)]
pub extern "Lua-C" fn ino(&self) -> u64 {
use walkdir::DirEntryExt;
self.0.ino()
}
#[tostring]
pub extern "Lua" fn tostring(&self) -> String {
self.path()
}
}
/// Iterator that yields paths from the filesystem that match a particular pattern.
#[derive(Debug)]
#[cdef]
pub struct lb_glob_dir {
#[opaque]
iter: walkdir::IntoIter,
#[opaque]
matcher: globset::GlobSet,
#[opaque]
prefix: PathBuf,
}
#[metatype]
impl lb_glob_dir {
#[call]
pub extern "Lua-C" fn next(&mut self) -> Result<Option<lb_walk_dir_entry>> {
while let Some(res) = self.iter.next() {
let entry = res?;
let path = entry.path().strip_prefix(&self.prefix).unwrap();
if self.matcher.is_match(path) {
return Ok(Some(entry.into()));
}
}
Ok(None)
} }
} }

View File

@ -1,5 +1,3 @@
//! luby standard library
#![warn(missing_docs)]
pub mod runtime; pub mod runtime;
#[cfg(feature = "task")] #[cfg(feature = "task")]

View File

@ -1,9 +1,7 @@
//! Networking library
//!
//! The `lb:net` library provides an asynchronous network API for creating TCP or UDP servers and //! The `lb:net` library provides an asynchronous network API for creating TCP or UDP servers and
//! clients. //! clients.
//! //!
//! ## Exports //! # Exports
//! //!
//! See [`lb_netlib`] for items exported by this library. //! See [`lb_netlib`] for items exported by this library.
use derive_more::{From, FromStr}; use derive_more::{From, FromStr};
@ -21,13 +19,10 @@ use tokio::net::{TcpListener, TcpSocket, TcpStream};
/// using [`pcall(f, ...)`](https://www.lua.org/manual/5.1/manual.html#pdf-pcall). /// using [`pcall(f, ...)`](https://www.lua.org/manual/5.1/manual.html#pdf-pcall).
#[derive(Debug, Error)] #[derive(Debug, Error)]
pub enum Error { pub enum Error {
/// I/O error.
#[error("{0}")] #[error("{0}")]
Io(#[from] std::io::Error), Io(#[from] std::io::Error),
/// IP or socket address syntax error.
#[error("{0}")] #[error("{0}")]
InvalidAddr(#[from] AddrParseError), InvalidAddr(#[from] AddrParseError),
/// Socket was already converted and cannot be used anymore.
#[error("socket was already converted")] #[error("socket was already converted")]
SocketConsumed, SocketConsumed,
} }
@ -36,13 +31,13 @@ type Result<T> = std::result::Result<T, Error>;
/// Items exported by the `lb:net` library. /// Items exported by the `lb:net` library.
/// ///
/// This library can be acquired by calling /// This library can be obtained by calling
/// [`require("lb:net")`](https://www.lua.org/manual/5.1/manual.html#pdf-require) in Lua. /// [`require("lb:net")`](https://www.lua.org/manual/5.1/manual.html#pdf-require) in Lua.
/// ///
/// ```lua /// ```lua
/// local net = require("lb:net"); /// local net = require("lb:net");
/// ``` /// ```
#[cdef(module = "lb:net")] #[cdef]
pub struct lb_netlib; pub struct lb_netlib;
#[metatype] #[metatype]
@ -141,7 +136,7 @@ impl lb_netlib {
Ok(Some(TcpSocket::new_v6()?).into()) Ok(Some(TcpSocket::new_v6()?).into())
} }
pub async extern "Lua" fn bind_tcp(&self, addr: any, port: any) -> Result<lb_tcpsocket> { pub extern "Lua" fn bind_tcp(&self, addr: any, port: any) -> Result<lb_tcpsocket> {
let addr = self.socketaddr(addr, port); let addr = self.socketaddr(addr, port);
let socket; let socket;
if addr.ip().is_v6() { if addr.ip().is_v6() {
@ -153,7 +148,7 @@ impl lb_netlib {
socket socket
} }
pub async extern "Lua" fn connect_tcp(&self, addr: any, port: any) -> Result<lb_tcpstream> { pub extern "Lua" fn connect_tcp(&self, addr: any, port: any) -> Result<lb_tcpstream> {
let addr = self.socketaddr(addr, port); let addr = self.socketaddr(addr, port);
let socket; let socket;
if addr.ip().is_v6() { if addr.ip().is_v6() {
@ -164,12 +159,12 @@ impl lb_netlib {
socket.connect(addr) socket.connect(addr)
} }
pub async extern "Lua" fn listen_tcp(&self, addr: any, port: any) -> Result<lb_tcplistener> { pub extern "Lua" fn listen_tcp(&self, addr: any, port: any) -> Result<lb_tcplistener> {
self.bind_tcp(addr, port).listen(1024) self.bind_tcp(addr, port).listen(1024)
} }
} }
/// IP address, either IPv4 or IPv6. /// An IP address, either IPv4 or IPv6.
/// ///
/// # Example /// # Example
/// ///
@ -294,7 +289,7 @@ impl lb_ipaddr {
} }
} }
/// Socket address, which is an IP address with a port number. /// A socket address, which is an IP address with a port number.
#[derive(Debug, Clone, Copy, PartialEq, Eq, From, FromStr)] #[derive(Debug, Clone, Copy, PartialEq, Eq, From, FromStr)]
#[cdef] #[cdef]
pub struct lb_socketaddr(#[opaque] SocketAddr); pub struct lb_socketaddr(#[opaque] SocketAddr);
@ -350,7 +345,7 @@ impl lb_socketaddr {
} }
} }
/// TCP socket which has not yet been converted to an [`lb_tcpstream`] or [`lb_tcplistener`]. /// A TCP socket which has not yet been converted to an [`lb_tcpstream`] or [`lb_tcplistener`].
#[derive(Debug, From)] #[derive(Debug, From)]
#[cdef] #[cdef]
pub struct lb_tcpsocket(#[opaque] Option<TcpSocket>); pub struct lb_tcpsocket(#[opaque] Option<TcpSocket>);
@ -470,7 +465,6 @@ impl lb_tcpsocket {
} }
} }
/// TCP connection between a local and a remote socket.
#[derive(Debug, From)] #[derive(Debug, From)]
#[cdef] #[cdef]
pub struct lb_tcpstream(#[opaque] TcpStream); pub struct lb_tcpstream(#[opaque] TcpStream);
@ -478,7 +472,6 @@ pub struct lb_tcpstream(#[opaque] TcpStream);
#[metatype] #[metatype]
impl lb_tcpstream {} impl lb_tcpstream {}
/// TCP socket server, listening for connections.
#[derive(Debug, From)] #[derive(Debug, From)]
#[cdef] #[cdef]
pub struct lb_tcplistener(#[opaque] TcpListener); pub struct lb_tcplistener(#[opaque] TcpListener);

View File

@ -1,28 +1,21 @@
#![doc(hidden)]
use derive_more::{Deref, DerefMut}; use derive_more::{Deref, DerefMut};
use luaffi::{Module, Registry}; use luaffi::{Registry, Type};
use luajit::{Chunk, State}; use luajit::{Chunk, State};
use std::rc::Rc; use std::fmt::Display;
use tokio::{ use tokio::{
task::{JoinHandle, LocalSet, futures::TaskLocalFuture, spawn_local}, task::{JoinHandle, LocalSet, futures::TaskLocalFuture, spawn_local},
task_local, task_local,
}; };
pub type ErrorFn = dyn Fn(&luajit::Error); #[derive(Debug, Default)]
pub struct Builder { pub struct Builder {
registry: Registry, registry: Registry,
report_err: Rc<ErrorFn>,
} }
impl Builder { impl Builder {
pub fn new() -> Self { pub fn new() -> Self {
Self { Self {
registry: Registry::new(), registry: Registry::new(),
report_err: Rc::new(|err| match err.trace() {
Some(trace) => eprintln!("unhandled lua error: {err}\n{trace}"),
None => eprintln!("unhandled lua error: {err}"),
}),
} }
} }
@ -30,86 +23,57 @@ impl Builder {
&self.registry &self.registry
} }
pub fn unhandled_error(&mut self, handler: impl Fn(&luajit::Error) + 'static) -> &mut Self { pub fn module<T: Type>(&mut self, name: impl Display) -> &mut Self {
self.report_err = Rc::new(handler); self.registry.preload::<T>(name);
self
}
pub fn module<T: Module>(&mut self) -> &mut Self {
self.registry.preload::<T>();
self self
} }
pub fn build(&self) -> luajit::Result<Runtime> { pub fn build(&self) -> luajit::Result<Runtime> {
Ok(Runtime { Ok(Runtime {
cx: Context {
state: { state: {
let mut s = State::new()?; let mut s = State::new()?;
s.eval(Chunk::new(self.registry.build()).path("[luby]"), 0, 0)?; s.eval(Chunk::new(self.registry.build()).path("[luby]"), 0, 0)?;
s s
}, },
report_err: self.report_err.clone(),
},
tasks: LocalSet::new(), tasks: LocalSet::new(),
}) })
} }
} }
#[derive(Deref, DerefMut)] #[derive(Debug, Deref, DerefMut)]
pub struct Runtime { pub struct Runtime {
#[deref] #[deref]
#[deref_mut] #[deref_mut]
cx: Context, state: State,
tasks: LocalSet, tasks: LocalSet,
} }
task_local! {
static STATE: State;
}
impl Runtime { impl Runtime {
pub fn spawn<T: 'static>( pub fn spawn<T: 'static>(
&self, &self,
f: impl AsyncFnOnce(&mut Context) -> T + 'static, f: impl AsyncFnOnce(&mut State) -> T + 'static,
) -> JoinHandle<T> { ) -> JoinHandle<T> {
self.tasks self.tasks
.spawn_local(async move { f(&mut CURRENT.with(|s| s.new_thread())).await }) .spawn_local(async move { f(&mut STATE.with(|s| s.new_thread())).await })
} }
} }
pub fn spawn<T: 'static>(f: impl AsyncFnOnce(&mut State) -> T + 'static) -> JoinHandle<T> {
// SAFETY: `new_thread` must be called inside `spawn_local` because this free-standing spawn
// function may be called via ffi from lua, and it is not safe to access the lua state within
// ffi calls.
spawn_local(async move { f(&mut STATE.with(|s| s.new_thread())).await })
}
impl IntoFuture for Runtime { impl IntoFuture for Runtime {
type Output = (); type Output = ();
type IntoFuture = TaskLocalFuture<Context, LocalSet>; type IntoFuture = TaskLocalFuture<State, LocalSet>;
fn into_future(self) -> Self::IntoFuture { fn into_future(self) -> Self::IntoFuture {
CURRENT.scope(self.cx, self.tasks) STATE.scope(self.state, self.tasks)
} }
} }
task_local! {
static CURRENT: Context;
}
#[derive(Deref, DerefMut)]
pub struct Context {
#[deref]
#[deref_mut]
state: State,
report_err: Rc<ErrorFn>,
}
impl Context {
pub fn new_thread(&self) -> Self {
Self {
state: self.state.new_thread(),
report_err: self.report_err.clone(),
}
}
pub fn report_error(&self, err: &luajit::Error) {
(self.report_err)(&err);
}
}
pub fn spawn<T: 'static>(f: impl AsyncFnOnce(&mut Context) -> T + 'static) -> JoinHandle<T> {
// SAFETY: `new_thread` must be called inside `spawn_local` because this free-standing spawn
// function may be called via ffi from lua, and it is not safe to access the lua state within
// ffi calls.
spawn_local(async move { f(&mut CURRENT.with(|s| s.new_thread())).await })
}

View File

@ -1,10 +0,0 @@
-- include task functions in the global scope
local task = require("lb:task")
function sleep(ms)
return task:sleep(ms)
end
function spawn(f, ...)
return task:spawn(f, ...)
end

View File

@ -1,103 +1,46 @@
//! Task library
//!
//! The `lb:task` library primitives for asynchronous communication between tasks via message
//! passing channels.
//!
//! ## Exports
//!
//! See [`lb_tasklib`] for items exported by this library.
use crate::runtime::spawn; use crate::runtime::spawn;
use luaffi::{cdef, metatype}; use luaffi::{cdef, metatype};
use luajit::{LUA_MULTRET, Type}; use std::{ffi::c_int, process};
use std::{ffi::c_int, time::Duration}; use tokio::task::JoinHandle;
use tokio::{task::JoinHandle, time::sleep};
/// Items exported by the `lb:task` library. #[cdef]
///
/// This library can be acquired by calling
/// [`require("lb:task")`](https://www.lua.org/manual/5.1/manual.html#pdf-require) in Lua.
///
/// ```lua
/// local task = require("lb:task");
/// ```
#[cdef(module = "lb:task")]
pub struct lb_tasklib; pub struct lb_tasklib;
#[metatype] #[metatype]
#[include("task.lua")]
impl lb_tasklib { impl lb_tasklib {
#[new] #[new]
extern "Lua-C" fn new() -> Self { extern "Lua-C" fn new() -> Self {
Self Self
} }
pub async extern "Lua-C" fn sleep(&self, ms: f64) { pub extern "Lua" fn spawn(self, f: function, ...) {
sleep(Duration::from_secs_f64(ms / 1000.)).await; // pack the function and its arguments into a table and pass its ref to rust
}
pub extern "Lua" fn spawn(&self, f: function, ...) -> lb_task {
// pack the function and its arguments into a table and pass its ref to rust.
//
// this table is used from rust-side to call the function with its args, and it's also
// reused to store its return values that the task handle can return when awaited. the ref
// is owned by the task handle and unref'ed when it's gc'ed.
self.__spawn(__ref(__tpack(f, variadic!()))) self.__spawn(__ref(__tpack(f, variadic!())))
} }
extern "Lua-C" fn __spawn(&self, key: c_int) -> lb_task { extern "Lua-C" fn __spawn(&self, key: c_int) -> lb_task {
let handle = spawn(async move |cx| { let handle = spawn(async move |s| {
// SAFETY: key is always unique, created by __ref above. // SAFETY: key is always unique, created by __ref above
let arg = unsafe { cx.new_ref_unchecked(key) }; let arg = unsafe { s.new_ref_unchecked(key) };
let mut s = cx.guard();
s.resize(0); s.resize(0);
s.push(&arg); s.push(arg);
let narg = s.unpack(1, 1, None) - 1; // unpack the function and its args from the table let narg = s.unpack(1, 1, None) - 1;
debug_assert!(s.slot(2).type_of() == Type::Function); println!("{s:?}");
match s.call_async(narg, LUA_MULTRET).await { if let Err(_err) = s.call_async(narg, 0).await {
Ok(nret) => { process::exit(1)
s.pack(1, nret); // pack the return values back into the table
} }
Err(err) => { println!("{s:?}");
drop(s);
cx.report_error(&err);
}
}
let _ = arg.into_raw(); // the original ref is owned by the task handle and unref'ed there
}); });
lb_task { lb_task { handle }
handle: Some(handle),
__ref: key,
}
} }
} }
/// Handle for an asynchronous task created by [`spawn`](lb_tasklib::spawn).
#[cdef] #[cdef]
pub struct lb_task { pub struct lb_task {
#[opaque] #[opaque]
handle: Option<JoinHandle<()>>, handle: JoinHandle<()>,
__ref: c_int,
} }
#[metatype] #[metatype]
impl lb_task { impl lb_task {}
pub async extern "Lua" fn r#await(&self) -> many {
self.__await();
let ret = __registry[self.__ref];
__tunpack(ret, 1, ret.n)
}
async extern "Lua-C" fn __await(&mut self) {
if let Some(handle) = self.handle.take() {
handle
.await
.unwrap_or_else(|err| panic!("task handler panicked: {err}"));
}
}
#[gc]
extern "Lua" fn gc(&self) {
__unref(self.__ref);
}
}

View File

@ -9,7 +9,6 @@ use std::{
#[allow(non_camel_case_types)] #[allow(non_camel_case_types)]
pub mod stub_types { pub mod stub_types {
pub struct any; pub struct any;
pub struct many;
pub struct nil; pub struct nil;
pub type boolean = bool; pub type boolean = bool;
pub struct lightuserdata; pub struct lightuserdata;

View File

@ -38,7 +38,7 @@ const CACHE_LIBS: &[(&str, &str)] = &[
("package", "package"), ("package", "package"),
("debug", "debug"), ("debug", "debug"),
("jit", "jit"), ("jit", "jit"),
// requires // require
("bit", r#"require("bit")"#), ("bit", r#"require("bit")"#),
("ffi", r#"require("ffi")"#), ("ffi", r#"require("ffi")"#),
("__tnew", r#"require("table.new")"#), ("__tnew", r#"require("table.new")"#),
@ -47,7 +47,7 @@ const CACHE_LIBS: &[(&str, &str)] = &[
// https://www.lua.org/manual/5.1/manual.html#5.1 // https://www.lua.org/manual/5.1/manual.html#5.1
const CACHE_LOCALS: &[(&str, &str)] = &[ const CACHE_LOCALS: &[(&str, &str)] = &[
// baselib // base
("assert", "assert"), ("assert", "assert"),
("error", "error"), ("error", "error"),
("type", "type"), ("type", "type"),
@ -68,8 +68,7 @@ const CACHE_LOCALS: &[(&str, &str)] = &[
("tonumber", "tonumber"), ("tonumber", "tonumber"),
("tostring", "tostring"), ("tostring", "tostring"),
("require", "require"), ("require", "require"),
("__yield", "coroutine.yield"), // (used in future.rs) // table
// tablib
("__tconcat", "table.concat"), ("__tconcat", "table.concat"),
("__tinsert", "table.insert"), ("__tinsert", "table.insert"),
("__tmaxn", "table.maxn"), ("__tmaxn", "table.maxn"),
@ -77,21 +76,23 @@ const CACHE_LOCALS: &[(&str, &str)] = &[
("__tsort", "table.sort"), ("__tsort", "table.sort"),
("__tpack", "table.pack"), ("__tpack", "table.pack"),
("__tunpack", "table.unpack"), ("__tunpack", "table.unpack"),
// strlib // string
("__slen", "string.len"), ("__slen", "string.len"),
("__sprintf", "string.format"), ("__sprintf", "string.format"),
("__ssub", "string.sub"), ("__ssub", "string.sub"),
("__sgsub", "string.gsub"), ("__sgsub", "string.gsub"),
("__sgmatch", "string.gmatch"), ("__sgmatch", "string.gmatch"),
("__sdump", "string.dump"), ("__sdump", "string.dump"),
// mathlib (used in luaify! macro) // math (used in luaify! macro)
("__fmod", "math.fmod"), ("__fmod", "math.fmod"),
// loadlib // coroutine (used in future.rs)
("__yield", "coroutine.yield"),
// package
("__preload", "package.preload"), ("__preload", "package.preload"),
// dblib // debug
("__traceback", "debug.traceback"), ("__traceback", "debug.traceback"),
("__registry", "debug.getregistry()"), // (used in lib.lua) ("__registry", "debug.getregistry()"), // (used in lib.lua)
// ffilib // ffi
("__C", "ffi.C"), ("__C", "ffi.C"),
("__ct", "{}"), ("__ct", "{}"),
("__cdef", "ffi.cdef"), ("__cdef", "ffi.cdef"),
@ -104,7 +105,7 @@ const CACHE_LOCALS: &[(&str, &str)] = &[
("__sizeof", "ffi.sizeof"), ("__sizeof", "ffi.sizeof"),
("__alignof", "ffi.alignof"), ("__alignof", "ffi.alignof"),
("__intern", "ffi.string"), // (used in string.rs) ("__intern", "ffi.string"), // (used in string.rs)
// bitlib (used in luaify! macro) // bit (used in luaify! macro)
("__bnot", "bit.bnot"), ("__bnot", "bit.bnot"),
("__band", "bit.band"), ("__band", "bit.band"),
("__bor", "bit.bor"), ("__bor", "bit.bor"),
@ -158,16 +159,16 @@ impl Registry {
self self
} }
pub fn preload<T: Module>(&mut self) -> &mut Self { pub fn preload<T: Type>(&mut self, name: impl Display) -> &mut Self {
assert!(T::ty() != TypeType::Void, "cannot declare void type"); assert!(T::ty() != TypeType::Void, "cannot declare void type");
let name = <T as Module>::name(); self.include::<T>();
let ct = <T as Type>::name(); let ct = T::name();
writeln!( writeln!(
self.lua, self.lua,
r#"__preload["{name}"] = function(...) return __ct.{ct}(...); end;"#, r#"__preload["{name}"] = function(...) return __ct.{ct}(...); end;"#,
) )
.unwrap(); .unwrap();
self.include::<T>() self
} }
pub fn build(&self) -> String { pub fn build(&self) -> String {
@ -240,10 +241,6 @@ impl<'r> TypeBuilder<'r> {
} }
} }
pub trait Module: Type {
fn name() -> impl Display;
}
pub unsafe trait Cdef: Type { pub unsafe trait Cdef: Type {
fn build(b: &mut CdefBuilder); fn build(b: &mut CdefBuilder);
} }
@ -324,7 +321,6 @@ pub struct MetatypeBuilder<'r> {
ct: String, ct: String,
cdef: String, cdef: String,
lua: String, lua: String,
lua_includes: Vec<&'static str>,
} }
impl<'r> MetatypeBuilder<'r> { impl<'r> MetatypeBuilder<'r> {
@ -334,7 +330,6 @@ impl<'r> MetatypeBuilder<'r> {
ct: T::Target::name().to_string(), ct: T::Target::name().to_string(),
cdef: String::new(), cdef: String::new(),
lua: r#"do local __mt, __idx = {}, {}; __mt.__index = __idx; "#.into(), lua: r#"do local __mt, __idx = {}, {}; __mt.__index = __idx; "#.into(),
lua_includes: vec![],
} }
} }
@ -343,18 +338,13 @@ impl<'r> MetatypeBuilder<'r> {
self self
} }
pub fn include_lua(&mut self, lua: &'static str) -> &mut Self {
self.lua_includes.push(lua);
self
}
pub fn index( pub fn index(
&mut self, &mut self,
name: impl Display, name: impl Display,
f: impl FnOnce(&mut MetatypeFunctionBuilder), f: impl FnOnce(&mut MetatypeMethodBuilder),
) -> &mut Self { ) -> &mut Self {
write!(self.lua, "__idx.{name} = ").unwrap(); write!(self.lua, "__idx.{name} = ").unwrap();
f(&mut MetatypeFunctionBuilder::new(self)); f(&mut MetatypeMethodBuilder::new(self));
writeln!(self.lua, ";").unwrap(); writeln!(self.lua, ";").unwrap();
self self
} }
@ -367,10 +357,10 @@ impl<'r> MetatypeBuilder<'r> {
pub fn metatable( pub fn metatable(
&mut self, &mut self,
name: impl Display, name: impl Display,
f: impl FnOnce(&mut MetatypeFunctionBuilder), f: impl FnOnce(&mut MetatypeMethodBuilder),
) -> &mut Self { ) -> &mut Self {
write!(self.lua, "__mt.__{name} = ").unwrap(); write!(self.lua, "__mt.__{name} = ").unwrap();
f(&mut MetatypeFunctionBuilder::new(self)); f(&mut MetatypeMethodBuilder::new(self));
writeln!(self.lua, ";").unwrap(); writeln!(self.lua, ";").unwrap();
self self
} }
@ -388,15 +378,12 @@ impl<'r> Drop for MetatypeBuilder<'r> {
ct, ct,
cdef, cdef,
lua, lua,
lua_includes: lua_postlude, ..
} = self; } = self;
registry.cdef.push_str(cdef); registry.cdef.push_str(cdef);
registry.lua.push_str(lua); registry.lua.push_str(lua);
writeln!(registry.lua, r#"__metatype(__ct.{ct}, __mt); end;"#).unwrap(); writeln!(registry.lua, r#"__metatype(__ct.{ct}, __mt); end;"#).unwrap();
for lua in lua_postlude {
writeln!(registry.lua, r#"do {lua} end;"#).unwrap();
}
} }
} }
@ -442,16 +429,16 @@ pub unsafe trait IntoFfi: Sized {
} }
#[derive(Debug)] #[derive(Debug)]
pub struct MetatypeFunctionBuilder<'r, 'm> { pub struct MetatypeMethodBuilder<'r, 'm> {
metatype: &'m mut MetatypeBuilder<'r>, metatype: &'m mut MetatypeBuilder<'r>,
lparams: String, // lua function parameters lparams: String, // parameters to the lua function
cparams: String, // C function parameters cparams: String, // parameters to the lua function
cargs: String, // C call arguments cargs: String, // arguments to the C call
prelude: String, // lua function body prelude prelude: String, // function body prelude
postlude: String, // lua function body postlude postlude: String, // function body postlude
} }
impl<'r, 'm> MetatypeFunctionBuilder<'r, 'm> { impl<'r, 'm> MetatypeMethodBuilder<'r, 'm> {
pub fn new(metatype: &'m mut MetatypeBuilder<'r>) -> Self { pub fn new(metatype: &'m mut MetatypeBuilder<'r>) -> Self {
Self { Self {
metatype, metatype,
@ -530,15 +517,12 @@ impl<'r, 'm> MetatypeFunctionBuilder<'r, 'm> {
write!(prelude, "local __{name}_len = 0; if {name} ~= nil then ").unwrap(); write!(prelude, "local __{name}_len = 0; if {name} ~= nil then ").unwrap();
write!(prelude, r#"assert(type({name}) == "string", "string expected in argument '{name}', got " .. type({name})); "#).unwrap(); write!(prelude, r#"assert(type({name}) == "string", "string expected in argument '{name}', got " .. type({name})); "#).unwrap();
write!(prelude, r#"__{name}_len = #{name}; "#).unwrap(); write!(prelude, r#"__{name}_len = #{name}; "#).unwrap();
if check_utf8 { if check_utf8 {
write!(prelude, r#"assert(__C.{IS_UTF8_FN}({name}, __{name}_len), "argument '{name}' must be a valid utf-8 string"); "#).unwrap(); write!(prelude, r#"assert(__C.{IS_UTF8_FN}({name}, __{name}_len), "argument '{name}' must be a valid utf-8 string"); "#).unwrap();
} }
if !allow_nil { if !allow_nil {
write!(prelude, r#"else return error("string expected in argument '{name}', got " .. type({name})); "#).unwrap(); write!(prelude, r#"else return error("string expected in argument '{name}', got " .. type({name})); "#).unwrap();
} }
write!(prelude, r#"end; "#).unwrap(); write!(prelude, r#"end; "#).unwrap();
self self
} }

View File

@ -5,26 +5,18 @@ use quote::{format_ident, quote, quote_spanned};
use syn::{ext::IdentExt, spanned::Spanned, *}; use syn::{ext::IdentExt, spanned::Spanned, *};
#[derive(Debug, FromMeta)] #[derive(Debug, FromMeta)]
pub struct Args { pub struct Args {}
module: Option<String>,
}
pub fn transform(args: Args, mut item: Item) -> Result<TokenStream> { pub fn transform(_args: Args, mut item: Item) -> Result<TokenStream> {
let (name, impl_type, impl_module, impl_cdef) = match item { let (name, impl_type, impl_cdef) = match item {
Item::Struct(ref mut str) => ( Item::Struct(ref mut str) => (
str.ident.clone(), str.ident.clone(),
generate_type(&str.ident)?, generate_type(&str.ident)?,
args.module
.map(|name| generate_module(&name, &str.ident))
.transpose()?,
generate_cdef_structure(str)?, generate_cdef_structure(str)?,
), ),
Item::Enum(ref mut enu) => ( Item::Enum(ref mut enu) => (
enu.ident.clone(), enu.ident.clone(),
generate_type(&enu.ident)?, generate_type(&enu.ident)?,
args.module
.map(|name| generate_module(&name, &enu.ident))
.transpose()?,
generate_cdef_enum(enu)?, generate_cdef_enum(enu)?,
), ),
_ => syn_error!(item, "expected struct or enum"), _ => syn_error!(item, "expected struct or enum"),
@ -43,7 +35,6 @@ pub fn transform(args: Args, mut item: Item) -> Result<TokenStream> {
mod #mod_name { mod #mod_name {
use super::*; use super::*;
#impl_type #impl_type
#impl_module
#impl_cdef #impl_cdef
} }
)) ))
@ -56,7 +47,9 @@ fn generate_type(ty: &Ident) -> Result<TokenStream> {
Ok(quote_spanned!(span => Ok(quote_spanned!(span =>
unsafe impl #ffi::Type for #ty { unsafe impl #ffi::Type for #ty {
fn name() -> impl ::std::fmt::Display { #name } fn name() -> impl ::std::fmt::Display {
#name
}
fn ty() -> #ffi::TypeType { fn ty() -> #ffi::TypeType {
#ffi::TypeType::Aggregate #ffi::TypeType::Aggregate
@ -79,16 +72,6 @@ fn generate_type(ty: &Ident) -> Result<TokenStream> {
)) ))
} }
fn generate_module(name: &str, ty: &Ident) -> Result<TokenStream> {
let ffi = ffi_crate();
Ok(quote_spanned!(ty.span() =>
impl #ffi::Module for #ty {
fn name() -> impl ::std::fmt::Display { #name }
}
))
}
fn generate_cdef_structure(str: &mut ItemStruct) -> Result<TokenStream> { fn generate_cdef_structure(str: &mut ItemStruct) -> Result<TokenStream> {
syn_assert!( syn_assert!(
str.generics.params.is_empty(), str.generics.params.is_empty(),
@ -172,12 +155,13 @@ fn parse_cfield_attrs(attrs: &mut Vec<Attribute>) -> Result<CFieldAttrs> {
let mut parsed = CFieldAttrs::default(); let mut parsed = CFieldAttrs::default();
let mut i = 0; let mut i = 0;
while let Some(attr) = attrs.get(i) { while let Some(attr) = attrs.get(i) {
let path = attr.path(); if let Some(name) = attr.path().get_ident() {
if path.is_ident("opaque") { if name == "opaque" {
parsed.opaque = true; parsed.opaque = true;
attrs.remove(i); attrs.remove(i);
continue; continue;
} }
}
i += 1; i += 1;
} }

View File

@ -1,6 +1,7 @@
use darling::{FromMeta, ast::NestedMeta}; use darling::{FromMeta, ast::NestedMeta};
use proc_macro::TokenStream as TokenStream1; use proc_macro::TokenStream as TokenStream1;
use quote::ToTokens; use quote::ToTokens;
use syn::parse_macro_input;
mod cdef; mod cdef;
mod metatype; mod metatype;
@ -16,10 +17,8 @@ pub fn cdef(args: TokenStream1, input: TokenStream1) -> TokenStream1 {
} }
#[proc_macro_attribute] #[proc_macro_attribute]
pub fn metatype(args: TokenStream1, input: TokenStream1) -> TokenStream1 { pub fn metatype(_args: TokenStream1, input: TokenStream1) -> TokenStream1 {
NestedMeta::parse_meta_list(args.into()) metatype::transform(parse_macro_input!(input))
.and_then(|meta| metatype::Args::from_list(&meta).map_err(Into::into))
.and_then(|args| metatype::transform(args, syn::parse(input)?))
.unwrap_or_else(|err| err.into_compile_error().into_token_stream()) .unwrap_or_else(|err| err.into_compile_error().into_token_stream())
.into() .into()
} }

View File

@ -2,23 +2,19 @@ use crate::utils::{
StringLike, ffi_crate, is_optionlike, is_primitivelike, is_stringlike, is_unit, pat_ident, StringLike, ffi_crate, is_optionlike, is_primitivelike, is_stringlike, is_unit, pat_ident,
syn_assert, syn_error, ty_name, syn_assert, syn_error, ty_name,
}; };
use darling::FromMeta;
use proc_macro2::TokenStream; use proc_macro2::TokenStream;
use quote::{ToTokens, format_ident, quote, quote_spanned}; use quote::{ToTokens, format_ident, quote, quote_spanned};
use std::{collections::HashSet, fmt, iter}; use std::{collections::HashSet, fmt, iter};
use syn::{ext::IdentExt, spanned::Spanned, *}; use syn::{ext::IdentExt, spanned::Spanned, *};
#[derive(Debug, FromMeta)] pub fn transform(mut imp: ItemImpl) -> Result<TokenStream> {
pub struct Args {}
pub fn transform(args: Args, mut imp: ItemImpl) -> Result<TokenStream> {
syn_assert!( syn_assert!(
imp.generics.params.is_empty(), imp.generics.params.is_empty(),
imp.generics, imp.generics,
"cannot be generic (not yet implemented)" "cannot be generic (not yet implemented)"
); );
let impls = generate_impls(&args, &mut imp)?; let impls = generate_impls(&mut imp)?;
let mod_name = format_ident!("__{}_metatype", ty_name(&imp.self_ty)?); let mod_name = format_ident!("__{}_metatype", ty_name(&imp.self_ty)?);
Ok(quote_spanned!(imp.self_ty.span() => Ok(quote_spanned!(imp.self_ty.span() =>
@ -50,7 +46,7 @@ impl Registry {
} }
} }
fn generate_impls(_args: &Args, imp: &mut ItemImpl) -> Result<TokenStream> { fn generate_impls(imp: &mut ItemImpl) -> Result<TokenStream> {
let ffi = ffi_crate(); let ffi = ffi_crate();
let ty = imp.self_ty.clone(); let ty = imp.self_ty.clone();
let ty_name = ty_name(&ty)?; let ty_name = ty_name(&ty)?;
@ -58,26 +54,6 @@ fn generate_impls(_args: &Args, imp: &mut ItemImpl) -> Result<TokenStream> {
let mut mms = HashSet::new(); let mut mms = HashSet::new();
let mut lua_drop = None; let mut lua_drop = None;
// process lua includes
imp.attrs.retain(|attr| {
if attr.path().is_ident("include") {
if let Ok(path) = attr.parse_args::<LitStr>() {
registry.build.push(quote_spanned!(path.span() =>
b.include_lua(::std::include_str!(#path));
));
return false;
} else if let Ok(chunk) = attr.parse_args::<Block>() {
registry.build.push(quote_spanned!(chunk.span() =>
b.include_lua(#ffi::__internal::luaify_chunk!(#chunk));
));
return false;
}
}
true
});
// process extern "Lua-C" ffi functions
for func in get_ffi_functions(imp)? { for func in get_ffi_functions(imp)? {
if let Some(mm) = func.attrs.metamethod { if let Some(mm) = func.attrs.metamethod {
syn_assert!( syn_assert!(
@ -90,7 +66,6 @@ fn generate_impls(_args: &Args, imp: &mut ItemImpl) -> Result<TokenStream> {
add_ffi_function(&mut registry, &func)?; add_ffi_function(&mut registry, &func)?;
} }
// process extern "Lua" lua functions
for func in get_lua_functions(imp)? { for func in get_lua_functions(imp)? {
if let Some(mm) = func.attrs.metamethod { if let Some(mm) = func.attrs.metamethod {
syn_assert!( syn_assert!(
@ -107,12 +82,10 @@ fn generate_impls(_args: &Args, imp: &mut ItemImpl) -> Result<TokenStream> {
} }
} }
// if no #[new] metamethod is defined, inject fallback new
if !mms.contains(&Metamethod::New) { if !mms.contains(&Metamethod::New) {
inject_fallback_new(&mut registry)?; inject_fallback_new(&mut registry)?;
} }
// inject __gc/drop
inject_merged_drop(&mut registry, lua_drop.as_ref())?; inject_merged_drop(&mut registry, lua_drop.as_ref())?;
let shims = &registry.shims; let shims = &registry.shims;
@ -285,7 +258,7 @@ fn get_ffi_functions(imp: &mut ItemImpl) -> Result<Vec<FfiFunction>> {
let attrs = parse_ffi_function_attrs(&mut func.attrs)?; let attrs = parse_ffi_function_attrs(&mut func.attrs)?;
attrs.metamethod.map(|mm| document_metamethod(func, mm)); attrs.metamethod.map(|mm| document_metamethod(func, mm));
func.sig.asyncness.is_some().then(|| document_async(func));
document_ffi_function(func); document_ffi_function(func);
funcs.push(FfiFunction { funcs.push(FfiFunction {
@ -306,7 +279,7 @@ fn parse_ffi_function_attrs(attrs: &mut Vec<Attribute>) -> Result<FfiFunctionAtt
let mut i = 0; let mut i = 0;
while let Some(attr) = attrs.get(i) { while let Some(attr) = attrs.get(i) {
if let Some(name) = attr.path().get_ident() if let Some(name) = attr.path().get_ident()
&& let Ok(method) = Metamethod::try_from(&name.unraw()) && let Ok(method) = Metamethod::try_from(name)
{ {
match method { match method {
Metamethod::Gc => syn_error!(attr, "implement `Drop` instead"), Metamethod::Gc => syn_error!(attr, "implement `Drop` instead"),
@ -573,12 +546,6 @@ fn get_lua_functions(imp: &mut ItemImpl) -> Result<Vec<LuaFunction>> {
"cannot be generic" "cannot be generic"
); );
syn_assert!(
func.sig.constness.is_none(),
func.sig.constness,
"cannot be const"
);
let mut params: Vec<_> = func let mut params: Vec<_> = func
.sig .sig
.inputs .inputs
@ -599,7 +566,7 @@ fn get_lua_functions(imp: &mut ItemImpl) -> Result<Vec<LuaFunction>> {
let attrs = parse_lua_function_attrs(&mut func.attrs)?; let attrs = parse_lua_function_attrs(&mut func.attrs)?;
attrs.metamethod.map(|mm| document_metamethod(func, mm)); attrs.metamethod.map(|mm| document_metamethod(func, mm));
func.sig.asyncness.is_some().then(|| document_async(func));
document_lua_function(func); document_lua_function(func);
funcs.push(LuaFunction { funcs.push(LuaFunction {
@ -662,7 +629,6 @@ fn stub_lua_type(ty: &Type) -> Result<Type> {
} else { } else {
match ty_name(ty)?.to_string().as_str() { match ty_name(ty)?.to_string().as_str() {
"any" => quote_spanned!(span => any), "any" => quote_spanned!(span => any),
"many" => quote_spanned!(span => many),
"nil" => quote_spanned!(span => nil), "nil" => quote_spanned!(span => nil),
"boolean" => quote_spanned!(span => boolean), "boolean" => quote_spanned!(span => boolean),
"lightuserdata" => quote_spanned!(span => lightuserdata), "lightuserdata" => quote_spanned!(span => lightuserdata),
@ -686,7 +652,7 @@ fn parse_lua_function_attrs(attrs: &mut Vec<Attribute>) -> Result<LuaFunctionAtt
let mut i = 0; let mut i = 0;
while let Some(attr) = attrs.get(i) { while let Some(attr) = attrs.get(i) {
if let Some(name) = attr.path().get_ident() if let Some(name) = attr.path().get_ident()
&& let Ok(method) = Metamethod::try_from(&name.unraw()) && let Ok(method) = Metamethod::try_from(name)
{ {
match method { match method {
Metamethod::New => syn_error!(attr, r#"cannot be applied to a lua function"#), Metamethod::New => syn_error!(attr, r#"cannot be applied to a lua function"#),
@ -752,17 +718,11 @@ fn inject_merged_drop(registry: &mut Registry, lua: Option<&LuaFunction>) -> Res
"finaliser must take exactly one parameter" "finaliser must take exactly one parameter"
); );
match lua.params[0] {
// should be `self: cdata` PatType
Pat::Type(ref ty) => {
syn_assert!( syn_assert!(
pat_ident(&ty.pat)? == "self", pat_ident(&lua.params[0])? == "self",
lua.params[0], lua.params[0],
"finaliser parameter must be `self`" "finaliser parameter must be `self`"
); );
}
_ => syn_error!(lua.params[0], "finaliser parameter must be `self`"),
}
let params = &lua.params; let params = &lua.params;
let body = &lua.body; let body = &lua.body;
@ -813,39 +773,30 @@ fn document_lua_function(func: &mut ImplItemFn) {
])); ]));
} }
fn document_async(func: &mut ImplItemFn) {
func.attrs.insert(0, parse_quote!(#[doc =
r#"<span class="stab" title="This function is asynchronous." style="float: right; background: #ebf5ff; margin-left: 3px; padding-left: 5px; padding-right: 5px;">Async</span>"#
]));
}
fn document_metamethod(func: &mut ImplItemFn, method: Metamethod) { fn document_metamethod(func: &mut ImplItemFn, method: Metamethod) {
let s = match method { let s = match method {
Metamethod::Eq => "This is a metamethod which is called by the `==` operator.", Metamethod::Eq => "This is a metamethod which is called by the `==` operator.".into(),
Metamethod::Len => "This is a metamethod which is called by the `#` operator.", Metamethod::Len => "This is a metamethod which is called by the `#` operator.".into(),
Metamethod::Lt => "This is a metamethod which is called by the `<` operator.", Metamethod::Lt => "This is a metamethod which is called by the `<` operator.".into(),
Metamethod::Le => "This is a metamethod which is called by the `<=` operator.", Metamethod::Le => "This is a metamethod which is called by the `<=` operator.".into(),
Metamethod::Concat => "This is a metamethod which is called by the `..` operator.", Metamethod::Concat => "This is a metamethod which is called by the `..` operator.".into(),
Metamethod::Call => { Metamethod::Add => "This is a metamethod which is called by the `+` operator.".into(),
"This is a metamethod which can be called by calling `(...)` on the value directly." Metamethod::Sub => "This is a metamethod which is called by the `-` operator.".into(),
} Metamethod::Mul => "This is a metamethod which is called by the `*` operator.".into(),
Metamethod::Add => "This is a metamethod which is called by the `+` operator.", Metamethod::Div => "This is a metamethod which is called by the `/` operator.".into(),
Metamethod::Sub => "This is a metamethod which is called by the `-` operator.", Metamethod::Mod => "This is a metamethod which is called by the `%` operator.".into(),
Metamethod::Mul => "This is a metamethod which is called by the `*` operator.", Metamethod::Pow => "This is a metamethod which is called by the `^` operator.".into(),
Metamethod::Div => "This is a metamethod which is called by the `/` operator.", Metamethod::Unm => "This is a metamethod which is called by the `-` operator.".into(),
Metamethod::Mod => "This is a metamethod which is called by the `%` operator.",
Metamethod::Pow => "This is a metamethod which is called by the `^` operator.",
Metamethod::Unm => "This is a metamethod which is called by the `-` operator.",
Metamethod::ToString => { Metamethod::ToString => {
"This is a metamethod which is called by the [`tostring(...)`](https://www.lua.org/manual/5.1/manual.html#pdf-tostring) built-in function." "This is a metamethod which can be called by the `tostring` built-in function.".into()
} }
Metamethod::Pairs => { Metamethod::Pairs => {
"This is a metamethod which is called by the [`pairs(...)`](https://www.lua.org/manual/5.1/manual.html#pdf-pairs) built-in function." "This is a metamethod which can be called by the `pairs` built-in function.".into()
} }
Metamethod::Ipairs => { Metamethod::Ipairs => {
"This is a metamethod which is called by the [`ipairs(...)`](https://www.lua.org/manual/5.1/manual.html#pdf-ipairs) built-in function." "This is a metamethod which can be called by the `ipairs` built-in function.".into()
} }
_ => "This is a metamethod and cannot be called directly.", _ => format!("This is a metamethod and cannot be called directly."),
}; };
func.attrs.insert(0, parse_quote!(#[doc = func.attrs.insert(0, parse_quote!(#[doc =

View File

@ -1,5 +1,5 @@
use std::env; use std::env;
use syn::{ext::IdentExt, spanned::Spanned, *}; use syn::{spanned::Spanned, *};
macro_rules! syn_error { macro_rules! syn_error {
($src:expr, $($fmt:expr),+) => {{ ($src:expr, $($fmt:expr),+) => {{
@ -63,7 +63,7 @@ pub fn is_primitivelike(ty: &Type) -> bool {
Type::Path(path) => { Type::Path(path) => {
if let Some(name) = path.path.get_ident() { if let Some(name) = path.path.get_ident() {
return matches!( return matches!(
name.unraw().to_string().as_str(), name.to_string().as_str(),
"bool" "bool"
| "u8" | "u8"
| "u16" | "u16"
@ -115,38 +115,32 @@ pub fn is_stringlike(ty: &Type) -> Option<StringLike> {
&& ty.mutability.is_none() && ty.mutability.is_none()
&& ty.lifetime.is_none() && ty.lifetime.is_none()
{ {
Some(match *ty.elem { match *ty.elem {
Type::Slice(ref slice) => { Type::Slice(ref slice) => {
// match &[u8] // match &[u8]
if let Type::Path(ref path) = *slice.elem if let Type::Path(ref path) = *slice.elem
&& let Some(name) = path.path.get_ident() && let Some(name) = path.path.get_ident()
&& name == "u8"
{ {
match name.unraw().to_string().as_str() { return Some(StringLike::SliceU8);
"u8" => StringLike::SliceU8,
_ => return None,
}
} else {
return None;
} }
} }
Type::Path(ref path) => { Type::Path(ref path) => {
// match &str or &BStr // match &str or &BStr
if let Some(name) = path.path.get_ident() { if let Some(name) = path.path.get_ident() {
match name.unraw().to_string().as_str() { match name.to_string().as_str() {
"str" => StringLike::Str, "str" => return Some(StringLike::Str),
"BStr" => StringLike::BStr, "BStr" => return Some(StringLike::BStr),
_ => return None, _ => {}
}
} else {
return None;
} }
} }
_ => return None, }
}) _ => {}
} else { }
}
None None
} }
}
pub fn is_optionlike(ty: &Type) -> Option<&Type> { pub fn is_optionlike(ty: &Type) -> Option<&Type> {
if let Type::Path(path) = ty if let Type::Path(path) = ty

View File

@ -9,7 +9,6 @@ use std::{
ffi::{CStr, CString, NulError}, ffi::{CStr, CString, NulError},
fmt, fmt,
marker::PhantomData, marker::PhantomData,
mem::ManuallyDrop,
ops::{Deref, DerefMut}, ops::{Deref, DerefMut},
os::raw::{c_char, c_int, c_void}, os::raw::{c_char, c_int, c_void},
pin::Pin, pin::Pin,
@ -36,11 +35,6 @@ pub fn url() -> &'static str {
LUAJIT_URL.to_str().unwrap() LUAJIT_URL.to_str().unwrap()
} }
// reexport constants
pub use luajit_sys::{
LUA_ENVIRONINDEX, LUA_GLOBALSINDEX, LUA_MULTRET, LUA_NOREF, LUA_REFNIL, LUA_REGISTRYINDEX,
};
/// Lua error. /// Lua error.
#[derive(Debug, Error)] #[derive(Debug, Error)]
#[non_exhaustive] #[non_exhaustive]
@ -483,19 +477,6 @@ pub struct Ref {
key: c_int, key: c_int,
} }
impl Ref {
/// Consumes this ref and returns the original key used to create the ref.
///
/// This key can be used to index into the registry table ([`LUA_REGISTRYINDEX`]) to retrieve
/// the referenced value. The key can be converted back into a ref using
/// [`State::new_ref_unchecked`].
pub fn into_raw(self) -> c_int {
let Self { ref mut state, key } = *ManuallyDrop::new(self);
unsafe { ptr::drop_in_place(state) }
key
}
}
impl Drop for Ref { impl Drop for Ref {
fn drop(&mut self) { fn drop(&mut self) {
// SAFETY: luaL_unref is guaranteed to not fail // SAFETY: luaL_unref is guaranteed to not fail
@ -890,7 +871,7 @@ impl Stack {
/// array-part, these values are **not** cleared. The number of values popped is returned, which /// array-part, these values are **not** cleared. The number of values popped is returned, which
/// is always equal to `n`. /// is always equal to `n`.
/// ///
/// This method does not invoke any metamethods. The table is not popped from the stack. /// This method does not invoke any metamethods.
/// ///
/// Equivalent to `table.pack(...)`. /// Equivalent to `table.pack(...)`.
/// ///
@ -926,8 +907,7 @@ impl Stack {
/// pushed at the top of the stack in ascending order. If `i > j`, then nothing is pushed. /// pushed at the top of the stack in ascending order. If `i > j`, then nothing is pushed.
/// Otherwise, `j - i + 1` values are pushed, and the number of values pushed is returned. /// Otherwise, `j - i + 1` values are pushed, and the number of values pushed is returned.
/// ///
/// This method does not invoke any metamethods. The table is not popped from the stack or /// This method does not invoke any metamethods.
/// altered in any way.
/// ///
/// Equivalent to `table.unpack(list, i, j)`. /// Equivalent to `table.unpack(list, i, j)`.
/// ///

View File

@ -10,11 +10,11 @@ pub use lb::task;
#[doc(hidden)] #[doc(hidden)]
pub fn open(#[allow(unused)] rt: &mut lb::runtime::Builder) { pub fn open(#[allow(unused)] rt: &mut lb::runtime::Builder) {
#[cfg(feature = "task")] #[cfg(feature = "task")]
rt.module::<task::lb_tasklib>(); rt.module::<task::lb_tasklib>("lb:task");
#[cfg(feature = "task")] #[cfg(feature = "task")]
rt.module::<chan::lb_chanlib>(); rt.module::<chan::lb_chanlib>("lb:channel");
#[cfg(feature = "fs")] #[cfg(feature = "fs")]
rt.module::<fs::lb_fslib>(); rt.module::<fs::lb_fslib>("lb:fs");
#[cfg(feature = "net")] #[cfg(feature = "net")]
rt.module::<net::lb_netlib>(); rt.module::<net::lb_netlib>("lb:net");
} }

View File

@ -40,22 +40,6 @@ fn panic_cb(panic: &panic::PanicHookInfo) {
); );
} }
fn error_cb(err: &luajit::Error) {
match err.trace() {
Some(trace) => eprintln!("{}\n{trace}", err.red().bold()),
None => eprintln!("{}", err.red().bold()),
}
process::exit(1);
}
fn unwrap_exit<T, E: Display>(code: ExitCode) -> impl FnOnce(E) -> T {
move |err| {
eprintln!("{}", err.red().bold());
code.exit()
}
}
#[derive(Debug, Parser)] #[derive(Debug, Parser)]
struct Args { struct Args {
/// Paths to scripts to execute. /// Paths to scripts to execute.
@ -137,12 +121,12 @@ impl Args {
} }
} }
fn main() -> Result<(), ExitCode> { fn main() {
panic::set_hook(Box::new(panic_cb)); panic::set_hook(Box::new(panic_cb));
let args = Args::parse(); let args = Args::parse();
if args.version { if args.version {
return Ok(print_version()); return print_version();
} }
init_logger(&args); init_logger(&args);
@ -169,6 +153,13 @@ fn print_version() {
); );
} }
fn unwrap_exit<T, E: Display>(code: ExitCode) -> impl FnOnce(E) -> T {
move |err| {
eprintln!("{}", err.red().bold());
code.exit()
}
}
fn init_logger(args: &Args) { fn init_logger(args: &Args) {
use tracing::level_filters::LevelFilter; use tracing::level_filters::LevelFilter;
use tracing_subscriber::util::*; use tracing_subscriber::util::*;
@ -201,15 +192,16 @@ fn init_logger(args: &Args) {
} }
fn init_tokio(args: &Args) -> tokio::runtime::Runtime { fn init_tokio(args: &Args) -> tokio::runtime::Runtime {
match args.threads.get() { let mut rt = match args.threads.get() {
1 => tokio::runtime::Builder::new_current_thread(), 1 => tokio::runtime::Builder::new_current_thread(),
n => { n => {
let mut rt = tokio::runtime::Builder::new_multi_thread(); let mut rt = tokio::runtime::Builder::new_multi_thread();
rt.worker_threads(n - 1); rt.worker_threads(n - 1);
rt rt
} }
} };
.enable_all()
rt.enable_all()
.thread_name("luby") .thread_name("luby")
.max_blocking_threads(args.blocking_threads.get()) .max_blocking_threads(args.blocking_threads.get())
.build() .build()
@ -217,43 +209,37 @@ fn init_tokio(args: &Args) -> tokio::runtime::Runtime {
} }
fn init_lua(args: &Args) -> lb::runtime::Runtime { fn init_lua(args: &Args) -> lb::runtime::Runtime {
let mut rt = {
let mut rt = lb::runtime::Builder::new(); let mut rt = lb::runtime::Builder::new();
luby::open(&mut rt); luby::open(&mut rt);
if args.dump.iter().find(|s| *s == "cdef").is_some() { if args.dump.iter().find(|s| *s == "cdef").is_some() {
print!("{}", rt.registry()); // for cdef debugging print!("{}", rt.registry());
} }
rt.unhandled_error(error_cb).build().unwrap() let mut rt = rt.build().unwrap();
};
for arg in args.jit.iter() { for arg in args.jit.iter() {
let mut s = rt.guard(); let mut s = rt.guard();
let res = if let Some((cmd, flags)) = parse_jitlib_cmd(arg) if let Some((cmd, flags)) = parse_jitlib_cmd(arg)
&& let Ok(_) = s.require(format!("jit.{cmd}"), 1) && let Ok(_) = s.require(format!("jit.{cmd}"), 1)
{ {
(s.push("start"), s.get(-2), s.push(flags)); (s.push("start"), s.get(-2), s.push(flags));
s.call(1, 0) // require("jit.{cmd}").start(flags) s.call(1, 0)
} else { } else {
s.require("jit", 1).unwrap(); s.require("jit", 1).unwrap();
match arg.as_str() { match arg.as_str() {
cmd @ ("on" | "off" | "flush") => { cmd @ ("on" | "off" | "flush") => {
(s.push(cmd), s.get(-2)); (s.push(cmd), s.get(-2));
s.call(0, 0) // require("jit").[on/off/flush]() s.call(0, 0)
} }
flags => { arg => {
(s.push("opt"), s.get(-2)); (s.push("opt"), s.get(-2));
(s.push("start"), s.get(-2), s.push(flags)); (s.push("start"), s.get(-2), s.push(arg));
s.call(1, 0) // require("jit").opt.start(flags) s.call(1, 0)
} }
} }
};
if let Err(err) = res {
drop(s);
rt.report_error(&err);
} }
.unwrap_or_else(unwrap_exit(ExitCode::Usage));
} }
rt rt
@ -268,22 +254,27 @@ fn parse_jitlib_cmd(s: &str) -> Option<(&str, &str)> {
} }
} }
async fn main_async(args: Args, cx: &mut lb::runtime::Context) -> Result<(), ExitCode> { async fn main_async(args: Args, state: &mut luajit::State) {
for ref path in args.path { for ref path in args.path {
let mut s = state.guard();
let chunk = match std::fs::read(path) { let chunk = match std::fs::read(path) {
Ok(chunk) => chunk, Ok(chunk) => chunk,
Err(err) => { Err(err) => {
eprintln!("{}", format_args!("{path}: {err}").red().bold()); eprintln!("{}", format_args!("{path}: {err}").red().bold());
return Err(ExitCode::NoInput); ExitCode::NoInput.exit();
} }
}; };
if let Err(ref err) = cx.load(&luajit::Chunk::new(chunk).path(path)) { s.load(&luajit::Chunk::new(chunk).path(path))
cx.report_error(err); .unwrap_or_else(unwrap_exit(ExitCode::NoInput));
} else if let Err(ref err) = cx.call_async(0, 0).await {
cx.report_error(err); if let Err(err) = s.call_async(0, 0).await {
} match err.trace() {
Some(trace) => eprintln!("{}\n{trace}", err.red().bold()),
None => eprintln!("{}", err.red().bold()),
} }
Ok(()) process::exit(1);
}
}
} }

View File

@ -1,97 +0,0 @@
if (...) ~= nil and (...).type == "group" then return end -- prevent recursive main call
local fs = require("lb:fs")
local global = _G
local colors = {
reset = "\x1b[0m",
pass = "\x1b[32;1m",
fail = "\x1b[31;1m",
}
local function color(name, s)
return colors[name] .. s .. colors.reset
end
local function create_test(name, f, group)
local test = { type = "test", name = name or "", group = group, state = "pending", f = f }
local fenv = setmetatable({}, { __index = global })
setfenv(f, fenv)
return test
end
local function create_group(name, f, parent)
local group = { type = "group", name = name or "", parent = parent, items = {} }
local fenv = setmetatable({
describe = function(name, f)
local item = create_group(name, f, group)
table.insert(group.items, item)
return item
end,
test = function(name, f)
local item = create_test(name, f, group)
table.insert(group.items, item)
return item
end,
}, { __index = global })
setfenv(f, fenv)
f(group)
return group
end
local function name_test(test)
local name = test.name
local group = test.group
while group ~= nil do
if group.name ~= "" then name = group.name .. " " .. name end
group = group.parent
end
return name
end
local function trace(msg)
return color("fail", msg) .. debug.traceback("", 2):sub(("\nstack traceback:"):len() + 1)
end
local function run_test(test)
local ok, res = xpcall(test.f, trace, test)
if ok then
test.state = "pass"
print("", color("pass", "PASS") .. " " .. name_test(test))
else
test.state = "fail"
print("", color("fail", "FAIL") .. " " .. name_test(test) .. "\n")
print(res .. "\n")
end
return test
end
local function start(cx, item)
if item.type == "test" then
table.insert(cx.tasks, spawn(run_test, item))
elseif item.type == "group" then
for _, item in ipairs(item.items) do
start(cx, item)
end
end
end
local function run(item)
local cx = { tasks = {} }
local pass = true
start(cx, item)
for _, task in ipairs(cx.tasks) do
if task:await().state ~= "pass" then pass = false end
end
if pass then return 0 end -- report status to cargo
return 1
end
return run(create_group("", function()
for entry in fs:glob("{tests,crates/*/tests}/**/*.lua") do
local path = entry:path():sub(3)
local f, err = loadfile(path)
if not f then error(err) end
describe(path, f)
end
end))

View File

@ -1,44 +0,0 @@
use luajit::Chunk;
use owo_colors::OwoColorize;
use std::{
fs,
process::{self, ExitCode},
};
fn main() -> ExitCode {
let tokio = tokio::runtime::Runtime::new().unwrap();
let lua = {
let mut rt = lb::runtime::Builder::new();
luby::open(&mut rt);
rt.unhandled_error(error_cb).build().unwrap()
};
let path = "tests/main.lua";
let main = lua.spawn(async move |s| {
if let Err(ref err) = s.load(Chunk::new(fs::read(path).unwrap()).path(path)) {
s.report_error(err);
} else if let Err(ref err) = s.call_async(0, 1).await {
s.report_error(err);
}
if s.slot(1).integer().unwrap_or(1) == 0 {
ExitCode::SUCCESS
} else {
ExitCode::FAILURE
}
});
tokio.block_on(async move {
lua.await;
main.await.unwrap()
})
}
fn error_cb(err: &luajit::Error) {
match err.trace() {
Some(trace) => eprintln!("{}\n{trace}", err.red().bold()),
None => eprintln!("{}", err.red().bold()),
}
process::exit(1);
}