improve compiler-internal function print
This commit is contained in:
parent
0fd9dc432e
commit
ca0edfc5bc
|
@ -11,6 +11,12 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0
|
||||||
|
|
||||||
- Macro strings
|
- Macro strings
|
||||||
- Function parameters/arguments
|
- Function parameters/arguments
|
||||||
|
- Variables:
|
||||||
|
- Integer (scoreboard)
|
||||||
|
- Boolean (data storage)
|
||||||
|
- Integer and boolean arrays (scoreboard and data storage)
|
||||||
|
- Integer map (scoreboard)
|
||||||
|
- Boolean map (tag)
|
||||||
- Example: barebones compiler
|
- Example: barebones compiler
|
||||||
|
|
||||||
### Changed
|
### Changed
|
||||||
|
|
|
@ -118,7 +118,7 @@ impl Error {
|
||||||
/// return [`Some`], otherwise it will return [`None`].
|
/// return [`Some`], otherwise it will return [`None`].
|
||||||
#[must_use]
|
#[must_use]
|
||||||
pub fn get_ref(&self) -> Option<&(dyn std::error::Error + Send + Sync + 'static)> {
|
pub fn get_ref(&self) -> Option<&(dyn std::error::Error + Send + Sync + 'static)> {
|
||||||
return self.error.as_deref();
|
self.error.as_deref()
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Consumes the [`Error`], returning its inner error (if any).
|
/// Consumes the [`Error`], returning its inner error (if any).
|
||||||
|
|
|
@ -73,7 +73,7 @@ impl<'a, T> SourceCodeDisplay<'a, T> {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a, T: Display> Display for SourceCodeDisplay<'a, T> {
|
impl<T: Display> Display for SourceCodeDisplay<'_, T> {
|
||||||
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
||||||
let start_location = self.span.start_location();
|
let start_location = self.span.start_location();
|
||||||
let end_location = self.span.end_location();
|
let end_location = self.span.end_location();
|
||||||
|
|
|
@ -342,13 +342,13 @@ pub struct SourceIterator<'a> {
|
||||||
#[get_copy = "pub"]
|
#[get_copy = "pub"]
|
||||||
prev: Option<(usize, char)>,
|
prev: Option<(usize, char)>,
|
||||||
}
|
}
|
||||||
impl<'a> SourceIterator<'a> {
|
impl SourceIterator<'_> {
|
||||||
/// Peek at the next character in the source file.
|
/// Peek at the next character in the source file.
|
||||||
pub fn peek(&mut self) -> Option<(usize, char)> {
|
pub fn peek(&mut self) -> Option<(usize, char)> {
|
||||||
self.iterator.peek().copied()
|
self.iterator.peek().copied()
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
impl<'a> Iterator for SourceIterator<'a> {
|
impl Iterator for SourceIterator<'_> {
|
||||||
type Item = (usize, char);
|
type Item = (usize, char);
|
||||||
|
|
||||||
fn next(&mut self) -> Option<Self::Item> {
|
fn next(&mut self) -> Option<Self::Item> {
|
||||||
|
|
|
@ -730,7 +730,7 @@ impl Token {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
// When there is no second slash and at the start of a line
|
// When there is no second slash and at the start of a line
|
||||||
else if prev_token.map_or(true, |token| token.span().str().contains('\n')) {
|
else if prev_token.is_none_or(|token| token.span().str().contains('\n')) {
|
||||||
Ok(Self::handle_command_literal(iter, start))
|
Ok(Self::handle_command_literal(iter, start))
|
||||||
}
|
}
|
||||||
// Just a single slash punctuation
|
// Just a single slash punctuation
|
||||||
|
|
|
@ -25,7 +25,6 @@ thread_local! {
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Wrapper to remove duplicate source file data during (de-)serialization
|
/// Wrapper to remove duplicate source file data during (de-)serialization
|
||||||
#[expect(clippy::module_name_repetitions)]
|
|
||||||
#[derive(Debug)]
|
#[derive(Debug)]
|
||||||
pub struct SerdeWrapper<T>(pub T);
|
pub struct SerdeWrapper<T>(pub T);
|
||||||
|
|
||||||
|
|
|
@ -211,7 +211,7 @@ pub struct Frame<'a> {
|
||||||
current_index: usize,
|
current_index: usize,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a> Frame<'a> {
|
impl Frame<'_> {
|
||||||
/// Checks if the current [`Frame`] doesn't have any more significant [`TokenTree`]s to
|
/// Checks if the current [`Frame`] doesn't have any more significant [`TokenTree`]s to
|
||||||
/// parse.
|
/// parse.
|
||||||
#[must_use]
|
#[must_use]
|
||||||
|
|
|
@ -286,7 +286,7 @@ impl SourceElement for Tag {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a> Parser<'a> {
|
impl Parser<'_> {
|
||||||
#[tracing::instrument(level = "trace", skip_all)]
|
#[tracing::instrument(level = "trace", skip_all)]
|
||||||
pub fn parse_declaration(
|
pub fn parse_declaration(
|
||||||
&mut self,
|
&mut self,
|
||||||
|
|
|
@ -432,7 +432,7 @@ impl LuaCode {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a> Parser<'a> {
|
impl Parser<'_> {
|
||||||
/// Parses an [`Expression`]
|
/// Parses an [`Expression`]
|
||||||
///
|
///
|
||||||
/// # Errors
|
/// # Errors
|
||||||
|
|
|
@ -228,7 +228,7 @@ impl SourceElement for AnnotationAssignment {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a> Parser<'a> {
|
impl Parser<'_> {
|
||||||
/// Parses a list of elements enclosed by a pair of delimiters, separated by a separator.
|
/// Parses a list of elements enclosed by a pair of delimiters, separated by a separator.
|
||||||
///
|
///
|
||||||
/// The parser position must be at the delimited list of the given delimiter. It will
|
/// The parser position must be at the delimited list of the given delimiter. It will
|
||||||
|
|
|
@ -92,7 +92,7 @@ impl Namespace {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a> Parser<'a> {
|
impl Parser<'_> {
|
||||||
/// Parses a [`ProgramFile`].
|
/// Parses a [`ProgramFile`].
|
||||||
#[tracing::instrument(level = "debug", skip_all)]
|
#[tracing::instrument(level = "debug", skip_all)]
|
||||||
pub fn parse_program(
|
pub fn parse_program(
|
||||||
|
|
|
@ -749,7 +749,7 @@ impl SourceElement for AssignmentDestination {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a> Parser<'a> {
|
impl Parser<'_> {
|
||||||
/// Parses a [`Block`].
|
/// Parses a [`Block`].
|
||||||
///
|
///
|
||||||
/// # Errors
|
/// # Errors
|
||||||
|
|
|
@ -756,7 +756,7 @@ impl Summon {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a> Parser<'a> {
|
impl Parser<'_> {
|
||||||
/// Parses an [`ExecuteBlock`].
|
/// Parses an [`ExecuteBlock`].
|
||||||
///
|
///
|
||||||
/// # Errors
|
/// # Errors
|
||||||
|
|
|
@ -237,7 +237,6 @@ impl Display for FunctionArgumentsNotAllowed {
|
||||||
impl std::error::Error for FunctionArgumentsNotAllowed {}
|
impl std::error::Error for FunctionArgumentsNotAllowed {}
|
||||||
|
|
||||||
/// An error that occurs when an expression can not evaluate to the wanted type.
|
/// An error that occurs when an expression can not evaluate to the wanted type.
|
||||||
#[expect(clippy::module_name_repetitions)]
|
|
||||||
#[derive(Debug, Clone, PartialEq, Eq)]
|
#[derive(Debug, Clone, PartialEq, Eq)]
|
||||||
pub struct AssignmentError {
|
pub struct AssignmentError {
|
||||||
pub identifier: Span,
|
pub identifier: Span,
|
||||||
|
|
|
@ -262,7 +262,7 @@ impl Primary {
|
||||||
Self::Identifier(ident) => {
|
Self::Identifier(ident) => {
|
||||||
scope
|
scope
|
||||||
.get_variable(ident.span.str())
|
.get_variable(ident.span.str())
|
||||||
.map_or(false, |variable| match r#type {
|
.is_some_and(|variable| match r#type {
|
||||||
ValueType::Boolean => {
|
ValueType::Boolean => {
|
||||||
matches!(variable.as_ref(), VariableData::BooleanStorage { .. })
|
matches!(variable.as_ref(), VariableData::BooleanStorage { .. })
|
||||||
}
|
}
|
||||||
|
@ -289,7 +289,7 @@ impl Primary {
|
||||||
if let Self::Identifier(ident) = indexed.object().as_ref() {
|
if let Self::Identifier(ident) = indexed.object().as_ref() {
|
||||||
scope
|
scope
|
||||||
.get_variable(ident.span.str())
|
.get_variable(ident.span.str())
|
||||||
.map_or(false, |variable| match r#type {
|
.is_some_and(|variable| match r#type {
|
||||||
ValueType::Boolean => {
|
ValueType::Boolean => {
|
||||||
matches!(
|
matches!(
|
||||||
variable.as_ref(),
|
variable.as_ref(),
|
||||||
|
@ -314,7 +314,7 @@ impl Primary {
|
||||||
Self::Lua(lua) => {
|
Self::Lua(lua) => {
|
||||||
cfg_if::cfg_if! {
|
cfg_if::cfg_if! {
|
||||||
if #[cfg(feature = "lua")] {
|
if #[cfg(feature = "lua")] {
|
||||||
lua.eval(scope, &VoidHandler).map_or(false, |(value, _)| match value {
|
lua.eval(scope, &VoidHandler).is_ok_and(|(value, _)| match value {
|
||||||
mlua::Value::Boolean(_) => matches!(r#type, ValueType::Boolean),
|
mlua::Value::Boolean(_) => matches!(r#type, ValueType::Boolean),
|
||||||
mlua::Value::Integer(_) => matches!(r#type, ValueType::Integer),
|
mlua::Value::Integer(_) => matches!(r#type, ValueType::Integer),
|
||||||
mlua::Value::String(_) => matches!(r#type, ValueType::String),
|
mlua::Value::String(_) => matches!(r#type, ValueType::String),
|
||||||
|
|
|
@ -5,14 +5,14 @@ use std::{
|
||||||
sync::Arc,
|
sync::Arc,
|
||||||
};
|
};
|
||||||
|
|
||||||
use shulkerbox::prelude::Command;
|
use shulkerbox::prelude::{Command, Execute};
|
||||||
|
|
||||||
use serde_json::{json, Value as JsonValue};
|
use serde_json::{json, Value as JsonValue};
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
base::{source_file::SourceElement as _, VoidHandler},
|
base::{source_file::SourceElement as _, VoidHandler},
|
||||||
lexical::token::{Identifier, MacroStringLiteralPart},
|
lexical::token::{Identifier, MacroStringLiteralPart},
|
||||||
semantic::error::InvalidFunctionArguments,
|
semantic::error::{InvalidFunctionArguments, UnexpectedExpression},
|
||||||
syntax::syntax_tree::expression::{Expression, FunctionCall, Primary},
|
syntax::syntax_tree::expression::{Expression, FunctionCall, Primary},
|
||||||
transpile::{
|
transpile::{
|
||||||
error::{IllegalIndexing, IllegalIndexingReason, LuaRuntimeError, UnknownIdentifier},
|
error::{IllegalIndexing, IllegalIndexingReason, LuaRuntimeError, UnknownIdentifier},
|
||||||
|
@ -97,34 +97,42 @@ fn print_function(
|
||||||
#[expect(clippy::option_if_let_else)]
|
#[expect(clippy::option_if_let_else)]
|
||||||
fn get_identifier_part(
|
fn get_identifier_part(
|
||||||
ident: &Identifier,
|
ident: &Identifier,
|
||||||
_transpiler: &mut Transpiler,
|
transpiler: &mut Transpiler,
|
||||||
scope: &Arc<Scope>,
|
scope: &Arc<Scope>,
|
||||||
) -> TranspileResult<(bool, Vec<Command>, JsonValue)> {
|
) -> TranspileResult<(bool, Option<Command>, JsonValue)> {
|
||||||
if let Some(var) = scope.get_variable(ident.span.str()).as_deref() {
|
if let Some(var) = scope.get_variable(ident.span.str()).as_deref() {
|
||||||
match var {
|
match var {
|
||||||
VariableData::MacroParameter { macro_name, .. } => Ok((
|
VariableData::MacroParameter { macro_name, .. } => Ok((
|
||||||
true,
|
true,
|
||||||
Vec::new(),
|
None,
|
||||||
json!({"text": format!("$({macro_name})"), "color": PARAM_COLOR}),
|
json!({"text": format!("$({macro_name})"), "color": PARAM_COLOR}),
|
||||||
)),
|
)),
|
||||||
VariableData::ScoreboardValue { objective, target } => Ok((
|
VariableData::ScoreboardValue { objective, target } => {
|
||||||
false,
|
let (cmd, value) = get_data_location(
|
||||||
Vec::new(),
|
&DataLocation::ScoreboardValue {
|
||||||
get_data_location(&DataLocation::ScoreboardValue {
|
objective: objective.to_string(),
|
||||||
objective: objective.to_string(),
|
target: target.to_string(),
|
||||||
target: target.to_string(),
|
},
|
||||||
}),
|
transpiler,
|
||||||
)),
|
);
|
||||||
VariableData::BooleanStorage { storage_name, path } => Ok((
|
|
||||||
false,
|
Ok((false, cmd, value))
|
||||||
Vec::new(),
|
}
|
||||||
get_data_location(&DataLocation::Storage {
|
VariableData::BooleanStorage { storage_name, path } => {
|
||||||
storage_name: storage_name.to_string(),
|
let (cmd, value) = get_data_location(
|
||||||
path: path.to_string(),
|
&DataLocation::Storage {
|
||||||
r#type: StorageType::Boolean,
|
storage_name: storage_name.to_string(),
|
||||||
}),
|
path: path.to_string(),
|
||||||
)),
|
r#type: StorageType::Boolean,
|
||||||
_ => todo!("get_identifier_part"),
|
},
|
||||||
|
transpiler,
|
||||||
|
);
|
||||||
|
|
||||||
|
Ok((false, cmd, value))
|
||||||
|
}
|
||||||
|
_ => Err(TranspileError::UnexpectedExpression(UnexpectedExpression(
|
||||||
|
Expression::Primary(Primary::Identifier(ident.to_owned())),
|
||||||
|
))),
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
Err(TranspileError::UnknownIdentifier(UnknownIdentifier {
|
Err(TranspileError::UnknownIdentifier(UnknownIdentifier {
|
||||||
|
@ -133,15 +141,42 @@ fn print_function(
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
fn get_data_location(location: &DataLocation) -> JsonValue {
|
fn get_data_location(
|
||||||
|
location: &DataLocation,
|
||||||
|
transpiler: &mut Transpiler,
|
||||||
|
) -> (Option<Command>, JsonValue) {
|
||||||
match location {
|
match location {
|
||||||
DataLocation::ScoreboardValue { objective, target } => {
|
DataLocation::ScoreboardValue { objective, target } => (
|
||||||
json!({"score": {"name": target, "objective": objective}, "color": PARAM_COLOR})
|
None,
|
||||||
}
|
json!({"score": {"name": target, "objective": objective}, "color": PARAM_COLOR}),
|
||||||
|
),
|
||||||
DataLocation::Storage {
|
DataLocation::Storage {
|
||||||
storage_name, path, ..
|
storage_name, path, ..
|
||||||
} => json!({"nbt": path, "storage": storage_name, "color": PARAM_COLOR}),
|
} => (
|
||||||
DataLocation::Tag { .. } => todo!("implement tag"),
|
None,
|
||||||
|
json!({"nbt": path, "storage": storage_name, "color": PARAM_COLOR}),
|
||||||
|
),
|
||||||
|
DataLocation::Tag { tag_name, entity } => {
|
||||||
|
let (temp_storage_name, temp_storage_paths) =
|
||||||
|
transpiler.get_temp_storage_locations(1);
|
||||||
|
let selector =
|
||||||
|
super::util::add_to_entity_selector(entity, &format!("tag={tag_name}"));
|
||||||
|
let cmd = Command::Execute(Execute::Store(
|
||||||
|
format!(
|
||||||
|
"success storage {temp_storage_name} {path} byte 1.0",
|
||||||
|
path = temp_storage_paths[0]
|
||||||
|
)
|
||||||
|
.into(),
|
||||||
|
Box::new(Execute::Run(Box::new(Command::Raw(format!(
|
||||||
|
"execute if entity {selector}"
|
||||||
|
))))),
|
||||||
|
));
|
||||||
|
|
||||||
|
(
|
||||||
|
Some(cmd),
|
||||||
|
json!({"nbt": temp_storage_paths[0], "storage": temp_storage_name, "color": PARAM_COLOR}),
|
||||||
|
)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -188,11 +223,10 @@ fn print_function(
|
||||||
))
|
))
|
||||||
}
|
}
|
||||||
Primary::Identifier(ident) => {
|
Primary::Identifier(ident) => {
|
||||||
// TODO: get_identifier_part
|
let (cur_contains_macro, cmd, part) =
|
||||||
let (cur_contains_macro, cmds, part) =
|
get_identifier_part(ident, transpiler, scope)?;
|
||||||
get_identifier_part(ident, transpiler, scope).expect("failed");
|
|
||||||
contains_macro |= cur_contains_macro;
|
contains_macro |= cur_contains_macro;
|
||||||
Ok((cmds, vec![part]))
|
Ok((cmd.into_iter().collect(), vec![part]))
|
||||||
}
|
}
|
||||||
Primary::Indexed(indexed) => match indexed.object().as_ref() {
|
Primary::Indexed(indexed) => match indexed.object().as_ref() {
|
||||||
Primary::Identifier(ident) => {
|
Primary::Identifier(ident) => {
|
||||||
|
@ -201,13 +235,14 @@ fn print_function(
|
||||||
if let Some(ComptimeValue::String(index)) =
|
if let Some(ComptimeValue::String(index)) =
|
||||||
indexed.index().comptime_eval(scope, &VoidHandler)
|
indexed.index().comptime_eval(scope, &VoidHandler)
|
||||||
{
|
{
|
||||||
Ok((
|
let (cmd, value) = get_data_location(
|
||||||
Vec::new(),
|
&DataLocation::ScoreboardValue {
|
||||||
vec![get_data_location(&DataLocation::ScoreboardValue {
|
|
||||||
objective: objective.to_string(),
|
objective: objective.to_string(),
|
||||||
target: index,
|
target: index,
|
||||||
})],
|
},
|
||||||
))
|
transpiler,
|
||||||
|
);
|
||||||
|
Ok((cmd.into_iter().collect(), vec![value]))
|
||||||
} else {
|
} else {
|
||||||
todo!("allow macro string, but throw error when index is not constant string")
|
todo!("allow macro string, but throw error when index is not constant string")
|
||||||
}
|
}
|
||||||
|
@ -221,15 +256,22 @@ fn print_function(
|
||||||
.ok()
|
.ok()
|
||||||
.and_then(|index| targets.get(index))
|
.and_then(|index| targets.get(index))
|
||||||
{
|
{
|
||||||
Ok((
|
let (cmd, value) = get_data_location(
|
||||||
Vec::new(),
|
&DataLocation::ScoreboardValue {
|
||||||
vec![get_data_location(&DataLocation::ScoreboardValue {
|
|
||||||
objective: objective.to_string(),
|
objective: objective.to_string(),
|
||||||
target: target.to_string(),
|
target: target.to_string(),
|
||||||
})],
|
},
|
||||||
))
|
transpiler,
|
||||||
|
);
|
||||||
|
Ok((cmd.into_iter().collect(), vec![value]))
|
||||||
} else {
|
} else {
|
||||||
todo!("throw error when index is out of bounds")
|
Err(TranspileError::IllegalIndexing(IllegalIndexing {
|
||||||
|
reason: IllegalIndexingReason::IndexOutOfBounds {
|
||||||
|
index: usize::try_from(index).unwrap_or(usize::MAX),
|
||||||
|
length: targets.len(),
|
||||||
|
},
|
||||||
|
expression: indexed.index().span(),
|
||||||
|
}))
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
todo!("throw error when index is not constant integer")
|
todo!("throw error when index is not constant integer")
|
||||||
|
@ -247,16 +289,23 @@ fn print_function(
|
||||||
.ok()
|
.ok()
|
||||||
.and_then(|index| paths.get(index))
|
.and_then(|index| paths.get(index))
|
||||||
{
|
{
|
||||||
Ok((
|
let (cmd, value) = get_data_location(
|
||||||
Vec::new(),
|
&DataLocation::Storage {
|
||||||
vec![get_data_location(&DataLocation::Storage {
|
|
||||||
storage_name: storage_name.to_string(),
|
storage_name: storage_name.to_string(),
|
||||||
path: path.to_string(),
|
path: path.to_string(),
|
||||||
r#type: StorageType::Boolean,
|
r#type: StorageType::Boolean,
|
||||||
})],
|
},
|
||||||
))
|
transpiler,
|
||||||
|
);
|
||||||
|
Ok((cmd.into_iter().collect(), vec![value]))
|
||||||
} else {
|
} else {
|
||||||
todo!("throw error when index is out of bounds")
|
Err(TranspileError::IllegalIndexing(IllegalIndexing {
|
||||||
|
reason: IllegalIndexingReason::IndexOutOfBounds {
|
||||||
|
index: usize::try_from(index).unwrap_or(usize::MAX),
|
||||||
|
length: paths.len(),
|
||||||
|
},
|
||||||
|
expression: indexed.index().span(),
|
||||||
|
}))
|
||||||
}
|
}
|
||||||
} else {
|
} else {
|
||||||
todo!("throw error when index is not constant integer")
|
todo!("throw error when index is not constant integer")
|
||||||
|
|
|
@ -98,7 +98,7 @@ impl Debug for FunctionData {
|
||||||
{
|
{
|
||||||
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
||||||
struct AnnotationValueWrapper<'a>(&'a TranspileAnnotationValue);
|
struct AnnotationValueWrapper<'a>(&'a TranspileAnnotationValue);
|
||||||
impl<'a> Debug for AnnotationValueWrapper<'a> {
|
impl Debug for AnnotationValueWrapper<'_> {
|
||||||
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
||||||
match self.0 {
|
match self.0 {
|
||||||
TranspileAnnotationValue::None => None::<u8>.fmt(f),
|
TranspileAnnotationValue::None => None::<u8>.fmt(f),
|
||||||
|
|
|
@ -574,7 +574,7 @@ impl Transpiler {
|
||||||
}
|
}
|
||||||
Parameter::Dynamic { prepare_cmds, storage_name, path } => {
|
Parameter::Dynamic { prepare_cmds, storage_name, path } => {
|
||||||
acc_setup.extend(prepare_cmds);
|
acc_setup.extend(prepare_cmds);
|
||||||
acc_move.push(Command::Raw(format!(r#"data modify storage shulkerscript:function_arguments {arg_name} set from storage {storage_name} {path}"#)));
|
acc_move.push(Command::Raw(format!(r"data modify storage shulkerscript:function_arguments {arg_name} set from storage {storage_name} {path}")));
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
(acc_setup, acc_move, statics)},
|
(acc_setup, acc_move, statics)},
|
||||||
|
@ -603,7 +603,7 @@ impl Transpiler {
|
||||||
));
|
));
|
||||||
let statics_cmd = match joined_statics {
|
let statics_cmd = match joined_statics {
|
||||||
MacroString::String(s) => Command::Raw(format!(
|
MacroString::String(s) => Command::Raw(format!(
|
||||||
r#"data merge storage shulkerscript:function_arguments {{{s}}}"#
|
r"data merge storage shulkerscript:function_arguments {{{s}}}"
|
||||||
)),
|
)),
|
||||||
MacroString::MacroString(_) => Command::UsesMacro(
|
MacroString::MacroString(_) => Command::UsesMacro(
|
||||||
super::util::join_macro_strings([
|
super::util::join_macro_strings([
|
||||||
|
|
|
@ -13,7 +13,7 @@ use crate::{
|
||||||
pub enum MacroString {
|
pub enum MacroString {
|
||||||
/// A normal string
|
/// A normal string
|
||||||
String(String),
|
String(String),
|
||||||
/// A string containing macros
|
/// A string containing expressions
|
||||||
MacroString(Vec<MacroStringPart>),
|
MacroString(Vec<MacroStringPart>),
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -114,6 +114,21 @@ where
|
||||||
})
|
})
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/// Add additional information to an entity selector
|
||||||
|
#[must_use]
|
||||||
|
pub fn add_to_entity_selector(selector: impl Into<String>, additional: &str) -> String {
|
||||||
|
let selector: String = selector.into();
|
||||||
|
if selector.starts_with('@') {
|
||||||
|
if selector.ends_with(']') {
|
||||||
|
selector[..selector.len() - 1].to_string() + "," + additional + "]"
|
||||||
|
} else {
|
||||||
|
selector + "[" + additional + "]"
|
||||||
|
}
|
||||||
|
} else {
|
||||||
|
format!("@a[name={selector},{additional}]")
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
impl FromStr for MacroString {
|
impl FromStr for MacroString {
|
||||||
type Err = ();
|
type Err = ();
|
||||||
|
|
||||||
|
|
|
@ -226,10 +226,10 @@ impl<'a> Scope<'a> {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
impl<'a> Debug for Scope<'a> {
|
impl Debug for Scope<'_> {
|
||||||
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
||||||
struct VariableWrapper<'a>(&'a RwLock<HashMap<String, Arc<VariableData>>>);
|
struct VariableWrapper<'a>(&'a RwLock<HashMap<String, Arc<VariableData>>>);
|
||||||
impl<'a> Debug for VariableWrapper<'a> {
|
impl Debug for VariableWrapper<'_> {
|
||||||
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
|
||||||
let s = self.0.read().unwrap();
|
let s = self.0.read().unwrap();
|
||||||
s.deref().fmt(f)
|
s.deref().fmt(f)
|
||||||
|
@ -489,7 +489,7 @@ impl Transpiler {
|
||||||
target: s,
|
target: s,
|
||||||
}),
|
}),
|
||||||
Some(ComptimeValue::MacroString(s)) => {
|
Some(ComptimeValue::MacroString(s)) => {
|
||||||
todo!("indexing scoreboard with macro string: {s}")
|
todo!("indexing scoreboard with macro string: {s:?}")
|
||||||
}
|
}
|
||||||
Some(_) => {
|
Some(_) => {
|
||||||
let err = TranspileError::IllegalIndexing(IllegalIndexing {
|
let err = TranspileError::IllegalIndexing(IllegalIndexing {
|
||||||
|
@ -621,7 +621,7 @@ impl Transpiler {
|
||||||
entity: s,
|
entity: s,
|
||||||
}),
|
}),
|
||||||
Some(ComptimeValue::MacroString(s)) => {
|
Some(ComptimeValue::MacroString(s)) => {
|
||||||
todo!("indexing tag with macro string: {s}")
|
todo!("indexing tag with macro string: {s:?}")
|
||||||
}
|
}
|
||||||
Some(_) => {
|
Some(_) => {
|
||||||
let err = TranspileError::IllegalIndexing(IllegalIndexing {
|
let err = TranspileError::IllegalIndexing(IllegalIndexing {
|
||||||
|
|
Loading…
Reference in New Issue