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
|
//===- DimLvlMapParser.cpp - `DimLvlMap` parser implementation ------------===//
//
// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
// See https://llvm.org/LICENSE.txt for license information.
// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
//
//===----------------------------------------------------------------------===//
#include "DimLvlMapParser.h"
using namespace mlir;
using namespace mlir::sparse_tensor;
using namespace mlir::sparse_tensor::ir_detail;
#define FAILURE_IF_FAILED(RES) \
if (failed(RES)) { \
return failure(); \
}
/// Helper function for `FAILURE_IF_NULLOPT_OR_FAILED` to avoid duplicating
/// its `RES` parameter.
static inline bool didntSucceed(OptionalParseResult res) {
return !res.has_value() || failed(*res);
}
#define FAILURE_IF_NULLOPT_OR_FAILED(RES) \
if (didntSucceed(RES)) { \
return failure(); \
}
// NOTE: this macro assumes `AsmParser parser` and `SMLoc loc` are in scope.
#define ERROR_IF(COND, MSG) \
if (COND) { \
return parser.emitError(loc, MSG); \
}
//===----------------------------------------------------------------------===//
// `DimLvlMapParser` implementation for variable parsing.
//===----------------------------------------------------------------------===//
// Our variation on `AffineParser::{parseBareIdExpr,parseIdentifierDefinition}`
OptionalParseResult DimLvlMapParser::parseVar(VarKind vk, bool isOptional,
Policy creationPolicy,
VarInfo::ID &varID,
bool &didCreate) {
// Save the current location so that we can have error messages point to
// the right place. Note that `Parser::emitWrongTokenError` starts off
// with the same location as `AsmParserImpl::getCurrentLocation` returns;
// however, `Parser` will then do some various munging with the location
// before actually using it, so `AsmParser::emitError` can't quite be used
// as a drop-in replacement for `Parser::emitWrongTokenError`.
const auto loc = parser.getCurrentLocation();
// Several things to note.
// (1) the `Parser::isCurrentTokenAKeyword` method checks the exact
// same conditions as the `AffineParser.cpp`-static free-function
// `isIdentifier` which is used by `AffineParser::parseBareIdExpr`.
// (2) the `{Parser,AsmParserImpl}::parseOptionalKeyword(StringRef*)`
// methods do the same song and dance about using
// `isCurrentTokenAKeyword`, `getTokenSpelling`, et `consumeToken` as we
// would want to do if we could use the `Parser` class directly. It
// doesn't provide the nice error handling we want, but we can work around
// that.
StringRef name;
if (failed(parser.parseOptionalKeyword(&name))) {
// If not actually optional, then `emitError`.
ERROR_IF(!isOptional, "expected bare identifier")
// If is actually optional, then return the null `OptionalParseResult`.
return std::nullopt;
}
// I don't know if we need to worry about the possibility of the caller
// recovering from error and then reusing the `DimLvlMapParser` for subsequent
// `parseVar`, but I'm erring on the side of caution by distinguishing
// all three possible creation policies.
if (const auto res = env.lookupOrCreate(creationPolicy, name, loc, vk)) {
varID = res->first;
didCreate = res->second;
return success();
}
// TODO(wrengr): these error messages make sense for our intended usage,
// but not in general; but it's unclear how best to factor that part out.
switch (creationPolicy) {
case Policy::MustNot:
return parser.emitError(loc, "use of undeclared identifier '" + name + "'");
case Policy::May:
llvm_unreachable("got nullopt for Policy::May");
case Policy::Must:
return parser.emitError(loc, "redefinition of identifier '" + name + "'");
}
llvm_unreachable("unknown Policy");
}
FailureOr<VarInfo::ID> DimLvlMapParser::parseVarUsage(VarKind vk,
bool requireKnown) {
VarInfo::ID id;
bool didCreate;
const bool isOptional = false;
const auto creationPolicy = requireKnown ? Policy::MustNot : Policy::May;
const auto res = parseVar(vk, isOptional, creationPolicy, id, didCreate);
FAILURE_IF_NULLOPT_OR_FAILED(res)
assert(requireKnown ? !didCreate : true);
return id;
}
FailureOr<VarInfo::ID> DimLvlMapParser::parseVarBinding(VarKind vk,
bool requireKnown) {
const auto loc = parser.getCurrentLocation();
VarInfo::ID id;
bool didCreate;
const bool isOptional = false;
const auto creationPolicy = requireKnown ? Policy::MustNot : Policy::Must;
const auto res = parseVar(vk, isOptional, creationPolicy, id, didCreate);
FAILURE_IF_NULLOPT_OR_FAILED(res)
assert(requireKnown ? !didCreate : didCreate);
bindVar(loc, id);
return id;
}
FailureOr<std::pair<Var, bool>>
DimLvlMapParser::parseOptionalVarBinding(VarKind vk, bool requireKnown) {
const auto loc = parser.getCurrentLocation();
VarInfo::ID id;
bool didCreate;
const bool isOptional = true;
const auto creationPolicy = requireKnown ? Policy::MustNot : Policy::Must;
const auto res = parseVar(vk, isOptional, creationPolicy, id, didCreate);
if (res.has_value()) {
FAILURE_IF_FAILED(*res)
assert(didCreate);
return std::make_pair(bindVar(loc, id), true);
}
assert(!didCreate);
return std::make_pair(env.bindUnusedVar(vk), false);
}
Var DimLvlMapParser::bindVar(llvm::SMLoc loc, VarInfo::ID id) {
MLIRContext *context = parser.getContext();
const auto var = env.bindVar(id);
const auto &info = std::as_const(env).access(id);
const auto name = info.getName();
const auto num = *info.getNum();
switch (info.getKind()) {
case VarKind::Symbol: {
const auto affine = getAffineSymbolExpr(num, context);
dimsAndSymbols.emplace_back(name, affine);
lvlsAndSymbols.emplace_back(name, affine);
return var;
}
case VarKind::Dimension:
dimsAndSymbols.emplace_back(name, getAffineDimExpr(num, context));
return var;
case VarKind::Level:
lvlsAndSymbols.emplace_back(name, getAffineDimExpr(num, context));
return var;
}
llvm_unreachable("unknown VarKind");
}
//===----------------------------------------------------------------------===//
// `DimLvlMapParser` implementation for `DimLvlMap` per se.
//===----------------------------------------------------------------------===//
FailureOr<DimLvlMap> DimLvlMapParser::parseDimLvlMap() {
FAILURE_IF_FAILED(parseSymbolBindingList())
FAILURE_IF_FAILED(parseLvlVarBindingList())
FAILURE_IF_FAILED(parseDimSpecList())
FAILURE_IF_FAILED(parser.parseArrow())
FAILURE_IF_FAILED(parseLvlSpecList())
// TODO(wrengr): Try to improve the error messages from
// `VarEnv::emitErrorIfAnyUnbound`.
InFlightDiagnostic ifd = env.emitErrorIfAnyUnbound(parser);
if (failed(ifd))
return ifd;
return DimLvlMap(env.getRanks().getSymRank(), dimSpecs, lvlSpecs);
}
ParseResult DimLvlMapParser::parseSymbolBindingList() {
return parser.parseCommaSeparatedList(
OpAsmParser::Delimiter::OptionalSquare,
[this]() { return ParseResult(parseVarBinding(VarKind::Symbol)); },
" in symbol binding list");
}
// FIXME: The forward-declaration of level-vars is a stop-gap workaround
// so that we can reuse `AsmParser::parseAffineExpr` in the definition of
// `DimLvlMapParser::parseDimSpec`. (In particular, note that all the
// variables must be bound before entering `AsmParser::parseAffineExpr`,
// since that method requires every variable to already have a fixed/known
// `Var::Num`.)
//
// However, the forward-declaration list duplicates information which is
// already encoded by the level-var bindings in `parseLvlSpecList` (namely:
// the names of the variables themselves, and the order in which the names
// are bound). This redundancy causes bad UX, and also means we must be
// sure to verify consistency between the two sources of information.
//
// Therefore, it would be best to remove the forward-declaration list from
// the syntax. This can be achieved by implementing our own version of
// `AffineParser::parseAffineExpr` which calls
// `parseVarUsage(_,requireKnown=false)` for variables and stores the resulting
// `VarInfo::ID` in the expression tree (instead of demanding it be resolved to
// some `Var::Num` immediately). This would also enable us to use the `VarEnv`
// directly, rather than building the `{dims,lvls}AndSymbols` lists on the
// side, and thus would also enable us to avoid the O(n^2) behavior of copying
// `DimLvlParser::{dims,lvls}AndSymbols` into `AffineParser::dimsAndSymbols`
// every time `AsmParser::parseAffineExpr` is called.
ParseResult DimLvlMapParser::parseLvlVarBindingList() {
return parser.parseCommaSeparatedList(
OpAsmParser::Delimiter::OptionalBraces,
[this]() { return ParseResult(parseVarBinding(VarKind::Level)); },
" in level declaration list");
}
//===----------------------------------------------------------------------===//
// `DimLvlMapParser` implementation for `DimSpec`.
//===----------------------------------------------------------------------===//
ParseResult DimLvlMapParser::parseDimSpecList() {
return parser.parseCommaSeparatedList(
OpAsmParser::Delimiter::Paren,
[this]() -> ParseResult { return parseDimSpec(); },
" in dimension-specifier list");
}
ParseResult DimLvlMapParser::parseDimSpec() {
// Parse the requisite dim-var binding.
const auto varID = parseVarBinding(VarKind::Dimension);
FAILURE_IF_FAILED(varID)
const DimVar var = env.getVar(*varID).cast<DimVar>();
// Parse an optional dimension expression.
AffineExpr affine;
if (succeeded(parser.parseOptionalEqual())) {
// Parse the dim affine expr, with only any lvl-vars in scope.
// FIXME(wrengr): This still has the O(n^2) behavior of copying
// our `lvlsAndSymbols` into the `AffineParser::dimsAndSymbols`
// field every time `parseDimSpec` is called.
FAILURE_IF_FAILED(parser.parseAffineExpr(lvlsAndSymbols, affine))
}
DimExpr expr{affine};
// Parse an optional slice.
SparseTensorDimSliceAttr slice;
if (succeeded(parser.parseOptionalColon())) {
const auto loc = parser.getCurrentLocation();
Attribute attr;
FAILURE_IF_FAILED(parser.parseAttribute(attr))
slice = llvm::dyn_cast<SparseTensorDimSliceAttr>(attr);
ERROR_IF(!slice, "expected SparseTensorDimSliceAttr")
}
dimSpecs.emplace_back(var, expr, slice);
return success();
}
//===----------------------------------------------------------------------===//
// `DimLvlMapParser` implementation for `LvlSpec`.
//===----------------------------------------------------------------------===//
ParseResult DimLvlMapParser::parseLvlSpecList() {
// This method currently only supports two syntaxes:
//
// (1) There are no forward-declarations, and no lvl-var bindings:
// (d0, d1) -> (d0 : dense, d1 : compressed)
// Therefore `parseLvlVarBindingList` didn't bind any lvl-vars, and thus
// `parseLvlSpec` will need to use `VarEnv::bindUnusedVar` to ensure that
// the level-rank is correct at the end of parsing.
//
// (2) There are forward-declarations, and every lvl-spec must have
// a lvl-var binding:
// {l0, l1} (d0 = l0, d1 = l1) -> (l0 = d0 : dense, l1 = d1 : compressed)
// However, this introduces duplicate information since the order of
// the lvl-vars in `parseLvlVarBindingList` must agree with their order
// in the list of lvl-specs. Therefore, `parseLvlSpec` will not call
// `VarEnv::bindVar` (since `parseLvlVarBindingList` already did so),
// and must also validate the consistency between the two lvl-var orders.
const auto declaredLvlRank = env.getRanks().getLvlRank();
const bool requireLvlVarBinding = declaredLvlRank != 0;
// Have `ERROR_IF` point to the start of the list.
const auto loc = parser.getCurrentLocation();
const auto res = parser.parseCommaSeparatedList(
mlir::OpAsmParser::Delimiter::Paren,
[=]() -> ParseResult { return parseLvlSpec(requireLvlVarBinding); },
" in level-specifier list");
FAILURE_IF_FAILED(res)
const auto specLvlRank = lvlSpecs.size();
ERROR_IF(requireLvlVarBinding && specLvlRank != declaredLvlRank,
"Level-rank mismatch between forward-declarations and specifiers. "
"Declared " +
Twine(declaredLvlRank) + " level-variables; but got " +
Twine(specLvlRank) + " level-specifiers.")
return success();
}
static inline Twine nth(Var::Num n) {
switch (n) {
case 1:
return "1st";
case 2:
return "2nd";
default:
return Twine(n) + "th";
}
}
// NOTE: This is factored out as a separate method only because `Var`
// lacks a default-ctor, which makes this conditional difficult to inline
// at the one call-site.
FailureOr<LvlVar>
DimLvlMapParser::parseLvlVarBinding(bool requireLvlVarBinding) {
// Nothing to parse, just bind an unnamed variable.
if (!requireLvlVarBinding)
return env.bindUnusedVar(VarKind::Level).cast<LvlVar>();
const auto loc = parser.getCurrentLocation();
// NOTE: Calling `parseVarUsage` here is semantically inappropriate,
// since the thing we're parsing is supposed to be a variable *binding*
// rather than a variable *use*. However, the call to `VarEnv::bindVar`
// (and its corresponding call to `DimLvlMapParser::recordVarBinding`)
// already occured in `parseLvlVarBindingList`, and therefore we must
// use `parseVarUsage` here in order to operationally do the right thing.
const auto varID = parseVarUsage(VarKind::Level, /*requireKnown=*/true);
FAILURE_IF_FAILED(varID)
const auto &info = std::as_const(env).access(*varID);
const auto var = info.getVar().cast<LvlVar>();
const auto forwardNum = var.getNum();
const auto specNum = lvlSpecs.size();
ERROR_IF(forwardNum != specNum,
"Level-variable ordering mismatch. The variable '" + info.getName() +
"' was forward-declared as the " + nth(forwardNum) +
" level; but is bound by the " + nth(specNum) +
" specification.")
FAILURE_IF_FAILED(parser.parseEqual())
return var;
}
ParseResult DimLvlMapParser::parseLvlSpec(bool requireLvlVarBinding) {
// Parse the optional lvl-var binding. (Actually, `requireLvlVarBinding`
// specifies whether that "optional" is actually Must or MustNot.)
const auto varRes = parseLvlVarBinding(requireLvlVarBinding);
FAILURE_IF_FAILED(varRes)
const LvlVar var = *varRes;
// Parse the lvl affine expr, with only the dim-vars in scope.
AffineExpr affine;
// FIXME(wrengr): This still has the O(n^2) behavior of copying
// our `dimsAndSymbols` into the `AffineParser::dimsAndSymbols`
// field every time `parseLvlSpec` is called.
FAILURE_IF_FAILED(parser.parseAffineExpr(dimsAndSymbols, affine))
LvlExpr expr{affine};
FAILURE_IF_FAILED(parser.parseColon())
const auto type = lvlTypeParser.parseLvlType(parser);
FAILURE_IF_FAILED(type)
lvlSpecs.emplace_back(var, expr, *type);
return success();
}
//===----------------------------------------------------------------------===//
|