wasmtime_environ/component/
types.rs

1use crate::component::{MAX_FLAT_PARAMS, MAX_FLAT_RESULTS};
2use crate::{prelude::*, TypeTrace};
3use crate::{EntityType, ModuleInternedTypeIndex, ModuleTypes, PrimaryMap};
4use core::hash::{Hash, Hasher};
5use core::ops::Index;
6use serde_derive::{Deserialize, Serialize};
7use wasmparser::component_types::ComponentAnyTypeId;
8use wasmtime_component_util::{DiscriminantSize, FlagsSize};
9
10pub use crate::StaticModuleIndex;
11
12macro_rules! indices {
13    ($(
14        $(#[$a:meta])*
15        pub struct $name:ident(u32);
16    )*) => ($(
17        $(#[$a])*
18        #[derive(
19            Copy, Clone, PartialEq, Eq, Hash, PartialOrd, Ord, Debug,
20            Serialize, Deserialize,
21        )]
22        #[repr(transparent)]
23        pub struct $name(u32);
24        cranelift_entity::entity_impl!($name);
25    )*);
26}
27
28indices! {
29    // ========================================================================
30    // These indices are used during compile time only when we're translating a
31    // component at this time. The actual indices are not persisted beyond the
32    // compile phase to when we're actually working with the component at
33    // runtime.
34
35    /// Index within a component's component type index space.
36    pub struct ComponentTypeIndex(u32);
37
38    /// Index within a component's module index space.
39    pub struct ModuleIndex(u32);
40
41    /// Index within a component's component index space.
42    pub struct ComponentIndex(u32);
43
44    /// Index within a component's module instance index space.
45    pub struct ModuleInstanceIndex(u32);
46
47    /// Index within a component's component instance index space.
48    pub struct ComponentInstanceIndex(u32);
49
50    /// Index within a component's component function index space.
51    pub struct ComponentFuncIndex(u32);
52
53    // ========================================================================
54    // These indices are used to lookup type information within a `TypeTables`
55    // structure. These represent generally deduplicated type information across
56    // an entire component and are a form of RTTI in a sense.
57
58    /// Index pointing to a component's type (exports/imports with
59    /// component-model types)
60    pub struct TypeComponentIndex(u32);
61
62    /// Index pointing to a component instance's type (exports with
63    /// component-model types, no imports)
64    pub struct TypeComponentInstanceIndex(u32);
65
66    /// Index pointing to a core wasm module's type (exports/imports with
67    /// core wasm types)
68    pub struct TypeModuleIndex(u32);
69
70    /// Index pointing to a component model function type with arguments/result
71    /// as interface types.
72    pub struct TypeFuncIndex(u32);
73
74    /// Index pointing to a record type in the component model (aka a struct).
75    pub struct TypeRecordIndex(u32);
76    /// Index pointing to a variant type in the component model (aka an enum).
77    pub struct TypeVariantIndex(u32);
78    /// Index pointing to a tuple type in the component model.
79    pub struct TypeTupleIndex(u32);
80    /// Index pointing to a flags type in the component model.
81    pub struct TypeFlagsIndex(u32);
82    /// Index pointing to an enum type in the component model.
83    pub struct TypeEnumIndex(u32);
84    /// Index pointing to an option type in the component model (aka a
85    /// `Option<T, E>`)
86    pub struct TypeOptionIndex(u32);
87    /// Index pointing to an result type in the component model (aka a
88    /// `Result<T, E>`)
89    pub struct TypeResultIndex(u32);
90    /// Index pointing to a list type in the component model.
91    pub struct TypeListIndex(u32);
92    /// Index pointing to a future type in the component model.
93    pub struct TypeFutureIndex(u32);
94
95    /// Index pointing to a future table within a component.
96    ///
97    /// This is analogous to `TypeResourceTableIndex` in that it tracks
98    /// ownership of futures within each (sub)component instance.
99    pub struct TypeFutureTableIndex(u32);
100
101    /// Index pointing to a stream type in the component model.
102    pub struct TypeStreamIndex(u32);
103
104    /// Index pointing to a stream table within a component.
105    ///
106    /// This is analogous to `TypeResourceTableIndex` in that it tracks
107    /// ownership of stream within each (sub)component instance.
108    pub struct TypeStreamTableIndex(u32);
109
110    /// Index pointing to a error context table within a component.
111    ///
112    /// This is analogous to `TypeResourceTableIndex` in that it tracks
113    /// ownership of error contexts within each (sub)component instance.
114    pub struct TypeComponentLocalErrorContextTableIndex(u32);
115
116    /// Index pointing to a (component) globally tracked error context table entry
117    ///
118    /// Unlike [`TypeComponentLocalErrorContextTableIndex`], this index refers to
119    /// the global state table for error contexts at the level of the entire component,
120    /// not just a subcomponent.
121    pub struct TypeComponentGlobalErrorContextTableIndex(u32);
122
123    /// Index pointing to a resource table within a component.
124    ///
125    /// This is a Wasmtime-specific type index which isn't part of the component
126    /// model per-se (or at least not the binary format). This index represents
127    /// a pointer to a table of runtime information tracking state for resources
128    /// within a component. Tables are generated per-resource-per-component
129    /// meaning that if the exact same resource is imported into 4 subcomponents
130    /// then that's 5 tables: one for the defining component and one for each
131    /// subcomponent.
132    ///
133    /// All resource-related intrinsics operate on table-local indices which
134    /// indicate which table the intrinsic is modifying. Each resource table has
135    /// an origin resource type (defined by `ResourceIndex`) along with a
136    /// component instance that it's recorded for.
137    pub struct TypeResourceTableIndex(u32);
138
139    /// Index pointing to a resource within a component.
140    ///
141    /// This index space covers all unique resource type definitions. For
142    /// example all unique imports come first and then all locally-defined
143    /// resources come next. Note that this does not count the number of runtime
144    /// tables required to track resources (that's `TypeResourceTableIndex`
145    /// instead). Instead this is a count of the number of unique
146    /// `(type (resource (rep ..)))` declarations within a component, plus
147    /// imports.
148    ///
149    /// This is then used for correlating various information such as
150    /// destructors, origin information, etc.
151    pub struct ResourceIndex(u32);
152
153    /// Index pointing to a local resource defined within a component.
154    ///
155    /// This is similar to `FooIndex` and `DefinedFooIndex` for core wasm and
156    /// the idea here is that this is guaranteed to be a wasm-defined resource
157    /// which is connected to a component instance for example.
158    pub struct DefinedResourceIndex(u32);
159
160    // ========================================================================
161    // Index types used to identify modules and components during compilation.
162
163    /// Index into a "closed over variables" list for components used to
164    /// implement outer aliases. For more information on this see the
165    /// documentation for the `LexicalScope` structure.
166    pub struct ModuleUpvarIndex(u32);
167
168    /// Same as `ModuleUpvarIndex` but for components.
169    pub struct ComponentUpvarIndex(u32);
170
171    /// Same as `StaticModuleIndex` but for components.
172    pub struct StaticComponentIndex(u32);
173
174    // ========================================================================
175    // These indices are actually used at runtime when managing a component at
176    // this time.
177
178    /// Index that represents a core wasm instance created at runtime.
179    ///
180    /// This is used to keep track of when instances are created and is able to
181    /// refer back to previously created instances for exports and such.
182    pub struct RuntimeInstanceIndex(u32);
183
184    /// Same as `RuntimeInstanceIndex` but tracks component instances instead.
185    pub struct RuntimeComponentInstanceIndex(u32);
186
187    /// Used to index imports into a `Component`
188    ///
189    /// This does not correspond to anything in the binary format for the
190    /// component model.
191    pub struct ImportIndex(u32);
192
193    /// Index that represents a leaf item imported into a component where a
194    /// "leaf" means "not an instance".
195    ///
196    /// This does not correspond to anything in the binary format for the
197    /// component model.
198    pub struct RuntimeImportIndex(u32);
199
200    /// Index that represents a lowered host function and is used to represent
201    /// host function lowerings with options and such.
202    ///
203    /// This does not correspond to anything in the binary format for the
204    /// component model.
205    pub struct LoweredIndex(u32);
206
207    /// Index representing a linear memory extracted from a wasm instance
208    /// which is stored in a `VMComponentContext`. This is used to deduplicate
209    /// references to the same linear memory where it's only stored once in a
210    /// `VMComponentContext`.
211    ///
212    /// This does not correspond to anything in the binary format for the
213    /// component model.
214    pub struct RuntimeMemoryIndex(u32);
215
216    /// Same as `RuntimeMemoryIndex` except for the `realloc` function.
217    pub struct RuntimeReallocIndex(u32);
218
219    /// Same as `RuntimeMemoryIndex` except for the `callback` function.
220    pub struct RuntimeCallbackIndex(u32);
221
222    /// Same as `RuntimeMemoryIndex` except for the `post-return` function.
223    pub struct RuntimePostReturnIndex(u32);
224
225    /// Index representing a table extracted from a wasm instance which is
226    /// stored in a `VMComponentContext`. This is used to deduplicate references
227    /// to the same table when it's only stored once in a `VMComponentContext`.
228    ///
229    /// This does not correspond to anything in the binary format for the
230    /// component model.
231    pub struct RuntimeTableIndex(u32);
232
233    /// Index for all trampolines that are compiled in Cranelift for a
234    /// component.
235    ///
236    /// This is used to point to various bits of metadata within a compiled
237    /// component and is stored in the final compilation artifact. This does not
238    /// have a direct correspondence to any wasm definition.
239    pub struct TrampolineIndex(u32);
240
241    /// An index into `Component::export_items` at the end of compilation.
242    pub struct ExportIndex(u32);
243}
244
245// Reexport for convenience some core-wasm indices which are also used in the
246// component model, typically for when aliasing exports of core wasm modules.
247pub use crate::{FuncIndex, GlobalIndex, MemoryIndex, TableIndex};
248
249/// Equivalent of `EntityIndex` but for the component model instead of core
250/// wasm.
251#[derive(Debug, Clone, Copy)]
252#[expect(missing_docs, reason = "self-describing variants")]
253pub enum ComponentItem {
254    Func(ComponentFuncIndex),
255    Module(ModuleIndex),
256    Component(ComponentIndex),
257    ComponentInstance(ComponentInstanceIndex),
258    Type(ComponentAnyTypeId),
259}
260
261/// Runtime information about the type information contained within a component.
262///
263/// One of these is created per top-level component which describes all of the
264/// types contained within the top-level component itself. Each sub-component
265/// will have a pointer to this value as well.
266#[derive(Default, Serialize, Deserialize)]
267pub struct ComponentTypes {
268    pub(super) modules: PrimaryMap<TypeModuleIndex, TypeModule>,
269    pub(super) components: PrimaryMap<TypeComponentIndex, TypeComponent>,
270    pub(super) component_instances: PrimaryMap<TypeComponentInstanceIndex, TypeComponentInstance>,
271    pub(super) functions: PrimaryMap<TypeFuncIndex, TypeFunc>,
272    pub(super) lists: PrimaryMap<TypeListIndex, TypeList>,
273    pub(super) records: PrimaryMap<TypeRecordIndex, TypeRecord>,
274    pub(super) variants: PrimaryMap<TypeVariantIndex, TypeVariant>,
275    pub(super) tuples: PrimaryMap<TypeTupleIndex, TypeTuple>,
276    pub(super) enums: PrimaryMap<TypeEnumIndex, TypeEnum>,
277    pub(super) flags: PrimaryMap<TypeFlagsIndex, TypeFlags>,
278    pub(super) options: PrimaryMap<TypeOptionIndex, TypeOption>,
279    pub(super) results: PrimaryMap<TypeResultIndex, TypeResult>,
280    pub(super) resource_tables: PrimaryMap<TypeResourceTableIndex, TypeResourceTable>,
281    pub(super) module_types: Option<ModuleTypes>,
282    pub(super) futures: PrimaryMap<TypeFutureIndex, TypeFuture>,
283    pub(super) future_tables: PrimaryMap<TypeFutureTableIndex, TypeFutureTable>,
284    pub(super) streams: PrimaryMap<TypeStreamIndex, TypeStream>,
285    pub(super) stream_tables: PrimaryMap<TypeStreamTableIndex, TypeStreamTable>,
286    pub(super) error_context_tables:
287        PrimaryMap<TypeComponentLocalErrorContextTableIndex, TypeErrorContextTable>,
288}
289
290impl TypeTrace for ComponentTypes {
291    fn trace<F, E>(&self, func: &mut F) -> Result<(), E>
292    where
293        F: FnMut(crate::EngineOrModuleTypeIndex) -> Result<(), E>,
294    {
295        for (_, m) in &self.modules {
296            m.trace(func)?;
297        }
298        if let Some(m) = self.module_types.as_ref() {
299            m.trace(func)?;
300        }
301        Ok(())
302    }
303
304    fn trace_mut<F, E>(&mut self, func: &mut F) -> Result<(), E>
305    where
306        F: FnMut(&mut crate::EngineOrModuleTypeIndex) -> Result<(), E>,
307    {
308        for (_, m) in &mut self.modules {
309            m.trace_mut(func)?;
310        }
311        if let Some(m) = self.module_types.as_mut() {
312            m.trace_mut(func)?;
313        }
314        Ok(())
315    }
316}
317
318impl ComponentTypes {
319    /// Returns the core wasm module types known within this component.
320    pub fn module_types(&self) -> &ModuleTypes {
321        self.module_types.as_ref().unwrap()
322    }
323
324    /// Returns the core wasm module types known within this component.
325    pub fn module_types_mut(&mut self) -> &mut ModuleTypes {
326        self.module_types.as_mut().unwrap()
327    }
328
329    /// Returns the canonical ABI information about the specified type.
330    pub fn canonical_abi(&self, ty: &InterfaceType) -> &CanonicalAbiInfo {
331        match ty {
332            InterfaceType::U8 | InterfaceType::S8 | InterfaceType::Bool => {
333                &CanonicalAbiInfo::SCALAR1
334            }
335
336            InterfaceType::U16 | InterfaceType::S16 => &CanonicalAbiInfo::SCALAR2,
337
338            InterfaceType::U32
339            | InterfaceType::S32
340            | InterfaceType::Float32
341            | InterfaceType::Char
342            | InterfaceType::Own(_)
343            | InterfaceType::Borrow(_)
344            | InterfaceType::Future(_)
345            | InterfaceType::Stream(_)
346            | InterfaceType::ErrorContext(_) => &CanonicalAbiInfo::SCALAR4,
347
348            InterfaceType::U64 | InterfaceType::S64 | InterfaceType::Float64 => {
349                &CanonicalAbiInfo::SCALAR8
350            }
351
352            InterfaceType::String | InterfaceType::List(_) => &CanonicalAbiInfo::POINTER_PAIR,
353
354            InterfaceType::Record(i) => &self[*i].abi,
355            InterfaceType::Variant(i) => &self[*i].abi,
356            InterfaceType::Tuple(i) => &self[*i].abi,
357            InterfaceType::Flags(i) => &self[*i].abi,
358            InterfaceType::Enum(i) => &self[*i].abi,
359            InterfaceType::Option(i) => &self[*i].abi,
360            InterfaceType::Result(i) => &self[*i].abi,
361        }
362    }
363
364    /// Adds a new `table` to the list of resource tables for this component.
365    pub fn push_resource_table(&mut self, table: TypeResourceTable) -> TypeResourceTableIndex {
366        self.resource_tables.push(table)
367    }
368}
369
370macro_rules! impl_index {
371    ($(impl Index<$ty:ident> for ComponentTypes { $output:ident => $field:ident })*) => ($(
372        impl core::ops::Index<$ty> for ComponentTypes {
373            type Output = $output;
374            #[inline]
375            fn index(&self, idx: $ty) -> &$output {
376                &self.$field[idx]
377            }
378        }
379
380        #[cfg(feature = "compile")]
381        impl core::ops::Index<$ty> for super::ComponentTypesBuilder {
382            type Output = $output;
383            #[inline]
384            fn index(&self, idx: $ty) -> &$output {
385                &self.component_types()[idx]
386            }
387        }
388    )*)
389}
390
391impl_index! {
392    impl Index<TypeModuleIndex> for ComponentTypes { TypeModule => modules }
393    impl Index<TypeComponentIndex> for ComponentTypes { TypeComponent => components }
394    impl Index<TypeComponentInstanceIndex> for ComponentTypes { TypeComponentInstance => component_instances }
395    impl Index<TypeFuncIndex> for ComponentTypes { TypeFunc => functions }
396    impl Index<TypeRecordIndex> for ComponentTypes { TypeRecord => records }
397    impl Index<TypeVariantIndex> for ComponentTypes { TypeVariant => variants }
398    impl Index<TypeTupleIndex> for ComponentTypes { TypeTuple => tuples }
399    impl Index<TypeEnumIndex> for ComponentTypes { TypeEnum => enums }
400    impl Index<TypeFlagsIndex> for ComponentTypes { TypeFlags => flags }
401    impl Index<TypeOptionIndex> for ComponentTypes { TypeOption => options }
402    impl Index<TypeResultIndex> for ComponentTypes { TypeResult => results }
403    impl Index<TypeListIndex> for ComponentTypes { TypeList => lists }
404    impl Index<TypeResourceTableIndex> for ComponentTypes { TypeResourceTable => resource_tables }
405    impl Index<TypeFutureIndex> for ComponentTypes { TypeFuture => futures }
406    impl Index<TypeStreamIndex> for ComponentTypes { TypeStream => streams }
407    impl Index<TypeFutureTableIndex> for ComponentTypes { TypeFutureTable => future_tables }
408    impl Index<TypeStreamTableIndex> for ComponentTypes { TypeStreamTable => stream_tables }
409    impl Index<TypeComponentLocalErrorContextTableIndex> for ComponentTypes { TypeErrorContextTable => error_context_tables }
410}
411
412// Additionally forward anything that can index `ModuleTypes` to `ModuleTypes`
413// (aka `SignatureIndex`)
414impl<T> Index<T> for ComponentTypes
415where
416    ModuleTypes: Index<T>,
417{
418    type Output = <ModuleTypes as Index<T>>::Output;
419    fn index(&self, idx: T) -> &Self::Output {
420        self.module_types.as_ref().unwrap().index(idx)
421    }
422}
423
424/// Types of imports and exports in the component model.
425///
426/// These types are what's available for import and export in components. Note
427/// that all indirect indices contained here are intended to be looked up
428/// through a sibling `ComponentTypes` structure.
429#[derive(Copy, Clone, Debug, Serialize, Deserialize)]
430pub enum TypeDef {
431    /// A component and its type.
432    Component(TypeComponentIndex),
433    /// An instance of a component.
434    ComponentInstance(TypeComponentInstanceIndex),
435    /// A component function, not to be confused with a core wasm function.
436    ComponentFunc(TypeFuncIndex),
437    /// An type in an interface.
438    Interface(InterfaceType),
439    /// A core wasm module and its type.
440    Module(TypeModuleIndex),
441    /// A core wasm function using only core wasm types.
442    CoreFunc(ModuleInternedTypeIndex),
443    /// A resource type which operates on the specified resource table.
444    ///
445    /// Note that different resource tables may point to the same underlying
446    /// actual resource type, but that's a private detail.
447    Resource(TypeResourceTableIndex),
448}
449
450impl TypeDef {
451    /// A human readable description of what kind of type definition this is.
452    pub fn desc(&self) -> &str {
453        match self {
454            TypeDef::Component(_) => "component",
455            TypeDef::ComponentInstance(_) => "instance",
456            TypeDef::ComponentFunc(_) => "function",
457            TypeDef::Interface(_) => "type",
458            TypeDef::Module(_) => "core module",
459            TypeDef::CoreFunc(_) => "core function",
460            TypeDef::Resource(_) => "resource",
461        }
462    }
463}
464
465// NB: Note that maps below are stored as an `IndexMap` now but the order
466// typically does not matter. As a minor implementation detail we want the
467// serialization of this type to always be deterministic and using `IndexMap`
468// gets us that over using a `HashMap` for example.
469
470/// The type of a module in the component model.
471///
472/// Note that this is not to be confused with `TypeComponent` below. This is
473/// intended only for core wasm modules, not for components.
474#[derive(Serialize, Deserialize, Default)]
475pub struct TypeModule {
476    /// The values that this module imports.
477    ///
478    /// Note that the value of this map is a core wasm `EntityType`, not a
479    /// component model `TypeRef`. Additionally note that this reflects the
480    /// two-level namespace of core WebAssembly, but unlike core wasm all import
481    /// names are required to be unique to describe a module in the component
482    /// model.
483    pub imports: IndexMap<(String, String), EntityType>,
484
485    /// The values that this module exports.
486    ///
487    /// Note that the value of this map is the core wasm `EntityType` to
488    /// represent that core wasm items are being exported.
489    pub exports: IndexMap<String, EntityType>,
490}
491
492impl TypeTrace for TypeModule {
493    fn trace<F, E>(&self, func: &mut F) -> Result<(), E>
494    where
495        F: FnMut(crate::EngineOrModuleTypeIndex) -> Result<(), E>,
496    {
497        for ty in self.imports.values() {
498            ty.trace(func)?;
499        }
500        for ty in self.exports.values() {
501            ty.trace(func)?;
502        }
503        Ok(())
504    }
505
506    fn trace_mut<F, E>(&mut self, func: &mut F) -> Result<(), E>
507    where
508        F: FnMut(&mut crate::EngineOrModuleTypeIndex) -> Result<(), E>,
509    {
510        for ty in self.imports.values_mut() {
511            ty.trace_mut(func)?;
512        }
513        for ty in self.exports.values_mut() {
514            ty.trace_mut(func)?;
515        }
516        Ok(())
517    }
518}
519
520/// The type of a component in the component model.
521#[derive(Serialize, Deserialize, Default)]
522pub struct TypeComponent {
523    /// The named values that this component imports.
524    pub imports: IndexMap<String, TypeDef>,
525    /// The named values that this component exports.
526    pub exports: IndexMap<String, TypeDef>,
527}
528
529/// The type of a component instance in the component model, or an instantiated
530/// component.
531///
532/// Component instances only have exports of types in the component model.
533#[derive(Serialize, Deserialize, Default)]
534pub struct TypeComponentInstance {
535    /// The list of exports that this component has along with their types.
536    pub exports: IndexMap<String, TypeDef>,
537}
538
539/// A component function type in the component model.
540#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
541pub struct TypeFunc {
542    /// Names of parameters.
543    pub param_names: Vec<String>,
544    /// Parameters to the function represented as a tuple.
545    pub params: TypeTupleIndex,
546    /// Results of the function represented as a tuple.
547    pub results: TypeTupleIndex,
548}
549
550/// All possible interface types that values can have.
551///
552/// This list represents an exhaustive listing of interface types and the
553/// shapes that they can take. Note that this enum is considered an "index" of
554/// forms where for non-primitive types a `ComponentTypes` structure is used to
555/// lookup further information based on the index found here.
556#[derive(Serialize, Deserialize, Copy, Clone, Hash, Eq, PartialEq, Debug)]
557#[expect(missing_docs, reason = "self-describing variants")]
558pub enum InterfaceType {
559    Bool,
560    S8,
561    U8,
562    S16,
563    U16,
564    S32,
565    U32,
566    S64,
567    U64,
568    Float32,
569    Float64,
570    Char,
571    String,
572    Record(TypeRecordIndex),
573    Variant(TypeVariantIndex),
574    List(TypeListIndex),
575    Tuple(TypeTupleIndex),
576    Flags(TypeFlagsIndex),
577    Enum(TypeEnumIndex),
578    Option(TypeOptionIndex),
579    Result(TypeResultIndex),
580    Own(TypeResourceTableIndex),
581    Borrow(TypeResourceTableIndex),
582    Future(TypeFutureTableIndex),
583    Stream(TypeStreamTableIndex),
584    ErrorContext(TypeComponentLocalErrorContextTableIndex),
585}
586
587/// Bye information about a type in the canonical ABI, with metadata for both
588/// memory32 and memory64-based types.
589#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
590pub struct CanonicalAbiInfo {
591    /// The byte-size of this type in a 32-bit memory.
592    pub size32: u32,
593    /// The byte-alignment of this type in a 32-bit memory.
594    pub align32: u32,
595    /// The byte-size of this type in a 64-bit memory.
596    pub size64: u32,
597    /// The byte-alignment of this type in a 64-bit memory.
598    pub align64: u32,
599    /// The number of types it takes to represents this type in the "flat"
600    /// representation of the canonical abi where everything is passed as
601    /// immediate arguments or results.
602    ///
603    /// If this is `None` then this type is not representable in the flat ABI
604    /// because it is too large.
605    pub flat_count: Option<u8>,
606}
607
608impl Default for CanonicalAbiInfo {
609    fn default() -> CanonicalAbiInfo {
610        CanonicalAbiInfo {
611            size32: 0,
612            align32: 1,
613            size64: 0,
614            align64: 1,
615            flat_count: Some(0),
616        }
617    }
618}
619
620const fn align_to(a: u32, b: u32) -> u32 {
621    assert!(b.is_power_of_two());
622    (a + (b - 1)) & !(b - 1)
623}
624
625const fn max(a: u32, b: u32) -> u32 {
626    if a > b {
627        a
628    } else {
629        b
630    }
631}
632
633impl CanonicalAbiInfo {
634    /// ABI information for zero-sized types.
635    pub const ZERO: CanonicalAbiInfo = CanonicalAbiInfo {
636        size32: 0,
637        align32: 1,
638        size64: 0,
639        align64: 1,
640        flat_count: Some(0),
641    };
642
643    /// ABI information for one-byte scalars.
644    pub const SCALAR1: CanonicalAbiInfo = CanonicalAbiInfo::scalar(1);
645    /// ABI information for two-byte scalars.
646    pub const SCALAR2: CanonicalAbiInfo = CanonicalAbiInfo::scalar(2);
647    /// ABI information for four-byte scalars.
648    pub const SCALAR4: CanonicalAbiInfo = CanonicalAbiInfo::scalar(4);
649    /// ABI information for eight-byte scalars.
650    pub const SCALAR8: CanonicalAbiInfo = CanonicalAbiInfo::scalar(8);
651
652    const fn scalar(size: u32) -> CanonicalAbiInfo {
653        CanonicalAbiInfo {
654            size32: size,
655            align32: size,
656            size64: size,
657            align64: size,
658            flat_count: Some(1),
659        }
660    }
661
662    /// ABI information for lists/strings which are "pointer pairs"
663    pub const POINTER_PAIR: CanonicalAbiInfo = CanonicalAbiInfo {
664        size32: 8,
665        align32: 4,
666        size64: 16,
667        align64: 8,
668        flat_count: Some(2),
669    };
670
671    /// Returns the abi for a record represented by the specified fields.
672    pub fn record<'a>(fields: impl Iterator<Item = &'a CanonicalAbiInfo>) -> CanonicalAbiInfo {
673        // NB: this is basically a duplicate copy of
674        // `CanonicalAbiInfo::record_static` and the two should be kept in sync.
675
676        let mut ret = CanonicalAbiInfo::default();
677        for field in fields {
678            ret.size32 = align_to(ret.size32, field.align32) + field.size32;
679            ret.align32 = ret.align32.max(field.align32);
680            ret.size64 = align_to(ret.size64, field.align64) + field.size64;
681            ret.align64 = ret.align64.max(field.align64);
682            ret.flat_count = add_flat(ret.flat_count, field.flat_count);
683        }
684        ret.size32 = align_to(ret.size32, ret.align32);
685        ret.size64 = align_to(ret.size64, ret.align64);
686        return ret;
687    }
688
689    /// Same as `CanonicalAbiInfo::record` but in a `const`-friendly context.
690    pub const fn record_static(fields: &[CanonicalAbiInfo]) -> CanonicalAbiInfo {
691        // NB: this is basically a duplicate copy of `CanonicalAbiInfo::record`
692        // and the two should be kept in sync.
693
694        let mut ret = CanonicalAbiInfo::ZERO;
695        let mut i = 0;
696        while i < fields.len() {
697            let field = &fields[i];
698            ret.size32 = align_to(ret.size32, field.align32) + field.size32;
699            ret.align32 = max(ret.align32, field.align32);
700            ret.size64 = align_to(ret.size64, field.align64) + field.size64;
701            ret.align64 = max(ret.align64, field.align64);
702            ret.flat_count = add_flat(ret.flat_count, field.flat_count);
703            i += 1;
704        }
705        ret.size32 = align_to(ret.size32, ret.align32);
706        ret.size64 = align_to(ret.size64, ret.align64);
707        return ret;
708    }
709
710    /// Returns the delta from the current value of `offset` to align properly
711    /// and read the next record field of type `abi` for 32-bit memories.
712    pub fn next_field32(&self, offset: &mut u32) -> u32 {
713        *offset = align_to(*offset, self.align32) + self.size32;
714        *offset - self.size32
715    }
716
717    /// Same as `next_field32`, but bumps a usize pointer
718    pub fn next_field32_size(&self, offset: &mut usize) -> usize {
719        let cur = u32::try_from(*offset).unwrap();
720        let cur = align_to(cur, self.align32) + self.size32;
721        *offset = usize::try_from(cur).unwrap();
722        usize::try_from(cur - self.size32).unwrap()
723    }
724
725    /// Returns the delta from the current value of `offset` to align properly
726    /// and read the next record field of type `abi` for 64-bit memories.
727    pub fn next_field64(&self, offset: &mut u32) -> u32 {
728        *offset = align_to(*offset, self.align64) + self.size64;
729        *offset - self.size64
730    }
731
732    /// Same as `next_field64`, but bumps a usize pointer
733    pub fn next_field64_size(&self, offset: &mut usize) -> usize {
734        let cur = u32::try_from(*offset).unwrap();
735        let cur = align_to(cur, self.align64) + self.size64;
736        *offset = usize::try_from(cur).unwrap();
737        usize::try_from(cur - self.size64).unwrap()
738    }
739
740    /// Returns ABI information for a structure which contains `count` flags.
741    pub const fn flags(count: usize) -> CanonicalAbiInfo {
742        let (size, align, flat_count) = match FlagsSize::from_count(count) {
743            FlagsSize::Size0 => (0, 1, 0),
744            FlagsSize::Size1 => (1, 1, 1),
745            FlagsSize::Size2 => (2, 2, 1),
746            FlagsSize::Size4Plus(n) => ((n as u32) * 4, 4, n),
747        };
748        CanonicalAbiInfo {
749            size32: size,
750            align32: align,
751            size64: size,
752            align64: align,
753            flat_count: Some(flat_count),
754        }
755    }
756
757    fn variant<'a, I>(cases: I) -> CanonicalAbiInfo
758    where
759        I: IntoIterator<Item = Option<&'a CanonicalAbiInfo>>,
760        I::IntoIter: ExactSizeIterator,
761    {
762        // NB: this is basically a duplicate definition of
763        // `CanonicalAbiInfo::variant_static`, these should be kept in sync.
764
765        let cases = cases.into_iter();
766        let discrim_size = u32::from(DiscriminantSize::from_count(cases.len()).unwrap());
767        let mut max_size32 = 0;
768        let mut max_align32 = discrim_size;
769        let mut max_size64 = 0;
770        let mut max_align64 = discrim_size;
771        let mut max_case_count = Some(0);
772        for case in cases {
773            if let Some(case) = case {
774                max_size32 = max_size32.max(case.size32);
775                max_align32 = max_align32.max(case.align32);
776                max_size64 = max_size64.max(case.size64);
777                max_align64 = max_align64.max(case.align64);
778                max_case_count = max_flat(max_case_count, case.flat_count);
779            }
780        }
781        CanonicalAbiInfo {
782            size32: align_to(
783                align_to(discrim_size, max_align32) + max_size32,
784                max_align32,
785            ),
786            align32: max_align32,
787            size64: align_to(
788                align_to(discrim_size, max_align64) + max_size64,
789                max_align64,
790            ),
791            align64: max_align64,
792            flat_count: add_flat(max_case_count, Some(1)),
793        }
794    }
795
796    /// Same as `CanonicalAbiInfo::variant` but `const`-safe
797    pub const fn variant_static(cases: &[Option<CanonicalAbiInfo>]) -> CanonicalAbiInfo {
798        // NB: this is basically a duplicate definition of
799        // `CanonicalAbiInfo::variant`, these should be kept in sync.
800
801        let discrim_size = match DiscriminantSize::from_count(cases.len()) {
802            Some(size) => size.byte_size(),
803            None => unreachable!(),
804        };
805        let mut max_size32 = 0;
806        let mut max_align32 = discrim_size;
807        let mut max_size64 = 0;
808        let mut max_align64 = discrim_size;
809        let mut max_case_count = Some(0);
810        let mut i = 0;
811        while i < cases.len() {
812            let case = &cases[i];
813            if let Some(case) = case {
814                max_size32 = max(max_size32, case.size32);
815                max_align32 = max(max_align32, case.align32);
816                max_size64 = max(max_size64, case.size64);
817                max_align64 = max(max_align64, case.align64);
818                max_case_count = max_flat(max_case_count, case.flat_count);
819            }
820            i += 1;
821        }
822        CanonicalAbiInfo {
823            size32: align_to(
824                align_to(discrim_size, max_align32) + max_size32,
825                max_align32,
826            ),
827            align32: max_align32,
828            size64: align_to(
829                align_to(discrim_size, max_align64) + max_size64,
830                max_align64,
831            ),
832            align64: max_align64,
833            flat_count: add_flat(max_case_count, Some(1)),
834        }
835    }
836
837    /// Calculates ABI information for an enum with `cases` cases.
838    pub const fn enum_(cases: usize) -> CanonicalAbiInfo {
839        // NB: this is basically a duplicate definition of
840        // `CanonicalAbiInfo::variant`, these should be kept in sync.
841
842        let discrim_size = match DiscriminantSize::from_count(cases) {
843            Some(size) => size.byte_size(),
844            None => unreachable!(),
845        };
846        CanonicalAbiInfo {
847            size32: discrim_size,
848            align32: discrim_size,
849            size64: discrim_size,
850            align64: discrim_size,
851            flat_count: Some(1),
852        }
853    }
854
855    /// Returns the flat count of this ABI information so long as the count
856    /// doesn't exceed the `max` specified.
857    pub fn flat_count(&self, max: usize) -> Option<usize> {
858        let flat = usize::from(self.flat_count?);
859        if flat > max {
860            None
861        } else {
862            Some(flat)
863        }
864    }
865}
866
867/// ABI information about the representation of a variant.
868#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
869pub struct VariantInfo {
870    /// The size of the discriminant used.
871    #[serde(with = "serde_discrim_size")]
872    pub size: DiscriminantSize,
873    /// The offset of the payload from the start of the variant in 32-bit
874    /// memories.
875    pub payload_offset32: u32,
876    /// The offset of the payload from the start of the variant in 64-bit
877    /// memories.
878    pub payload_offset64: u32,
879}
880
881impl VariantInfo {
882    /// Returns the abi information for a variant represented by the specified
883    /// cases.
884    pub fn new<'a, I>(cases: I) -> (VariantInfo, CanonicalAbiInfo)
885    where
886        I: IntoIterator<Item = Option<&'a CanonicalAbiInfo>>,
887        I::IntoIter: ExactSizeIterator,
888    {
889        let cases = cases.into_iter();
890        let size = DiscriminantSize::from_count(cases.len()).unwrap();
891        let abi = CanonicalAbiInfo::variant(cases);
892        (
893            VariantInfo {
894                size,
895                payload_offset32: align_to(u32::from(size), abi.align32),
896                payload_offset64: align_to(u32::from(size), abi.align64),
897            },
898            abi,
899        )
900    }
901    /// TODO
902    pub const fn new_static(cases: &[Option<CanonicalAbiInfo>]) -> VariantInfo {
903        let size = match DiscriminantSize::from_count(cases.len()) {
904            Some(size) => size,
905            None => unreachable!(),
906        };
907        let abi = CanonicalAbiInfo::variant_static(cases);
908        VariantInfo {
909            size,
910            payload_offset32: align_to(size.byte_size(), abi.align32),
911            payload_offset64: align_to(size.byte_size(), abi.align64),
912        }
913    }
914}
915
916mod serde_discrim_size {
917    use super::DiscriminantSize;
918    use serde::{de::Error, Deserialize, Deserializer, Serialize, Serializer};
919
920    pub fn serialize<S>(disc: &DiscriminantSize, ser: S) -> Result<S::Ok, S::Error>
921    where
922        S: Serializer,
923    {
924        u32::from(*disc).serialize(ser)
925    }
926
927    pub fn deserialize<'de, D>(deser: D) -> Result<DiscriminantSize, D::Error>
928    where
929        D: Deserializer<'de>,
930    {
931        match u32::deserialize(deser)? {
932            1 => Ok(DiscriminantSize::Size1),
933            2 => Ok(DiscriminantSize::Size2),
934            4 => Ok(DiscriminantSize::Size4),
935            _ => Err(D::Error::custom("invalid discriminant size")),
936        }
937    }
938}
939
940/// Shape of a "record" type in interface types.
941///
942/// This is equivalent to a `struct` in Rust.
943#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
944pub struct TypeRecord {
945    /// The fields that are contained within this struct type.
946    pub fields: Box<[RecordField]>,
947    /// Byte information about this type in the canonical ABI.
948    pub abi: CanonicalAbiInfo,
949}
950
951/// One field within a record.
952#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
953pub struct RecordField {
954    /// The name of the field, unique amongst all fields in a record.
955    pub name: String,
956    /// The type that this field contains.
957    pub ty: InterfaceType,
958}
959
960/// Shape of a "variant" type in interface types.
961///
962/// Variants are close to Rust `enum` declarations where a value is one of many
963/// cases and each case has a unique name and an optional payload associated
964/// with it.
965#[derive(Serialize, Deserialize, Clone, Eq, PartialEq, Debug)]
966pub struct TypeVariant {
967    /// The list of cases that this variant can take.
968    pub cases: IndexMap<String, Option<InterfaceType>>,
969    /// Byte information about this type in the canonical ABI.
970    pub abi: CanonicalAbiInfo,
971    /// Byte information about this variant type.
972    pub info: VariantInfo,
973}
974
975impl Hash for TypeVariant {
976    fn hash<H: Hasher>(&self, h: &mut H) {
977        let TypeVariant { cases, abi, info } = self;
978        cases.len().hash(h);
979        for pair in cases {
980            pair.hash(h);
981        }
982        abi.hash(h);
983        info.hash(h);
984    }
985}
986
987/// Shape of a "tuple" type in interface types.
988///
989/// This is largely the same as a tuple in Rust, basically a record with
990/// unnamed fields.
991#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
992pub struct TypeTuple {
993    /// The types that are contained within this tuple.
994    pub types: Box<[InterfaceType]>,
995    /// Byte information about this type in the canonical ABI.
996    pub abi: CanonicalAbiInfo,
997}
998
999/// Shape of a "flags" type in interface types.
1000///
1001/// This can be thought of as a record-of-bools, although the representation is
1002/// more efficient as bitflags.
1003#[derive(Serialize, Deserialize, Clone, Eq, PartialEq, Debug)]
1004pub struct TypeFlags {
1005    /// The names of all flags, all of which are unique.
1006    pub names: IndexSet<String>,
1007    /// Byte information about this type in the canonical ABI.
1008    pub abi: CanonicalAbiInfo,
1009}
1010
1011impl Hash for TypeFlags {
1012    fn hash<H: Hasher>(&self, h: &mut H) {
1013        let TypeFlags { names, abi } = self;
1014        names.len().hash(h);
1015        for name in names {
1016            name.hash(h);
1017        }
1018        abi.hash(h);
1019    }
1020}
1021
1022/// Shape of an "enum" type in interface types, not to be confused with a Rust
1023/// `enum` type.
1024///
1025/// In interface types enums are simply a bag of names, and can be seen as a
1026/// variant where all payloads are `Unit`.
1027#[derive(Serialize, Deserialize, Clone, Eq, PartialEq, Debug)]
1028pub struct TypeEnum {
1029    /// The names of this enum, all of which are unique.
1030    pub names: IndexSet<String>,
1031    /// Byte information about this type in the canonical ABI.
1032    pub abi: CanonicalAbiInfo,
1033    /// Byte information about this variant type.
1034    pub info: VariantInfo,
1035}
1036
1037impl Hash for TypeEnum {
1038    fn hash<H: Hasher>(&self, h: &mut H) {
1039        let TypeEnum { names, abi, info } = self;
1040        names.len().hash(h);
1041        for name in names {
1042            name.hash(h);
1043        }
1044        abi.hash(h);
1045        info.hash(h);
1046    }
1047}
1048
1049/// Shape of an "option" interface type.
1050#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
1051pub struct TypeOption {
1052    /// The `T` in `Result<T, E>`
1053    pub ty: InterfaceType,
1054    /// Byte information about this type in the canonical ABI.
1055    pub abi: CanonicalAbiInfo,
1056    /// Byte information about this variant type.
1057    pub info: VariantInfo,
1058}
1059
1060/// Shape of a "result" interface type.
1061#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
1062pub struct TypeResult {
1063    /// The `T` in `Result<T, E>`
1064    pub ok: Option<InterfaceType>,
1065    /// The `E` in `Result<T, E>`
1066    pub err: Option<InterfaceType>,
1067    /// Byte information about this type in the canonical ABI.
1068    pub abi: CanonicalAbiInfo,
1069    /// Byte information about this variant type.
1070    pub info: VariantInfo,
1071}
1072
1073/// Shape of a "future" interface type.
1074#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
1075pub struct TypeFuture {
1076    /// The `T` in `future<T>`
1077    pub payload: Option<InterfaceType>,
1078}
1079
1080/// Metadata about a future table added to a component.
1081#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
1082pub struct TypeFutureTable {
1083    /// The specific future type this table is used for.
1084    pub ty: TypeFutureIndex,
1085    /// The specific component instance this table is used for.
1086    pub instance: RuntimeComponentInstanceIndex,
1087}
1088
1089/// Shape of a "stream" interface type.
1090#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
1091pub struct TypeStream {
1092    /// The `T` in `stream<T>`
1093    pub payload: Option<InterfaceType>,
1094}
1095
1096/// Metadata about a stream table added to a component.
1097#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
1098pub struct TypeStreamTable {
1099    /// The specific stream type this table is used for.
1100    pub ty: TypeStreamIndex,
1101    /// The specific component instance this table is used for.
1102    pub instance: RuntimeComponentInstanceIndex,
1103}
1104
1105/// Metadata about a error context table added to a component.
1106#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
1107pub struct TypeErrorContextTable {
1108    /// The specific component instance this table is used for.
1109    pub instance: RuntimeComponentInstanceIndex,
1110}
1111
1112/// Metadata about a resource table added to a component.
1113#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
1114pub struct TypeResourceTable {
1115    /// The original resource that this table contains.
1116    ///
1117    /// This is used when destroying resources within this table since this
1118    /// original definition will know how to execute destructors.
1119    pub ty: ResourceIndex,
1120
1121    /// The component instance that contains this resource table.
1122    pub instance: RuntimeComponentInstanceIndex,
1123}
1124
1125/// Shape of a "list" interface type.
1126#[derive(Serialize, Deserialize, Clone, Hash, Eq, PartialEq, Debug)]
1127pub struct TypeList {
1128    /// The element type of the list.
1129    pub element: InterfaceType,
1130}
1131
1132/// Maximum number of flat types, for either params or results.
1133pub const MAX_FLAT_TYPES: usize = if MAX_FLAT_PARAMS > MAX_FLAT_RESULTS {
1134    MAX_FLAT_PARAMS
1135} else {
1136    MAX_FLAT_RESULTS
1137};
1138
1139const fn add_flat(a: Option<u8>, b: Option<u8>) -> Option<u8> {
1140    const MAX: u8 = MAX_FLAT_TYPES as u8;
1141    let sum = match (a, b) {
1142        (Some(a), Some(b)) => match a.checked_add(b) {
1143            Some(c) => c,
1144            None => return None,
1145        },
1146        _ => return None,
1147    };
1148    if sum > MAX {
1149        None
1150    } else {
1151        Some(sum)
1152    }
1153}
1154
1155const fn max_flat(a: Option<u8>, b: Option<u8>) -> Option<u8> {
1156    match (a, b) {
1157        (Some(a), Some(b)) => {
1158            if a > b {
1159                Some(a)
1160            } else {
1161                Some(b)
1162            }
1163        }
1164        _ => None,
1165    }
1166}
1167
1168/// Flat representation of a type in just core wasm types.
1169pub struct FlatTypes<'a> {
1170    /// The flat representation of this type in 32-bit memories.
1171    pub memory32: &'a [FlatType],
1172    /// The flat representation of this type in 64-bit memories.
1173    pub memory64: &'a [FlatType],
1174}
1175
1176impl FlatTypes<'_> {
1177    /// Returns the number of flat types used to represent this type.
1178    ///
1179    /// Note that this length is the same regardless to the size of memory.
1180    pub fn len(&self) -> usize {
1181        assert_eq!(self.memory32.len(), self.memory64.len());
1182        self.memory32.len()
1183    }
1184}
1185
1186// Note that this is intentionally duplicated here to keep the size to 1 byte
1187// regardless to changes in the core wasm type system since this will only
1188// ever use integers/floats for the foreseeable future.
1189#[derive(Serialize, Deserialize, Hash, Debug, PartialEq, Eq, Copy, Clone)]
1190#[expect(missing_docs, reason = "self-describing variants")]
1191pub enum FlatType {
1192    I32,
1193    I64,
1194    F32,
1195    F64,
1196}