* Remove the DataContext wrapper around DataDescription It doesn't have much of a purpose while making it harder to for example rewrite the function and data object declarations within it as is necessary for deserializing a serialized module. * Derive Debug for DataDescription
811 lines
26 KiB
Rust
811 lines
26 KiB
Rust
//! Defines `Module` and related types.
|
|
|
|
// TODO: Should `ir::Function` really have a `name`?
|
|
|
|
// TODO: Factor out `ir::Function`'s `ext_funcs` and `global_values` into a struct
|
|
// shared with `DataDescription`?
|
|
|
|
use super::HashMap;
|
|
use crate::data_context::DataDescription;
|
|
use core::fmt::Display;
|
|
use cranelift_codegen::binemit::{CodeOffset, Reloc};
|
|
use cranelift_codegen::entity::{entity_impl, PrimaryMap};
|
|
use cranelift_codegen::ir::Function;
|
|
use cranelift_codegen::settings::SetError;
|
|
use cranelift_codegen::{binemit, MachReloc};
|
|
use cranelift_codegen::{ir, isa, CodegenError, CompileError, Context};
|
|
use cranelift_control::ControlPlane;
|
|
use std::borrow::ToOwned;
|
|
use std::string::String;
|
|
|
|
/// A module relocation.
|
|
#[derive(Clone)]
|
|
pub struct ModuleReloc {
|
|
/// The offset at which the relocation applies, *relative to the
|
|
/// containing section*.
|
|
pub offset: CodeOffset,
|
|
/// The kind of relocation.
|
|
pub kind: Reloc,
|
|
/// The external symbol / name to which this relocation refers.
|
|
pub name: ModuleExtName,
|
|
/// The addend to add to the symbol value.
|
|
pub addend: i64,
|
|
}
|
|
|
|
impl ModuleReloc {
|
|
/// Converts a `MachReloc` produced from a `Function` into a `ModuleReloc`.
|
|
pub fn from_mach_reloc(mach_reloc: &MachReloc, func: &Function) -> Self {
|
|
let name = match mach_reloc.name {
|
|
ir::ExternalName::User(reff) => {
|
|
let name = &func.params.user_named_funcs()[reff];
|
|
ModuleExtName::user(name.namespace, name.index)
|
|
}
|
|
ir::ExternalName::TestCase(_) => unimplemented!(),
|
|
ir::ExternalName::LibCall(libcall) => ModuleExtName::LibCall(libcall),
|
|
ir::ExternalName::KnownSymbol(ks) => ModuleExtName::KnownSymbol(ks),
|
|
};
|
|
Self {
|
|
offset: mach_reloc.offset,
|
|
kind: mach_reloc.kind,
|
|
name,
|
|
addend: mach_reloc.addend,
|
|
}
|
|
}
|
|
}
|
|
|
|
/// A function identifier for use in the `Module` interface.
|
|
#[derive(Copy, Clone, PartialEq, Eq, Hash, PartialOrd, Ord)]
|
|
pub struct FuncId(u32);
|
|
entity_impl!(FuncId, "funcid");
|
|
|
|
/// Function identifiers are namespace 0 in `ir::ExternalName`
|
|
impl From<FuncId> for ModuleExtName {
|
|
fn from(id: FuncId) -> Self {
|
|
Self::User {
|
|
namespace: 0,
|
|
index: id.0,
|
|
}
|
|
}
|
|
}
|
|
|
|
impl FuncId {
|
|
/// Get the `FuncId` for the function named by `name`.
|
|
pub fn from_name(name: &ModuleExtName) -> FuncId {
|
|
if let ModuleExtName::User { namespace, index } = name {
|
|
debug_assert_eq!(*namespace, 0);
|
|
FuncId::from_u32(*index)
|
|
} else {
|
|
panic!("unexpected name in DataId::from_name")
|
|
}
|
|
}
|
|
}
|
|
|
|
/// A data object identifier for use in the `Module` interface.
|
|
#[derive(Copy, Clone, PartialEq, Eq, Hash, PartialOrd, Ord)]
|
|
pub struct DataId(u32);
|
|
entity_impl!(DataId, "dataid");
|
|
|
|
/// Data identifiers are namespace 1 in `ir::ExternalName`
|
|
impl From<DataId> for ModuleExtName {
|
|
fn from(id: DataId) -> Self {
|
|
Self::User {
|
|
namespace: 1,
|
|
index: id.0,
|
|
}
|
|
}
|
|
}
|
|
|
|
impl DataId {
|
|
/// Get the `DataId` for the data object named by `name`.
|
|
pub fn from_name(name: &ModuleExtName) -> DataId {
|
|
if let ModuleExtName::User { namespace, index } = name {
|
|
debug_assert_eq!(*namespace, 1);
|
|
DataId::from_u32(*index)
|
|
} else {
|
|
panic!("unexpected name in DataId::from_name")
|
|
}
|
|
}
|
|
}
|
|
|
|
/// Linkage refers to where an entity is defined and who can see it.
|
|
#[derive(Copy, Clone, Debug, PartialEq, Eq)]
|
|
pub enum Linkage {
|
|
/// Defined outside of a module.
|
|
Import,
|
|
/// Defined inside the module, but not visible outside it.
|
|
Local,
|
|
/// Defined inside the module, visible outside it, and may be preempted.
|
|
Preemptible,
|
|
/// Defined inside the module, visible inside the current static linkage unit, but not outside.
|
|
///
|
|
/// A static linkage unit is the combination of all object files passed to a linker to create
|
|
/// an executable or dynamic library.
|
|
Hidden,
|
|
/// Defined inside the module, and visible outside it.
|
|
Export,
|
|
}
|
|
|
|
impl Linkage {
|
|
fn merge(a: Self, b: Self) -> Self {
|
|
match a {
|
|
Self::Export => Self::Export,
|
|
Self::Hidden => match b {
|
|
Self::Export => Self::Export,
|
|
Self::Preemptible => Self::Preemptible,
|
|
_ => Self::Hidden,
|
|
},
|
|
Self::Preemptible => match b {
|
|
Self::Export => Self::Export,
|
|
_ => Self::Preemptible,
|
|
},
|
|
Self::Local => match b {
|
|
Self::Export => Self::Export,
|
|
Self::Hidden => Self::Hidden,
|
|
Self::Preemptible => Self::Preemptible,
|
|
Self::Local | Self::Import => Self::Local,
|
|
},
|
|
Self::Import => b,
|
|
}
|
|
}
|
|
|
|
/// Test whether this linkage can have a definition.
|
|
pub fn is_definable(self) -> bool {
|
|
match self {
|
|
Self::Import => false,
|
|
Self::Local | Self::Preemptible | Self::Hidden | Self::Export => true,
|
|
}
|
|
}
|
|
|
|
/// Test whether this linkage will have a definition that cannot be preempted.
|
|
pub fn is_final(self) -> bool {
|
|
match self {
|
|
Self::Import | Self::Preemptible => false,
|
|
Self::Local | Self::Hidden | Self::Export => true,
|
|
}
|
|
}
|
|
}
|
|
|
|
/// A declared name may refer to either a function or data declaration
|
|
#[derive(Copy, Clone, PartialEq, Eq, Hash, PartialOrd, Ord, Debug)]
|
|
pub enum FuncOrDataId {
|
|
/// When it's a FuncId
|
|
Func(FuncId),
|
|
/// When it's a DataId
|
|
Data(DataId),
|
|
}
|
|
|
|
/// Mapping to `ModuleExtName` is trivial based on the `FuncId` and `DataId` mapping.
|
|
impl From<FuncOrDataId> for ModuleExtName {
|
|
fn from(id: FuncOrDataId) -> Self {
|
|
match id {
|
|
FuncOrDataId::Func(funcid) => Self::from(funcid),
|
|
FuncOrDataId::Data(dataid) => Self::from(dataid),
|
|
}
|
|
}
|
|
}
|
|
|
|
/// Information about a function which can be called.
|
|
#[derive(Debug)]
|
|
pub struct FunctionDeclaration {
|
|
#[allow(missing_docs)]
|
|
pub name: String,
|
|
#[allow(missing_docs)]
|
|
pub linkage: Linkage,
|
|
#[allow(missing_docs)]
|
|
pub signature: ir::Signature,
|
|
}
|
|
|
|
impl FunctionDeclaration {
|
|
fn merge(&mut self, linkage: Linkage, sig: &ir::Signature) -> Result<(), ModuleError> {
|
|
self.linkage = Linkage::merge(self.linkage, linkage);
|
|
if &self.signature != sig {
|
|
return Err(ModuleError::IncompatibleSignature(
|
|
self.name.clone(),
|
|
self.signature.clone(),
|
|
sig.clone(),
|
|
));
|
|
}
|
|
Ok(())
|
|
}
|
|
}
|
|
|
|
/// Error messages for all `Module` methods
|
|
#[derive(Debug)]
|
|
pub enum ModuleError {
|
|
/// Indicates an identifier was used before it was declared
|
|
Undeclared(String),
|
|
|
|
/// Indicates an identifier was used as data/function first, but then used as the other
|
|
IncompatibleDeclaration(String),
|
|
|
|
/// Indicates a function identifier was declared with a
|
|
/// different signature than declared previously
|
|
IncompatibleSignature(String, ir::Signature, ir::Signature),
|
|
|
|
/// Indicates an identifier was defined more than once
|
|
DuplicateDefinition(String),
|
|
|
|
/// Indicates an identifier was defined, but was declared as an import
|
|
InvalidImportDefinition(String),
|
|
|
|
/// Wraps a `cranelift-codegen` error
|
|
Compilation(CodegenError),
|
|
|
|
/// Memory allocation failure from a backend
|
|
Allocation {
|
|
/// Tell where the allocation came from
|
|
message: &'static str,
|
|
/// Io error the allocation failed with
|
|
err: std::io::Error,
|
|
},
|
|
|
|
/// Wraps a generic error from a backend
|
|
Backend(anyhow::Error),
|
|
|
|
/// Wraps an error from a flag definition.
|
|
Flag(SetError),
|
|
}
|
|
|
|
impl<'a> From<CompileError<'a>> for ModuleError {
|
|
fn from(err: CompileError<'a>) -> Self {
|
|
Self::Compilation(err.inner)
|
|
}
|
|
}
|
|
|
|
// This is manually implementing Error and Display instead of using thiserror to reduce the amount
|
|
// of dependencies used by Cranelift.
|
|
impl std::error::Error for ModuleError {
|
|
fn source(&self) -> Option<&(dyn std::error::Error + 'static)> {
|
|
match self {
|
|
Self::Undeclared { .. }
|
|
| Self::IncompatibleDeclaration { .. }
|
|
| Self::IncompatibleSignature { .. }
|
|
| Self::DuplicateDefinition { .. }
|
|
| Self::InvalidImportDefinition { .. } => None,
|
|
Self::Compilation(source) => Some(source),
|
|
Self::Allocation { err: source, .. } => Some(source),
|
|
Self::Backend(source) => Some(&**source),
|
|
Self::Flag(source) => Some(source),
|
|
}
|
|
}
|
|
}
|
|
|
|
impl std::fmt::Display for ModuleError {
|
|
fn fmt(&self, f: &mut std::fmt::Formatter) -> std::fmt::Result {
|
|
match self {
|
|
Self::Undeclared(name) => {
|
|
write!(f, "Undeclared identifier: {}", name)
|
|
}
|
|
Self::IncompatibleDeclaration(name) => {
|
|
write!(f, "Incompatible declaration of identifier: {}", name,)
|
|
}
|
|
Self::IncompatibleSignature(name, prev_sig, new_sig) => {
|
|
write!(
|
|
f,
|
|
"Function {} signature {:?} is incompatible with previous declaration {:?}",
|
|
name, new_sig, prev_sig,
|
|
)
|
|
}
|
|
Self::DuplicateDefinition(name) => {
|
|
write!(f, "Duplicate definition of identifier: {}", name)
|
|
}
|
|
Self::InvalidImportDefinition(name) => {
|
|
write!(
|
|
f,
|
|
"Invalid to define identifier declared as an import: {}",
|
|
name,
|
|
)
|
|
}
|
|
Self::Compilation(err) => {
|
|
write!(f, "Compilation error: {}", err)
|
|
}
|
|
Self::Allocation { message, err } => {
|
|
write!(f, "Allocation error: {}: {}", message, err)
|
|
}
|
|
Self::Backend(err) => write!(f, "Backend error: {}", err),
|
|
Self::Flag(err) => write!(f, "Flag error: {}", err),
|
|
}
|
|
}
|
|
}
|
|
|
|
impl std::convert::From<CodegenError> for ModuleError {
|
|
fn from(source: CodegenError) -> Self {
|
|
Self::Compilation { 0: source }
|
|
}
|
|
}
|
|
|
|
impl std::convert::From<SetError> for ModuleError {
|
|
fn from(source: SetError) -> Self {
|
|
Self::Flag { 0: source }
|
|
}
|
|
}
|
|
|
|
/// A convenient alias for a `Result` that uses `ModuleError` as the error type.
|
|
pub type ModuleResult<T> = Result<T, ModuleError>;
|
|
|
|
/// Information about a data object which can be accessed.
|
|
#[derive(Debug)]
|
|
pub struct DataDeclaration {
|
|
#[allow(missing_docs)]
|
|
pub name: String,
|
|
#[allow(missing_docs)]
|
|
pub linkage: Linkage,
|
|
#[allow(missing_docs)]
|
|
pub writable: bool,
|
|
#[allow(missing_docs)]
|
|
pub tls: bool,
|
|
}
|
|
|
|
impl DataDeclaration {
|
|
fn merge(&mut self, linkage: Linkage, writable: bool, tls: bool) {
|
|
self.linkage = Linkage::merge(self.linkage, linkage);
|
|
self.writable = self.writable || writable;
|
|
assert_eq!(
|
|
self.tls, tls,
|
|
"Can't change TLS data object to normal or in the opposite way",
|
|
);
|
|
}
|
|
}
|
|
|
|
/// A translated `ExternalName` into something global we can handle.
|
|
#[derive(Clone, Debug)]
|
|
pub enum ModuleExtName {
|
|
/// User defined function, converted from `ExternalName::User`.
|
|
User {
|
|
/// Arbitrary.
|
|
namespace: u32,
|
|
/// Arbitrary.
|
|
index: u32,
|
|
},
|
|
/// Call into a library function.
|
|
LibCall(ir::LibCall),
|
|
/// Symbols known to the linker.
|
|
KnownSymbol(ir::KnownSymbol),
|
|
}
|
|
|
|
impl ModuleExtName {
|
|
/// Creates a user-defined external name.
|
|
pub fn user(namespace: u32, index: u32) -> Self {
|
|
Self::User { namespace, index }
|
|
}
|
|
}
|
|
|
|
impl Display for ModuleExtName {
|
|
fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
|
|
match self {
|
|
Self::User { namespace, index } => write!(f, "u{}:{}", namespace, index),
|
|
Self::LibCall(lc) => write!(f, "%{}", lc),
|
|
Self::KnownSymbol(ks) => write!(f, "{}", ks),
|
|
}
|
|
}
|
|
}
|
|
|
|
/// This provides a view to the state of a module which allows `ir::ExternalName`s to be translated
|
|
/// into `FunctionDeclaration`s and `DataDeclaration`s.
|
|
#[derive(Debug, Default)]
|
|
pub struct ModuleDeclarations {
|
|
names: HashMap<String, FuncOrDataId>,
|
|
functions: PrimaryMap<FuncId, FunctionDeclaration>,
|
|
data_objects: PrimaryMap<DataId, DataDeclaration>,
|
|
}
|
|
|
|
impl ModuleDeclarations {
|
|
/// Get the module identifier for a given name, if that name
|
|
/// has been declared.
|
|
pub fn get_name(&self, name: &str) -> Option<FuncOrDataId> {
|
|
self.names.get(name).copied()
|
|
}
|
|
|
|
/// Get an iterator of all function declarations
|
|
pub fn get_functions(&self) -> impl Iterator<Item = (FuncId, &FunctionDeclaration)> {
|
|
self.functions.iter()
|
|
}
|
|
|
|
/// Return whether `name` names a function, rather than a data object.
|
|
pub fn is_function(name: &ModuleExtName) -> bool {
|
|
match name {
|
|
ModuleExtName::User { namespace, .. } => *namespace == 0,
|
|
ModuleExtName::LibCall(_) | ModuleExtName::KnownSymbol(_) => {
|
|
panic!("unexpected module ext name")
|
|
}
|
|
}
|
|
}
|
|
|
|
/// Get the `FunctionDeclaration` for the function named by `name`.
|
|
pub fn get_function_decl(&self, func_id: FuncId) -> &FunctionDeclaration {
|
|
&self.functions[func_id]
|
|
}
|
|
|
|
/// Get an iterator of all data declarations
|
|
pub fn get_data_objects(&self) -> impl Iterator<Item = (DataId, &DataDeclaration)> {
|
|
self.data_objects.iter()
|
|
}
|
|
|
|
/// Get the `DataDeclaration` for the data object named by `name`.
|
|
pub fn get_data_decl(&self, data_id: DataId) -> &DataDeclaration {
|
|
&self.data_objects[data_id]
|
|
}
|
|
|
|
/// Declare a function in this module.
|
|
pub fn declare_function(
|
|
&mut self,
|
|
name: &str,
|
|
linkage: Linkage,
|
|
signature: &ir::Signature,
|
|
) -> ModuleResult<(FuncId, Linkage)> {
|
|
// TODO: Can we avoid allocating names so often?
|
|
use super::hash_map::Entry::*;
|
|
match self.names.entry(name.to_owned()) {
|
|
Occupied(entry) => match *entry.get() {
|
|
FuncOrDataId::Func(id) => {
|
|
let existing = &mut self.functions[id];
|
|
existing.merge(linkage, signature)?;
|
|
Ok((id, existing.linkage))
|
|
}
|
|
FuncOrDataId::Data(..) => {
|
|
Err(ModuleError::IncompatibleDeclaration(name.to_owned()))
|
|
}
|
|
},
|
|
Vacant(entry) => {
|
|
let id = self.functions.push(FunctionDeclaration {
|
|
name: name.to_owned(),
|
|
linkage,
|
|
signature: signature.clone(),
|
|
});
|
|
entry.insert(FuncOrDataId::Func(id));
|
|
Ok((id, self.functions[id].linkage))
|
|
}
|
|
}
|
|
}
|
|
|
|
/// Declare an anonymous function in this module.
|
|
pub fn declare_anonymous_function(
|
|
&mut self,
|
|
signature: &ir::Signature,
|
|
) -> ModuleResult<FuncId> {
|
|
let id = self.functions.push(FunctionDeclaration {
|
|
name: String::new(),
|
|
linkage: Linkage::Local,
|
|
signature: signature.clone(),
|
|
});
|
|
self.functions[id].name = format!(".L{:?}", id);
|
|
Ok(id)
|
|
}
|
|
|
|
/// Declare a data object in this module.
|
|
pub fn declare_data(
|
|
&mut self,
|
|
name: &str,
|
|
linkage: Linkage,
|
|
writable: bool,
|
|
tls: bool,
|
|
) -> ModuleResult<(DataId, Linkage)> {
|
|
// TODO: Can we avoid allocating names so often?
|
|
use super::hash_map::Entry::*;
|
|
match self.names.entry(name.to_owned()) {
|
|
Occupied(entry) => match *entry.get() {
|
|
FuncOrDataId::Data(id) => {
|
|
let existing = &mut self.data_objects[id];
|
|
existing.merge(linkage, writable, tls);
|
|
Ok((id, existing.linkage))
|
|
}
|
|
|
|
FuncOrDataId::Func(..) => {
|
|
Err(ModuleError::IncompatibleDeclaration(name.to_owned()))
|
|
}
|
|
},
|
|
Vacant(entry) => {
|
|
let id = self.data_objects.push(DataDeclaration {
|
|
name: name.to_owned(),
|
|
linkage,
|
|
writable,
|
|
tls,
|
|
});
|
|
entry.insert(FuncOrDataId::Data(id));
|
|
Ok((id, self.data_objects[id].linkage))
|
|
}
|
|
}
|
|
}
|
|
|
|
/// Declare an anonymous data object in this module.
|
|
pub fn declare_anonymous_data(&mut self, writable: bool, tls: bool) -> ModuleResult<DataId> {
|
|
let id = self.data_objects.push(DataDeclaration {
|
|
name: String::new(),
|
|
linkage: Linkage::Local,
|
|
writable,
|
|
tls,
|
|
});
|
|
self.data_objects[id].name = format!(".L{:?}", id);
|
|
Ok(id)
|
|
}
|
|
}
|
|
|
|
/// Information about the compiled function.
|
|
pub struct ModuleCompiledFunction {
|
|
/// The size of the compiled function.
|
|
pub size: binemit::CodeOffset,
|
|
}
|
|
|
|
/// A `Module` is a utility for collecting functions and data objects, and linking them together.
|
|
pub trait Module {
|
|
/// Return the `TargetIsa` to compile for.
|
|
fn isa(&self) -> &dyn isa::TargetIsa;
|
|
|
|
/// Get all declarations in this module.
|
|
fn declarations(&self) -> &ModuleDeclarations;
|
|
|
|
/// Get the module identifier for a given name, if that name
|
|
/// has been declared.
|
|
fn get_name(&self, name: &str) -> Option<FuncOrDataId> {
|
|
self.declarations().get_name(name)
|
|
}
|
|
|
|
/// Return the target information needed by frontends to produce Cranelift IR
|
|
/// for the current target.
|
|
fn target_config(&self) -> isa::TargetFrontendConfig {
|
|
self.isa().frontend_config()
|
|
}
|
|
|
|
/// Create a new `Context` initialized for use with this `Module`.
|
|
///
|
|
/// This ensures that the `Context` is initialized with the default calling
|
|
/// convention for the `TargetIsa`.
|
|
fn make_context(&self) -> Context {
|
|
let mut ctx = Context::new();
|
|
ctx.func.signature.call_conv = self.isa().default_call_conv();
|
|
ctx
|
|
}
|
|
|
|
/// Clear the given `Context` and reset it for use with a new function.
|
|
///
|
|
/// This ensures that the `Context` is initialized with the default calling
|
|
/// convention for the `TargetIsa`.
|
|
fn clear_context(&self, ctx: &mut Context) {
|
|
ctx.clear();
|
|
ctx.func.signature.call_conv = self.isa().default_call_conv();
|
|
}
|
|
|
|
/// Create a new empty `Signature` with the default calling convention for
|
|
/// the `TargetIsa`, to which parameter and return types can be added for
|
|
/// declaring a function to be called by this `Module`.
|
|
fn make_signature(&self) -> ir::Signature {
|
|
ir::Signature::new(self.isa().default_call_conv())
|
|
}
|
|
|
|
/// Clear the given `Signature` and reset for use with a new function.
|
|
///
|
|
/// This ensures that the `Signature` is initialized with the default
|
|
/// calling convention for the `TargetIsa`.
|
|
fn clear_signature(&self, sig: &mut ir::Signature) {
|
|
sig.clear(self.isa().default_call_conv());
|
|
}
|
|
|
|
/// Declare a function in this module.
|
|
fn declare_function(
|
|
&mut self,
|
|
name: &str,
|
|
linkage: Linkage,
|
|
signature: &ir::Signature,
|
|
) -> ModuleResult<FuncId>;
|
|
|
|
/// Declare an anonymous function in this module.
|
|
fn declare_anonymous_function(&mut self, signature: &ir::Signature) -> ModuleResult<FuncId>;
|
|
|
|
/// Declare a data object in this module.
|
|
fn declare_data(
|
|
&mut self,
|
|
name: &str,
|
|
linkage: Linkage,
|
|
writable: bool,
|
|
tls: bool,
|
|
) -> ModuleResult<DataId>;
|
|
|
|
/// Declare an anonymous data object in this module.
|
|
fn declare_anonymous_data(&mut self, writable: bool, tls: bool) -> ModuleResult<DataId>;
|
|
|
|
/// Use this when you're building the IR of a function to reference a function.
|
|
///
|
|
/// TODO: Coalesce redundant decls and signatures.
|
|
/// TODO: Look into ways to reduce the risk of using a FuncRef in the wrong function.
|
|
fn declare_func_in_func(&mut self, func_id: FuncId, func: &mut ir::Function) -> ir::FuncRef {
|
|
let decl = &self.declarations().functions[func_id];
|
|
let signature = func.import_signature(decl.signature.clone());
|
|
let user_name_ref = func.declare_imported_user_function(ir::UserExternalName {
|
|
namespace: 0,
|
|
index: func_id.as_u32(),
|
|
});
|
|
let colocated = decl.linkage.is_final();
|
|
func.import_function(ir::ExtFuncData {
|
|
name: ir::ExternalName::user(user_name_ref),
|
|
signature,
|
|
colocated,
|
|
})
|
|
}
|
|
|
|
/// Use this when you're building the IR of a function to reference a data object.
|
|
///
|
|
/// TODO: Same as above.
|
|
fn declare_data_in_func(&self, data: DataId, func: &mut ir::Function) -> ir::GlobalValue {
|
|
let decl = &self.declarations().data_objects[data];
|
|
let colocated = decl.linkage.is_final();
|
|
let user_name_ref = func.declare_imported_user_function(ir::UserExternalName {
|
|
namespace: 1,
|
|
index: data.as_u32(),
|
|
});
|
|
func.create_global_value(ir::GlobalValueData::Symbol {
|
|
name: ir::ExternalName::user(user_name_ref),
|
|
offset: ir::immediates::Imm64::new(0),
|
|
colocated,
|
|
tls: decl.tls,
|
|
})
|
|
}
|
|
|
|
/// TODO: Same as above.
|
|
fn declare_func_in_data(&self, func_id: FuncId, data: &mut DataDescription) -> ir::FuncRef {
|
|
data.import_function(ModuleExtName::user(0, func_id.as_u32()))
|
|
}
|
|
|
|
/// TODO: Same as above.
|
|
fn declare_data_in_data(&self, data_id: DataId, data: &mut DataDescription) -> ir::GlobalValue {
|
|
data.import_global_value(ModuleExtName::user(1, data_id.as_u32()))
|
|
}
|
|
|
|
/// Define a function, producing the function body from the given `Context`.
|
|
///
|
|
/// Returns the size of the function's code and constant data.
|
|
///
|
|
/// Unlike [`define_function_with_control_plane`] this uses a default [`ControlPlane`] for
|
|
/// convenience.
|
|
///
|
|
/// Note: After calling this function the given `Context` will contain the compiled function.
|
|
///
|
|
/// [`define_function_with_control_plane`]: Self::define_function_with_control_plane
|
|
fn define_function(
|
|
&mut self,
|
|
func: FuncId,
|
|
ctx: &mut Context,
|
|
) -> ModuleResult<ModuleCompiledFunction> {
|
|
self.define_function_with_control_plane(func, ctx, &mut ControlPlane::default())
|
|
}
|
|
|
|
/// Define a function, producing the function body from the given `Context`.
|
|
///
|
|
/// Returns the size of the function's code and constant data.
|
|
///
|
|
/// Note: After calling this function the given `Context` will contain the compiled function.
|
|
fn define_function_with_control_plane(
|
|
&mut self,
|
|
func: FuncId,
|
|
ctx: &mut Context,
|
|
ctrl_plane: &mut ControlPlane,
|
|
) -> ModuleResult<ModuleCompiledFunction>;
|
|
|
|
/// Define a function, taking the function body from the given `bytes`.
|
|
///
|
|
/// This function is generally only useful if you need to precisely specify
|
|
/// the emitted instructions for some reason; otherwise, you should use
|
|
/// `define_function`.
|
|
///
|
|
/// Returns the size of the function's code.
|
|
fn define_function_bytes(
|
|
&mut self,
|
|
func_id: FuncId,
|
|
func: &ir::Function,
|
|
alignment: u64,
|
|
bytes: &[u8],
|
|
relocs: &[MachReloc],
|
|
) -> ModuleResult<ModuleCompiledFunction>;
|
|
|
|
/// Define a data object, producing the data contents from the given `DataContext`.
|
|
fn define_data(&mut self, data_id: DataId, data: &DataDescription) -> ModuleResult<()>;
|
|
}
|
|
|
|
impl<M: Module> Module for &mut M {
|
|
fn isa(&self) -> &dyn isa::TargetIsa {
|
|
(**self).isa()
|
|
}
|
|
|
|
fn declarations(&self) -> &ModuleDeclarations {
|
|
(**self).declarations()
|
|
}
|
|
|
|
fn get_name(&self, name: &str) -> Option<FuncOrDataId> {
|
|
(**self).get_name(name)
|
|
}
|
|
|
|
fn target_config(&self) -> isa::TargetFrontendConfig {
|
|
(**self).target_config()
|
|
}
|
|
|
|
fn make_context(&self) -> Context {
|
|
(**self).make_context()
|
|
}
|
|
|
|
fn clear_context(&self, ctx: &mut Context) {
|
|
(**self).clear_context(ctx)
|
|
}
|
|
|
|
fn make_signature(&self) -> ir::Signature {
|
|
(**self).make_signature()
|
|
}
|
|
|
|
fn clear_signature(&self, sig: &mut ir::Signature) {
|
|
(**self).clear_signature(sig)
|
|
}
|
|
|
|
fn declare_function(
|
|
&mut self,
|
|
name: &str,
|
|
linkage: Linkage,
|
|
signature: &ir::Signature,
|
|
) -> ModuleResult<FuncId> {
|
|
(**self).declare_function(name, linkage, signature)
|
|
}
|
|
|
|
fn declare_anonymous_function(&mut self, signature: &ir::Signature) -> ModuleResult<FuncId> {
|
|
(**self).declare_anonymous_function(signature)
|
|
}
|
|
|
|
fn declare_data(
|
|
&mut self,
|
|
name: &str,
|
|
linkage: Linkage,
|
|
writable: bool,
|
|
tls: bool,
|
|
) -> ModuleResult<DataId> {
|
|
(**self).declare_data(name, linkage, writable, tls)
|
|
}
|
|
|
|
fn declare_anonymous_data(&mut self, writable: bool, tls: bool) -> ModuleResult<DataId> {
|
|
(**self).declare_anonymous_data(writable, tls)
|
|
}
|
|
|
|
fn declare_func_in_func(&mut self, func: FuncId, in_func: &mut ir::Function) -> ir::FuncRef {
|
|
(**self).declare_func_in_func(func, in_func)
|
|
}
|
|
|
|
fn declare_data_in_func(&self, data: DataId, func: &mut ir::Function) -> ir::GlobalValue {
|
|
(**self).declare_data_in_func(data, func)
|
|
}
|
|
|
|
fn declare_func_in_data(&self, func_id: FuncId, data: &mut DataDescription) -> ir::FuncRef {
|
|
(**self).declare_func_in_data(func_id, data)
|
|
}
|
|
|
|
fn declare_data_in_data(&self, data_id: DataId, data: &mut DataDescription) -> ir::GlobalValue {
|
|
(**self).declare_data_in_data(data_id, data)
|
|
}
|
|
|
|
fn define_function(
|
|
&mut self,
|
|
func: FuncId,
|
|
ctx: &mut Context,
|
|
) -> ModuleResult<ModuleCompiledFunction> {
|
|
(**self).define_function(func, ctx)
|
|
}
|
|
|
|
fn define_function_with_control_plane(
|
|
&mut self,
|
|
func: FuncId,
|
|
ctx: &mut Context,
|
|
ctrl_plane: &mut ControlPlane,
|
|
) -> ModuleResult<ModuleCompiledFunction> {
|
|
(**self).define_function_with_control_plane(func, ctx, ctrl_plane)
|
|
}
|
|
|
|
fn define_function_bytes(
|
|
&mut self,
|
|
func_id: FuncId,
|
|
func: &ir::Function,
|
|
alignment: u64,
|
|
bytes: &[u8],
|
|
relocs: &[MachReloc],
|
|
) -> ModuleResult<ModuleCompiledFunction> {
|
|
(**self).define_function_bytes(func_id, func, alignment, bytes, relocs)
|
|
}
|
|
|
|
fn define_data(&mut self, data_id: DataId, data: &DataDescription) -> ModuleResult<()> {
|
|
(**self).define_data(data_id, data)
|
|
}
|
|
}
|