orca_wasm/ir/module/
module_globals.rs

1//! Intermediate representation of the globals.
2
3use crate::error::Error;
4use crate::ir::id::{GlobalID, ImportsID};
5use crate::ir::module::module_imports::ModuleImports;
6use crate::ir::module::{GetID, Iter, LocalOrImport, ReIndexable};
7use crate::ir::types::InitExpr;
8use std::vec::IntoIter;
9use wasmparser::{GlobalType, TypeRef};
10
11type Result<T> = std::result::Result<T, Error>;
12
13/// Represents whether a Global is Local or Imported
14#[derive(Clone, Debug)]
15pub enum GlobalKind {
16    Local(LocalGlobal),
17    Import(ImportedGlobal),
18}
19
20/// Represents a global that is locally defined in the module.
21#[derive(Clone, Debug)]
22pub struct LocalGlobal {
23    pub global_id: GlobalID,
24    pub ty: GlobalType,
25    pub init_expr: InitExpr,
26}
27
28/// Represents a global that is imported into the module.
29#[derive(Clone, Debug)]
30pub struct ImportedGlobal {
31    pub import_id: ImportsID, // Maps to location in a modules imports
32    pub(crate) import_global_id: GlobalID, // Maps to location in a modules imported globals
33    pub ty: GlobalType,
34}
35
36impl ImportedGlobal {
37    pub(crate) fn new(import_id: ImportsID, import_global_id: GlobalID, ty: GlobalType) -> Self {
38        Self {
39            import_id,
40            import_global_id,
41            ty,
42        }
43    }
44}
45
46/// Globals in a wasm module.
47#[derive(Debug, Clone)]
48pub struct Global {
49    /// The kind of global (imported or locally-defined).
50    pub(crate) kind: GlobalKind,
51    /// Whether this global was deleted.
52    pub(crate) deleted: bool,
53}
54
55impl GetID for Global {
56    /// Get the ID of the global
57    fn get_id(&self) -> u32 {
58        match &self.kind {
59            GlobalKind::Local(LocalGlobal { global_id, .. })
60            | GlobalKind::Import(ImportedGlobal {
61                import_global_id: global_id,
62                ..
63            }) => **global_id,
64        }
65    }
66}
67
68impl LocalOrImport for Global {
69    /// Returns whether this global is locally defined (not imported).
70    fn is_local(&self) -> bool {
71        matches!(&self.kind, GlobalKind::Local(_))
72    }
73
74    /// Returns whether this global is imported.
75    fn is_import(&self) -> bool {
76        matches!(&self.kind, GlobalKind::Import(_))
77    }
78
79    /// Check if this global has been deleted
80    fn is_deleted(&self) -> bool {
81        self.deleted
82    }
83}
84
85impl Global {
86    pub fn new(kind: GlobalKind) -> Self {
87        Self {
88            kind,
89            deleted: false,
90        }
91    }
92
93    /// Convert from wasmparser Global representation to Orca's representation.
94    /// Assumes this is a locally-defined global (not imported).
95    pub(crate) fn from_wasmparser(global: wasmparser::Global) -> Result<Global> {
96        let ty = global.ty;
97        let init_expr = InitExpr::eval(&global.init_expr);
98        Ok(Global {
99            kind: GlobalKind::Local(LocalGlobal {
100                global_id: GlobalID(0),
101                ty,
102                init_expr,
103            }),
104            deleted: false,
105        })
106    }
107
108    pub(crate) fn set_id(&mut self, id: GlobalID) {
109        match &mut self.kind {
110            GlobalKind::Local(LocalGlobal { global_id, .. })
111            | GlobalKind::Import(ImportedGlobal {
112                import_global_id: global_id,
113                ..
114            }) => {
115                *global_id = id;
116            }
117        }
118    }
119
120    fn delete(&mut self) {
121        self.deleted = true;
122    }
123}
124
125/// The globals section of a module
126#[derive(Clone, Debug, Default)]
127pub struct ModuleGlobals {
128    globals: Vec<Global>,
129    pub(crate) recalculate_ids: bool,
130}
131
132impl Iter<Global> for ModuleGlobals {
133    /// Get an iterator for the functions.
134    fn iter(&self) -> std::slice::Iter<'_, Global> {
135        self.globals.iter()
136    }
137
138    fn get_into_iter(&self) -> IntoIter<Global> {
139        self.globals.clone().into_iter()
140    }
141}
142
143impl ReIndexable<Global> for ModuleGlobals {
144    /// Get the number of functions
145    fn len(&self) -> usize {
146        self.globals.len()
147    }
148    fn remove(&mut self, global_id: u32) -> Global {
149        self.globals.remove(global_id as usize)
150    }
151
152    fn insert(&mut self, global_id: u32, global: Global) {
153        self.globals.insert(global_id as usize, global);
154    }
155    /// Add a new function
156    fn push(&mut self, global: Global) {
157        self.globals.push(global);
158    }
159}
160
161impl ModuleGlobals {
162    /// Create a new globals section
163    pub fn new(imports: &ModuleImports, local_globals: Vec<Global>) -> Self {
164        let mut result = ModuleGlobals::default();
165
166        // Add the imported globals
167        let mut curr_global_id: u32 = 0;
168        for (id, import) in imports.iter().enumerate() {
169            if let TypeRef::Global(ty) = import.ty {
170                curr_global_id += 1;
171                // This is an imported global
172                result.add(Global {
173                    kind: GlobalKind::Import(ImportedGlobal {
174                        import_id: ImportsID(id as u32),
175                        import_global_id: GlobalID(curr_global_id),
176                        ty,
177                    }),
178                    deleted: false,
179                });
180            };
181        }
182
183        // Add the locally defined globals and fix the IDs
184        for global in local_globals.iter() {
185            // fix the ID
186            let mut owned = global.to_owned();
187            owned.set_id(GlobalID(curr_global_id));
188            curr_global_id += 1;
189
190            result.add(owned);
191        }
192        result
193    }
194
195    /// Get kind of global
196    pub fn get_kind(&self, global_id: GlobalID) -> &GlobalKind {
197        &self.globals[*global_id as usize].kind
198    }
199
200    /// Create an iterable over the global section
201    pub fn iter(&self) -> std::slice::Iter<'_, Global> {
202        self.globals.iter()
203    }
204
205    /// Get the number of globals
206    pub fn len(&self) -> usize {
207        self.globals.len()
208    }
209
210    /// Check if there are any globals
211    pub fn is_empty(&self) -> bool {
212        self.globals.is_empty()
213    }
214
215    /// Remove the last global from the list. Can only remove the final Global due to indexing
216    pub(crate) fn delete(&mut self, id: GlobalID) {
217        self.recalculate_ids = true;
218        if *id < self.globals.len() as u32 {
219            self.globals[*id as usize].delete();
220        }
221    }
222
223    /// Add a new Global to the module. Returns the index of the new Global.
224    pub(crate) fn add(&mut self, mut global: Global) -> GlobalID {
225        let id = GlobalID(self.globals.len() as u32);
226        global.set_id(id);
227        self.globals.push(global);
228        id
229    }
230    pub(crate) fn mod_global_init_expr(&mut self, global_id: u32, new_expr: InitExpr) {
231        if let Some(Global {
232            kind: GlobalKind::Local(LocalGlobal { init_expr, .. }),
233            ..
234        }) = self.globals.get_mut(global_id as usize)
235        {
236            *init_expr = new_expr;
237        } else {
238            panic!("Cannot update requested global's init_expr, id: {global_id}")
239        }
240    }
241}