15#include "mlir/Config/mlir-config.h"
25#include "llvm/ADT/BitVector.h"
26#include "llvm/ADT/DenseMap.h"
27#include "llvm/ADT/ScopeExit.h"
28#include "llvm/Support/DebugLog.h"
29#include "llvm/Support/ScopedPrinter.h"
30#include "llvm/Support/raw_ostream.h"
32#ifdef MLIR_GREEDY_REWRITE_RANDOMIZER_SEED
38#define DEBUG_TYPE "greedy-rewriter"
46#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
61 void computeFingerPrints(
Operation *topLevel) {
62 this->topLevel = topLevel;
63 this->topLevelFingerPrint.emplace(topLevel);
65 fingerprints.try_emplace(op, op,
false);
72 topLevelFingerPrint.reset();
76 void notifyRewriteSuccess() {
81 if (failed(
verify(topLevel)))
82 llvm::report_fatal_error(
"IR failed to verify after pattern application");
86 if (*topLevelFingerPrint == afterFingerPrint) {
88 llvm::report_fatal_error(
89 "pattern returned success but IR did not change");
91 for (
const auto &it : fingerprints) {
93 if (it.first == topLevel)
104 llvm::report_fatal_error(
"operation finger print changed");
109 void notifyRewriteFailure() {
115 if (*topLevelFingerPrint != afterFingerPrint) {
117 llvm::report_fatal_error(
"pattern returned failure but IR did change");
121 void notifyFoldingSuccess() {
126 if (failed(
verify(topLevel)))
127 llvm::report_fatal_error(
"IR failed to verify after folding");
132 void invalidateFingerPrint(
Operation *op) { fingerprints.erase(op); }
153 invalidateFingerPrint(op);
158 op->
walk([
this](
Operation *op) { invalidateFingerPrint(op); });
170 std::optional<OperationFingerPrint> topLevelFingerPrint;
182static void logSuccessfulFolding(
Operation *op) {
183 LDBG() <<
"// *** IR Dump After Successful Folding ***\n"
224 std::vector<Operation *> list;
230Worklist::Worklist() { list.reserve(64); }
232void Worklist::clear() {
237bool Worklist::empty()
const {
239 return !llvm::any_of(list,
240 [](
Operation *op) {
return static_cast<bool>(op); });
244 assert(op &&
"cannot push nullptr to worklist");
246 if (!map.insert({op, list.size()}).second)
252 assert(!empty() &&
"cannot pop from empty worklist");
260 while (!list.empty() && !list.back())
266 assert(op &&
"cannot remove nullptr from worklist");
267 auto it = map.find(op);
268 if (it != map.end()) {
269 assert(list[it->second] == op &&
"malformed worklist data structure");
270 list[it->second] =
nullptr;
275void Worklist::reverse() {
276 std::reverse(list.begin(), list.end());
277 for (
size_t i = 0, e = list.size(); i != e; ++i)
281#ifdef MLIR_GREEDY_REWRITE_RANDOMIZER_SEED
286class RandomizedWorklist :
public Worklist {
288 RandomizedWorklist() : Worklist() {
289 generator.seed(MLIR_GREEDY_REWRITE_RANDOMIZER_SEED);
296 assert(!list.empty() &&
"cannot pop from empty worklist");
299 list.
erase(list.begin() + pos);
300 for (
int64_t i = pos, e = list.size(); i < e; ++i)
324 explicit GreedyPatternRewriteDriver(
MLIRContext *ctx,
329 void addSingleOpToWorklist(
Operation *op);
336 void notifyOperationModified(
Operation *op)
override;
341 void notifyOperationInserted(
Operation *op,
347 void notifyOperationErased(
Operation *op)
override;
355 bool processWorklist();
363#ifdef MLIR_GREEDY_REWRITE_RANDOMIZER_SEED
364 RandomizedWorklist worklist;
376 llvm::SmallDenseSet<Operation *, 4> strictModeFilteredOps;
383 void addOperandsToWorklist(
Operation *op);
386 void notifyBlockInserted(
Block *block,
Region *previous,
390 void notifyBlockErased(
Block *block)
override;
400 llvm::impl::raw_ldbg_ostream os{(Twine(
"[") +
DEBUG_TYPE +
":1] ").str(),
403 llvm::ScopedPrinter logger{os};
409#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
410 ExpensiveChecks expensiveChecks;
415GreedyPatternRewriteDriver::GreedyPatternRewriteDriver(
416 MLIRContext *ctx,
const FrozenRewritePatternSet &
patterns,
417 const GreedyRewriteConfig &
config)
419#
if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
429 matcher.applyDefaultCostModel();
432#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
435 rewriter.setListener(&expensiveChecks);
437 rewriter.setListener(
this);
441bool GreedyPatternRewriteDriver::processWorklist() {
443 const char *logLineComment =
444 "//===-------------------------------------------===//\n";
447 auto logResult = [&](StringRef
result,
const llvm::Twine &msg = {}) {
449 logger.startLine() <<
"} -> " <<
result;
450 if (!msg.isTriviallyEmpty())
451 logger.getOStream() <<
" : " << msg;
452 logger.getOStream() <<
"\n";
454 auto logResultWithLine = [&](StringRef
result,
const llvm::Twine &msg = {}) {
456 logger.startLine() << logLineComment;
461 int64_t numRewrites = 0;
462 while (!worklist.empty() &&
463 (numRewrites <
config.getMaxNumRewrites() ||
465 auto *op = worklist.pop();
468 logger.getOStream() <<
"\n";
469 logger.startLine() << logLineComment;
470 logger.startLine() <<
"Processing operation : '" << op->getName() <<
"'("
475 if (op->getNumRegions() == 0) {
478 OpPrintingFlags().printGenericOpForm().elideLargeElementsAttrs());
479 logger.getOStream() <<
"\n\n";
488 LLVM_DEBUG(logResultWithLine(
"success",
"operation is trivially dead"));
496 if (
config.isFoldingEnabled() && !op->hasTrait<OpTrait::ConstantLike>()) {
497 SmallVector<OpFoldResult> foldResults;
498 if (succeeded(op->fold(foldResults))) {
499 LLVM_DEBUG(logResultWithLine(
"success",
"operation was folded"));
503 if (foldResults.empty()) {
505 notifyOperationModified(op);
507 LLVM_DEBUG(logSuccessfulFolding(dumpRootOp));
508#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
509 expensiveChecks.notifyFoldingSuccess();
515 assert(foldResults.size() == op->getNumResults() &&
516 "folder produced incorrect number of results");
517 OpBuilder::InsertionGuard g(rewriter);
519 SmallVector<Value> replacements;
520 bool materializationSucceeded =
true;
521 for (
auto [ofr, resultType] :
522 llvm::zip_equal(foldResults, op->getResultTypes())) {
523 if (
auto value = dyn_cast<Value>(ofr)) {
524 assert(value.getType() == resultType &&
525 "folder produced value of incorrect type");
526 replacements.push_back(value);
530 Operation *constOp = op->getDialect()->materializeConstant(
531 rewriter, cast<Attribute>(ofr), resultType, op->getLoc());
536 llvm::SmallDenseSet<Operation *> replacementOps;
539 "folder reused existing op for one result but constant "
540 "materialization failed for another result");
541 replacementOps.insert(
replacement.getDefiningOp());
543 for (Operation *op : replacementOps) {
547 materializationSucceeded =
false;
551 assert(constOp->
hasTrait<OpTrait::ConstantLike>() &&
552 "materializeConstant produced op that is not a ConstantLike");
554 "materializeConstant produced incorrect result type");
555 replacements.push_back(constOp->
getResult(0));
558 if (materializationSucceeded) {
561 LLVM_DEBUG(logSuccessfulFolding(dumpRootOp));
562#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
563 expensiveChecks.notifyFoldingSuccess();
573 auto canApplyCallback = [&](
const Pattern &pattern) {
575 logger.getOStream() <<
"\n";
576 logger.startLine() <<
"* Pattern " << pattern.getDebugName() <<
" : '"
577 << op->getName() <<
" -> (";
578 llvm::interleaveComma(pattern.getGeneratedOps(), logger.getOStream());
579 logger.getOStream() <<
")' {\n";
582 if (RewriterBase::Listener *listener =
config.getListener())
583 listener->notifyPatternBegin(pattern, op);
586 function_ref<bool(
const Pattern &)> canApply = canApplyCallback;
587 auto onFailureCallback = [&](
const Pattern &pattern) {
588 LLVM_DEBUG(logResult(
"failure",
"pattern failed to match"));
589 if (RewriterBase::Listener *listener =
config.getListener())
590 listener->notifyPatternEnd(pattern, failure());
592 function_ref<void(
const Pattern &)> onFailure = onFailureCallback;
593 auto onSuccessCallback = [&](
const Pattern &pattern) {
594 LLVM_DEBUG(logResult(
"success",
"pattern applied successfully"));
595 if (RewriterBase::Listener *listener =
config.getListener())
596 listener->notifyPatternEnd(pattern,
success());
599 function_ref<LogicalResult(
const Pattern &)> onSuccess = onSuccessCallback;
604 if (!
config.getListener()) {
611#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
613 expensiveChecks.computeFingerPrints(
config.getScope()->getParentOp());
615 llvm::scope_exit clearFingerprints([&]() { expensiveChecks.clear(); });
618 LogicalResult matchResult =
621 if (succeeded(matchResult)) {
622 LLVM_DEBUG(logResultWithLine(
"success",
"at least one pattern matched"));
623#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
624 expensiveChecks.notifyRewriteSuccess();
629 LLVM_DEBUG(logResultWithLine(
"failure",
"all patterns failed to match"));
630#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
631 expensiveChecks.notifyRewriteFailure();
639void GreedyPatternRewriteDriver::addToWorklist(Operation *op) {
640 assert(op &&
"expected valid op");
642 SmallVector<Operation *, 8> ancestors;
643 Region *region =
nullptr;
645 ancestors.push_back(op);
647 if (
config.getScope() == region) {
649 for (Operation *op : ancestors)
650 addSingleOpToWorklist(op);
653 if (region ==
nullptr)
658void GreedyPatternRewriteDriver::addSingleOpToWorklist(Operation *op) {
659 if (
config.getStrictness() == GreedyRewriteStrictness::AnyOp ||
660 strictModeFilteredOps.contains(op))
664void GreedyPatternRewriteDriver::notifyBlockInserted(
666 if (RewriterBase::Listener *listener =
config.getListener())
667 listener->notifyBlockInserted(block, previous, previousIt);
670void GreedyPatternRewriteDriver::notifyBlockErased(
Block *block) {
671 if (RewriterBase::Listener *listener =
config.getListener())
672 listener->notifyBlockErased(block);
675void GreedyPatternRewriteDriver::notifyOperationInserted(
676 Operation *op, OpBuilder::InsertPoint previous) {
678 logger.startLine() <<
"** Insert : '" << op->
getName() <<
"'(" << op
681 if (RewriterBase::Listener *listener =
config.getListener())
682 listener->notifyOperationInserted(op, previous);
683 if (
config.getStrictness() == GreedyRewriteStrictness::ExistingAndNewOps)
684 strictModeFilteredOps.insert(op);
688void GreedyPatternRewriteDriver::notifyOperationModified(Operation *op) {
690 logger.startLine() <<
"** Modified: '" << op->
getName() <<
"'(" << op
693 if (RewriterBase::Listener *listener =
config.getListener())
694 listener->notifyOperationModified(op);
698void GreedyPatternRewriteDriver::addOperandsToWorklist(Operation *op) {
708 auto *defOp = operand.getDefiningOp();
712 Operation *otherUser =
nullptr;
713 bool hasMoreThanTwoUses =
false;
714 for (
auto *user : operand.getUsers()) {
715 if (user == op || user == otherUser)
721 hasMoreThanTwoUses =
true;
724 if (hasMoreThanTwoUses)
727 addToWorklist(defOp);
731void GreedyPatternRewriteDriver::notifyOperationErased(Operation *op) {
733 logger.startLine() <<
"** Erase : '" << op->
getName() <<
"'(" << op
743 if (Region *scope =
config.getScope(); scope->getParentOp() == op)
745 "scope region must not be erased during greedy pattern rewrite");
748 if (RewriterBase::Listener *listener =
config.getListener())
749 listener->notifyOperationErased(op);
751 addOperandsToWorklist(op);
754 if (
config.getStrictness() != GreedyRewriteStrictness::AnyOp)
755 strictModeFilteredOps.erase(op);
758void GreedyPatternRewriteDriver::notifyOperationReplaced(
761 logger.startLine() <<
"** Replace : '" << op->
getName() <<
"'(" << op
764 if (RewriterBase::Listener *listener =
config.getListener())
765 listener->notifyOperationReplaced(op,
replacement);
768void GreedyPatternRewriteDriver::notifyMatchFailure(
769 Location loc,
function_ref<
void(Diagnostic &)> reasonCallback) {
771 Diagnostic
diag(loc, DiagnosticSeverity::Remark);
772 reasonCallback(
diag);
773 logger.startLine() <<
"** Match Failure : " <<
diag.str() <<
"\n";
775 if (RewriterBase::Listener *listener =
config.getListener())
776 listener->notifyMatchFailure(loc, reasonCallback);
785class RegionPatternRewriteDriver :
public GreedyPatternRewriteDriver {
787 explicit RegionPatternRewriteDriver(MLIRContext *ctx,
788 const FrozenRewritePatternSet &
patterns,
789 const GreedyRewriteConfig &
config,
794 LogicalResult simplify(
bool *
changed) &&;
802RegionPatternRewriteDriver::RegionPatternRewriteDriver(
803 MLIRContext *ctx,
const FrozenRewritePatternSet &
patterns,
804 const GreedyRewriteConfig &
config, Region ®ion)
805 : GreedyPatternRewriteDriver(ctx,
patterns,
config), region(region) {
808 region.walk([&](Operation *op) { strictModeFilteredOps.insert(op); });
813class GreedyPatternRewriteIteration
817 GreedyPatternRewriteIteration(ArrayRef<IRUnit> units, int64_t iteration)
818 : tracing::ActionImpl<GreedyPatternRewriteIteration>(units),
819 iteration(iteration) {}
820 static constexpr StringLiteral tag =
"GreedyPatternRewriteIteration";
821 void print(raw_ostream &os)
const override {
822 os <<
"GreedyPatternRewriteIteration(" << iteration <<
")";
826 int64_t iteration = 0;
830LogicalResult RegionPatternRewriteDriver::simplify(
bool *
changed) && {
831 bool continueRewrites =
false;
836 if (++iteration >
config.getMaxIterations() &&
846 auto insertKnownConstant = [&](
Operation *op) {
851 if (!folder.insertKnownConstant(op, constValue))
856 if (!
config.getUseTopDownTraversal()) {
859 if (!
config.isConstantCSEEnabled() || !insertKnownConstant(op))
865 if (!
config.isConstantCSEEnabled() || !insertKnownConstant(op)) {
878 continueRewrites =
false;
889 continueRewrites |= processWorklist();
893 if (
config.getRegionSimplificationLevel() !=
897 config.getRegionSimplificationLevel() ==
901 {®ion}, iteration);
902 }
while (continueRewrites);
908 return success(!continueRewrites);
919 "patterns can only be applied to operations IsolatedFromAbove");
925#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
927 llvm::report_fatal_error(
928 "greedy pattern rewriter input IR failed to verify");
934 LogicalResult converged = std::move(driver).simplify(
changed);
935 if (failed(converged))
936 LDBG() <<
"The pattern rewrite did not converge after scanning "
937 <<
config.getMaxIterations() <<
" times";
947class MultiOpPatternRewriteDriver :
public GreedyPatternRewriteDriver {
949 explicit MultiOpPatternRewriteDriver(
952 llvm::SmallDenseSet<Operation *, 4> *survivingOps =
nullptr);
958 void notifyOperationErased(
Operation *op)
override {
959 GreedyPatternRewriteDriver::notifyOperationErased(op);
961 survivingOps->erase(op);
967 llvm::SmallDenseSet<Operation *, 4> *
const survivingOps =
nullptr;
971MultiOpPatternRewriteDriver::MultiOpPatternRewriteDriver(
974 llvm::SmallDenseSet<Operation *, 4> *survivingOps)
976 survivingOps(survivingOps) {
978 strictModeFilteredOps.insert_range(ops);
981 survivingOps->clear();
982 survivingOps->insert_range(ops);
990 addSingleOpToWorklist(op);
993 bool result = processWorklist();
997 return success(worklist.empty());
1005 assert(!ops.empty() &&
"expected at least one op");
1007 if (ops.size() == 1)
1008 return ops.front()->getParentRegion();
1010 Region *region = ops.front()->getParentRegion();
1011 ops = ops.drop_front();
1012 int sz = ops.size();
1013 llvm::BitVector remainingOps(sz,
true);
1017 while ((pos = remainingOps.find_first_in(pos + 1, sz)) != -1) {
1020 remainingOps.reset(pos);
1022 if (remainingOps.none())
1041 if (!
config.getScope()) {
1048 bool allOpsInScope = llvm::all_of(ops, [&](
Operation *op) {
1051 assert(allOpsInScope &&
"ops must be within the specified scope");
1055#if MLIR_ENABLE_EXPENSIVE_PATTERN_API_CHECKS
1057 llvm::report_fatal_error(
1058 "greedy pattern rewriter input IR failed to verify");
1062 llvm::SmallDenseSet<Operation *, 4> surviving;
1063 MultiOpPatternRewriteDriver driver(ops.front()->getContext(),
patterns,
1065 allErased ? &surviving :
nullptr);
1066 LogicalResult converged = std::move(driver).simplify(ops,
changed);
1068 *allErased = surviving.empty();
1069 if (failed(converged))
1070 LDBG() <<
"The pattern rewrite did not converge after "
1071 <<
config.getMaxNumRewrites() <<
" rewrites";
static Region * findCommonAncestor(ArrayRef< Operation * > ops)
Find the region that is the closest common ancestor of all given ops.
*if copies could not be generated due to yet unimplemented cases *copyInPlacementStart and copyOutPlacementStart in copyPlacementBlock *specify the insertion points where the incoming copies and outgoing should be the output argument nBegin is set to its * replacement(set to `begin` if no invalidation happens). Since outgoing *copies could have been inserted at `end`
static const mlir::GenInfo * generator
static std::string diag(const llvm::Value &value)
static Operation * getDumpRootOp(Operation *op)
Log IR after pattern application.
static void print(spirv::VerCapExtAttr triple, DialectAsmPrinter &printer)
#define MLIR_DEFINE_EXPLICIT_INTERNAL_INLINE_TYPE_ID(CLASS_NAME)
Attributes are known-constant values of operations.
Block represents an ordered list of Operations.
Operation * getParentOp()
Returns the closest surrounding operation that contains this block.
This class contains all of the information necessary to report a diagnostic to the DiagnosticEngine.
This class represents a frozen set of patterns that can be processed by a pattern applicator.
This class allows control over how the GreedyPatternRewriteDriver works.
static constexpr int64_t kNoLimit
This class defines the main interface for locations in MLIR and acts as a non-nullable wrapper around...
MLIRContext is the top-level object for a collection of MLIR operations.
void executeAction(function_ref< void()> actionFn, const tracing::Action &action)
Dispatch the provided action to the handler if any, or just execute it.
This class represents a saved insertion point.
void setInsertionPoint(Block *block, Block::iterator insertPoint)
Set the insertion point to the specified location.
Set of flags used to control the behavior of the various IR print methods (e.g.
This class provides the API for ops that are known to be isolated from above.
A wrapper class that allows for printing an operation with a set of flags, useful to act as a "stream...
A unique fingerprint for a specific operation, and all of it's internal operations (if includeNested ...
A utility class for folding operations, and unifying duplicated constants generated along the way.
Operation is the basic unit of execution within MLIR.
bool hasTrait()
Returns true if the operation was registered with a particular trait, e.g.
OpResult getResult(unsigned idx)
Get the 'idx'th result of this operation.
Operation * getParentOp()
Returns the closest surrounding operation that contains this operation or nullptr if this is a top-le...
OperationName getName()
The name of an operation is the key identifier for it.
result_type_range getResultTypes()
operand_range getOperands()
Returns an iterator on the underlying Value's.
std::enable_if_t< llvm::function_traits< std::decay_t< FnT > >::num_args==1, RetT > walk(FnT &&callback)
Walk the operation by calling the callback for each nested operation (including this one),...
Region * getParentRegion()
Returns the region to which the instruction belongs.
void erase()
Remove this operation from its parent block and delete it.
This class manages the application of a group of rewrite patterns, with a user-provided cost model.
LogicalResult matchAndRewrite(Operation *op, PatternRewriter &rewriter, function_ref< bool(const Pattern &)> canApply={}, function_ref< void(const Pattern &)> onFailure={}, function_ref< LogicalResult(const Pattern &)> onSuccess={})
Attempt to match and rewrite the given op with any pattern, allowing a predicate to decide if a patte...
A special type of RewriterBase that coordinates the application of a rewrite pattern on the current I...
This class contains a list of basic blocks and a link to the parent operation it is attached to.
Region * getParentRegion()
Return the region containing this region or nullptr if the region is attached to a top-level operatio...
Operation * findAncestorOpInRegion(Operation &op)
Returns 'op' if 'op' lies in this region, or otherwise finds the ancestor of 'op' that lies in this r...
Operation * getParentOp()
Return the parent operation this region is attached to.
MLIRContext * getContext()
Return the context this region is inserted in.
BlockListType::iterator iterator
RetT walk(FnT &&callback)
Walk all nested operations, blocks or regions (including this region), depending on the type of callb...
virtual void replaceOp(Operation *op, ValueRange newValues)
Replace the results of the given (original) operation with the specified list of values (replacements...
virtual void eraseOp(Operation *op)
This method erases an operation that is known to have no uses.
This class provides an abstraction over the different types of ranges over Values.
static WalkResult advance()
CRTP Implementation of an action.
Include the generated interface declarations.
bool matchPattern(Value value, const Pattern &pattern)
Entry point for matching a pattern over a Value.
const FrozenRewritePatternSet GreedyRewriteConfig bool * changed
@ Aggressive
Run extra simplificiations (e.g.
@ Disabled
Disable region control-flow simplification.
const FrozenRewritePatternSet GreedyRewriteConfig config
LogicalResult applyPatternsGreedily(Region ®ion, const FrozenRewritePatternSet &patterns, GreedyRewriteConfig config=GreedyRewriteConfig(), bool *changed=nullptr)
Rewrite ops in the given region, which must be isolated from above, by repeatedly applying the highes...
LogicalResult applyOpPatternsGreedily(ArrayRef< Operation * > ops, const FrozenRewritePatternSet &patterns, GreedyRewriteConfig config=GreedyRewriteConfig(), bool *changed=nullptr, bool *allErased=nullptr)
Rewrite the specified ops by repeatedly applying the highest benefit patterns in a greedy worklist dr...
LogicalResult eraseUnreachableBlocks(RewriterBase &rewriter, MutableArrayRef< Region > regions)
Erase the unreachable blocks within the provided regions.
bool isOpTriviallyDead(Operation *op)
Return true if the given operation is unused, and has no side effects on memory that prevent erasing.
const FrozenRewritePatternSet & patterns
llvm::DenseMap< KeyT, ValueT, KeyInfoT, BucketT > DenseMap
@ AnyOp
No restrictions wrt. which ops are processed.
LogicalResult simplifyRegions(RewriterBase &rewriter, MutableArrayRef< Region > regions, bool mergeBlocks=true)
Run a set of structural simplifications over the given regions.
detail::constant_op_matcher m_Constant()
Matches a constant foldable operation.
LogicalResult verify(Operation *op, bool verifyRecursively=true)
Perform (potentially expensive) checks of invariants, used to detect compiler bugs,...
llvm::function_ref< Fn > function_ref
A listener that forwards all notifications to another listener.
void notifyOperationInserted(Operation *op, InsertPoint previous) override
Notify the listener that the specified operation was inserted.
void notifyOperationModified(Operation *op) override
Notify the listener that the specified operation was modified in-place.
void notifyOperationErased(Operation *op) override
Notify the listener that the specified operation is about to be erased.
void notifyBlockErased(Block *block) override
Notify the listener that the specified block is about to be erased.