[mlir][irdl] Add irdl.attributes operation for defining named attributes

This commit introduces the `irdl.attributes` operation, which allows defining named attributes for the parent operation. Each attribute is defined with a name and a type constraint.

Example usage:
```
irdl.dialect @example {
  irdl.operation @attr_op {
    %0 = irdl.any
    %1 = irdl.is i64
    irdl.attributes {
      "attr1" = %0,
      "attr2" = %1
    }
  }
}
```
In this example the operation will expect an arbitrary attribute "attr1"
and an attribute "attr2" with value `i64`.

Reviewed By: math-fehr, Mogball

Differential Revision: https://reviews.llvm.org/D152618
This commit is contained in:
Daniil Dudkin
2023-06-20 20:58:26 +03:00
parent 0ce2ce2a47
commit f1a0402983
6 changed files with 195 additions and 6 deletions

View File

@@ -161,7 +161,7 @@ def IRDL_ParametersOp : IRDL_Op<"parameters",
def IRDL_OperationOp : IRDL_Op<"operation",
[HasParent<"DialectOp">, NoTerminator, NoRegionArguments,
AtMostOneChildOf<"OperandsOp, ResultsOp">, Symbol]> {
AtMostOneChildOf<"OperandsOp, ResultsOp, AttributesOp">, Symbol]> {
let summary = "Define a new operation";
let description = [{
`irdl.operation` defines a new operation belonging to the `irdl.dialect`
@@ -260,6 +260,43 @@ def IRDL_ResultsOp : IRDL_Op<"results", [HasParent<"OperationOp">]> {
let assemblyFormat = " `(` $args `)` attr-dict ";
}
def IRDL_AttributesOp : IRDL_Op<"attributes", [HasParent<"OperationOp">]> {
let summary = "Define the attributes of an operation";
let description = [{
`irdl.attributes` defines the attributes of the `irdl.operation` parent
operation definition.
In the following example, `irdl.attributes` defines the attributes of the
`attr_op` operation:
```mlir
irdl.dialect @example {
irdl.operation @attr_op {
%0 = irdl.any
%1 = irdl.is i64
irdl.attibutes {
"attr1" = %0,
"attr2" = %1
}
}
}
```
The operation will expect an arbitrary attribute "attr1" and an
attribute "attr2" with value `i64`.
}];
let arguments = (ins Variadic<IRDL_AttributeType>:$attributeValues,
StrArrayAttr:$attributeValueNames);
let assemblyFormat = [{
custom<AttributesOp>($attributeValues, $attributeValueNames) attr-dict
}];
let hasVerifier = true;
}
//===----------------------------------------------------------------------===//
// IRDL Constraint operations
//===----------------------------------------------------------------------===//

View File

@@ -71,6 +71,49 @@ LogicalResult DialectOp::verify() {
return success();
}
LogicalResult AttributesOp::verify() {
const size_t namesSize = getAttributeValueNames().size();
const size_t valuesSize = getAttributeValues().size();
if (namesSize != valuesSize)
return emitOpError()
<< "the number of attribute names and their constraints must be "
"the same but got "
<< namesSize << " and " << valuesSize << " respectively";
return success();
}
static ParseResult
parseAttributesOp(OpAsmParser &p,
SmallVectorImpl<OpAsmParser::UnresolvedOperand> &attrOperands,
ArrayAttr &attrNamesAttr) {
Builder &builder = p.getBuilder();
SmallVector<Attribute> attrNames;
if (succeeded(p.parseOptionalLBrace())) {
auto parseOperands = [&]() {
if (p.parseAttribute(attrNames.emplace_back()) || p.parseEqual() ||
p.parseOperand(attrOperands.emplace_back()))
return failure();
return success();
};
if (p.parseCommaSeparatedList(parseOperands) || p.parseRBrace())
return failure();
}
attrNamesAttr = builder.getArrayAttr(attrNames);
return success();
}
static void printAttributesOp(OpAsmPrinter &p, AttributesOp op,
OperandRange attrArgs, ArrayAttr attrNames) {
if (attrNames.empty())
return;
p << "{";
interleaveComma(llvm::seq<int>(0, attrNames.size()), p,
[&](int i) { p << attrNames[i] << " = " << attrArgs[i]; });
p << '}';
}
#include "mlir/Dialect/IRDL/IR/IRDLInterfaces.cpp.inc"
#define GET_TYPEDEF_CLASSES

View File

@@ -13,8 +13,10 @@
#include "mlir/Dialect/IRDL/IRDLLoading.h"
#include "mlir/Dialect/IRDL/IR/IRDL.h"
#include "mlir/Dialect/IRDL/IR/IRDLInterfaces.h"
#include "mlir/IR/Attributes.h"
#include "mlir/IR/BuiltinOps.h"
#include "mlir/IR/ExtensibleDialect.h"
#include "mlir/IR/OperationSupport.h"
#include "mlir/Support/LogicalResult.h"
#include "llvm/ADT/STLExtras.h"
#include "llvm/ADT/SmallPtrSet.h"
@@ -52,8 +54,8 @@ irdlAttrOrTypeVerifier(function_ref<InFlightDiagnostic()> emitError,
/// with IRDL.
static LogicalResult
irdlOpVerifier(Operation *op, ArrayRef<std::unique_ptr<Constraint>> constraints,
ArrayRef<size_t> operandConstrs,
ArrayRef<size_t> resultConstrs) {
ArrayRef<size_t> operandConstrs, ArrayRef<size_t> resultConstrs,
const DenseMap<StringAttr, size_t> &attributeConstrs) {
/// Check that we have the right number of operands.
unsigned numOperands = op->getNumOperands();
size_t numExpectedOperands = operandConstrs.size();
@@ -68,10 +70,26 @@ irdlOpVerifier(Operation *op, ArrayRef<std::unique_ptr<Constraint>> constraints,
return op->emitOpError()
<< numExpectedResults << " results expected, but got " << numResults;
auto emitError = [op]() { return op->emitError(); };
auto emitError = [op] { return op->emitError(); };
ConstraintVerifier verifier(constraints);
/// Сheck that we have all needed attributes passed
/// and they satisfy the constraints.
DictionaryAttr actualAttrs = op->getAttrDictionary();
for (auto [name, constraint] : attributeConstrs) {
/// First, check if the attribute actually passed.
std::optional<NamedAttribute> actual = actualAttrs.getNamed(name);
if (!actual.has_value())
return op->emitOpError()
<< "attribute " << name << " is expected but not provided";
/// Then, check if the attribute value satisfies the constraint.
if (failed(verifier.verify({emitError}, actual->getValue(), constraint)))
return failure();
}
/// Check that all operands satisfy the constraints.
for (auto [i, operandType] : enumerate(op->getOperandTypes()))
if (failed(verifier.verify({emitError}, TypeAttr::get(operandType),
@@ -147,6 +165,23 @@ static WalkResult loadOperation(
}
}
// Gather which constraint slots correspond to attributes constraints
DenseMap<StringAttr, size_t> attributesContraints;
auto attributesOp = op.getOp<AttributesOp>();
if (attributesOp.has_value()) {
const Operation::operand_range values = attributesOp->getAttributeValues();
const ArrayAttr names = attributesOp->getAttributeValueNames();
for (const auto &[name, value] : llvm::zip(names, values)) {
for (auto [i, constr] : enumerate(constrToValue)) {
if (constr == value) {
attributesContraints[name.cast<StringAttr>()] = i;
break;
}
}
}
}
// IRDL does not support defining custom parsers or printers.
auto parser = [](OpAsmParser &parser, OperationState &result) {
return failure();
@@ -158,9 +193,10 @@ static WalkResult loadOperation(
auto verifier =
[constraints{std::move(constraints)},
operandConstraints{std::move(operandConstraints)},
resultConstraints{std::move(resultConstraints)}](Operation *op) {
resultConstraints{std::move(resultConstraints)},
attributesContraints{std::move(attributesContraints)}](Operation *op) {
return irdlOpVerifier(op, constraints, operandConstraints,
resultConstraints);
resultConstraints, attributesContraints);
};
// IRDL does not support defining regions.

View File

@@ -0,0 +1,22 @@
// RUN: mlir-opt %s -verify-diagnostics -split-input-file
irdl.dialect @errors {
irdl.operation @attrs1 {
%0 = irdl.is i32
%1 = irdl.is i64
// expected-error@+1 {{'irdl.attributes' op the number of attribute names and their constraints must be the same but got 1 and 2 respectively}}
"irdl.attributes"(%0, %1) <{attributeValueNames = ["attr1"]}> : (!irdl.attribute, !irdl.attribute) -> ()
}
}
// -----
irdl.dialect @errors {
irdl.operation @attrs2 {
%0 = irdl.is i32
%1 = irdl.is i64
// expected-error@+1 {{'irdl.attributes' op the number of attribute names and their constraints must be the same but got 2 and 1 respectively}}
"irdl.attributes"(%0) <{attributeValueNames = ["attr1", "attr2"]}> : (!irdl.attribute) -> ()
}
}

View File

@@ -104,4 +104,19 @@ irdl.dialect @testd {
%2 = irdl.any_of(%0, %1)
irdl.results(%2, %2)
}
// CHECK: irdl.operation @attrs {
// CHECK: %[[v0:[^ ]*]] = irdl.is i32
// CHECK: %[[v1:[^ ]*]] = irdl.is i64
// CHECK: irdl.attributes {"attr1" = %[[v0]], "attr2" = %[[v1]]}
// CHECK: }
irdl.operation @attrs {
%0 = irdl.is i32
%1 = irdl.is i64
irdl.attributes {
"attr1" = %0,
"attr2" = %1
}
}
}

View File

@@ -198,3 +198,39 @@ func.func @failedConstraintVars() {
"testd.constraint_vars"() : () -> (i64, i32)
return
}
// -----
//===----------------------------------------------------------------------===//
// Constraint attributes
//===----------------------------------------------------------------------===//
func.func @succeededAttrs() {
// CHECK: "testd.attrs"() {attr1 = i32, attr2 = i64} : () -> ()
"testd.attrs"() {attr1 = i32, attr2 = i64} : () -> ()
return
}
// -----
func.func @failedAttrsMissingAttr() {
// expected-error@+1 {{attribute "attr2" is expected but not provided}}
"testd.attrs"() {attr1 = i32} : () -> ()
return
}
// -----
func.func @failedAttrsConstraint() {
// expected-error@+1 {{expected 'i32' but got 'i64'}}
"testd.attrs"() {attr1 = i64, attr2 = i64} : () -> ()
return
}
// -----
func.func @failedAttrsConstraint2() {
// expected-error@+1 {{expected 'i64' but got 'i32'}}
"testd.attrs"() {attr1 = i32, attr2 = i32} : () -> ()
return
}