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 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579
//! Attributes are non-SSA data stored in [Operation](crate::operation::Operation)s.
//!
//! See [MLIR Attributes](https://mlir.llvm.org/docs/LangRef/#attributes).
//! Unlike in MLIR, we do not unique attributes, and hence they are mutable.
//! These are similar in concept to [Properties](https://discourse.llvm.org/t/rfc-introducing-mlir-operation-properties/67846).
//! Attribute objects are boxed and not wrapped with [Ptr](crate::context::Ptr).
//! They are heavy (i.e., not just a pointer, handle or reference),
//! making clones potentially expensive.
//!
//! The [def_attribute](pliron_derive::def_attribute) proc macro from the
//! pliron-derive create can be used to implement [Attribute] for a rust type.
//!
//! Common semantics, API and behaviour of [Attribute]s are
//! abstracted into interfaces. Interfaces in pliron capture MLIR
//! functionality of both [Traits](https://mlir.llvm.org/docs/Traits/)
//! and [Interfaces](https://mlir.llvm.org/docs/Interfaces/).
//! Interfaces must all implement an associated function named `verify` with
//! the type [AttrInterfaceVerifier].
//! New attributes must be specified via [decl_attr_interface](pliron::decl_attr_interface)
//! for proper verification.
//!
//! [Attribute]s that implement an interface must do so using the
//! [impl_attr_interface](crate::impl_attr_interface) macro.
//! This ensures that the interface verifier is automatically called,
//! and that a `&dyn Attribute` object can be [cast](attr_cast) into an
//! interface object, (or that it can be checked if the interface
//! is [implemented](attr_impls)) with ease.
//!
//! [AttrObj]s can be downcasted to their concrete types using
/// [downcast_rs](https://docs.rs/downcast-rs/1.2.0/downcast_rs/index.html#example-without-generics).
use std::{
fmt::{Debug, Display},
hash::Hash,
ops::Deref,
};
use combine::{parser, Parser};
use downcast_rs::{impl_downcast, Downcast};
use dyn_clone::DynClone;
use linkme::distributed_slice;
use rustc_hash::FxHashMap;
use crate::{
common_traits::Verify,
context::Context,
dialect::{Dialect, DialectName},
error::Result,
identifier::Identifier,
input_err,
irfmt::parsers::spaced,
location::Located,
parsable::{Parsable, ParseResult, ParserFn, StateStream},
printable::{self, Printable},
};
/// A dictionary of attributes, mapping keys to attribute objects.
#[derive(Default)]
pub struct AttributeDict(pub FxHashMap<&'static str, AttrObj>);
impl AttributeDict {
/// Get reference to attribute value that is mapped to key `k`.
pub fn get<T: Attribute>(&self, k: &'static str) -> Option<&T> {
self.0.get(k).and_then(|ao| ao.downcast_ref::<T>())
}
/// Get mutable reference to attribute value that is mapped to key `k`.
pub fn get_mut<T: Attribute>(&mut self, k: &'static str) -> Option<&mut T> {
self.0.get_mut(k).and_then(|ao| ao.downcast_mut::<T>())
}
/// Reference to the attribute value (that is mapped to key `k`) as an interface reference.
pub fn get_as<T: ?Sized + Attribute>(&self, k: &'static str) -> Option<&T> {
self.0.get(k).and_then(|ao| attr_cast::<T>(&**ao))
}
/// Set the attribute value for key `k`.
pub fn set<T: Attribute>(&mut self, k: &'static str, v: T) {
self.0.insert(k, Box::new(v));
}
}
/// Basic functionality that every attribute in the IR must implement.
///
/// See [module](crate::attribute) documentation for more information.
pub trait Attribute: Printable + Verify + Downcast + Sync + DynClone + Debug {
/// Is self equal to an other Attribute?
fn eq_attr(&self, other: &dyn Attribute) -> bool;
/// Get an [Attribute]'s static name. This is *not* per instantnce.
/// It is mostly useful for printing and parsing the attribute.
fn get_attr_id(&self) -> AttrId;
/// Same as [get_attr_id](Self::get_attr_id), but without the self reference.
fn get_attr_id_static() -> AttrId
where
Self: Sized;
/// Verify all interfaces implemented by this attribute.
fn verify_interfaces(&self, ctx: &Context) -> Result<()>;
/// Register this attribute's [AttrId] in the dialect it belongs to.
fn register_attr_in_dialect<A: Attribute>(dialect: &mut Dialect, attr_parser: ParserFn<(), A>)
where
Self: Sized,
{
// Specifying higher ranked lifetime on a closure:
// https://stackoverflow.com/a/46198877/2128804
fn constrain<F>(f: F) -> F
where
F: for<'a> Fn(
&'a (),
) -> Box<
dyn Parser<StateStream<'a>, Output = AttrObj, PartialState = ()> + 'a,
>,
{
f
}
let attr_parser = constrain(move |_| {
combine::parser(move |parsable_state: &mut StateStream<'_>| {
attr_parser(&(), ())
.parse_stream(parsable_state)
.map(|attr| -> AttrObj { Box::new(attr) })
.into_result()
})
.boxed()
});
dialect.add_attr(Self::get_attr_id_static(), Box::new(attr_parser));
}
}
impl_downcast!(Attribute);
dyn_clone::clone_trait_object!(Attribute);
/// [Attribute] objects are boxed and stored in the IR.
pub type AttrObj = Box<dyn Attribute>;
/// A storable closure for parsing any [AttrId] followed by the full [Attribute].
pub(crate) type AttrParserFn = Box<
dyn for<'a> Fn(
&'a (),
)
-> Box<dyn Parser<StateStream<'a>, Output = AttrObj, PartialState = ()> + 'a>,
>;
impl PartialEq for AttrObj {
fn eq(&self, other: &Self) -> bool {
(**self).eq_attr(&**other)
}
}
impl<T: Attribute> From<T> for AttrObj {
fn from(value: T) -> Self {
Box::new(value)
}
}
impl Eq for AttrObj {}
impl Printable for AttrObj {
fn fmt(
&self,
ctx: &Context,
state: &printable::State,
f: &mut core::fmt::Formatter<'_>,
) -> core::fmt::Result {
write!(f, "{} ", self.get_attr_id())?;
Printable::fmt(self.deref(), ctx, state, f)
}
}
impl Parsable for AttrObj {
type Arg = ();
type Parsed = AttrObj;
fn parse<'a>(
state_stream: &mut StateStream<'a>,
_arg: Self::Arg,
) -> ParseResult<'a, Self::Parsed> {
let loc = state_stream.loc();
let attr_id_parser = spaced(AttrId::parser(()));
let mut attr_parser = attr_id_parser.then(move |attr_id: AttrId| {
let loc = loc.clone();
combine::parser(move |parsable_state: &mut StateStream<'a>| {
let state = &parsable_state.state;
let dialect = state
.ctx
.dialects
.get(&attr_id.dialect)
.expect("Dialect name parsed but dialect isn't registered");
let Some(attr_parser) = dialect.attributes.get(&attr_id) else {
input_err!(
loc.clone(),
"Unregistered attribute {}",
attr_id.disp(state.ctx)
)?
};
attr_parser(&()).parse_stream(parsable_state).into_result()
})
});
attr_parser.parse_stream(state_stream).into_result()
}
}
impl Verify for AttrObj {
fn verify(&self, ctx: &Context) -> Result<()> {
self.as_ref().verify(ctx)
}
}
/// Cast reference to an [Attribute] object to an interface reference.
pub fn attr_cast<T: ?Sized + Attribute>(attr: &dyn Attribute) -> Option<&T> {
crate::trait_cast::any_to_trait::<T>(attr.as_any())
}
/// Does this [Attribute] object implement interface T?
pub fn attr_impls<T: ?Sized + Attribute>(attr: &dyn Attribute) -> bool {
attr_cast::<T>(attr).is_some()
}
#[derive(Clone, Hash, PartialEq, Eq)]
/// An [Attribute]'s name (not including it's dialect).
pub struct AttrName(String);
impl AttrName {
/// Create a new AttrName.
pub fn new(name: &str) -> AttrName {
AttrName(name.to_string())
}
}
impl Printable for AttrName {
fn fmt(
&self,
_ctx: &Context,
_state: &printable::State,
f: &mut core::fmt::Formatter<'_>,
) -> core::fmt::Result {
<Self as Display>::fmt(self, f)
}
}
impl Display for AttrName {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "{}", self.0)
}
}
impl Parsable for AttrName {
type Arg = ();
type Parsed = AttrName;
fn parse<'a>(
state_stream: &mut crate::parsable::StateStream<'a>,
_arg: Self::Arg,
) -> ParseResult<'a, Self::Parsed>
where
Self: Sized,
{
Identifier::parser(())
.map(|name| AttrName::new(&name))
.parse_stream(state_stream)
.into()
}
}
impl Deref for AttrName {
type Target = String;
fn deref(&self) -> &Self::Target {
&self.0
}
}
/// A combination of a Attr's name and its dialect.
#[derive(Clone, Hash, PartialEq, Eq)]
pub struct AttrId {
pub dialect: DialectName,
pub name: AttrName,
}
impl Printable for AttrId {
fn fmt(
&self,
_ctx: &Context,
_state: &printable::State,
f: &mut core::fmt::Formatter<'_>,
) -> core::fmt::Result {
<Self as Display>::fmt(self, f)
}
}
impl Display for AttrId {
fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
write!(f, "{}.{}", self.dialect, self.name)
}
}
impl Parsable for AttrId {
type Arg = ();
type Parsed = AttrId;
// Parses (but does not validate) a TypeId.
fn parse<'a>(
state_stream: &mut StateStream<'a>,
_arg: Self::Arg,
) -> ParseResult<'a, Self::Parsed>
where
Self: Sized,
{
let mut parser = DialectName::parser(())
.skip(parser::char::char('.'))
.and(AttrName::parser(()))
.map(|(dialect, name)| AttrId { dialect, name });
parser.parse_stream(state_stream).into()
}
}
/// Every attribute interface must have a function named `verify` with this type.
pub type AttrInterfaceVerifier = fn(&dyn Attribute, &Context) -> Result<()>;
/// Implement an Attribute Interface for an Attribute.
/// The interface trait must define a `verify` function with type [AttrInterfaceVerifier].
///
/// Usage:
/// ```
/// #[def_attribute("dialect.name")]
/// #[derive(PartialEq, Eq, Clone, Debug)]
/// struct MyAttr { }
///
/// decl_attr_interface! {
/// /// My first attribute interface.
/// MyAttrInterface {
/// fn monu(&self);
/// fn verify(attr: &dyn Attribute, ctx: &Context) -> Result<()>
/// where Self: Sized,
/// {
/// Ok(())
/// }
/// }
/// }
/// impl_attr_interface!(
/// MyAttrInterface for MyAttr
/// {
/// fn monu(&self) { println!("monu"); }
/// }
/// );
/// # use pliron::{
/// # decl_attr_interface,
/// # printable::{self, Printable},
/// # context::Context, error::Result, common_traits::Verify,
/// # attribute::Attribute, impl_attr_interface
/// # };
/// # use pliron_derive::def_attribute;
/// #
/// # impl Printable for MyAttr {
/// # fn fmt(&self, _ctx: &Context, _state: &printable::State, _f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
/// # unimplemented!()
/// # }
/// # }
/// # pliron::impl_verify_succ!(MyAttr);
#[macro_export]
macro_rules! impl_attr_interface {
($intr_name:ident for $attr_name:ident { $($tt:tt)* }) => {
$crate::type_to_trait!($attr_name, $intr_name);
impl $intr_name for $attr_name {
$($tt)*
}
const _: () = {
#[linkme::distributed_slice(pliron::attribute::ATTR_INTERFACE_VERIFIERS)]
static INTERFACE_VERIFIER: $crate::Lazy<
(pliron::attribute::AttrId, (std::any::TypeId, pliron::attribute::AttrInterfaceVerifier))
> =
$crate::Lazy::new(||
($attr_name::get_attr_id_static(), (std::any::TypeId::of::<dyn $intr_name>(),
<$attr_name as $intr_name>::verify))
);
};
};
}
/// [Attribute]s paired with every interface it implements (and the verifier for that interface).
#[distributed_slice]
pub static ATTR_INTERFACE_VERIFIERS: [crate::Lazy<(
AttrId,
(std::any::TypeId, AttrInterfaceVerifier),
)>];
/// All interfaces mapped to their super-interfaces
#[distributed_slice]
pub static ATTR_INTERFACE_DEPS: [crate::Lazy<(std::any::TypeId, Vec<std::any::TypeId>)>];
/// A map from every [Attribute] to its ordered (as per interface deps) list of interface verifiers.
/// An interface's super-interfaces are to be verified before it itself is.
pub static ATTR_INTERFACE_VERIFIERS_MAP: crate::Lazy<
FxHashMap<AttrId, Vec<(std::any::TypeId, AttrInterfaceVerifier)>>,
> = crate::Lazy::new(|| {
use std::any::TypeId;
// Collect ATTR_INTERFACE_VERIFIERS into an [AttrId] indexed map.
let mut attr_intr_verifiers = FxHashMap::default();
for lazy in ATTR_INTERFACE_VERIFIERS {
let (attr_id, (type_id, verifier)) = (**lazy).clone();
attr_intr_verifiers
.entry(attr_id)
.and_modify(|verifiers: &mut Vec<(TypeId, AttrInterfaceVerifier)>| {
verifiers.push((type_id, verifier))
})
.or_insert(vec![(type_id, verifier)]);
}
// Collect interface deps into a map.
let interface_deps: FxHashMap<_, _> = ATTR_INTERFACE_DEPS
.iter()
.map(|lazy| (**lazy).clone())
.collect();
// Assign an integer to each interface, such that if y depends on x
// i.e., x is a super-interface of y, then dep_sort_idx[x] < dep_sort_idx[y]
let mut dep_sort_idx = FxHashMap::<TypeId, u32>::default();
let mut sort_idx = 0;
fn assign_idx_to_intr(
interface_deps: &FxHashMap<TypeId, Vec<TypeId>>,
dep_sort_idx: &mut FxHashMap<TypeId, u32>,
sort_idx: &mut u32,
intr: &TypeId,
) {
if dep_sort_idx.contains_key(intr) {
return;
}
// Assign index to every dependent first. We don't bother to check for cyclic
// dependences since super interfaces are also super traits in Rust.
let deps = interface_deps
.get(intr)
.expect("Expect every interface to have a (possibly empty) list of dependences");
for dep in deps {
assign_idx_to_intr(interface_deps, dep_sort_idx, sort_idx, dep);
}
// Assign an index to the current interface.
dep_sort_idx.insert(*intr, *sort_idx);
*sort_idx += 1;
}
// Assign dep_sort_idx to every interface.
for lazy in ATTR_INTERFACE_DEPS.iter() {
let (intr, _deps) = &**lazy;
assign_idx_to_intr(&interface_deps, &mut dep_sort_idx, &mut sort_idx, intr);
}
for verifiers in attr_intr_verifiers.values_mut() {
// sort verifiers based on its dep_sort_idx.
verifiers.sort_by(|(a, _), (b, _)| dep_sort_idx[a].cmp(&dep_sort_idx[b]));
}
attr_intr_verifiers
});
/// Declare an [Attribute] interface, which can be implemented by any [Attribute].
///
/// If the interface requires any other interface to be already implemented,
/// they can be specified. The trait to which this interface is expanded will
/// have the dependent interfaces as super-traits, in addition to the [Attribute] trait
/// itself, which is always automatically added as a super-trait.
///
/// When an [Attribute] is verified, its interfaces are also automatically verified,
/// with guarantee that a super-interface is verified before an interface itself is.
///
/// Example: Here `Super1` and `Super2` are super interfaces for the interface `MyAttrIntr`.
/// ```
/// # use pliron::{decl_attr_interface, attribute::Attribute, context::Context, error::Result};
/// decl_attr_interface!(
/// Super1 {
/// fn verify(_attr: &dyn Attribute, _ctx: &Context) -> Result<()>
/// where
/// Self: Sized,
/// {
/// Ok(())
/// }
/// }
/// );
/// decl_attr_interface!(
/// Super2 {
/// fn verify(_attr: &dyn Attribute, _ctx: &Context) -> Result<()>
/// where
/// Self: Sized,
/// {
/// Ok(())
/// }
/// }
/// );
/// decl_attr_interface!(
/// /// MyAttrIntr is my best attribute interface.
/// MyAttrIntr: Super1, Super2 {
/// fn verify(_attr: &dyn Attribute, _ctx: &Context) -> Result<()>
/// where
/// Self: Sized,
/// {
/// Ok(())
/// }
/// }
/// );
/// ```
#[macro_export]
macro_rules! decl_attr_interface {
// No deps case
($(#[$docs:meta])*
$intr_name:ident { $($tt:tt)* }) => {
decl_attr_interface!(
$(#[$docs])*
$intr_name: { $($tt)* }
);
};
// Zero or more deps
($(#[$docs:meta])*
$intr_name:ident: $($dep:path),* { $($tt:tt)* }) => {
$(#[$docs])*
pub trait $intr_name: pliron::attribute::Attribute $( + $dep )* {
$($tt)*
}
const _: () = {
#[linkme::distributed_slice(pliron::attribute::ATTR_INTERFACE_DEPS)]
static ATTR_INTERFACE_DEP: $crate::Lazy<(std::any::TypeId, Vec<std::any::TypeId>)>
= $crate::Lazy::new(|| {
(std::any::TypeId::of::<dyn $intr_name>(), vec![$(std::any::TypeId::of::<dyn $dep>(),)*])
});
};
};
}
#[cfg(test)]
mod tests {
use pliron::error::Result;
use rustc_hash::{FxHashMap, FxHashSet};
use std::any::TypeId;
use crate::verify_err_noloc;
use super::{ATTR_INTERFACE_DEPS, ATTR_INTERFACE_VERIFIERS_MAP};
#[test]
/// For every interface that an [Attr] implements, ensure that the interface verifiers
/// get called in the right order, with super-interface verifiers called before their
/// sub-interface verifier.
fn check_verifiers_deps() -> Result<()> {
// Collect interface deps into a map.
let interface_deps: FxHashMap<_, _> = ATTR_INTERFACE_DEPS
.iter()
.map(|lazy| (**lazy).clone())
.collect();
for (attr, intrs) in ATTR_INTERFACE_VERIFIERS_MAP.iter() {
let mut satisfied_deps = FxHashSet::<TypeId>::default();
for (intr, _) in intrs {
let deps = interface_deps.get(intr).ok_or_else(|| {
let err: Result<()> = verify_err_noloc!(
"Missing deps list for TypeId {:?} when checking verifier dependences for {}",
intr,
attr
);
err.unwrap_err()
})?;
for dep in deps {
if !satisfied_deps.contains(dep) {
return verify_err_noloc!(
"For {}, depencence {:?} not satisfied for {:?}",
attr,
dep,
intr
);
}
}
satisfied_deps.insert(*intr);
}
}
Ok(())
}
}