1 //===-------- LoopDataPrefetch.cpp - Loop Data Prefetching Pass -----------===// 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 file implements a Loop Data Prefetching Pass. 10 // 11 //===----------------------------------------------------------------------===// 12 13 #include "llvm/Transforms/Scalar/LoopDataPrefetch.h" 14 #include "llvm/InitializePasses.h" 15 16 #include "llvm/ADT/DepthFirstIterator.h" 17 #include "llvm/ADT/Statistic.h" 18 #include "llvm/Analysis/AssumptionCache.h" 19 #include "llvm/Analysis/CodeMetrics.h" 20 #include "llvm/Analysis/LoopInfo.h" 21 #include "llvm/Analysis/OptimizationRemarkEmitter.h" 22 #include "llvm/Analysis/ScalarEvolution.h" 23 #include "llvm/Analysis/ScalarEvolutionExpressions.h" 24 #include "llvm/Analysis/TargetTransformInfo.h" 25 #include "llvm/IR/Dominators.h" 26 #include "llvm/IR/Function.h" 27 #include "llvm/IR/Module.h" 28 #include "llvm/Support/CommandLine.h" 29 #include "llvm/Support/Debug.h" 30 #include "llvm/Transforms/Scalar.h" 31 #include "llvm/Transforms/Utils.h" 32 #include "llvm/Transforms/Utils/ScalarEvolutionExpander.h" 33 34 #define DEBUG_TYPE "loop-data-prefetch" 35 36 using namespace llvm; 37 38 // By default, we limit this to creating 16 PHIs (which is a little over half 39 // of the allocatable register set). 40 static cl::opt<bool> 41 PrefetchWrites("loop-prefetch-writes", cl::Hidden, cl::init(false), 42 cl::desc("Prefetch write addresses")); 43 44 static cl::opt<unsigned> 45 PrefetchDistance("prefetch-distance", 46 cl::desc("Number of instructions to prefetch ahead"), 47 cl::Hidden); 48 49 static cl::opt<unsigned> 50 MinPrefetchStride("min-prefetch-stride", 51 cl::desc("Min stride to add prefetches"), cl::Hidden); 52 53 static cl::opt<unsigned> MaxPrefetchIterationsAhead( 54 "max-prefetch-iters-ahead", 55 cl::desc("Max number of iterations to prefetch ahead"), cl::Hidden); 56 57 STATISTIC(NumPrefetches, "Number of prefetches inserted"); 58 59 namespace { 60 61 /// Loop prefetch implementation class. 62 class LoopDataPrefetch { 63 public: 64 LoopDataPrefetch(AssumptionCache *AC, DominatorTree *DT, LoopInfo *LI, 65 ScalarEvolution *SE, const TargetTransformInfo *TTI, 66 OptimizationRemarkEmitter *ORE) 67 : AC(AC), DT(DT), LI(LI), SE(SE), TTI(TTI), ORE(ORE) {} 68 69 bool run(); 70 71 private: 72 bool runOnLoop(Loop *L); 73 74 /// Check if the stride of the accesses is large enough to 75 /// warrant a prefetch. 76 bool isStrideLargeEnough(const SCEVAddRecExpr *AR, unsigned TargetMinStride); 77 78 unsigned getMinPrefetchStride(unsigned NumMemAccesses, 79 unsigned NumStridedMemAccesses, 80 unsigned NumPrefetches, 81 bool HasCall) { 82 if (MinPrefetchStride.getNumOccurrences() > 0) 83 return MinPrefetchStride; 84 return TTI->getMinPrefetchStride(NumMemAccesses, NumStridedMemAccesses, 85 NumPrefetches, HasCall); 86 } 87 88 unsigned getPrefetchDistance() { 89 if (PrefetchDistance.getNumOccurrences() > 0) 90 return PrefetchDistance; 91 return TTI->getPrefetchDistance(); 92 } 93 94 unsigned getMaxPrefetchIterationsAhead() { 95 if (MaxPrefetchIterationsAhead.getNumOccurrences() > 0) 96 return MaxPrefetchIterationsAhead; 97 return TTI->getMaxPrefetchIterationsAhead(); 98 } 99 100 bool doPrefetchWrites() { 101 if (PrefetchWrites.getNumOccurrences() > 0) 102 return PrefetchWrites; 103 return TTI->enableWritePrefetching(); 104 } 105 106 AssumptionCache *AC; 107 DominatorTree *DT; 108 LoopInfo *LI; 109 ScalarEvolution *SE; 110 const TargetTransformInfo *TTI; 111 OptimizationRemarkEmitter *ORE; 112 }; 113 114 /// Legacy class for inserting loop data prefetches. 115 class LoopDataPrefetchLegacyPass : public FunctionPass { 116 public: 117 static char ID; // Pass ID, replacement for typeid 118 LoopDataPrefetchLegacyPass() : FunctionPass(ID) { 119 initializeLoopDataPrefetchLegacyPassPass(*PassRegistry::getPassRegistry()); 120 } 121 122 void getAnalysisUsage(AnalysisUsage &AU) const override { 123 AU.addRequired<AssumptionCacheTracker>(); 124 AU.addRequired<DominatorTreeWrapperPass>(); 125 AU.addPreserved<DominatorTreeWrapperPass>(); 126 AU.addRequired<LoopInfoWrapperPass>(); 127 AU.addPreserved<LoopInfoWrapperPass>(); 128 AU.addRequiredID(LoopSimplifyID); 129 AU.addPreservedID(LoopSimplifyID); 130 AU.addRequired<OptimizationRemarkEmitterWrapperPass>(); 131 AU.addRequired<ScalarEvolutionWrapperPass>(); 132 AU.addPreserved<ScalarEvolutionWrapperPass>(); 133 AU.addRequired<TargetTransformInfoWrapperPass>(); 134 } 135 136 bool runOnFunction(Function &F) override; 137 }; 138 } 139 140 char LoopDataPrefetchLegacyPass::ID = 0; 141 INITIALIZE_PASS_BEGIN(LoopDataPrefetchLegacyPass, "loop-data-prefetch", 142 "Loop Data Prefetch", false, false) 143 INITIALIZE_PASS_DEPENDENCY(AssumptionCacheTracker) 144 INITIALIZE_PASS_DEPENDENCY(TargetTransformInfoWrapperPass) 145 INITIALIZE_PASS_DEPENDENCY(LoopInfoWrapperPass) 146 INITIALIZE_PASS_DEPENDENCY(LoopSimplify) 147 INITIALIZE_PASS_DEPENDENCY(OptimizationRemarkEmitterWrapperPass) 148 INITIALIZE_PASS_DEPENDENCY(ScalarEvolutionWrapperPass) 149 INITIALIZE_PASS_END(LoopDataPrefetchLegacyPass, "loop-data-prefetch", 150 "Loop Data Prefetch", false, false) 151 152 FunctionPass *llvm::createLoopDataPrefetchPass() { 153 return new LoopDataPrefetchLegacyPass(); 154 } 155 156 bool LoopDataPrefetch::isStrideLargeEnough(const SCEVAddRecExpr *AR, 157 unsigned TargetMinStride) { 158 // No need to check if any stride goes. 159 if (TargetMinStride <= 1) 160 return true; 161 162 const auto *ConstStride = dyn_cast<SCEVConstant>(AR->getStepRecurrence(*SE)); 163 // If MinStride is set, don't prefetch unless we can ensure that stride is 164 // larger. 165 if (!ConstStride) 166 return false; 167 168 unsigned AbsStride = std::abs(ConstStride->getAPInt().getSExtValue()); 169 return TargetMinStride <= AbsStride; 170 } 171 172 PreservedAnalyses LoopDataPrefetchPass::run(Function &F, 173 FunctionAnalysisManager &AM) { 174 DominatorTree *DT = &AM.getResult<DominatorTreeAnalysis>(F); 175 LoopInfo *LI = &AM.getResult<LoopAnalysis>(F); 176 ScalarEvolution *SE = &AM.getResult<ScalarEvolutionAnalysis>(F); 177 AssumptionCache *AC = &AM.getResult<AssumptionAnalysis>(F); 178 OptimizationRemarkEmitter *ORE = 179 &AM.getResult<OptimizationRemarkEmitterAnalysis>(F); 180 const TargetTransformInfo *TTI = &AM.getResult<TargetIRAnalysis>(F); 181 182 LoopDataPrefetch LDP(AC, DT, LI, SE, TTI, ORE); 183 bool Changed = LDP.run(); 184 185 if (Changed) { 186 PreservedAnalyses PA; 187 PA.preserve<DominatorTreeAnalysis>(); 188 PA.preserve<LoopAnalysis>(); 189 return PA; 190 } 191 192 return PreservedAnalyses::all(); 193 } 194 195 bool LoopDataPrefetchLegacyPass::runOnFunction(Function &F) { 196 if (skipFunction(F)) 197 return false; 198 199 DominatorTree *DT = &getAnalysis<DominatorTreeWrapperPass>().getDomTree(); 200 LoopInfo *LI = &getAnalysis<LoopInfoWrapperPass>().getLoopInfo(); 201 ScalarEvolution *SE = &getAnalysis<ScalarEvolutionWrapperPass>().getSE(); 202 AssumptionCache *AC = 203 &getAnalysis<AssumptionCacheTracker>().getAssumptionCache(F); 204 OptimizationRemarkEmitter *ORE = 205 &getAnalysis<OptimizationRemarkEmitterWrapperPass>().getORE(); 206 const TargetTransformInfo *TTI = 207 &getAnalysis<TargetTransformInfoWrapperPass>().getTTI(F); 208 209 LoopDataPrefetch LDP(AC, DT, LI, SE, TTI, ORE); 210 return LDP.run(); 211 } 212 213 bool LoopDataPrefetch::run() { 214 // If PrefetchDistance is not set, don't run the pass. This gives an 215 // opportunity for targets to run this pass for selected subtargets only 216 // (whose TTI sets PrefetchDistance). 217 if (getPrefetchDistance() == 0) 218 return false; 219 assert(TTI->getCacheLineSize() && "Cache line size is not set for target"); 220 221 bool MadeChange = false; 222 223 for (Loop *I : *LI) 224 for (Loop *L : depth_first(I)) 225 MadeChange |= runOnLoop(L); 226 227 return MadeChange; 228 } 229 230 /// A record for a potential prefetch made during the initial scan of the 231 /// loop. This is used to let a single prefetch target multiple memory accesses. 232 struct Prefetch { 233 /// The address formula for this prefetch as returned by ScalarEvolution. 234 const SCEVAddRecExpr *LSCEVAddRec; 235 /// The point of insertion for the prefetch instruction. 236 Instruction *InsertPt = nullptr; 237 /// True if targeting a write memory access. 238 bool Writes = false; 239 /// The (first seen) prefetched instruction. 240 Instruction *MemI = nullptr; 241 242 /// Constructor to create a new Prefetch for \p I. 243 Prefetch(const SCEVAddRecExpr *L, Instruction *I) : LSCEVAddRec(L) { 244 addInstruction(I); 245 }; 246 247 /// Add the instruction \param I to this prefetch. If it's not the first 248 /// one, 'InsertPt' and 'Writes' will be updated as required. 249 /// \param PtrDiff the known constant address difference to the first added 250 /// instruction. 251 void addInstruction(Instruction *I, DominatorTree *DT = nullptr, 252 int64_t PtrDiff = 0) { 253 if (!InsertPt) { 254 MemI = I; 255 InsertPt = I; 256 Writes = isa<StoreInst>(I); 257 } else { 258 BasicBlock *PrefBB = InsertPt->getParent(); 259 BasicBlock *InsBB = I->getParent(); 260 if (PrefBB != InsBB) { 261 BasicBlock *DomBB = DT->findNearestCommonDominator(PrefBB, InsBB); 262 if (DomBB != PrefBB) 263 InsertPt = DomBB->getTerminator(); 264 } 265 266 if (isa<StoreInst>(I) && PtrDiff == 0) 267 Writes = true; 268 } 269 } 270 }; 271 272 bool LoopDataPrefetch::runOnLoop(Loop *L) { 273 bool MadeChange = false; 274 275 // Only prefetch in the inner-most loop 276 if (!L->isInnermost()) 277 return MadeChange; 278 279 SmallPtrSet<const Value *, 32> EphValues; 280 CodeMetrics::collectEphemeralValues(L, AC, EphValues); 281 282 // Calculate the number of iterations ahead to prefetch 283 CodeMetrics Metrics; 284 bool HasCall = false; 285 for (const auto BB : L->blocks()) { 286 // If the loop already has prefetches, then assume that the user knows 287 // what they are doing and don't add any more. 288 for (auto &I : *BB) { 289 if (isa<CallInst>(&I) || isa<InvokeInst>(&I)) { 290 if (const Function *F = cast<CallBase>(I).getCalledFunction()) { 291 if (F->getIntrinsicID() == Intrinsic::prefetch) 292 return MadeChange; 293 if (TTI->isLoweredToCall(F)) 294 HasCall = true; 295 } else { // indirect call. 296 HasCall = true; 297 } 298 } 299 } 300 Metrics.analyzeBasicBlock(BB, *TTI, EphValues); 301 } 302 303 if (!Metrics.NumInsts.isValid()) 304 return MadeChange; 305 306 unsigned LoopSize = *Metrics.NumInsts.getValue(); 307 if (!LoopSize) 308 LoopSize = 1; 309 310 unsigned ItersAhead = getPrefetchDistance() / LoopSize; 311 if (!ItersAhead) 312 ItersAhead = 1; 313 314 if (ItersAhead > getMaxPrefetchIterationsAhead()) 315 return MadeChange; 316 317 unsigned ConstantMaxTripCount = SE->getSmallConstantMaxTripCount(L); 318 if (ConstantMaxTripCount && ConstantMaxTripCount < ItersAhead + 1) 319 return MadeChange; 320 321 unsigned NumMemAccesses = 0; 322 unsigned NumStridedMemAccesses = 0; 323 SmallVector<Prefetch, 16> Prefetches; 324 for (const auto BB : L->blocks()) 325 for (auto &I : *BB) { 326 Value *PtrValue; 327 Instruction *MemI; 328 329 if (LoadInst *LMemI = dyn_cast<LoadInst>(&I)) { 330 MemI = LMemI; 331 PtrValue = LMemI->getPointerOperand(); 332 } else if (StoreInst *SMemI = dyn_cast<StoreInst>(&I)) { 333 if (!doPrefetchWrites()) continue; 334 MemI = SMemI; 335 PtrValue = SMemI->getPointerOperand(); 336 } else continue; 337 338 unsigned PtrAddrSpace = PtrValue->getType()->getPointerAddressSpace(); 339 if (PtrAddrSpace) 340 continue; 341 NumMemAccesses++; 342 if (L->isLoopInvariant(PtrValue)) 343 continue; 344 345 const SCEV *LSCEV = SE->getSCEV(PtrValue); 346 const SCEVAddRecExpr *LSCEVAddRec = dyn_cast<SCEVAddRecExpr>(LSCEV); 347 if (!LSCEVAddRec) 348 continue; 349 NumStridedMemAccesses++; 350 351 // We don't want to double prefetch individual cache lines. If this 352 // access is known to be within one cache line of some other one that 353 // has already been prefetched, then don't prefetch this one as well. 354 bool DupPref = false; 355 for (auto &Pref : Prefetches) { 356 const SCEV *PtrDiff = SE->getMinusSCEV(LSCEVAddRec, Pref.LSCEVAddRec); 357 if (const SCEVConstant *ConstPtrDiff = 358 dyn_cast<SCEVConstant>(PtrDiff)) { 359 int64_t PD = std::abs(ConstPtrDiff->getValue()->getSExtValue()); 360 if (PD < (int64_t) TTI->getCacheLineSize()) { 361 Pref.addInstruction(MemI, DT, PD); 362 DupPref = true; 363 break; 364 } 365 } 366 } 367 if (!DupPref) 368 Prefetches.push_back(Prefetch(LSCEVAddRec, MemI)); 369 } 370 371 unsigned TargetMinStride = 372 getMinPrefetchStride(NumMemAccesses, NumStridedMemAccesses, 373 Prefetches.size(), HasCall); 374 375 LLVM_DEBUG(dbgs() << "Prefetching " << ItersAhead 376 << " iterations ahead (loop size: " << LoopSize << ") in " 377 << L->getHeader()->getParent()->getName() << ": " << *L); 378 LLVM_DEBUG(dbgs() << "Loop has: " 379 << NumMemAccesses << " memory accesses, " 380 << NumStridedMemAccesses << " strided memory accesses, " 381 << Prefetches.size() << " potential prefetch(es), " 382 << "a minimum stride of " << TargetMinStride << ", " 383 << (HasCall ? "calls" : "no calls") << ".\n"); 384 385 for (auto &P : Prefetches) { 386 // Check if the stride of the accesses is large enough to warrant a 387 // prefetch. 388 if (!isStrideLargeEnough(P.LSCEVAddRec, TargetMinStride)) 389 continue; 390 391 BasicBlock *BB = P.InsertPt->getParent(); 392 SCEVExpander SCEVE(*SE, BB->getModule()->getDataLayout(), "prefaddr"); 393 const SCEV *NextLSCEV = SE->getAddExpr(P.LSCEVAddRec, SE->getMulExpr( 394 SE->getConstant(P.LSCEVAddRec->getType(), ItersAhead), 395 P.LSCEVAddRec->getStepRecurrence(*SE))); 396 if (!SCEVE.isSafeToExpand(NextLSCEV)) 397 continue; 398 399 Type *I8Ptr = Type::getInt8PtrTy(BB->getContext(), 0/*PtrAddrSpace*/); 400 Value *PrefPtrValue = SCEVE.expandCodeFor(NextLSCEV, I8Ptr, P.InsertPt); 401 402 IRBuilder<> Builder(P.InsertPt); 403 Module *M = BB->getParent()->getParent(); 404 Type *I32 = Type::getInt32Ty(BB->getContext()); 405 Function *PrefetchFunc = Intrinsic::getDeclaration( 406 M, Intrinsic::prefetch, PrefPtrValue->getType()); 407 Builder.CreateCall( 408 PrefetchFunc, 409 {PrefPtrValue, 410 ConstantInt::get(I32, P.Writes), 411 ConstantInt::get(I32, 3), ConstantInt::get(I32, 1)}); 412 ++NumPrefetches; 413 LLVM_DEBUG(dbgs() << " Access: " 414 << *P.MemI->getOperand(isa<LoadInst>(P.MemI) ? 0 : 1) 415 << ", SCEV: " << *P.LSCEVAddRec << "\n"); 416 ORE->emit([&]() { 417 return OptimizationRemark(DEBUG_TYPE, "Prefetched", P.MemI) 418 << "prefetched memory access"; 419 }); 420 421 MadeChange = true; 422 } 423 424 return MadeChange; 425 } 426