#![expect(unused)] use std::{ collections::HashMap, fmt::Debug, ops::Deref, sync::{Arc, OnceLock, RwLock}, }; #[cfg(feature = "shulkerbox")] use chksum_md5 as md5; #[cfg(feature = "shulkerbox")] use shulkerbox::prelude::{Command, Condition, Execute}; use strum::EnumIs; use crate::{ base::{self, source_file::SourceElement as _, Handler}, lexical::token::{Identifier, KeywordKind}, syntax::syntax_tree::{ expression::{Expression, Primary}, statement::{SingleVariableDeclaration, VariableDeclaration}, }, }; use super::{ error::{AssignmentError, IllegalAnnotationContent}, expression::{ComptimeValue, DataLocation}, FunctionData, TranspileAnnotationValue, TranspileError, TranspileResult, }; #[cfg(feature = "shulkerbox")] use super::Transpiler; /// Stores the data required to access a variable. #[derive(Debug, Clone, EnumIs)] pub enum VariableData { /// A function. Function { /// The function data. function_data: FunctionData, /// The path to the function once it is generated. path: OnceLock, }, /// A function argument/parameter. FunctionArgument { /// The index of the argument. index: usize, }, /// A scoreboard. Scoreboard { /// The objective name. objective: String, }, /// A scoreboard value. ScoreboardValue { /// The objective name. objective: String, /// The target. target: String, }, /// Multiple values stored in scoreboard. ScoreboardArray { /// The objective name. objective: String, /// The targets. targets: Vec, }, /// A tag applied to entities. Tag { /// The tag name. tag_name: String, }, /// A boolean stored in a data storage. BooleanStorage { /// The storage name. storage_name: String, /// The path to the boolean. path: String, }, /// Multiple booleans stored in a data storage array. BooleanStorageArray { /// The storage name. storage_name: String, /// The paths to the booleans. paths: Vec, }, } /// A scope that stores variables. #[derive(Default)] pub struct Scope<'a> { /// Parent scope where variables are inherited from. parent: Option<&'a Arc>, /// Variables stored in the scope. variables: RwLock>>, /// How many times the variable has been shadowed in the current scope. shadowed: RwLock>, } impl<'a> Scope<'a> { /// Creates a new scope. #[must_use] pub fn new() -> Arc { Arc::new(Self::default()) } /// Creates a new scope with a parent. #[must_use] pub fn with_parent(parent: &'a Arc) -> Arc { Arc::new(Self { parent: Some(parent), ..Default::default() }) } /// Gets a variable from the scope. pub fn get_variable(&self, name: &str) -> Option> { let var = self.variables.read().unwrap().get(name).cloned(); if var.is_some() { var } else { self.parent .as_ref() .and_then(|parent| parent.get_variable(name)) } } /// Gets the number of times a variable has been shadowed. pub fn get_variable_shadow_count(&self, name: &str) -> usize { let count = self .shadowed .read() .unwrap() .get(name) .copied() .unwrap_or(0); self.parent.as_ref().map_or(count, |parent| { count + parent.get_variable_shadow_count(name) + usize::from(parent.get_variable(name).is_some()) }) } /// Sets a variable in the scope. pub fn set_variable(&self, name: &str, var: VariableData) { let prev = self .variables .write() .unwrap() .insert(name.to_string(), Arc::new(var)); *self .shadowed .write() .unwrap() .entry(name.to_string()) .or_default() += 1; } /// Gets the variables stored in the current scope. pub fn get_local_variables(&self) -> &RwLock>> { &self.variables } /// Gets all variables stored in the scope. /// /// This function does not return a reference to the variables, but clones them. pub fn get_all_variables(&self) -> HashMap> { let mut variables = self.variables.read().unwrap().clone(); if let Some(parent) = self.parent.as_ref() { variables.extend(parent.get_all_variables()); } variables } /// Gets the parent scope. pub fn get_parent(&self) -> Option> { self.parent.cloned() } } impl<'a> Debug for Scope<'a> { fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { struct VariableWrapper<'a>(&'a RwLock>>); impl<'a> Debug for VariableWrapper<'a> { fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result { let s = self.0.read().unwrap(); s.deref().fmt(f) } } let mut s = f.debug_struct("Scope"); s.field("parent", &self.parent); s.field("variables", &VariableWrapper(&self.variables)); s.field("shadowed", &self.shadowed); s.finish() } } #[cfg(feature = "shulkerbox")] impl Transpiler { pub(super) fn transpile_variable_declaration( &mut self, declaration: &VariableDeclaration, program_identifier: &str, scope: &Arc, handler: &impl Handler, ) -> TranspileResult> { match declaration { VariableDeclaration::Single(single) => self.transpile_single_variable_declaration( single, program_identifier, scope, handler, ), _ => todo!("declarations not supported yet: {declaration:?}"), } } fn transpile_single_variable_declaration( &mut self, single: &SingleVariableDeclaration, program_identifier: &str, scope: &Arc, handler: &impl Handler, ) -> TranspileResult> { let mut deobfuscate_annotations = single .annotations() .iter() .filter(|a| a.has_identifier("deobfuscate")); let variable_type = single.variable_type().keyword; let deobfuscate_annotation = deobfuscate_annotations.next(); if let Some(duplicate) = deobfuscate_annotations.next() { let error = TranspileError::IllegalAnnotationContent(IllegalAnnotationContent { annotation: duplicate.span(), message: "Multiple deobfuscate annotations are not allowed.".to_string(), }); handler.receive(error.clone()); return Err(error); } let (name, target) = get_single_data_location_identifiers(single, program_identifier, scope, handler)?; match variable_type { KeywordKind::Int => { if !self.datapack.scoreboards().contains_key(&name) { self.datapack .register_scoreboard(&name, None::<&str>, None::<&str>); } scope.set_variable( single.identifier().span.str(), VariableData::ScoreboardValue { objective: name.clone(), target, }, ); } KeywordKind::Bool => { scope.set_variable( single.identifier().span.str(), VariableData::BooleanStorage { storage_name: name, path: target, }, ); } _ => todo!("implement other variable types"), } single.assignment().as_ref().map_or_else( || Ok(Vec::new()), |assignment| { self.transpile_assignment( single.identifier(), assignment.expression(), scope, handler, ) }, ) } pub(super) fn transpile_assignment( &mut self, identifier: &Identifier, expression: &crate::syntax::syntax_tree::expression::Expression, scope: &Arc, handler: &impl Handler, ) -> TranspileResult> { if let Some(target) = scope.get_variable(identifier.span.str()) { let data_location = match target.as_ref() { VariableData::BooleanStorage { storage_name, path } => Ok(DataLocation::Storage { storage_name: storage_name.to_owned(), path: path.to_owned(), r#type: super::expression::StorageType::Boolean, }), VariableData::ScoreboardValue { objective, target } => { Ok(DataLocation::ScoreboardValue { objective: objective.to_owned(), target: target.to_owned(), }) } VariableData::Function { .. } | VariableData::FunctionArgument { .. } => { Err(TranspileError::AssignmentError(AssignmentError { identifier: identifier.span(), message: format!( "Cannot assign to a {}.", if matches!(target.as_ref(), VariableData::Function { .. }) { "function" } else { "function argument" } ), })) } _ => todo!("implement other variable types"), }?; self.transpile_expression(expression, &data_location, scope, handler) } else { Err(TranspileError::AssignmentError(AssignmentError { identifier: identifier.span(), message: "Variable does not exist.".to_string(), })) } } } #[expect(clippy::too_many_lines)] #[cfg(feature = "shulkerbox")] fn get_single_data_location_identifiers( single: &SingleVariableDeclaration, program_identifier: &str, scope: &Arc, handler: &impl Handler, ) -> TranspileResult<(String, String)> { let mut deobfuscate_annotations = single .annotations() .iter() .filter(|a| a.has_identifier("deobfuscate")); let variable_type = single.variable_type().keyword; let deobfuscate_annotation = deobfuscate_annotations.next(); if let Some(duplicate) = deobfuscate_annotations.next() { let error = TranspileError::IllegalAnnotationContent(IllegalAnnotationContent { annotation: duplicate.span(), message: "Multiple deobfuscate annotations are not allowed.".to_string(), }); handler.receive(error.clone()); return Err(error); } if let Some(deobfuscate_annotation) = deobfuscate_annotation { let deobfuscate_annotation_value = TranspileAnnotationValue::from(deobfuscate_annotation.assignment().value.clone()); if let TranspileAnnotationValue::Map(map) = deobfuscate_annotation_value { if map.len() > 2 { let error = TranspileError::IllegalAnnotationContent(IllegalAnnotationContent { annotation: deobfuscate_annotation.span(), message: "Deobfuscate annotation must have at most 2 key-value pairs." .to_string(), }); handler.receive(error.clone()); return Err(error); } if let (Some(name), Some(target)) = (map.get("name"), map.get("target")) { if let ( TranspileAnnotationValue::Expression(objective), TranspileAnnotationValue::Expression(target), ) = (name, target) { if let (Some(name_eval), Some(target_eval)) = ( objective.comptime_eval().map(|val| val.to_string()), target.comptime_eval().map(|val| val.to_string()), ) { // TODO: change invalid criteria if boolean if !crate::util::is_valid_scoreboard_objective_name(&name_eval) { let error = TranspileError::IllegalAnnotationContent(IllegalAnnotationContent { annotation: deobfuscate_annotation.span(), message: "Deobfuscate annotation 'name' must be a valid scoreboard objective name.".to_string() }); handler.receive(error.clone()); return Err(error); } if !crate::util::is_valid_scoreboard_target(&target_eval) { let error = TranspileError::IllegalAnnotationContent(IllegalAnnotationContent { annotation: deobfuscate_annotation.span(), message: "Deobfuscate annotation 'target' must be a valid scoreboard player name.".to_string() }); handler.receive(error.clone()); return Err(error); } Ok((name_eval, target_eval)) } else { let error = TranspileError::IllegalAnnotationContent(IllegalAnnotationContent { annotation: deobfuscate_annotation.span(), message: "Deobfuscate annotation 'name' or 'target' could not have been evaluated at compile time.".to_string() }); handler.receive(error.clone()); Err(error) } } else { let error = TranspileError::IllegalAnnotationContent(IllegalAnnotationContent { annotation: deobfuscate_annotation.span(), message: "Deobfuscate annotation 'name' and 'target' must be compile time expressions.".to_string() }); handler.receive(error.clone()); Err(error) } } else { let error = TranspileError::IllegalAnnotationContent(IllegalAnnotationContent { annotation: deobfuscate_annotation.span(), message: "Deobfuscate annotation must have both 'name' and 'target' keys." .to_string(), }); handler.receive(error.clone()); Err(error) } } else { let error = TranspileError::IllegalAnnotationContent(IllegalAnnotationContent { annotation: deobfuscate_annotation.span(), message: "Deobfuscate annotation must be a map.".to_string(), }); handler.receive(error.clone()); Err(error) } } else { let hashed = md5::hash(program_identifier).to_hex_lowercase(); let name = "shu_values_".to_string() + &hashed; let identifier_name = single.identifier().span.str(); // TODO: generate same name each time (not dependent on pointer) let mut target = md5::hash(format!( "{scope}\0{identifier_name}\0{shadowed}", scope = Arc::as_ptr(scope) as usize, shadowed = scope.get_variable_shadow_count(identifier_name) )) .to_hex_lowercase(); if matches!(variable_type, KeywordKind::Int) { target.split_off(16); } Ok((name, target)) } } #[cfg(test)] mod tests { use super::*; #[test] fn test_scope() { let scope = Scope::new(); scope.set_variable( "test", VariableData::Scoreboard { objective: "test".to_string(), }, ); if let Some(var) = scope.get_variable("test") { match var.as_ref() { VariableData::Scoreboard { objective } => assert_eq!(objective, "test"), _ => panic!("Incorrect Variable"), } } else { panic!("Variable missing") } } #[test] fn test_parent() { let scope = Scope::new(); scope.set_variable( "test", VariableData::Scoreboard { objective: "test".to_string(), }, ); let child = Scope::with_parent(&scope); if let Some(var) = child.get_variable("test") { match var.as_ref() { VariableData::Scoreboard { objective } => assert_eq!(objective, "test"), _ => panic!("Incorrect Variable"), } } else { panic!("Variable missing") } } #[test] fn test_shadowed_count() { let scope = Scope::new(); scope.set_variable( "test", VariableData::Scoreboard { objective: "test1".to_string(), }, ); let child = Scope::with_parent(&scope); child.set_variable( "test", VariableData::Scoreboard { objective: "test2".to_string(), }, ); assert_eq!(child.get_variable_shadow_count("test"), 1); } }