LLVM 22.0.0git
X86InsertPrefetch.cpp
Go to the documentation of this file.
1//===------- X86InsertPrefetch.cpp - Insert cache prefetch hints ----------===//
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// This pass applies cache prefetch instructions based on a profile. The pass
10// assumes DiscriminateMemOps ran immediately before, to ensure debug info
11// matches the one used at profile generation time. The profile is encoded in
12// afdo format (text or binary). It contains prefetch hints recommendations.
13// Each recommendation is made in terms of debug info locations, a type (i.e.
14// nta, t{0|1|2}) and a delta. The debug info identifies an instruction with a
15// memory operand (see X86DiscriminateMemOps). The prefetch will be made for
16// a location at that memory operand + the delta specified in the
17// recommendation.
18//
19//===----------------------------------------------------------------------===//
20
21#include "X86.h"
22#include "X86Subtarget.h"
26#include "llvm/IR/Module.h"
31using namespace llvm;
32using namespace sampleprof;
33
35 PrefetchHintsFile("prefetch-hints-file",
36 cl::desc("Path to the prefetch hints profile. See also "
37 "-x86-discriminate-memops"),
39namespace {
40
41class X86InsertPrefetch : public MachineFunctionPass {
42 void getAnalysisUsage(AnalysisUsage &AU) const override;
43 bool doInitialization(Module &) override;
44
45 bool runOnMachineFunction(MachineFunction &MF) override;
46 struct PrefetchInfo {
47 unsigned InstructionID;
48 int64_t Delta;
49 };
50 typedef SmallVectorImpl<PrefetchInfo> Prefetches;
51 bool findPrefetchInfo(const FunctionSamples *Samples, const MachineInstr &MI,
52 Prefetches &prefetches) const;
53
54public:
55 static char ID;
56 X86InsertPrefetch(const std::string &PrefetchHintsFilename);
57 StringRef getPassName() const override {
58 return "X86 Insert Cache Prefetches";
59 }
60
61private:
62 std::string Filename;
63 std::unique_ptr<SampleProfileReader> Reader;
64};
65
66using PrefetchHints = SampleRecord::CallTargetMap;
67
68// Return any prefetching hints for the specified MachineInstruction. The hints
69// are returned as pairs (name, delta).
71getPrefetchHints(const FunctionSamples *TopSamples, const MachineInstr &MI) {
72 if (const auto &Loc = MI.getDebugLoc())
73 if (const auto *Samples = TopSamples->findFunctionSamples(Loc))
74 return Samples->findCallTargetMapAt(FunctionSamples::getOffset(Loc),
75 Loc->getBaseDiscriminator());
76 return std::error_code();
77}
78
79// The prefetch instruction can't take memory operands involving vector
80// registers.
81bool IsMemOpCompatibleWithPrefetch(const MachineInstr &MI, int Op) {
82 Register BaseReg = MI.getOperand(Op + X86::AddrBaseReg).getReg();
83 Register IndexReg = MI.getOperand(Op + X86::AddrIndexReg).getReg();
84 return (BaseReg == 0 ||
85 X86MCRegisterClasses[X86::GR64RegClassID].contains(BaseReg) ||
86 X86MCRegisterClasses[X86::GR32RegClassID].contains(BaseReg)) &&
87 (IndexReg == 0 ||
88 X86MCRegisterClasses[X86::GR64RegClassID].contains(IndexReg) ||
89 X86MCRegisterClasses[X86::GR32RegClassID].contains(IndexReg));
90}
91
92} // end anonymous namespace
93
94//===----------------------------------------------------------------------===//
95// Implementation
96//===----------------------------------------------------------------------===//
97
98char X86InsertPrefetch::ID = 0;
99
100X86InsertPrefetch::X86InsertPrefetch(const std::string &PrefetchHintsFilename)
101 : MachineFunctionPass(ID), Filename(PrefetchHintsFilename) {}
102
103/// Return true if the provided MachineInstruction has cache prefetch hints. In
104/// that case, the prefetch hints are stored, in order, in the Prefetches
105/// vector.
106bool X86InsertPrefetch::findPrefetchInfo(const FunctionSamples *TopSamples,
107 const MachineInstr &MI,
108 Prefetches &Prefetches) const {
109 assert(Prefetches.empty() &&
110 "Expected caller passed empty PrefetchInfo vector.");
111
112 // There is no point to match prefetch hints if the profile is using MD5.
114 return false;
115
116 static constexpr std::pair<StringLiteral, unsigned> HintTypes[] = {
117 {"_nta_", X86::PREFETCHNTA},
118 {"_t0_", X86::PREFETCHT0},
119 {"_t1_", X86::PREFETCHT1},
120 {"_t2_", X86::PREFETCHT2},
121 };
122 static const char *SerializedPrefetchPrefix = "__prefetch";
123
124 auto T = getPrefetchHints(TopSamples, MI);
125 if (!T)
126 return false;
127 int16_t max_index = -1;
128 // Convert serialized prefetch hints into PrefetchInfo objects, and populate
129 // the Prefetches vector.
130 for (const auto &S_V : *T) {
131 StringRef Name = S_V.first.stringRef();
132 if (Name.consume_front(SerializedPrefetchPrefix)) {
133 int64_t D = static_cast<int64_t>(S_V.second);
134 unsigned IID = 0;
135 for (const auto &HintType : HintTypes) {
136 if (Name.consume_front(HintType.first)) {
137 IID = HintType.second;
138 break;
139 }
140 }
141 if (IID == 0)
142 return false;
143 uint8_t index = 0;
144 Name.consumeInteger(10, index);
145
146 if (index >= Prefetches.size())
147 Prefetches.resize(index + 1);
148 Prefetches[index] = {IID, D};
149 max_index = std::max(max_index, static_cast<int16_t>(index));
150 }
151 }
152 assert(max_index + 1 >= 0 &&
153 "Possible overflow: max_index + 1 should be positive.");
154 assert(static_cast<size_t>(max_index + 1) == Prefetches.size() &&
155 "The number of prefetch hints received should match the number of "
156 "PrefetchInfo objects returned");
157 return !Prefetches.empty();
158}
159
160bool X86InsertPrefetch::doInitialization(Module &M) {
161 if (Filename.empty())
162 return false;
163
164 LLVMContext &Ctx = M.getContext();
165 // TODO: Propagate virtual file system into LLVM targets.
166 auto FS = vfs::getRealFileSystem();
167 ErrorOr<std::unique_ptr<SampleProfileReader>> ReaderOrErr =
168 SampleProfileReader::create(Filename, Ctx, *FS);
169 if (std::error_code EC = ReaderOrErr.getError()) {
170 std::string Msg = "Could not open profile: " + EC.message();
171 Ctx.diagnose(DiagnosticInfoSampleProfile(Filename, Msg,
172 DiagnosticSeverity::DS_Warning));
173 return false;
174 }
175 Reader = std::move(ReaderOrErr.get());
176 Reader->read();
177 return true;
178}
179
180void X86InsertPrefetch::getAnalysisUsage(AnalysisUsage &AU) const {
181 AU.setPreservesAll();
183}
184
185bool X86InsertPrefetch::runOnMachineFunction(MachineFunction &MF) {
186 if (!Reader)
187 return false;
188 const FunctionSamples *Samples = Reader->getSamplesFor(MF.getFunction());
189 if (!Samples)
190 return false;
191
192 bool Changed = false;
193
194 const TargetInstrInfo *TII = MF.getSubtarget().getInstrInfo();
196 for (auto &MBB : MF) {
197 for (auto MI = MBB.instr_begin(); MI != MBB.instr_end();) {
198 auto Current = MI;
199 ++MI;
200
201 int Offset = X86II::getMemoryOperandNo(Current->getDesc().TSFlags);
202 if (Offset < 0)
203 continue;
204 unsigned Bias = X86II::getOperandBias(Current->getDesc());
205 int MemOpOffset = Offset + Bias;
206 // FIXME(mtrofin): ORE message when the recommendation cannot be taken.
207 if (!IsMemOpCompatibleWithPrefetch(*Current, MemOpOffset))
208 continue;
209 Prefetches.clear();
210 if (!findPrefetchInfo(Samples, *Current, Prefetches))
211 continue;
212 assert(!Prefetches.empty() &&
213 "The Prefetches vector should contain at least a value if "
214 "findPrefetchInfo returned true.");
215 for (auto &PrefInfo : Prefetches) {
216 unsigned PFetchInstrID = PrefInfo.InstructionID;
217 int64_t Delta = PrefInfo.Delta;
218 const MCInstrDesc &Desc = TII->get(PFetchInstrID);
219 MachineInstr *PFetch =
220 MF.CreateMachineInstr(Desc, Current->getDebugLoc(), true);
221 MachineInstrBuilder MIB(MF, PFetch);
222
223 static_assert(X86::AddrBaseReg == 0 && X86::AddrScaleAmt == 1 &&
224 X86::AddrIndexReg == 2 && X86::AddrDisp == 3 &&
226 "Unexpected change in X86 operand offset order.");
227
228 // This assumes X86::AddBaseReg = 0, {...}ScaleAmt = 1, etc.
229 // FIXME(mtrofin): consider adding a:
230 // MachineInstrBuilder::set(unsigned offset, op).
231 MIB.addReg(Current->getOperand(MemOpOffset + X86::AddrBaseReg).getReg())
232 .addImm(
233 Current->getOperand(MemOpOffset + X86::AddrScaleAmt).getImm())
234 .addReg(
235 Current->getOperand(MemOpOffset + X86::AddrIndexReg).getReg())
236 .addImm(Current->getOperand(MemOpOffset + X86::AddrDisp).getImm() +
237 Delta)
238 .addReg(Current->getOperand(MemOpOffset + X86::AddrSegmentReg)
239 .getReg());
240
241 if (!Current->memoperands_empty()) {
242 MachineMemOperand *CurrentOp = *(Current->memoperands_begin());
243 MIB.addMemOperand(MF.getMachineMemOperand(
244 CurrentOp, CurrentOp->getOffset() + Delta, CurrentOp->getSize()));
245 }
246
247 // Insert before Current. This is because Current may clobber some of
248 // the registers used to describe the input memory operand.
249 MBB.insert(Current, PFetch);
250 Changed = true;
251 }
252 }
253 }
254 return Changed;
255}
256
258 return new X86InsertPrefetch(PrefetchHintsFile);
259}
assert(UImm &&(UImm !=~static_cast< T >(0)) &&"Invalid immediate!")
MachineBasicBlock & MBB
static GCRegistry::Add< StatepointGC > D("statepoint-example", "an example strategy for statepoint")
const HexagonInstrInfo * TII
IRTranslator LLVM IR MI
Module.h This file contains the declarations for the Module class.
Machine Check Debug Module
#define T
This file provides the interface for the sampled PGO loader pass.
static bool contains(SmallPtrSetImpl< ConstantExpr * > &Cache, ConstantExpr *Expr, Constant *C)
Definition Value.cpp:480
Defines the virtual file system interface vfs::FileSystem.
static cl::opt< std::string > PrefetchHintsFile("prefetch-hints-file", cl::desc("Path to the prefetch hints profile. See also " "-x86-discriminate-memops"), cl::Hidden)
Represent the analysis usage information of a pass.
void setPreservesAll()
Set by analyses that do not transform their input at all.
Represents either an error or a value T.
Definition ErrorOr.h:56
reference get()
Definition ErrorOr.h:149
std::error_code getError() const
Definition ErrorOr.h:152
FunctionPass class - This class is used to implement most global optimizations.
Definition Pass.h:314
LLVM_ABI void diagnose(const DiagnosticInfo &DI)
Report a message to the currently installed diagnostic handler.
LLVM_ABI instr_iterator insert(instr_iterator I, MachineInstr *M)
Insert MI into the instruction list before I, possibly inside a bundle.
MachineFunctionPass - This class adapts the FunctionPass interface to allow convenient creation of pa...
void getAnalysisUsage(AnalysisUsage &AU) const override
getAnalysisUsage - Subclasses that override getAnalysisUsage must call this.
const TargetSubtargetInfo & getSubtarget() const
getSubtarget - Return the subtarget for which this machine code is being compiled.
Function & getFunction()
Return the LLVM function that this machine code represents.
Representation of each machine instruction.
LocationSize getSize() const
Return the size in bytes of the memory reference.
int64_t getOffset() const
For normal values, this is a byte offset added to the base address.
A Module instance is used to store all the information related to an LLVM module.
Definition Module.h:67
Wrapper class representing virtual and physical registers.
Definition Register.h:19
virtual const TargetInstrInfo * getInstrInfo() const
Representation of the samples collected for a function.
Definition SampleProf.h:757
LLVM_ABI const FunctionSamples * findFunctionSamples(const DILocation *DIL, SampleProfileReaderItaniumRemapper *Remapper=nullptr, const HashKeyMap< std::unordered_map, FunctionId, FunctionId > *FuncNameToProfNameMap=nullptr) const
Get the FunctionSamples of the inline instance where DIL originates from.
static LLVM_ABI unsigned getOffset(const DILocation *DIL)
Returns the line offset to the start line of the subprogram.
static LLVM_ABI bool UseMD5
Whether the profile uses MD5 to represent string.
static LLVM_ABI ErrorOr< std::unique_ptr< SampleProfileReader > > create(StringRef Filename, LLVMContext &C, vfs::FileSystem &FS, FSDiscriminatorPass P=FSDiscriminatorPass::Base, StringRef RemapFilename="")
Create a sample profile reader appropriate to the file format.
std::unordered_map< FunctionId, uint64_t > CallTargetMap
Definition SampleProf.h:344
Changed
unsigned ID
LLVM IR allows to use arbitrary numbers as calling convention identifiers.
Definition CallingConv.h:24
int getMemoryOperandNo(uint64_t TSFlags)
unsigned getOperandBias(const MCInstrDesc &Desc)
Compute whether all of the def operands are repeated in the uses and therefore should be skipped.
BaseReg
Stack frame base register. Bit 0 of FREInfo.Info.
Definition SFrame.h:77
LLVM_ABI IntrusiveRefCntPtr< FileSystem > getRealFileSystem()
Gets an vfs::FileSystem for the 'real' file system, as seen by the operating system.
This is an optimization pass for GlobalISel generic memory operations.
@ Offset
Definition DWP.cpp:477
FunctionPass * createX86InsertPrefetchPass()
This pass applies profiling information to insert cache prefetches.
Op::Description Desc
class LLVM_GSL_OWNER SmallVector
Forward declaration of SmallVector so that calculateSmallVectorDefaultInlinedElements can reference s...
DWARFExpression::Operation Op