LLVM 22.0.0git
RegAllocEvictionAdvisor.h
Go to the documentation of this file.
1//===- RegAllocEvictionAdvisor.h - Interference resolution ------*- C++ -*-===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8
9#ifndef LLVM_CODEGEN_REGALLOCEVICTIONADVISOR_H
10#define LLVM_CODEGEN_REGALLOCEVICTIONADVISOR_H
11
12#include "llvm/ADT/Any.h"
13#include "llvm/ADT/ArrayRef.h"
14#include "llvm/ADT/SmallSet.h"
15#include "llvm/ADT/StringRef.h"
19#include "llvm/Config/llvm-config.h"
20#include "llvm/IR/PassManager.h"
21#include "llvm/MC/MCRegister.h"
22#include "llvm/Pass.h"
24
25namespace llvm {
26class AllocationOrder;
27class LiveInterval;
28class LiveIntervals;
29class LiveRegMatrix;
30class MachineFunction;
31class MachineRegisterInfo;
32class RegisterClassInfo;
33class TargetRegisterInfo;
34class VirtRegMap;
35
37
38// Live ranges pass through a number of stages as we try to allocate them.
39// Some of the stages may also create new live ranges:
40//
41// - Region splitting.
42// - Per-block splitting.
43// - Local splitting.
44// - Spilling.
45//
46// Ranges produced by one of the stages skip the previous stages when they are
47// dequeued. This improves performance because we can skip interference checks
48// that are unlikely to give any results. It also guarantees that the live
49// range splitting algorithm terminates, something that is otherwise hard to
50// ensure.
52 /// Newly created live range that has never been queued.
54
55 /// Only attempt assignment and eviction. Then requeue as RS_Split.
57
58 /// Attempt live range splitting if assignment is impossible.
60
61 /// Attempt more aggressive live range splitting that is guaranteed to make
62 /// progress. This is used for split products that may not be making
63 /// progress.
65
66 /// Live range will be spilled. No more splitting will be attempted.
68
69 /// There is nothing more we can do to this live range. Abort compilation
70 /// if it can't be assigned.
72};
73
74/// Cost of evicting interference - used by default advisor, and the eviction
75/// chain heuristic in RegAllocGreedy.
76// FIXME: this can be probably made an implementation detail of the default
77// advisor, if the eviction chain logic can be refactored.
79 unsigned BrokenHints = 0; ///< Total number of broken hints.
80 float MaxWeight = 0; ///< Maximum spill weight evicted.
81
82 EvictionCost() = default;
83
84 bool isMax() const { return BrokenHints == ~0u; }
85
86 void setMax() { BrokenHints = ~0u; }
87
88 void setBrokenHints(unsigned NHints) { BrokenHints = NHints; }
89
90 bool operator<(const EvictionCost &O) const {
91 return std::tie(BrokenHints, MaxWeight) <
92 std::tie(O.BrokenHints, O.MaxWeight);
93 }
94};
95
96/// Interface to the eviction advisor, which is responsible for making a
97/// decision as to which live ranges should be evicted (if any).
98class RAGreedy;
100public:
103 virtual ~RegAllocEvictionAdvisor() = default;
104
105 /// Find a physical register that can be freed by evicting the FixedRegisters,
106 /// or return NoRegister. The eviction decision is assumed to be correct (i.e.
107 /// no fixed live ranges are evicted) and profitable.
109 const LiveInterval &VirtReg, const AllocationOrder &Order,
110 uint8_t CostPerUseLimit, const SmallVirtRegSet &FixedRegisters) const = 0;
111
112 /// Find out if we can evict the live ranges occupying the given PhysReg,
113 /// which is a hint (preferred register) for VirtReg.
114 virtual bool
116 const SmallVirtRegSet &FixedRegisters) const = 0;
117
118 /// Returns true if the given \p PhysReg is a callee saved register and has
119 /// not been used for allocation yet.
120 bool isUnusedCalleeSavedReg(MCRegister PhysReg) const;
121
122protected:
124
125 bool canReassign(const LiveInterval &VirtReg, MCRegister FromReg) const;
126
127 // Get the upper limit of elements in the given Order we need to analize.
128 // TODO: is this heuristic, we could consider learning it.
129 std::optional<unsigned> getOrderLimit(const LiveInterval &VirtReg,
130 const AllocationOrder &Order,
131 unsigned CostPerUseLimit) const;
132
133 // Determine if it's worth trying to allocate this reg, given the
134 // CostPerUseLimit
135 // TODO: this is a heuristic component we could consider learning, too.
136 bool canAllocatePhysReg(unsigned CostPerUseLimit, MCRegister PhysReg) const;
137
139 const RAGreedy &RA;
147
148 /// Run or not the local reassignment heuristic. This information is
149 /// obtained from the TargetSubtargetInfo.
151};
152
153/// Common provider for legacy and new pass managers.
154/// This keeps the state for logging, and sets up and holds the provider.
155/// The legacy pass itself used to keep the logging state and provider,
156/// so this extraction helps the NPM analysis to reuse the logic.
157/// TODO: Coalesce this with the NPM analysis when legacy PM is removed.
159public:
160 enum class AdvisorMode : int { Default, Release, Development };
162 : Ctx(Ctx), Mode(Mode) {}
163
165
166 virtual void logRewardIfNeeded(const MachineFunction &MF,
167 llvm::function_ref<float()> GetReward) {}
168
169 virtual std::unique_ptr<RegAllocEvictionAdvisor>
172
173 AdvisorMode getAdvisorMode() const { return Mode; }
174
175protected:
177
178private:
179 const AdvisorMode Mode;
180};
181
182/// ImmutableAnalysis abstraction for fetching the Eviction Advisor. We model it
183/// as an analysis to decouple the user from the implementation insofar as
184/// dependencies on other analyses goes. The motivation for it being an
185/// immutable pass is twofold:
186/// - in the ML implementation case, the evaluator is stateless but (especially
187/// in the development mode) expensive to set up. With an immutable pass, we set
188/// it up once.
189/// - in the 'development' mode ML case, we want to capture the training log
190/// during allocation (this is a log of features encountered and decisions
191/// made), and then measure a score, potentially a few steps after allocation
192/// completes. So we need the properties of an immutable pass to keep the logger
193/// state around until we can make that measurement.
194///
195/// Because we need to offer additional services in 'development' mode, the
196/// implementations of this analysis need to implement RTTI support.
198public:
199 enum class AdvisorMode : int { Default, Release, Development };
200
202 : ImmutablePass(ID), Mode(Mode) {};
203 static char ID;
204
205 /// Get an advisor for the given context (i.e. machine function, etc)
207
208 AdvisorMode getAdvisorMode() const { return Mode; }
209 virtual void logRewardIfNeeded(const MachineFunction &MF,
210 function_ref<float()> GetReward) {};
211
212protected:
213 // This analysis preserves everything, and subclasses may have additional
214 // requirements.
215 void getAnalysisUsage(AnalysisUsage &AU) const override {
216 AU.setPreservesAll();
217 }
218 std::unique_ptr<RegAllocEvictionAdvisorProvider> Provider;
219
220private:
221 StringRef getPassName() const override;
222 const AdvisorMode Mode;
223};
224
225/// A MachineFunction analysis for fetching the Eviction Advisor.
226/// This sets up the Provider lazily and caches it.
227/// - in the ML implementation case, the evaluator is stateless but (especially
228/// in the development mode) expensive to set up. With a Module Analysis, we
229/// `require` it and set it up once.
230/// - in the 'development' mode ML case, we want to capture the training log
231/// during allocation (this is a log of features encountered and decisions
232/// made), and then measure a score, potentially a few steps after allocation
233/// completes. So we need a Module analysis to keep the logger state around
234/// until we can make that measurement.
236 : public AnalysisInfoMixin<RegAllocEvictionAdvisorAnalysis> {
237 static AnalysisKey Key;
239
240public:
241 struct Result {
242 // owned by this analysis
244
247 // Provider is stateless and constructed only once. Do not get
248 // invalidated.
249 return false;
250 }
251 };
252
254
255private:
256 void
258 LLVMContext &Ctx);
259
260 std::unique_ptr<RegAllocEvictionAdvisorProvider> Provider;
261};
262
263/// Specialization for the API used by the analysis infrastructure to create
264/// an instance of the eviction advisor.
266
267RegAllocEvictionAdvisorAnalysisLegacy *createReleaseModeAdvisorAnalysisLegacy();
268
269RegAllocEvictionAdvisorAnalysisLegacy *
271
274
277
278// TODO: move to RegAllocEvictionAdvisor.cpp when we move implementation
279// out of RegAllocGreedy.cpp
281public:
284
285private:
286 MCRegister tryFindEvictionCandidate(const LiveInterval &,
287 const AllocationOrder &, uint8_t,
288 const SmallVirtRegSet &) const override;
289 bool canEvictHintInterference(const LiveInterval &, MCRegister,
290 const SmallVirtRegSet &) const override;
291 bool canEvictInterferenceBasedOnCost(const LiveInterval &, MCRegister, bool,
292 EvictionCost &,
293 const SmallVirtRegSet &) const;
294 bool shouldEvict(const LiveInterval &A, bool, const LiveInterval &B,
295 bool) const;
296};
297} // namespace llvm
298
299#endif // LLVM_CODEGEN_REGALLOCEVICTIONADVISOR_H
This file provides Any, a non-template class modeled in the spirit of std::any.
static GCRegistry::Add< OcamlGC > B("ocaml", "ocaml 3.10-compatible GC")
static GCRegistry::Add< ErlangGC > A("erlang", "erlang-compatible garbage collector")
#define LLVM_ATTRIBUTE_RETURNS_NONNULL
Definition: Compiler.h:373
Hexagon Hardware Loops
This header defines various interfaces for pass management in LLVM.
ModuleAnalysisManager MAM
static cl::opt< RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode > Mode("regalloc-enable-advisor", cl::Hidden, cl::init(RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode::Default), cl::desc("Enable regalloc advisor mode"), cl::values(clEnumValN(RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode::Default, "default", "Default"), clEnumValN(RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode::Release, "release", "precompiled"), clEnumValN(RegAllocEvictionAdvisorAnalysisLegacy::AdvisorMode::Development, "development", "for training")))
SI optimize exec mask operations pre RA
Shrink Wrap Pass
Definition: ShrinkWrap.cpp:301
This file defines the SmallSet class.
API to communicate dependencies between analyses during invalidation.
Definition: PassManager.h:294
A container for analyses that lazily runs them and caches their results.
Definition: PassManager.h:255
Represent the analysis usage information of a pass.
void setPreservesAll()
Set by analyses that do not transform their input at all.
ArrayRef - Represent a constant reference to an array (0 or more elements consecutively in memory),...
Definition: ArrayRef.h:41
DefaultEvictionAdvisor(const MachineFunction &MF, const RAGreedy &RA)
ImmutablePass class - This class is used to provide information that does not need to be run.
Definition: Pass.h:285
This is an important class for using LLVM in a threaded context.
Definition: LLVMContext.h:68
LiveInterval - This class represents the liveness of a register, or stack slot.
Definition: LiveInterval.h:690
Wrapper class representing physical registers. Should be passed by value.
Definition: MCRegister.h:33
MachineBlockFrequencyInfo pass uses BlockFrequencyInfoImpl implementation to estimate machine basic b...
MachineRegisterInfo - Keep track of information for virtual and physical registers,...
A set of analyses that are preserved following a run of a transformation pass.
Definition: Analysis.h:112
ImmutableAnalysis abstraction for fetching the Eviction Advisor.
std::unique_ptr< RegAllocEvictionAdvisorProvider > Provider
RegAllocEvictionAdvisorProvider & getProvider()
Get an advisor for the given context (i.e. machine function, etc)
virtual void logRewardIfNeeded(const MachineFunction &MF, function_ref< float()> GetReward)
void getAnalysisUsage(AnalysisUsage &AU) const override
getAnalysisUsage - This function should be overriden by passes that need analysis information to do t...
A MachineFunction analysis for fetching the Eviction Advisor.
Result run(MachineFunction &MF, MachineFunctionAnalysisManager &MAM)
Common provider for legacy and new pass managers.
virtual std::unique_ptr< RegAllocEvictionAdvisor > getAdvisor(const MachineFunction &MF, const RAGreedy &RA, MachineBlockFrequencyInfo *MBFI, MachineLoopInfo *Loops)=0
virtual void logRewardIfNeeded(const MachineFunction &MF, llvm::function_ref< float()> GetReward)
RegAllocEvictionAdvisorProvider(AdvisorMode Mode, LLVMContext &Ctx)
virtual ~RegAllocEvictionAdvisorProvider()=default
const TargetRegisterInfo *const TRI
virtual bool canEvictHintInterference(const LiveInterval &VirtReg, MCRegister PhysReg, const SmallVirtRegSet &FixedRegisters) const =0
Find out if we can evict the live ranges occupying the given PhysReg, which is a hint (preferred regi...
RegAllocEvictionAdvisor(RegAllocEvictionAdvisor &&)=delete
std::optional< unsigned > getOrderLimit(const LiveInterval &VirtReg, const AllocationOrder &Order, unsigned CostPerUseLimit) const
virtual MCRegister tryFindEvictionCandidate(const LiveInterval &VirtReg, const AllocationOrder &Order, uint8_t CostPerUseLimit, const SmallVirtRegSet &FixedRegisters) const =0
Find a physical register that can be freed by evicting the FixedRegisters, or return NoRegister.
const ArrayRef< uint8_t > RegCosts
MachineRegisterInfo *const MRI
const RegisterClassInfo & RegClassInfo
bool isUnusedCalleeSavedReg(MCRegister PhysReg) const
Returns true if the given PhysReg is a callee saved register and has not been used for allocation yet...
RegAllocEvictionAdvisor(const RegAllocEvictionAdvisor &)=delete
bool canReassign(const LiveInterval &VirtReg, MCRegister FromReg) const
const bool EnableLocalReassign
Run or not the local reassignment heuristic.
virtual ~RegAllocEvictionAdvisor()=default
bool canAllocatePhysReg(unsigned CostPerUseLimit, MCRegister PhysReg) const
SmallSet - This maintains a set of unique values, optimizing for the case when the set is small (less...
Definition: SmallSet.h:134
StringRef - Represent a constant reference to a string, i.e.
Definition: StringRef.h:55
TargetRegisterInfo base class - We assume that the target defines a static array of TargetRegisterDes...
An efficient, type-erasing, non-owning reference to a callable.
This is an optimization pass for GlobalISel generic memory operations.
Definition: AddressRanges.h:18
RegAllocEvictionAdvisorAnalysisLegacy * createReleaseModeAdvisorAnalysisLegacy()
RegAllocEvictionAdvisorProvider * createDevelopmentModeAdvisorProvider(LLVMContext &Ctx)
Pass * callDefaultCtor< RegAllocEvictionAdvisorAnalysisLegacy >()
Specialization for the API used by the analysis infrastructure to create an instance of the eviction ...
@ RS_Split2
Attempt more aggressive live range splitting that is guaranteed to make progress.
@ RS_Spill
Live range will be spilled. No more splitting will be attempted.
@ RS_Split
Attempt live range splitting if assignment is impossible.
@ RS_New
Newly created live range that has never been queued.
@ RS_Done
There is nothing more we can do to this live range.
@ RS_Assign
Only attempt assignment and eviction. Then requeue as RS_Split.
LLVM_ATTRIBUTE_RETURNS_NONNULL RegAllocEvictionAdvisorProvider * createReleaseModeAdvisorProvider(LLVMContext &Ctx)
RegAllocEvictionAdvisorAnalysisLegacy * createDevelopmentModeAdvisorAnalysisLegacy()
A CRTP mix-in that provides informational APIs needed for analysis passes.
Definition: PassManager.h:93
A special type used by analysis passes to provide an address that identifies that particular analysis...
Definition: Analysis.h:29
Cost of evicting interference - used by default advisor, and the eviction chain heuristic in RegAlloc...
EvictionCost()=default
unsigned BrokenHints
Total number of broken hints.
bool operator<(const EvictionCost &O) const
float MaxWeight
Maximum spill weight evicted.
void setBrokenHints(unsigned NHints)
bool invalidate(MachineFunction &MF, const PreservedAnalyses &PA, MachineFunctionAnalysisManager::Invalidator &Inv)