orca_wasm/ir/module/
module_memories.rs

1use crate::ir::id::{ImportsID, MemoryID};
2use crate::ir::module::{GetID, Iter, LocalOrImport, ReIndexable};
3use std::vec::IntoIter;
4use wasmparser::MemoryType;
5
6/// Intermediate representation of all the memories in a module.
7#[allow(dead_code)]
8#[derive(Clone, Debug, Default)]
9pub struct Memories {
10    memories: Vec<Memory>,
11    pub(crate) recalculate_ids: bool,
12}
13impl ReIndexable<Memory> for Memories {
14    /// Get the number of memories
15    fn len(&self) -> usize {
16        self.memories.len()
17    }
18    fn remove(&mut self, mem_id: u32) -> Memory {
19        self.memories.remove(mem_id as usize)
20    }
21
22    fn insert(&mut self, mem_id: u32, mem: Memory) {
23        self.memories.insert(mem_id as usize, mem);
24    }
25    /// Add a new memory
26    fn push(&mut self, mem: Memory) {
27        self.memories.push(mem);
28    }
29}
30
31impl Iter<Memory> for Memories {
32    /// Get an iterator for the memories.
33    fn iter(&self) -> std::slice::Iter<'_, Memory> {
34        self.memories.iter()
35    }
36
37    fn get_into_iter(&self) -> IntoIter<Memory> {
38        self.memories.clone().into_iter()
39    }
40}
41
42impl Memories {
43    /// Create a new memories section
44    pub fn new(memories: Vec<Memory>) -> Self {
45        Self {
46            memories,
47            recalculate_ids: false,
48        }
49    }
50
51    /// Get a memory by its MemoryID
52    pub fn get_mem_by_id(&self, mem_id: MemoryID) -> Option<&Memory> {
53        if *mem_id < self.memories.len() as u32 {
54            return Some(&self.memories[*mem_id as usize]);
55        }
56        None
57    }
58
59    /// Checks if there are no functions
60    pub fn is_empty(&self) -> bool {
61        self.memories.is_empty()
62    }
63
64    // =================
65    // ==== GETTERS ====
66    // =================
67
68    /// Get kind of memory
69    pub fn get_kind(&self, mem_id: MemoryID) -> &MemKind {
70        &self.memories[*mem_id as usize].kind
71    }
72
73    /// Get mutable memory by ID
74    pub fn get_mut(&mut self, mem_id: MemoryID) -> Option<&mut Memory> {
75        if *mem_id < self.memories.len() as u32 {
76            return Some(&mut self.memories[*mem_id as usize]);
77        }
78        None
79    }
80
81    /// Check if a memory is a local
82    pub fn is_local(&self, mem_id: MemoryID) -> bool {
83        self.memories[*mem_id as usize].is_local()
84    }
85
86    /// Check if a memory is an import
87    pub fn is_import(&self, mem_id: MemoryID) -> bool {
88        self.memories[*mem_id as usize].is_import()
89    }
90
91    /// Check if it's deleted
92    pub fn is_deleted(&self, mem_id: MemoryID) -> bool {
93        self.memories[*mem_id as usize].is_deleted()
94    }
95
96    // =======================
97    // ==== MANIPULATIONS ====
98    // =======================
99
100    /// Delete a memory
101    pub(crate) fn delete(&mut self, mem_id: MemoryID) {
102        self.recalculate_ids = true;
103        if *mem_id < self.memories.len() as u32 {
104            self.memories[*mem_id as usize].delete();
105        }
106    }
107
108    fn next_id(&self) -> MemoryID {
109        MemoryID(self.memories.len() as u32)
110    }
111
112    pub(crate) fn add_local_mem(&mut self, mut local_mem: LocalMemory, ty: MemoryType) -> MemoryID {
113        self.recalculate_ids = true;
114        // fix the ID of the memory
115        let id = self.next_id();
116        local_mem.mem_id = id;
117
118        self.push(Memory {
119            ty,
120            kind: MemKind::Local(local_mem),
121            deleted: false,
122        });
123        id
124    }
125
126    pub(crate) fn add_import_mem(
127        &mut self,
128        imp_id: ImportsID,
129        ty: MemoryType,
130        // The id of the memory we're using (at least until re-indexing)
131        imp_mem_id: u32,
132    ) {
133        self.recalculate_ids = true;
134        assert_eq!(*self.next_id(), imp_mem_id);
135        self.memories.push(Memory {
136            ty,
137            kind: MemKind::Import(ImportedMemory {
138                import_id: imp_id,
139                import_mem_id: MemoryID(imp_mem_id),
140            }),
141            deleted: false,
142        });
143    }
144}
145
146/// Represents a memory. Local or Imported depends on the `MemKind`.
147#[derive(Clone, Debug)]
148pub struct Memory {
149    pub ty: MemoryType,
150    pub(crate) kind: MemKind,
151    pub(crate) deleted: bool,
152}
153impl GetID for Memory {
154    /// Get the ID of the function
155    fn get_id(&self) -> u32 {
156        match &self.kind {
157            MemKind::Import(i) => *i.import_mem_id,
158            MemKind::Local(l) => *l.mem_id,
159        }
160    }
161}
162impl LocalOrImport for Memory {
163    /// Check if it's a local memory
164    fn is_local(&self) -> bool {
165        matches!(&self.kind, MemKind::Local(_))
166    }
167
168    /// Check if it's an imported memory
169    fn is_import(&self) -> bool {
170        matches!(&self.kind, MemKind::Import(_))
171    }
172
173    /// Check if this memory has been deleted
174    fn is_deleted(&self) -> bool {
175        self.deleted
176    }
177}
178
179impl Memory {
180    /// Create a new memory
181    pub fn new(ty: MemoryType, kind: MemKind) -> Self {
182        Self {
183            ty,
184            kind,
185            deleted: false,
186        }
187    }
188
189    // /// Change the kind of the memory
190    // pub(crate) fn set_kind(&mut self, kind: MemKind) {
191    //     self.kind = kind;
192    //     // Resets deletion
193    //     self.deleted = false;
194    // }
195
196    /// Get the kind of the memory
197    pub fn kind(&self) -> &MemKind {
198        &self.kind
199    }
200
201    /// Unwrap a local memory. If it is an imported memory, it panics.
202    pub fn unwrap_local(&self) -> &LocalMemory {
203        self.kind.unwrap_local()
204    }
205
206    /// Unwrap a local memory as mutable. If it is an imported memory, it panics.
207    pub fn unwrap_local_mut(&mut self) -> &mut LocalMemory {
208        self.kind.unwrap_local_mut()
209    }
210
211    pub(crate) fn delete(&mut self) {
212        self.deleted = true;
213    }
214}
215
216/// Represents whether a memory is a Local Memory or an Imported Memory
217#[derive(Clone, Debug)]
218pub enum MemKind {
219    Local(LocalMemory),
220    Import(ImportedMemory),
221}
222
223impl MemKind {
224    /// Unwrap a local memory as a read-only reference. If it is an imported memory, it panics.
225    pub fn unwrap_local(&self) -> &LocalMemory {
226        match &self {
227            MemKind::Local(l) => l,
228            MemKind::Import(_) => panic!("Attempting to unwrap an imported memory as a local!!"),
229        }
230    }
231    /// Unwrap a local memory as a mutable reference. If it is an imported memory, it panics.
232    pub fn unwrap_local_mut(&mut self) -> &mut LocalMemory {
233        match self {
234            MemKind::Local(l) => l,
235            MemKind::Import(_) => panic!("Attempting to unwrap an imported memory as a local!!"),
236        }
237    }
238}
239
240/// Intermediate Representation of a Local Memory
241#[derive(Clone, Debug)]
242pub struct LocalMemory {
243    pub mem_id: MemoryID,
244}
245
246/// Intermediate representation of an Imported Memory. The actual Import is stored in the Imports field of the module.
247#[derive(Clone, Debug)]
248pub struct ImportedMemory {
249    pub import_id: ImportsID,           // Maps to location in a module's imports
250    pub(crate) import_mem_id: MemoryID, // Maps to location in a module's imported memories
251}