wit_component/encoding/world.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463
use super::{Adapter, ComponentEncoder, LibraryInfo, RequiredOptions};
use crate::validation::{
validate_adapter_module, validate_module, Import, ImportMap, ValidatedModule,
};
use anyhow::{Context, Result};
use indexmap::{IndexMap, IndexSet};
use std::borrow::Cow;
use std::collections::{HashMap, HashSet};
use wit_parser::{
abi::{AbiVariant, WasmSignature},
Function, InterfaceId, LiveTypes, Resolve, TypeDefKind, TypeId, TypeOwner, WorldId, WorldItem,
WorldKey,
};
pub struct WorldAdapter<'a> {
pub wasm: Cow<'a, [u8]>,
pub info: ValidatedModule,
pub library_info: Option<&'a LibraryInfo>,
}
/// Metadata discovered from the state configured in a `ComponentEncoder`.
///
/// This is stored separately from `EncodingState` to be stored as a borrow in
/// `EncodingState` as this information doesn't change throughout the encoding
/// process.
pub struct ComponentWorld<'a> {
/// Encoder configuration with modules, the document ,etc.
pub encoder: &'a ComponentEncoder,
/// Validation information of the input module, or `None` in `--types-only`
/// mode.
pub info: ValidatedModule,
/// Validation information about adapters populated only for required
/// adapters. Additionally stores the gc'd wasm for each adapter.
pub adapters: IndexMap<&'a str, WorldAdapter<'a>>,
/// Map of all imports and descriptions of what they're importing.
pub import_map: IndexMap<Option<String>, ImportedInterface>,
/// Set of all live types which must be exported either because they're
/// directly used or because they're transitively used.
pub live_type_imports: IndexMap<InterfaceId, IndexSet<TypeId>>,
/// For each exported interface in the desired world this map lists
/// the set of interfaces that it depends on which are also exported.
///
/// This set is used to determine when types are imported/used whether they
/// come from imports or exports.
pub exports_used: HashMap<InterfaceId, HashSet<InterfaceId>>,
}
#[derive(Debug)]
pub struct ImportedInterface {
pub lowerings: IndexMap<(String, AbiVariant), Lowering>,
pub interface: Option<InterfaceId>,
}
#[derive(Debug)]
pub enum Lowering {
Direct,
Indirect {
sig: WasmSignature,
options: RequiredOptions,
},
ResourceDrop(TypeId),
}
impl<'a> ComponentWorld<'a> {
pub fn new(encoder: &'a ComponentEncoder) -> Result<Self> {
let info = validate_module(encoder, &encoder.module).context("module was not valid")?;
let mut ret = ComponentWorld {
encoder,
info,
adapters: IndexMap::new(),
import_map: IndexMap::new(),
live_type_imports: Default::default(),
exports_used: HashMap::new(),
};
ret.process_adapters()?;
ret.process_imports()?;
ret.process_exports_used();
ret.process_live_type_imports();
Ok(ret)
}
/// Process adapters which are required here. Iterate over all
/// adapters and figure out what functions are required from the
/// adapter itself, either because the functions are imported by the
/// main module or they're part of the adapter's exports.
fn process_adapters(&mut self) -> Result<()> {
let resolve = &self.encoder.metadata.resolve;
let world = self.encoder.metadata.world;
for (
name,
Adapter {
wasm,
metadata: _,
required_exports,
library_info,
},
) in self.encoder.adapters.iter()
{
let required_by_import = self.info.imports.required_from_adapter(name.as_str());
let no_required_by_import = || required_by_import.is_empty();
let no_required_exports = || {
required_exports
.iter()
.all(|name| match &resolve.worlds[world].exports[name] {
WorldItem::Function(_) => false,
WorldItem::Interface { id, .. } => {
resolve.interfaces[*id].functions.is_empty()
}
WorldItem::Type(_) => true,
})
};
if no_required_by_import() && no_required_exports() && library_info.is_none() {
continue;
}
let wasm = if library_info.is_some() {
Cow::Borrowed(wasm as &[u8])
} else {
// Without `library_info` this means that this is an adapter.
// The goal of the adapter is to provide a suite of symbols that
// can be imported, but not all symbols may be imported. Here
// the module is trimmed down to only what's needed by the
// original main module.
//
// The main module requires `required_by_import` above, but
// adapters may themselves also export WIT items. To handle this
// the sequence of operations here are:
//
// 1. First the adapter is validated as-is. This ensures that
// everything looks good before GC.
// 2. The metadata from step (1) is used to determine the set of
// WIT-level exports that are needed. This includes things
// like realloc functions and such.
// 3. The set of WIT-level functions from (2) is unioned with
// `required_by_import` to create the set of required exports
// of the adapter.
// 4. This set of exports is used to delete some exports of the
// adapter and then perform a GC pass.
//
// Finally at the end of all of this the
// `validate_adapter_module` method is called for a second time
// on the minimized adapter. This is done because deleting
// imports may have deleted some imports which means that the
// final component may not need to import as many interfaces.
let info = validate_adapter_module(
self.encoder,
&wasm,
&required_by_import,
required_exports,
library_info.as_ref(),
)
.with_context(|| {
format!("failed to validate the imports of the adapter module `{name}`")
})?;
let mut required = IndexSet::new();
for (name, _ty) in required_by_import.iter() {
required.insert(name.to_string());
}
for (name, _export) in info.exports.iter() {
required.insert(name.to_string());
}
Cow::Owned(
crate::gc::run(
wasm,
&required,
if self.encoder.realloc_via_memory_grow {
None
} else {
self.info.exports.realloc_to_import_into_adapter()
},
)
.context("failed to reduce input adapter module to its minimal size")?,
)
};
let info = validate_adapter_module(
self.encoder,
&wasm,
&required_by_import,
required_exports,
library_info.as_ref(),
)
.with_context(|| {
format!("failed to validate the imports of the minimized adapter module `{name}`")
})?;
self.adapters.insert(
name,
WorldAdapter {
info,
wasm,
library_info: library_info.as_ref(),
},
);
}
Ok(())
}
/// Fills out the `import_map` field of `self` by determining the live
/// functions from all imports. This additionally classifies imported
/// functions into direct or indirect lowerings for managing shims.
fn process_imports(&mut self) -> Result<()> {
let resolve = &self.encoder.metadata.resolve;
let world = self.encoder.metadata.world;
// Inspect all imports of the main module and adapters to find all
// WIT-looking things and register those as required. This is used to
// prune out unneeded things in the `add_item` function below.
let mut required = Required::default();
for (_, _, import) in self
.adapters
.values()
.flat_map(|a| a.info.imports.imports())
.chain(self.info.imports.imports())
{
match import {
Import::WorldFunc(_, name, abi) => {
required
.interface_funcs
.entry(None)
.or_default()
.insert((name, *abi));
}
Import::InterfaceFunc(_, id, name, abi) => {
required
.interface_funcs
.entry(Some(*id))
.or_default()
.insert((name, *abi));
}
Import::ImportedResourceDrop(_, _, id) => {
required.resource_drops.insert(*id);
}
_ => {}
}
}
for (name, item) in resolve.worlds[world].imports.iter() {
add_item(&mut self.import_map, resolve, name, item, &required)?;
}
return Ok(());
fn add_item(
import_map: &mut IndexMap<Option<String>, ImportedInterface>,
resolve: &Resolve,
name: &WorldKey,
item: &WorldItem,
required: &Required<'_>,
) -> Result<()> {
let name = resolve.name_world_key(name);
log::trace!("register import `{name}`");
let import_map_key = match item {
WorldItem::Function(_) | WorldItem::Type(_) => None,
WorldItem::Interface { .. } => Some(name),
};
let interface_id = match item {
WorldItem::Function(_) | WorldItem::Type(_) => None,
WorldItem::Interface { id, .. } => Some(*id),
};
let interface = import_map
.entry(import_map_key)
.or_insert_with(|| ImportedInterface {
interface: interface_id,
lowerings: Default::default(),
});
assert_eq!(interface.interface, interface_id);
match item {
WorldItem::Function(func) => {
interface.add_func(required, resolve, func);
}
WorldItem::Type(ty) => {
interface.add_type(required, resolve, *ty);
}
WorldItem::Interface { id, .. } => {
for (_name, ty) in resolve.interfaces[*id].types.iter() {
interface.add_type(required, resolve, *ty);
}
for (_name, func) in resolve.interfaces[*id].functions.iter() {
interface.add_func(required, resolve, func);
}
}
}
Ok(())
}
}
/// Determines the set of live imported types which are required to satisfy
/// the imports and exports of the lifted core module.
fn process_live_type_imports(&mut self) {
let mut live = LiveTypes::default();
let resolve = &self.encoder.metadata.resolve;
let world = self.encoder.metadata.world;
// First use the previously calculated metadata about live imports to
// determine the set of live types in those imports.
self.add_live_imports(world, &self.info.imports, &mut live);
for (adapter_name, adapter) in self.adapters.iter() {
log::trace!("processing adapter `{adapter_name}`");
self.add_live_imports(world, &adapter.info.imports, &mut live);
}
// Next any imported types used by an export must also be considered
// live. This is a little tricky though because interfaces can be both
// imported and exported, so it's not as simple as registering the
// entire export's set of types and their transitive references
// (otherwise if you only export an interface it would consider those
// types imports live too).
//
// Here if the export is an interface the set of live types for that
// interface is calculated separately. The `exports_used` field
// previously calculated is then consulted to add any types owned by
// interfaces not in the `exports_used` set to the live imported types
// set. This means that only types not defined by referenced exports
// will get added here.
for (name, item) in resolve.worlds[world].exports.iter() {
log::trace!("add live world export `{}`", resolve.name_world_key(name));
let id = match item {
WorldItem::Interface { id, .. } => id,
WorldItem::Function(_) | WorldItem::Type(_) => {
live.add_world_item(resolve, item);
continue;
}
};
let exports_used = &self.exports_used[id];
let mut live_from_export = LiveTypes::default();
live_from_export.add_world_item(resolve, item);
for ty in live_from_export.iter() {
let owner = match resolve.types[ty].owner {
TypeOwner::Interface(id) => id,
_ => continue,
};
if owner != *id && !exports_used.contains(&owner) {
live.add_type_id(resolve, ty);
}
}
}
for live in live.iter() {
let owner = match resolve.types[live].owner {
TypeOwner::Interface(id) => id,
_ => continue,
};
self.live_type_imports
.entry(owner)
.or_insert(Default::default())
.insert(live);
}
}
fn add_live_imports(&self, world: WorldId, imports: &ImportMap, live: &mut LiveTypes) {
let resolve = &self.encoder.metadata.resolve;
for (name, item) in resolve.worlds[world].imports.iter() {
let name = resolve.name_world_key(name);
match item {
WorldItem::Function(func) => {
if !imports.uses_toplevel_func(name.as_str()) {
continue;
}
log::trace!("add live function import `{name}`");
live.add_func(resolve, func);
}
WorldItem::Interface { id, .. } => {
log::trace!("add live interface import `{name}`");
for (name, func) in resolve.interfaces[*id].functions.iter() {
if imports.uses_interface_func(*id, name.as_str()) {
log::trace!("add live func `{name}`");
live.add_func(resolve, func);
}
}
for (_name, ty) in resolve.interfaces[*id].types.iter() {
if imports.uses_imported_resource_drop(*ty) {
live.add_type_id(resolve, *ty);
}
}
}
WorldItem::Type(id) => live.add_type_id(resolve, *id),
}
}
}
fn process_exports_used(&mut self) {
let resolve = &self.encoder.metadata.resolve;
let world = self.encoder.metadata.world;
let exports = &resolve.worlds[world].exports;
for (_name, item) in exports.iter() {
let id = match item {
WorldItem::Function(_) => continue,
WorldItem::Interface { id, .. } => *id,
WorldItem::Type(_) => unreachable!(),
};
let mut set = HashSet::new();
for other in resolve.interface_direct_deps(id) {
// If this dependency is not exported, then it'll show up
// through an import, so we're not interested in it.
if !exports.contains_key(&WorldKey::Interface(other)) {
continue;
}
// Otherwise this is a new exported dependency of ours, and
// additionally this interface inherits all the transitive
// dependencies too.
if set.insert(other) {
set.extend(self.exports_used[&other].iter().copied());
}
}
let prev = self.exports_used.insert(id, set);
assert!(prev.is_none());
}
}
}
#[derive(Default)]
struct Required<'a> {
interface_funcs: IndexMap<Option<InterfaceId>, IndexSet<(&'a str, AbiVariant)>>,
resource_drops: IndexSet<TypeId>,
}
impl ImportedInterface {
fn add_func(&mut self, required: &Required<'_>, resolve: &Resolve, func: &Function) {
let mut abis = Vec::with_capacity(2);
if let Some(set) = required.interface_funcs.get(&self.interface) {
if set.contains(&(func.name.as_str(), AbiVariant::GuestImport)) {
abis.push(AbiVariant::GuestImport);
}
if set.contains(&(func.name.as_str(), AbiVariant::GuestImportAsync)) {
abis.push(AbiVariant::GuestImportAsync);
}
}
for abi in abis {
log::trace!("add func {} {abi:?}", func.name);
let options = RequiredOptions::for_import(resolve, func, abi);
let lowering = if options.is_empty() {
Lowering::Direct
} else {
let sig = resolve.wasm_signature(abi, func);
Lowering::Indirect { sig, options }
};
let prev = self.lowerings.insert((func.name.clone(), abi), lowering);
assert!(prev.is_none());
}
}
fn add_type(&mut self, required: &Required<'_>, resolve: &Resolve, id: TypeId) {
let ty = &resolve.types[id];
match &ty.kind {
TypeDefKind::Resource => {}
_ => return,
}
let name = ty.name.as_deref().expect("resources must be named");
if required.resource_drops.contains(&id) {
let name = format!("{name}_drop");
let prev = self
.lowerings
.insert((name, AbiVariant::GuestImport), Lowering::ResourceDrop(id));
assert!(prev.is_none());
}
}
}