Merge branch 'main' into roblox-locations

This commit is contained in:
Filip Tibell 2025-03-24 19:28:21 +01:00 committed by GitHub
commit eaa44f5f45
Signed by: DevComp
GPG key ID: B5690EEEBB952194
9 changed files with 81 additions and 17 deletions

1
Cargo.lock generated
View file

@ -1744,6 +1744,7 @@ dependencies = [
"once_cell", "once_cell",
"path-clean", "path-clean",
"pathdiff", "pathdiff",
"semver 1.0.23",
"tokio", "tokio",
] ]

View file

@ -2,7 +2,7 @@
use mlua::prelude::*; use mlua::prelude::*;
use lune_utils::TableBuilder; use lune_utils::{jit::JitStatus, TableBuilder};
mod options; mod options;
@ -78,7 +78,13 @@ fn load_source<'lua>(
// changed, otherwise disable JIT since it'll fall back anyways // changed, otherwise disable JIT since it'll fall back anyways
lua.enable_jit(options.codegen_enabled && !env_changed); lua.enable_jit(options.codegen_enabled && !env_changed);
let function = chunk.into_function()?; let function = chunk.into_function()?;
lua.enable_jit(true); lua.enable_jit(
lua.app_data_ref::<JitStatus>()
.ok_or(LuaError::runtime(
"Failed to get current JitStatus ref from AppData",
))?
.enabled(),
);
Ok(function) Ok(function)
} }

View file

@ -22,3 +22,4 @@ dunce = "1.0"
once_cell = "1.17" once_cell = "1.17"
path-clean = "1.0" path-clean = "1.0"
pathdiff = "0.2" pathdiff = "0.2"
semver = "1.0"

View file

@ -0,0 +1,30 @@
#[derive(Debug, Clone, Copy, Default)]
pub struct JitStatus(bool);
impl JitStatus {
#[must_use]
pub fn new(enabled: bool) -> Self {
Self(enabled)
}
pub fn set_status(&mut self, enabled: bool) {
self.0 = enabled;
}
#[must_use]
pub fn enabled(self) -> bool {
self.0
}
}
impl From<JitStatus> for bool {
fn from(val: JitStatus) -> Self {
val.enabled()
}
}
impl From<bool> for JitStatus {
fn from(val: bool) -> Self {
Self::new(val)
}
}

View file

@ -4,6 +4,7 @@ mod table_builder;
mod version_string; mod version_string;
pub mod fmt; pub mod fmt;
pub mod jit;
pub mod path; pub mod path;
pub use self::table_builder::TableBuilder; pub use self::table_builder::TableBuilder;

View file

@ -2,6 +2,7 @@ use std::sync::Arc;
use mlua::prelude::*; use mlua::prelude::*;
use once_cell::sync::Lazy; use once_cell::sync::Lazy;
use semver::Version;
static LUAU_VERSION: Lazy<Arc<String>> = Lazy::new(create_luau_version_string); static LUAU_VERSION: Lazy<Arc<String>> = Lazy::new(create_luau_version_string);
@ -20,12 +21,10 @@ pub fn get_version_string(lune_version: impl AsRef<str>) -> String {
let lune_version = lune_version.as_ref(); let lune_version = lune_version.as_ref();
assert!(!lune_version.is_empty(), "Lune version string is empty"); assert!(!lune_version.is_empty(), "Lune version string is empty");
assert!( match Version::parse(lune_version) {
lune_version.chars().all(is_valid_version_char), Ok(semver) => format!("Lune {semver}+{}", *LUAU_VERSION),
"Lune version string contains invalid characters" Err(e) => panic!("Lune version string is not valid semver: {e}"),
); }
format!("Lune {lune_version}+{}", *LUAU_VERSION)
} }
fn create_luau_version_string() -> Arc<String> { fn create_luau_version_string() -> Arc<String> {

View file

@ -1,4 +1,4 @@
use std::process::ExitCode; use std::{env, process::ExitCode};
use anyhow::{Context, Result}; use anyhow::{Context, Result};
use clap::Parser; use clap::Parser;
@ -41,7 +41,15 @@ impl RunCommand {
}; };
// Create a new lune runtime with all globals & run the script // Create a new lune runtime with all globals & run the script
let mut rt = Runtime::new().with_args(self.script_args); let mut rt = Runtime::new()
.with_args(self.script_args)
// Enable JIT compilation unless it was requested to be disabled
.with_jit(
!matches!(
env::var("LUNE_LUAU_JIT").ok(),
Some(jit_enabled) if jit_enabled == "0" || jit_enabled == "false" || jit_enabled == "off"
)
);
let result = rt let result = rt
.run(&script_display_name, strip_shebang(script_contents)) .run(&script_display_name, strip_shebang(script_contents))

View file

@ -8,6 +8,7 @@ use std::{
}, },
}; };
use lune_utils::jit::JitStatus;
use mlua::prelude::*; use mlua::prelude::*;
use mlua_luau_scheduler::{Functions, Scheduler}; use mlua_luau_scheduler::{Functions, Scheduler};
use self_cell::self_cell; use self_cell::self_cell;
@ -100,6 +101,7 @@ impl RuntimeInner {
*/ */
pub struct Runtime { pub struct Runtime {
inner: RuntimeInner, inner: RuntimeInner,
jit_status: JitStatus,
} }
impl Runtime { impl Runtime {
@ -113,6 +115,7 @@ impl Runtime {
pub fn new() -> Self { pub fn new() -> Self {
Self { Self {
inner: RuntimeInner::create().expect("Failed to create runtime"), inner: RuntimeInner::create().expect("Failed to create runtime"),
jit_status: JitStatus::default(),
} }
} }
@ -130,6 +133,15 @@ impl Runtime {
self self
} }
/**
Enables or disables JIT compilation.
*/
#[must_use]
pub fn with_jit(mut self, jit_status: impl Into<JitStatus>) -> Self {
self.jit_status = jit_status.into();
self
}
/** /**
Runs a Lune script inside of the current runtime. Runs a Lune script inside of the current runtime.
@ -155,6 +167,10 @@ impl Runtime {
eprintln!("{}", RuntimeError::from(e)); eprintln!("{}", RuntimeError::from(e));
}); });
// Enable / disable the JIT as requested and store the current status as AppData
lua.set_app_data(self.jit_status);
lua.enable_jit(self.jit_status.enabled());
// Load our "main" thread // Load our "main" thread
let main = lua let main = lua
.load(script_contents.as_ref()) .load(script_contents.as_ref())

View file

@ -31,13 +31,15 @@ macro_rules! create_tests {
// The rest of the test logic can continue as normal // The rest of the test logic can continue as normal
let full_name = format!("{}/tests/{}.luau", workspace_dir.display(), $value); let full_name = format!("{}/tests/{}.luau", workspace_dir.display(), $value);
let script = read_to_string(&full_name).await?; let script = read_to_string(&full_name).await?;
let mut lune = Runtime::new().with_args( let mut lune = Runtime::new()
ARGS .with_jit(true)
.clone() .with_args(
.iter() ARGS
.map(ToString::to_string) .clone()
.collect::<Vec<_>>() .iter()
); .map(ToString::to_string)
.collect::<Vec<_>>()
);
let script_name = full_name let script_name = full_name
.trim_end_matches(".luau") .trim_end_matches(".luau")
.trim_end_matches(".lua") .trim_end_matches(".lua")