parity_wasm/builder/
module.rs

1use super::{
2	code::{self, FunctionBuilder, SignaturesBuilder},
3	data, export, global, import,
4	invoke::{Identity, Invoke},
5	memory::{self, MemoryBuilder},
6	table::{self, TableBuilder},
7};
8use crate::elements;
9use alloc::vec::Vec;
10
11/// Module builder
12pub struct ModuleBuilder<F = Identity> {
13	callback: F,
14	module: ModuleScaffold,
15}
16
17/// Location of the internal module function
18pub struct CodeLocation {
19	/// Location (index in 'functions' section) of the signature
20	pub signature: u32,
21	/// Location (index in the 'code' section) of the body
22	pub body: u32,
23}
24
25#[derive(Default, PartialEq)]
26struct ModuleScaffold {
27	pub types: elements::TypeSection,
28	pub import: elements::ImportSection,
29	pub functions: elements::FunctionSection,
30	pub table: elements::TableSection,
31	pub memory: elements::MemorySection,
32	pub global: elements::GlobalSection,
33	pub export: elements::ExportSection,
34	pub start: Option<u32>,
35	pub element: elements::ElementSection,
36	pub code: elements::CodeSection,
37	pub data: elements::DataSection,
38	pub other: Vec<elements::Section>,
39}
40
41impl From<elements::Module> for ModuleScaffold {
42	fn from(module: elements::Module) -> Self {
43		let mut types: Option<elements::TypeSection> = None;
44		let mut import: Option<elements::ImportSection> = None;
45		let mut funcs: Option<elements::FunctionSection> = None;
46		let mut table: Option<elements::TableSection> = None;
47		let mut memory: Option<elements::MemorySection> = None;
48		let mut global: Option<elements::GlobalSection> = None;
49		let mut export: Option<elements::ExportSection> = None;
50		let mut start: Option<u32> = None;
51		let mut element: Option<elements::ElementSection> = None;
52		let mut code: Option<elements::CodeSection> = None;
53		let mut data: Option<elements::DataSection> = None;
54
55		let mut other = Vec::new();
56		let mut sections = module.into_sections();
57		while let Some(section) = sections.pop() {
58			match section {
59				elements::Section::Type(sect) => {
60					types = Some(sect);
61				},
62				elements::Section::Import(sect) => {
63					import = Some(sect);
64				},
65				elements::Section::Function(sect) => {
66					funcs = Some(sect);
67				},
68				elements::Section::Table(sect) => {
69					table = Some(sect);
70				},
71				elements::Section::Memory(sect) => {
72					memory = Some(sect);
73				},
74				elements::Section::Global(sect) => {
75					global = Some(sect);
76				},
77				elements::Section::Export(sect) => {
78					export = Some(sect);
79				},
80				elements::Section::Start(index) => {
81					start = Some(index);
82				},
83				elements::Section::Element(sect) => {
84					element = Some(sect);
85				},
86				elements::Section::Code(sect) => {
87					code = Some(sect);
88				},
89				elements::Section::Data(sect) => {
90					data = Some(sect);
91				},
92				section => other.push(section),
93			}
94		}
95
96		ModuleScaffold {
97			types: types.unwrap_or_default(),
98			import: import.unwrap_or_default(),
99			functions: funcs.unwrap_or_default(),
100			table: table.unwrap_or_default(),
101			memory: memory.unwrap_or_default(),
102			global: global.unwrap_or_default(),
103			export: export.unwrap_or_default(),
104			start,
105			element: element.unwrap_or_default(),
106			code: code.unwrap_or_default(),
107			data: data.unwrap_or_default(),
108			other,
109		}
110	}
111}
112
113impl From<ModuleScaffold> for elements::Module {
114	fn from(module: ModuleScaffold) -> Self {
115		let mut sections = Vec::new();
116
117		let types = module.types;
118		if !types.types().is_empty() {
119			sections.push(elements::Section::Type(types));
120		}
121		let import = module.import;
122		if !import.entries().is_empty() {
123			sections.push(elements::Section::Import(import));
124		}
125		let functions = module.functions;
126		if !functions.entries().is_empty() {
127			sections.push(elements::Section::Function(functions));
128		}
129		let table = module.table;
130		if !table.entries().is_empty() {
131			sections.push(elements::Section::Table(table));
132		}
133		let memory = module.memory;
134		if !memory.entries().is_empty() {
135			sections.push(elements::Section::Memory(memory));
136		}
137		let global = module.global;
138		if !global.entries().is_empty() {
139			sections.push(elements::Section::Global(global));
140		}
141		let export = module.export;
142		if !export.entries().is_empty() {
143			sections.push(elements::Section::Export(export));
144		}
145		if let Some(start) = module.start {
146			sections.push(elements::Section::Start(start));
147		}
148		let element = module.element;
149		if !element.entries().is_empty() {
150			sections.push(elements::Section::Element(element));
151		}
152		let code = module.code;
153		if !code.bodies().is_empty() {
154			sections.push(elements::Section::Code(code));
155		}
156		let data = module.data;
157		if !data.entries().is_empty() {
158			sections.push(elements::Section::Data(data));
159		}
160		sections.extend(module.other);
161		elements::Module::new(sections)
162	}
163}
164
165impl ModuleBuilder {
166	/// New empty module builder
167	pub fn new() -> Self {
168		ModuleBuilder::with_callback(Identity)
169	}
170}
171
172impl Default for ModuleBuilder {
173	fn default() -> Self {
174		Self::new()
175	}
176}
177
178impl<F> ModuleBuilder<F>
179where
180	F: Invoke<elements::Module>,
181{
182	/// New module builder with bound callback
183	pub fn with_callback(callback: F) -> Self {
184		ModuleBuilder { callback, module: Default::default() }
185	}
186
187	/// Builder from raw module
188	pub fn with_module(mut self, module: elements::Module) -> Self {
189		self.module = module.into();
190		self
191	}
192
193	/// Fill module with sections from iterator
194	pub fn with_sections<I>(mut self, sections: I) -> Self
195	where
196		I: IntoIterator<Item = elements::Section>,
197	{
198		self.module.other.extend(sections);
199		self
200	}
201
202	/// Add additional section
203	pub fn with_section(mut self, section: elements::Section) -> Self {
204		self.module.other.push(section);
205		self
206	}
207
208	/// Binds to the type section, creates additional types when required
209	pub fn with_signatures(mut self, bindings: code::SignatureBindings) -> Self {
210		self.push_signatures(bindings);
211		self
212	}
213
214	/// Push stand-alone function definition, creating sections, signature and code blocks
215	/// in corresponding sections.
216	/// `FunctionDefinition` can be build using `builder::function` builder
217	pub fn push_function(&mut self, func: code::FunctionDefinition) -> CodeLocation {
218		let signature = func.signature;
219		let body = func.code;
220
221		let type_ref = self.resolve_type_ref(signature);
222
223		self.module.functions.entries_mut().push(elements::Func::new(type_ref));
224		let signature_index = self.module.functions.entries_mut().len() as u32 - 1;
225		self.module.code.bodies_mut().push(body);
226		let body_index = self.module.code.bodies_mut().len() as u32 - 1;
227
228		if func.is_main {
229			self.module.start = Some(body_index);
230		}
231
232		CodeLocation { signature: signature_index, body: body_index }
233	}
234
235	/// Push linear memory region
236	pub fn push_memory(&mut self, mut memory: memory::MemoryDefinition) -> u32 {
237		let entries = self.module.memory.entries_mut();
238		entries.push(elements::MemoryType::new(memory.min, memory.max));
239		let memory_index = (entries.len() - 1) as u32;
240		for data in memory.data.drain(..) {
241			self.module.data.entries_mut().push(elements::DataSegment::new(
242				memory_index,
243				Some(data.offset),
244				data.values,
245			))
246		}
247		memory_index
248	}
249
250	/// Push table
251	pub fn push_table(&mut self, mut table: table::TableDefinition) -> u32 {
252		let entries = self.module.table.entries_mut();
253		entries.push(elements::TableType::new(table.min, table.max));
254		let table_index = (entries.len() - 1) as u32;
255		for entry in table.elements.drain(..) {
256			self.module.element.entries_mut().push(elements::ElementSegment::new(
257				table_index,
258				Some(entry.offset),
259				entry.values,
260			))
261		}
262		table_index
263	}
264
265	/// Push global.
266	pub fn push_global(&mut self, global: elements::GlobalEntry) -> u32 {
267		let entries = self.module.global.entries_mut();
268		entries.push(global);
269		entries.len() as u32 - 1
270	}
271
272	fn resolve_type_ref(&mut self, signature: code::Signature) -> u32 {
273		match signature {
274			code::Signature::Inline(func_type) => {
275				if let Some(existing_entry) =
276					self.module.types.types().iter().enumerate().find(|(_idx, t)| {
277						let elements::Type::Function(ref existing) = t;
278						*existing == func_type
279					}) {
280					return existing_entry.0 as u32
281				}
282				self.module.types.types_mut().push(elements::Type::Function(func_type));
283				self.module.types.types().len() as u32 - 1
284			},
285			code::Signature::TypeReference(type_ref) => type_ref,
286		}
287	}
288
289	/// Push one function signature, returning it's calling index.
290	/// Can create corresponding type in type section.
291	pub fn push_signature(&mut self, signature: code::Signature) -> u32 {
292		self.resolve_type_ref(signature)
293	}
294
295	/// Push signatures in the module, returning corresponding indices of pushed signatures
296	pub fn push_signatures(&mut self, signatures: code::SignatureBindings) -> Vec<u32> {
297		signatures.into_iter().map(|binding| self.resolve_type_ref(binding)).collect()
298	}
299
300	/// Push import entry to module. Note that this does not update calling indices in
301	/// function bodies.
302	pub fn push_import(&mut self, import: elements::ImportEntry) -> u32 {
303		self.module.import.entries_mut().push(import);
304		// todo: actually update calling addresses in function bodies
305		// todo: also batch push
306
307		self.module.import.entries_mut().len() as u32 - 1
308	}
309
310	/// Push export entry to module.
311	pub fn push_export(&mut self, export: elements::ExportEntry) -> u32 {
312		self.module.export.entries_mut().push(export);
313		self.module.export.entries_mut().len() as u32 - 1
314	}
315
316	/// Add new function using dedicated builder
317	pub fn function(self) -> FunctionBuilder<Self> {
318		FunctionBuilder::with_callback(self)
319	}
320
321	/// Add new linear memory using dedicated builder
322	pub fn memory(self) -> MemoryBuilder<Self> {
323		MemoryBuilder::with_callback(self)
324	}
325
326	/// Add new table using dedicated builder
327	pub fn table(self) -> TableBuilder<Self> {
328		TableBuilder::with_callback(self)
329	}
330
331	/// Define functions section
332	pub fn functions(self) -> SignaturesBuilder<Self> {
333		SignaturesBuilder::with_callback(self)
334	}
335
336	/// With inserted export entry
337	pub fn with_export(mut self, entry: elements::ExportEntry) -> Self {
338		self.module.export.entries_mut().push(entry);
339		self
340	}
341
342	/// With inserted import entry
343	pub fn with_import(mut self, entry: elements::ImportEntry) -> Self {
344		self.module.import.entries_mut().push(entry);
345		self
346	}
347
348	/// Import entry builder
349	/// # Examples
350	/// ```
351	/// use parity_wasm::builder::module;
352	///
353	/// let module = module()
354	///    .import()
355	///        .module("env")
356	///        .field("memory")
357	///        .external().memory(256, Some(256))
358	///        .build()
359	///    .build();
360	///
361	/// assert_eq!(module.import_section().expect("import section to exist").entries().len(), 1);
362	/// ```
363	pub fn import(self) -> import::ImportBuilder<Self> {
364		import::ImportBuilder::with_callback(self)
365	}
366
367	/// With global variable
368	pub fn with_global(mut self, global: elements::GlobalEntry) -> Self {
369		self.module.global.entries_mut().push(global);
370		self
371	}
372
373	/// With table
374	pub fn with_table(mut self, table: elements::TableType) -> Self {
375		self.module.table.entries_mut().push(table);
376		self
377	}
378
379	/// Export entry builder
380	/// # Examples
381	/// ```
382	/// use parity_wasm::builder::module;
383	/// use parity_wasm::elements::Instruction::*;
384	///
385	/// let module = module()
386	///    .global()
387	///         .value_type().i32()
388	///         .init_expr(I32Const(0))
389	///         .build()
390	///    .export()
391	///        .field("_zero")
392	///        .internal().global(0)
393	///        .build()
394	///    .build();
395	///
396	/// assert_eq!(module.export_section().expect("export section to exist").entries().len(), 1);
397	/// ```
398	pub fn export(self) -> export::ExportBuilder<Self> {
399		export::ExportBuilder::with_callback(self)
400	}
401
402	/// Glboal entry builder
403	/// # Examples
404	/// ```
405	/// use parity_wasm::builder::module;
406	/// use parity_wasm::elements::Instruction::*;
407	///
408	/// let module = module()
409	///    .global()
410	///         .value_type().i32()
411	///         .init_expr(I32Const(0))
412	///         .build()
413	///    .build();
414	///
415	/// assert_eq!(module.global_section().expect("global section to exist").entries().len(), 1);
416	/// ```
417	pub fn global(self) -> global::GlobalBuilder<Self> {
418		global::GlobalBuilder::with_callback(self)
419	}
420
421	/// Add data segment to the builder
422	pub fn with_data_segment(mut self, segment: elements::DataSegment) -> Self {
423		self.module.data.entries_mut().push(segment);
424		self
425	}
426
427	/// Data entry builder
428	pub fn data(self) -> data::DataSegmentBuilder<Self> {
429		data::DataSegmentBuilder::with_callback(self)
430	}
431
432	/// Build module (final step)
433	pub fn build(self) -> F::Result {
434		self.callback.invoke(self.module.into())
435	}
436}
437
438impl<F> Invoke<elements::FunctionSection> for ModuleBuilder<F>
439where
440	F: Invoke<elements::Module>,
441{
442	type Result = Self;
443
444	fn invoke(self, section: elements::FunctionSection) -> Self {
445		self.with_section(elements::Section::Function(section))
446	}
447}
448
449impl<F> Invoke<code::SignatureBindings> for ModuleBuilder<F>
450where
451	F: Invoke<elements::Module>,
452{
453	type Result = Self;
454
455	fn invoke(self, bindings: code::SignatureBindings) -> Self {
456		self.with_signatures(bindings)
457	}
458}
459
460impl<F> Invoke<code::FunctionDefinition> for ModuleBuilder<F>
461where
462	F: Invoke<elements::Module>,
463{
464	type Result = Self;
465
466	fn invoke(self, def: code::FunctionDefinition) -> Self {
467		let mut b = self;
468		b.push_function(def);
469		b
470	}
471}
472
473impl<F> Invoke<memory::MemoryDefinition> for ModuleBuilder<F>
474where
475	F: Invoke<elements::Module>,
476{
477	type Result = Self;
478
479	fn invoke(self, def: memory::MemoryDefinition) -> Self {
480		let mut b = self;
481		b.push_memory(def);
482		b
483	}
484}
485
486impl<F> Invoke<table::TableDefinition> for ModuleBuilder<F>
487where
488	F: Invoke<elements::Module>,
489{
490	type Result = Self;
491
492	fn invoke(self, def: table::TableDefinition) -> Self {
493		let mut b = self;
494		b.push_table(def);
495		b
496	}
497}
498
499impl<F> Invoke<elements::ImportEntry> for ModuleBuilder<F>
500where
501	F: Invoke<elements::Module>,
502{
503	type Result = Self;
504
505	fn invoke(self, entry: elements::ImportEntry) -> Self::Result {
506		self.with_import(entry)
507	}
508}
509
510impl<F> Invoke<elements::ExportEntry> for ModuleBuilder<F>
511where
512	F: Invoke<elements::Module>,
513{
514	type Result = Self;
515
516	fn invoke(self, entry: elements::ExportEntry) -> Self::Result {
517		self.with_export(entry)
518	}
519}
520
521impl<F> Invoke<elements::GlobalEntry> for ModuleBuilder<F>
522where
523	F: Invoke<elements::Module>,
524{
525	type Result = Self;
526
527	fn invoke(self, entry: elements::GlobalEntry) -> Self::Result {
528		self.with_global(entry)
529	}
530}
531
532impl<F> Invoke<elements::DataSegment> for ModuleBuilder<F>
533where
534	F: Invoke<elements::Module>,
535{
536	type Result = Self;
537
538	fn invoke(self, segment: elements::DataSegment) -> Self {
539		self.with_data_segment(segment)
540	}
541}
542
543/// Start new module builder
544/// # Examples
545///
546/// ```
547/// use parity_wasm::builder;
548///
549/// let module = builder::module()
550///     .function()
551///         .signature().param().i32().build()
552///         .body().build()
553///         .build()
554///     .build();
555///
556/// assert_eq!(module.type_section().expect("type section to exist").types().len(), 1);
557/// assert_eq!(module.function_section().expect("function section to exist").entries().len(), 1);
558/// assert_eq!(module.code_section().expect("code section to exist").bodies().len(), 1);
559/// ```
560pub fn module() -> ModuleBuilder {
561	ModuleBuilder::new()
562}
563
564/// Start builder to extend existing module
565pub fn from_module(module: elements::Module) -> ModuleBuilder {
566	ModuleBuilder::new().with_module(module)
567}
568
569#[cfg(test)]
570mod tests {
571
572	use super::module;
573	use crate::elements;
574
575	#[test]
576	fn smoky() {
577		let module = module().build();
578		assert_eq!(module.sections().len(), 0);
579	}
580
581	#[test]
582	fn functions() {
583		let module = module()
584			.function()
585			.signature()
586			.param()
587			.i32()
588			.build()
589			.body()
590			.build()
591			.build()
592			.build();
593
594		assert_eq!(module.type_section().expect("type section to exist").types().len(), 1);
595		assert_eq!(
596			module.function_section().expect("function section to exist").entries().len(),
597			1
598		);
599		assert_eq!(module.code_section().expect("code section to exist").bodies().len(), 1);
600	}
601
602	#[test]
603	fn export() {
604		let module = module().export().field("call").internal().func(0).build().build();
605
606		assert_eq!(module.export_section().expect("export section to exist").entries().len(), 1);
607	}
608
609	#[test]
610	fn global() {
611		let module = module()
612			.global()
613			.value_type()
614			.i64()
615			.mutable()
616			.init_expr(elements::Instruction::I64Const(5))
617			.build()
618			.build();
619
620		assert_eq!(module.global_section().expect("global section to exist").entries().len(), 1);
621	}
622
623	#[test]
624	fn data() {
625		let module = module()
626			.data()
627			.offset(elements::Instruction::I32Const(16))
628			.value(vec![0u8, 15, 10, 5, 25])
629			.build()
630			.build();
631
632		assert_eq!(module.data_section().expect("data section to exist").entries().len(), 1);
633	}
634
635	#[test]
636	fn reuse_types() {
637		let module = module()
638			.function()
639			.signature()
640			.param()
641			.i32()
642			.build()
643			.body()
644			.build()
645			.build()
646			.function()
647			.signature()
648			.param()
649			.i32()
650			.build()
651			.body()
652			.build()
653			.build()
654			.build();
655
656		assert_eq!(module.type_section().expect("type section failed").types().len(), 1);
657	}
658}