1 //===-- VPlanTransforms.cpp - Utility VPlan to VPlan transforms -----------===//
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 /// \file
10 /// This file implements a set of utility VPlan to VPlan transformations.
11 ///
12 //===----------------------------------------------------------------------===//
13 
14 #include "VPlanTransforms.h"
15 #include "llvm/ADT/PostOrderIterator.h"
16 
17 using namespace llvm;
18 
19 void VPlanTransforms::VPInstructionsToVPRecipes(
20     Loop *OrigLoop, VPlanPtr &Plan,
21     LoopVectorizationLegality::InductionList &Inductions,
22     SmallPtrSetImpl<Instruction *> &DeadInstructions, ScalarEvolution &SE) {
23 
24   auto *TopRegion = cast<VPRegionBlock>(Plan->getEntry());
25   ReversePostOrderTraversal<VPBlockBase *> RPOT(TopRegion->getEntry());
26 
27   for (VPBlockBase *Base : RPOT) {
28     // Do not widen instructions in pre-header and exit blocks.
29     if (Base->getNumPredecessors() == 0 || Base->getNumSuccessors() == 0)
30       continue;
31 
32     VPBasicBlock *VPBB = Base->getEntryBasicBlock();
33     // Introduce each ingredient into VPlan.
34     for (auto I = VPBB->begin(), E = VPBB->end(); I != E;) {
35       VPRecipeBase *Ingredient = &*I++;
36       VPValue *VPV = Ingredient->getVPSingleValue();
37       Instruction *Inst = cast<Instruction>(VPV->getUnderlyingValue());
38       if (DeadInstructions.count(Inst)) {
39         VPValue DummyValue;
40         VPV->replaceAllUsesWith(&DummyValue);
41         Ingredient->eraseFromParent();
42         continue;
43       }
44 
45       VPRecipeBase *NewRecipe = nullptr;
46       if (auto *VPPhi = dyn_cast<VPWidenPHIRecipe>(Ingredient)) {
47         auto *Phi = cast<PHINode>(VPPhi->getUnderlyingValue());
48         InductionDescriptor II = Inductions.lookup(Phi);
49         if (II.getKind() == InductionDescriptor::IK_IntInduction ||
50             II.getKind() == InductionDescriptor::IK_FpInduction) {
51           VPValue *Start = Plan->getOrAddVPValue(II.getStartValue());
52           NewRecipe = new VPWidenIntOrFpInductionRecipe(Phi, Start, nullptr);
53         } else {
54           Plan->addVPValue(Phi, VPPhi);
55           continue;
56         }
57       } else {
58         assert(isa<VPInstruction>(Ingredient) &&
59                "only VPInstructions expected here");
60         assert(!isa<PHINode>(Inst) && "phis should be handled above");
61         // Create VPWidenMemoryInstructionRecipe for loads and stores.
62         if (LoadInst *Load = dyn_cast<LoadInst>(Inst)) {
63           NewRecipe = new VPWidenMemoryInstructionRecipe(
64               *Load, Plan->getOrAddVPValue(getLoadStorePointerOperand(Inst)),
65               nullptr /*Mask*/);
66         } else if (StoreInst *Store = dyn_cast<StoreInst>(Inst)) {
67           NewRecipe = new VPWidenMemoryInstructionRecipe(
68               *Store, Plan->getOrAddVPValue(getLoadStorePointerOperand(Inst)),
69               Plan->getOrAddVPValue(Store->getValueOperand()),
70               nullptr /*Mask*/);
71         } else if (GetElementPtrInst *GEP = dyn_cast<GetElementPtrInst>(Inst)) {
72           NewRecipe = new VPWidenGEPRecipe(
73               GEP, Plan->mapToVPValues(GEP->operands()), OrigLoop);
74         } else if (CallInst *CI = dyn_cast<CallInst>(Inst)) {
75           NewRecipe = new VPWidenCallRecipe(
76               *CI, Plan->mapToVPValues(CI->arg_operands()));
77         } else if (SelectInst *SI = dyn_cast<SelectInst>(Inst)) {
78           bool InvariantCond =
79               SE.isLoopInvariant(SE.getSCEV(SI->getOperand(0)), OrigLoop);
80           NewRecipe = new VPWidenSelectRecipe(
81               *SI, Plan->mapToVPValues(SI->operands()), InvariantCond);
82         } else {
83           NewRecipe =
84               new VPWidenRecipe(*Inst, Plan->mapToVPValues(Inst->operands()));
85         }
86       }
87 
88       NewRecipe->insertBefore(Ingredient);
89       if (NewRecipe->getNumDefinedValues() == 1)
90         VPV->replaceAllUsesWith(NewRecipe->getVPSingleValue());
91       else
92         assert(NewRecipe->getNumDefinedValues() == 0 &&
93                "Only recpies with zero or one defined values expected");
94       Ingredient->eraseFromParent();
95       Plan->removeVPValueFor(Inst);
96       for (auto *Def : NewRecipe->definedValues()) {
97         Plan->addVPValue(Inst, Def);
98       }
99     }
100   }
101 }
102 
103 bool VPlanTransforms::sinkScalarOperands(VPlan &Plan) {
104   auto Iter = depth_first(
105       VPBlockRecursiveTraversalWrapper<VPBlockBase *>(Plan.getEntry()));
106   bool Changed = false;
107   // First, collect the operands of all predicated replicate recipes as seeds
108   // for sinking.
109   SetVector<std::pair<VPBasicBlock *, VPValue *>> WorkList;
110   for (VPBasicBlock *VPBB : VPBlockUtils::blocksOnly<VPBasicBlock>(Iter)) {
111     for (auto &Recipe : *VPBB) {
112       auto *RepR = dyn_cast<VPReplicateRecipe>(&Recipe);
113       if (!RepR || !RepR->isPredicated())
114         continue;
115       for (VPValue *Op : RepR->operands())
116         WorkList.insert(std::make_pair(RepR->getParent(), Op));
117     }
118   }
119 
120   // Try to sink each replicate recipe in the worklist.
121   while (!WorkList.empty()) {
122     VPBasicBlock *SinkTo;
123     VPValue *C;
124     std::tie(SinkTo, C) = WorkList.pop_back_val();
125     auto *SinkCandidate = dyn_cast_or_null<VPReplicateRecipe>(C->Def);
126     if (!SinkCandidate || SinkCandidate->isUniform() ||
127         SinkCandidate->getParent() == SinkTo ||
128         SinkCandidate->mayHaveSideEffects() ||
129         SinkCandidate->mayReadOrWriteMemory())
130       continue;
131 
132     bool NeedsDuplicating = false;
133     // All recipe users of the sink candidate must be in the same block SinkTo
134     // or all users outside of SinkTo must be uniform-after-vectorization (
135     // i.e., only first lane is used) . In the latter case, we need to duplicate
136     // SinkCandidate. At the moment, we identify such UAV's by looking for the
137     // address operands of widened memory recipes.
138     auto CanSinkWithUser = [SinkTo, &NeedsDuplicating,
139                             SinkCandidate](VPUser *U) {
140       auto *UI = dyn_cast<VPRecipeBase>(U);
141       if (!UI)
142         return false;
143       if (UI->getParent() == SinkTo)
144         return true;
145       auto *WidenI = dyn_cast<VPWidenMemoryInstructionRecipe>(UI);
146       if (WidenI && WidenI->getAddr() == SinkCandidate) {
147         NeedsDuplicating = true;
148         return true;
149       }
150       return false;
151     };
152     if (!all_of(SinkCandidate->users(), CanSinkWithUser))
153       continue;
154 
155     if (NeedsDuplicating) {
156       Instruction *I = cast<Instruction>(SinkCandidate->getUnderlyingValue());
157       auto *Clone =
158           new VPReplicateRecipe(I, SinkCandidate->operands(), true, false);
159       // TODO: add ".cloned" suffix to name of Clone's VPValue.
160 
161       Clone->insertBefore(SinkCandidate);
162       SmallVector<VPUser *, 4> Users(SinkCandidate->user_begin(),
163                                      SinkCandidate->user_end());
164       for (auto *U : Users) {
165         auto *UI = cast<VPRecipeBase>(U);
166         if (UI->getParent() == SinkTo)
167           continue;
168 
169         for (unsigned Idx = 0; Idx != UI->getNumOperands(); Idx++) {
170           if (UI->getOperand(Idx) != SinkCandidate)
171             continue;
172           UI->setOperand(Idx, Clone);
173         }
174       }
175     }
176     SinkCandidate->moveBefore(*SinkTo, SinkTo->getFirstNonPhi());
177     for (VPValue *Op : SinkCandidate->operands())
178       WorkList.insert(std::make_pair(SinkTo, Op));
179     Changed = true;
180   }
181   return Changed;
182 }
183 
184 /// If \p R is a region with a VPBranchOnMaskRecipe in the entry block, return
185 /// the mask.
186 VPValue *getPredicatedMask(VPRegionBlock *R) {
187   auto *EntryBB = dyn_cast<VPBasicBlock>(R->getEntry());
188   if (!EntryBB || EntryBB->size() != 1 ||
189       !isa<VPBranchOnMaskRecipe>(EntryBB->begin()))
190     return nullptr;
191 
192   return cast<VPBranchOnMaskRecipe>(&*EntryBB->begin())->getOperand(0);
193 }
194 
195 /// If \p R is a triangle region, return the 'then' block of the triangle.
196 static VPBasicBlock *getPredicatedThenBlock(VPRegionBlock *R) {
197   auto *EntryBB = cast<VPBasicBlock>(R->getEntry());
198   if (EntryBB->getNumSuccessors() != 2)
199     return nullptr;
200 
201   auto *Succ0 = dyn_cast<VPBasicBlock>(EntryBB->getSuccessors()[0]);
202   auto *Succ1 = dyn_cast<VPBasicBlock>(EntryBB->getSuccessors()[1]);
203   if (!Succ0 || !Succ1)
204     return nullptr;
205 
206   if (Succ0->getNumSuccessors() + Succ1->getNumSuccessors() != 1)
207     return nullptr;
208   if (Succ0->getSingleSuccessor() == Succ1)
209     return Succ0;
210   if (Succ1->getSingleSuccessor() == Succ0)
211     return Succ1;
212   return nullptr;
213 }
214 
215 bool VPlanTransforms::mergeReplicateRegions(VPlan &Plan) {
216   SetVector<VPRegionBlock *> DeletedRegions;
217   bool Changed = false;
218 
219   // Collect region blocks to process up-front, to avoid iterator invalidation
220   // issues while merging regions.
221   SmallVector<VPRegionBlock *, 8> CandidateRegions(
222       VPBlockUtils::blocksOnly<VPRegionBlock>(depth_first(
223           VPBlockRecursiveTraversalWrapper<VPBlockBase *>(Plan.getEntry()))));
224 
225   // Check if Base is a predicated triangle, followed by an empty block,
226   // followed by another predicate triangle. If that's the case, move the
227   // recipes from the first to the second triangle.
228   for (VPRegionBlock *Region1 : CandidateRegions) {
229     if (DeletedRegions.contains(Region1))
230       continue;
231     auto *MiddleBasicBlock =
232         dyn_cast_or_null<VPBasicBlock>(Region1->getSingleSuccessor());
233     if (!MiddleBasicBlock || !MiddleBasicBlock->empty())
234       continue;
235 
236     auto *Region2 =
237         dyn_cast_or_null<VPRegionBlock>(MiddleBasicBlock->getSingleSuccessor());
238     if (!Region2)
239       continue;
240 
241     VPValue *Mask1 = getPredicatedMask(Region1);
242     VPValue *Mask2 = getPredicatedMask(Region2);
243     if (!Mask1 || Mask1 != Mask2)
244       continue;
245     VPBasicBlock *Then1 = getPredicatedThenBlock(Region1);
246     VPBasicBlock *Then2 = getPredicatedThenBlock(Region2);
247     if (!Then1 || !Then2)
248       continue;
249 
250     assert(Mask1 && Mask2 && "both region must have conditions");
251 
252     // Note: No fusion-preventing memory dependencies are expected in either
253     // region. Such dependencies should be rejected during earlier dependence
254     // checks, which guarantee accesses can be re-ordered for vectorization.
255     //
256     // Move recipes to the successor region.
257     for (VPRecipeBase &ToMove : make_early_inc_range(reverse(*Then1)))
258       ToMove.moveBefore(*Then2, Then2->getFirstNonPhi());
259 
260     auto *Merge1 = cast<VPBasicBlock>(Then1->getSingleSuccessor());
261     auto *Merge2 = cast<VPBasicBlock>(Then2->getSingleSuccessor());
262 
263     // Move VPPredInstPHIRecipes from the merge block to the successor region's
264     // merge block. Update all users inside the successor region to use the
265     // original values.
266     for (VPRecipeBase &Phi1ToMove : make_early_inc_range(reverse(*Merge1))) {
267       VPValue *PredInst1 =
268           cast<VPPredInstPHIRecipe>(&Phi1ToMove)->getOperand(0);
269       VPValue *Phi1ToMoveV = Phi1ToMove.getVPSingleValue();
270       SmallVector<VPUser *> Users(Phi1ToMoveV->user_begin(),
271                                   Phi1ToMoveV->user_end());
272       for (VPUser *U : Users) {
273         auto *UI = dyn_cast<VPRecipeBase>(U);
274         if (!UI || UI->getParent() != Then2)
275           continue;
276         for (unsigned I = 0, E = U->getNumOperands(); I != E; ++I) {
277           if (Phi1ToMoveV != U->getOperand(I))
278             continue;
279           U->setOperand(I, PredInst1);
280         }
281       }
282 
283       Phi1ToMove.moveBefore(*Merge2, Merge2->begin());
284     }
285 
286     // Finally, remove the first region.
287     for (VPBlockBase *Pred : make_early_inc_range(Region1->getPredecessors())) {
288       VPBlockUtils::disconnectBlocks(Pred, Region1);
289       VPBlockUtils::connectBlocks(Pred, MiddleBasicBlock);
290     }
291     VPBlockUtils::disconnectBlocks(Region1, MiddleBasicBlock);
292     DeletedRegions.insert(Region1);
293   }
294 
295   for (VPRegionBlock *ToDelete : DeletedRegions)
296     delete ToDelete;
297   return Changed;
298 }
299