blob: 81bb36135d8c18f87b5880fd6ee9d0833e3e033f [file] [log] [blame]
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001//===- HexagonConstExtenders.cpp ------------------------------------------===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9
10#include "HexagonInstrInfo.h"
11#include "HexagonRegisterInfo.h"
12#include "HexagonSubtarget.h"
13#include "llvm/ADT/SmallVector.h"
14#include "llvm/CodeGen/MachineDominators.h"
15#include "llvm/CodeGen/MachineFunctionPass.h"
16#include "llvm/CodeGen/MachineInstrBuilder.h"
17#include "llvm/CodeGen/MachineRegisterInfo.h"
18#include "llvm/Support/CommandLine.h"
19#include "llvm/Support/raw_ostream.h"
20#include "llvm/Pass.h"
21#include <map>
22#include <set>
23#include <utility>
24#include <vector>
25
26#define DEBUG_TYPE "hexagon-cext-opt"
27
28using namespace llvm;
29
30static cl::opt<unsigned> CountThreshold("hexagon-cext-threshold",
31 cl::init(3), cl::Hidden, cl::ZeroOrMore,
32 cl::desc("Minimum number of extenders to trigger replacement"));
33
34static cl::opt<unsigned> ReplaceLimit("hexagon-cext-limit", cl::init(0),
35 cl::Hidden, cl::ZeroOrMore, cl::desc("Maximum number of replacements"));
36
37namespace llvm {
38 void initializeHexagonConstExtendersPass(PassRegistry&);
39 FunctionPass *createHexagonConstExtenders();
40}
41
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +000042static int32_t adjustUp(int32_t V, uint8_t A, uint8_t O) {
43 assert(isPowerOf2_32(A));
44 int32_t U = (V & -A) + O;
45 return U >= V ? U : U+A;
46}
47
48static int32_t adjustDown(int32_t V, uint8_t A, uint8_t O) {
49 assert(isPowerOf2_32(A));
50 int32_t U = (V & -A) + O;
51 return U <= V ? U : U-A;
52}
53
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +000054namespace {
55 struct OffsetRange {
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +000056 // The range of values between Min and Max that are of form Align*N+Offset,
57 // for some integer N. Min and Max are required to be of that form as well,
58 // except in the case of an empty range.
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +000059 int32_t Min = INT_MIN, Max = INT_MAX;
60 uint8_t Align = 1;
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +000061 uint8_t Offset = 0;
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +000062
63 OffsetRange() = default;
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +000064 OffsetRange(int32_t L, int32_t H, uint8_t A, uint8_t O = 0)
65 : Min(L), Max(H), Align(A), Offset(O) {}
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +000066 OffsetRange &intersect(OffsetRange A) {
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +000067 if (Align < A.Align)
68 std::swap(*this, A);
69
70 // Align >= A.Align.
71 if (Offset >= A.Offset && (Offset - A.Offset) % A.Align == 0) {
72 Min = adjustUp(std::max(Min, A.Min), Align, Offset);
73 Max = adjustDown(std::min(Max, A.Max), Align, Offset);
74 } else {
75 // Make an empty range.
76 Min = 0;
77 Max = -1;
78 }
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +000079 // Canonicalize empty ranges.
80 if (Min > Max)
81 std::tie(Min, Max, Align) = std::make_tuple(0, -1, 1);
82 return *this;
83 }
84 OffsetRange &shift(int32_t S) {
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +000085 Min += S;
86 Max += S;
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +000087 Offset = (Offset+S) % Align;
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +000088 return *this;
89 }
90 OffsetRange &extendBy(int32_t D) {
91 // If D < 0, extend Min, otherwise extend Max.
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +000092 assert(D % Align == 0);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +000093 if (D < 0)
94 Min = (INT_MIN-D < Min) ? Min+D : INT_MIN;
95 else
96 Max = (INT_MAX-D > Max) ? Max+D : INT_MAX;
97 return *this;
98 }
99 bool empty() const {
100 return Min > Max;
101 }
102 bool contains(int32_t V) const {
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +0000103 return Min <= V && V <= Max && (V-Offset) % Align == 0;
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000104 }
105 bool operator==(const OffsetRange &R) const {
106 return Min == R.Min && Max == R.Max && Align == R.Align;
107 }
108 bool operator!=(const OffsetRange &R) const {
109 return !operator==(R);
110 }
111 bool operator<(const OffsetRange &R) const {
112 if (Min != R.Min)
113 return Min < R.Min;
114 if (Max != R.Max)
115 return Max < R.Max;
116 return Align < R.Align;
117 }
118 static OffsetRange zero() { return {0, 0, 1}; }
119 };
120
121 struct RangeTree {
122 struct Node {
123 Node(const OffsetRange &R) : MaxEnd(R.Max), Range(R) {}
124 unsigned Height = 1;
125 unsigned Count = 1;
126 int32_t MaxEnd;
127 const OffsetRange &Range;
128 Node *Left = nullptr, *Right = nullptr;
129 };
130
131 Node *Root = nullptr;
132
133 void add(const OffsetRange &R) {
134 Root = add(Root, R);
135 }
136 void erase(const Node *N) {
137 Root = remove(Root, N);
138 delete N;
139 }
140 void order(SmallVectorImpl<Node*> &Seq) const {
141 order(Root, Seq);
142 }
143 SmallVector<Node*,8> nodesWith(int32_t P, bool CheckAlign = true) {
144 SmallVector<Node*,8> Nodes;
145 nodesWith(Root, P, CheckAlign, Nodes);
146 return Nodes;
147 }
148 void dump() const;
149 ~RangeTree() {
150 SmallVector<Node*,8> Nodes;
151 order(Nodes);
152 for (Node *N : Nodes)
153 delete N;
154 }
155
156 private:
157 void dump(const Node *N) const;
158 void order(Node *N, SmallVectorImpl<Node*> &Seq) const;
159 void nodesWith(Node *N, int32_t P, bool CheckA,
160 SmallVectorImpl<Node*> &Seq) const;
161
162 Node *add(Node *N, const OffsetRange &R);
163 Node *remove(Node *N, const Node *D);
164 Node *rotateLeft(Node *Lower, Node *Higher);
165 Node *rotateRight(Node *Lower, Node *Higher);
166 unsigned height(Node *N) {
167 return N != nullptr ? N->Height : 0;
168 }
169 Node *update(Node *N) {
170 assert(N != nullptr);
171 N->Height = 1 + std::max(height(N->Left), height(N->Right));
172 if (N->Left)
173 N->MaxEnd = std::max(N->MaxEnd, N->Left->MaxEnd);
174 if (N->Right)
175 N->MaxEnd = std::max(N->MaxEnd, N->Right->MaxEnd);
176 return N;
177 }
178 Node *rebalance(Node *N) {
179 assert(N != nullptr);
180 int32_t Balance = height(N->Right) - height(N->Left);
181 if (Balance < -1)
182 return rotateRight(N->Left, N);
183 if (Balance > 1)
184 return rotateLeft(N->Right, N);
185 return N;
186 }
187 };
188
189 struct Loc {
190 MachineBasicBlock *Block = nullptr;
191 MachineBasicBlock::iterator At;
192
193 Loc(MachineBasicBlock *B, MachineBasicBlock::iterator It)
194 : Block(B), At(It) {
195 if (B->end() == It) {
196 Pos = -1;
197 } else {
198 assert(It->getParent() == B);
199 Pos = std::distance(B->begin(), It);
200 }
201 }
202 bool operator<(Loc A) const {
203 if (Block != A.Block)
204 return Block->getNumber() < A.Block->getNumber();
205 if (A.Pos == -1)
206 return Pos != A.Pos;
207 return Pos != -1 && Pos < A.Pos;
208 }
209 private:
210 int Pos = 0;
211 };
212
213 struct HexagonConstExtenders : public MachineFunctionPass {
214 static char ID;
215 HexagonConstExtenders() : MachineFunctionPass(ID) {}
216
217 void getAnalysisUsage(AnalysisUsage &AU) const override {
218 AU.addRequired<MachineDominatorTree>();
219 AU.addPreserved<MachineDominatorTree>();
220 MachineFunctionPass::getAnalysisUsage(AU);
221 }
222
223 StringRef getPassName() const override {
224 return "Hexagon constant-extender optimization";
225 }
226 bool runOnMachineFunction(MachineFunction &MF) override;
227
228 private:
229 struct Register {
230 Register() = default;
231 Register(unsigned R, unsigned S) : Reg(R), Sub(S) {}
232 Register(const MachineOperand &Op)
233 : Reg(Op.getReg()), Sub(Op.getSubReg()) {}
234 Register &operator=(const MachineOperand &Op) {
235 if (Op.isReg()) {
236 Reg = Op.getReg();
237 Sub = Op.getSubReg();
238 } else if (Op.isFI()) {
239 Reg = TargetRegisterInfo::index2StackSlot(Op.getIndex());
240 }
241 return *this;
242 }
243 bool isVReg() const {
244 return Reg != 0 && !TargetRegisterInfo::isStackSlot(Reg) &&
245 TargetRegisterInfo::isVirtualRegister(Reg);
246 }
247 bool isSlot() const {
248 return Reg != 0 && TargetRegisterInfo::isStackSlot(Reg);
249 }
250 operator MachineOperand() const {
251 if (isVReg())
252 return MachineOperand::CreateReg(Reg, /*Def*/false, /*Imp*/false,
253 /*Kill*/false, /*Dead*/false, /*Undef*/false,
254 /*EarlyClobber*/false, Sub);
255 if (TargetRegisterInfo::isStackSlot(Reg)) {
256 int FI = TargetRegisterInfo::stackSlot2Index(Reg);
257 return MachineOperand::CreateFI(FI);
258 }
259 llvm_unreachable("Cannot create MachineOperand");
260 }
261 bool operator==(Register R) const { return Reg == R.Reg && Sub == R.Sub; }
262 bool operator!=(Register R) const { return !operator==(R); }
263 bool operator<(Register R) const {
264 // For std::map.
265 return Reg < R.Reg || (Reg == R.Reg && Sub < R.Sub);
266 }
267 unsigned Reg = 0, Sub = 0;
268 };
269
270 struct ExtExpr {
271 // A subexpression in which the extender is used. In general, this
272 // represents an expression where adding D to the extender will be
273 // equivalent to adding D to the expression as a whole. In other
274 // words, expr(add(##V,D) = add(expr(##V),D).
275
276 // The original motivation for this are the io/ur addressing modes,
277 // where the offset is extended. Consider the io example:
278 // In memw(Rs+##V), the ##V could be replaced by a register Rt to
279 // form the rr mode: memw(Rt+Rs<<0). In such case, however, the
280 // register Rt must have exactly the value of ##V. If there was
281 // another instruction memw(Rs+##V+4), it would need a different Rt.
282 // Now, if Rt was initialized as "##V+Rs<<0", both of these
283 // instructions could use the same Rt, just with different offsets.
284 // Here it's clear that "initializer+4" should be the same as if
285 // the offset 4 was added to the ##V in the initializer.
286
287 // The only kinds of expressions that support the requirement of
288 // commuting with addition are addition and subtraction from ##V.
289 // Include shifting the Rs to account for the ur addressing mode:
290 // ##Val + Rs << S
291 // ##Val - Rs
292 Register Rs;
293 unsigned S = 0;
294 bool Neg = false;
295
296 ExtExpr() = default;
297 ExtExpr(Register RS, bool NG, unsigned SH) : Rs(RS), S(SH), Neg(NG) {}
298 // Expression is trivial if it does not modify the extender.
299 bool trivial() const {
300 return Rs.Reg == 0;
301 }
302 bool operator==(const ExtExpr &Ex) const {
303 return Rs == Ex.Rs && S == Ex.S && Neg == Ex.Neg;
304 }
305 bool operator!=(const ExtExpr &Ex) const {
306 return !operator==(Ex);
307 }
308 bool operator<(const ExtExpr &Ex) const {
309 if (Rs != Ex.Rs)
310 return Rs < Ex.Rs;
311 if (S != Ex.S)
312 return S < Ex.S;
313 return !Neg && Ex.Neg;
314 }
315 };
316
317 struct ExtDesc {
318 MachineInstr *UseMI = nullptr;
319 unsigned OpNum = -1u;
320 // The subexpression in which the extender is used (e.g. address
321 // computation).
322 ExtExpr Expr;
323 // Optional register that is assigned the value of Expr.
324 Register Rd;
325 // Def means that the output of the instruction may differ from the
326 // original by a constant c, and that the difference can be corrected
327 // by adding/subtracting c in all users of the defined register.
328 bool IsDef = false;
329
330 MachineOperand &getOp() {
331 return UseMI->getOperand(OpNum);
332 }
333 const MachineOperand &getOp() const {
334 return UseMI->getOperand(OpNum);
335 }
336 };
337
338 struct ExtRoot {
339 union {
340 const ConstantFP *CFP; // MO_FPImmediate
341 const char *SymbolName; // MO_ExternalSymbol
342 const GlobalValue *GV; // MO_GlobalAddress
343 const BlockAddress *BA; // MO_BlockAddress
344 int64_t ImmVal; // MO_Immediate, MO_TargetIndex,
345 // and MO_ConstantPoolIndex
346 } V;
347 unsigned Kind; // Same as in MachineOperand.
348 unsigned char TF; // TargetFlags.
349
350 ExtRoot(const MachineOperand &Op);
351 bool operator==(const ExtRoot &ER) const {
352 return Kind == ER.Kind && V.ImmVal == ER.V.ImmVal;
353 }
354 bool operator!=(const ExtRoot &ER) const {
355 return !operator==(ER);
356 }
357 bool operator<(const ExtRoot &ER) const;
358 };
359
360 struct ExtValue : public ExtRoot {
361 int32_t Offset;
362
363 ExtValue(const MachineOperand &Op);
364 ExtValue(const ExtDesc &ED) : ExtValue(ED.getOp()) {}
365 ExtValue(const ExtRoot &ER, int32_t Off) : ExtRoot(ER), Offset(Off) {}
366 bool operator<(const ExtValue &EV) const;
367 bool operator==(const ExtValue &EV) const {
368 return ExtRoot(*this) == ExtRoot(EV) && Offset == EV.Offset;
369 }
370 bool operator!=(const ExtValue &EV) const {
371 return !operator==(EV);
372 }
373 explicit operator MachineOperand() const;
374 };
375
376 using IndexList = SetVector<unsigned>;
377 using ExtenderInit = std::pair<ExtValue, ExtExpr>;
378 using AssignmentMap = std::map<ExtenderInit, IndexList>;
379 using LocDefMap = std::map<Loc, IndexList>;
380
381 const HexagonInstrInfo *HII = nullptr;
382 const HexagonRegisterInfo *HRI = nullptr;
383 MachineDominatorTree *MDT = nullptr;
384 MachineRegisterInfo *MRI = nullptr;
385 std::vector<ExtDesc> Extenders;
386 std::vector<unsigned> NewRegs;
387
388 bool isStoreImmediate(unsigned Opc) const;
389 bool isRegOffOpcode(unsigned ExtOpc) const ;
390 unsigned getRegOffOpcode(unsigned ExtOpc) const;
391 unsigned getDirectRegReplacement(unsigned ExtOpc) const;
392 OffsetRange getOffsetRange(Register R, const MachineInstr &MI) const;
393 OffsetRange getOffsetRange(const ExtDesc &ED) const;
394 OffsetRange getOffsetRange(Register Rd) const;
395
396 void recordExtender(MachineInstr &MI, unsigned OpNum);
397 void collectInstr(MachineInstr &MI);
398 void collect(MachineFunction &MF);
399 void assignInits(const ExtRoot &ER, unsigned Begin, unsigned End,
400 AssignmentMap &IMap);
401 void calculatePlacement(const ExtenderInit &ExtI, const IndexList &Refs,
402 LocDefMap &Defs);
403 Register insertInitializer(Loc DefL, const ExtenderInit &ExtI);
404 bool replaceInstrExact(const ExtDesc &ED, Register ExtR);
405 bool replaceInstrExpr(const ExtDesc &ED, const ExtenderInit &ExtI,
406 Register ExtR, int32_t &Diff);
407 bool replaceInstr(unsigned Idx, Register ExtR, const ExtenderInit &ExtI);
408 bool replaceExtenders(const AssignmentMap &IMap);
409
410 unsigned getOperandIndex(const MachineInstr &MI,
411 const MachineOperand &Op) const;
412 const MachineOperand &getPredicateOp(const MachineInstr &MI) const;
413 const MachineOperand &getLoadResultOp(const MachineInstr &MI) const;
414 const MachineOperand &getStoredValueOp(const MachineInstr &MI) const;
415
416 friend struct PrintRegister;
417 friend struct PrintExpr;
418 friend struct PrintInit;
419 friend struct PrintIMap;
420 friend raw_ostream &operator<< (raw_ostream &OS,
421 const struct PrintRegister &P);
422 friend raw_ostream &operator<< (raw_ostream &OS, const struct PrintExpr &P);
423 friend raw_ostream &operator<< (raw_ostream &OS, const struct PrintInit &P);
424 friend raw_ostream &operator<< (raw_ostream &OS, const ExtDesc &ED);
425 friend raw_ostream &operator<< (raw_ostream &OS, const ExtRoot &ER);
426 friend raw_ostream &operator<< (raw_ostream &OS, const ExtValue &EV);
427 friend raw_ostream &operator<< (raw_ostream &OS, const OffsetRange &OR);
428 friend raw_ostream &operator<< (raw_ostream &OS, const struct PrintIMap &P);
429 };
430
431 using HCE = HexagonConstExtenders;
432
Krzysztof Parzyszek74671192017-10-16 00:29:47 +0000433 LLVM_ATTRIBUTE_UNUSED
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000434 raw_ostream &operator<< (raw_ostream &OS, const OffsetRange &OR) {
435 if (OR.Min > OR.Max)
436 OS << '!';
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +0000437 OS << '[' << OR.Min << ',' << OR.Max << "]a" << unsigned(OR.Align)
438 << '+' << unsigned(OR.Offset);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000439 return OS;
440 }
441
442 struct PrintRegister {
443 PrintRegister(HCE::Register R, const HexagonRegisterInfo &I)
444 : Rs(R), HRI(I) {}
445 HCE::Register Rs;
446 const HexagonRegisterInfo &HRI;
447 };
448
Krzysztof Parzyszek74671192017-10-16 00:29:47 +0000449 LLVM_ATTRIBUTE_UNUSED
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000450 raw_ostream &operator<< (raw_ostream &OS, const PrintRegister &P) {
451 if (P.Rs.Reg != 0)
Francis Visoiu Mistrih9d419d32017-11-28 12:42:37 +0000452 OS << printReg(P.Rs.Reg, &P.HRI, P.Rs.Sub);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000453 else
454 OS << "noreg";
455 return OS;
456 }
457
458 struct PrintExpr {
459 PrintExpr(const HCE::ExtExpr &E, const HexagonRegisterInfo &I)
460 : Ex(E), HRI(I) {}
461 const HCE::ExtExpr &Ex;
462 const HexagonRegisterInfo &HRI;
463 };
464
Krzysztof Parzyszek74671192017-10-16 00:29:47 +0000465 LLVM_ATTRIBUTE_UNUSED
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000466 raw_ostream &operator<< (raw_ostream &OS, const PrintExpr &P) {
467 OS << "## " << (P.Ex.Neg ? "- " : "+ ");
468 if (P.Ex.Rs.Reg != 0)
Francis Visoiu Mistrih9d419d32017-11-28 12:42:37 +0000469 OS << printReg(P.Ex.Rs.Reg, &P.HRI, P.Ex.Rs.Sub);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000470 else
471 OS << "__";
472 OS << " << " << P.Ex.S;
473 return OS;
474 }
475
476 struct PrintInit {
477 PrintInit(const HCE::ExtenderInit &EI, const HexagonRegisterInfo &I)
478 : ExtI(EI), HRI(I) {}
479 const HCE::ExtenderInit &ExtI;
480 const HexagonRegisterInfo &HRI;
481 };
482
Krzysztof Parzyszek74671192017-10-16 00:29:47 +0000483 LLVM_ATTRIBUTE_UNUSED
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000484 raw_ostream &operator<< (raw_ostream &OS, const PrintInit &P) {
485 OS << '[' << P.ExtI.first << ", "
486 << PrintExpr(P.ExtI.second, P.HRI) << ']';
487 return OS;
488 }
489
Krzysztof Parzyszek74671192017-10-16 00:29:47 +0000490 LLVM_ATTRIBUTE_UNUSED
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000491 raw_ostream &operator<< (raw_ostream &OS, const HCE::ExtDesc &ED) {
492 assert(ED.OpNum != -1u);
493 const MachineBasicBlock &MBB = *ED.getOp().getParent()->getParent();
494 const MachineFunction &MF = *MBB.getParent();
495 const auto &HRI = *MF.getSubtarget<HexagonSubtarget>().getRegisterInfo();
496 OS << "bb#" << MBB.getNumber() << ": ";
497 if (ED.Rd.Reg != 0)
Francis Visoiu Mistrih9d419d32017-11-28 12:42:37 +0000498 OS << printReg(ED.Rd.Reg, &HRI, ED.Rd.Sub);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000499 else
500 OS << "__";
501 OS << " = " << PrintExpr(ED.Expr, HRI);
502 if (ED.IsDef)
503 OS << ", def";
504 return OS;
505 }
506
Krzysztof Parzyszek74671192017-10-16 00:29:47 +0000507 LLVM_ATTRIBUTE_UNUSED
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000508 raw_ostream &operator<< (raw_ostream &OS, const HCE::ExtRoot &ER) {
509 switch (ER.Kind) {
510 case MachineOperand::MO_Immediate:
511 OS << "imm:" << ER.V.ImmVal;
512 break;
513 case MachineOperand::MO_FPImmediate:
514 OS << "fpi:" << *ER.V.CFP;
515 break;
516 case MachineOperand::MO_ExternalSymbol:
517 OS << "sym:" << *ER.V.SymbolName;
518 break;
519 case MachineOperand::MO_GlobalAddress:
520 OS << "gad:" << ER.V.GV->getName();
521 break;
522 case MachineOperand::MO_BlockAddress:
523 OS << "blk:" << *ER.V.BA;
524 break;
525 case MachineOperand::MO_TargetIndex:
526 OS << "tgi:" << ER.V.ImmVal;
527 break;
528 case MachineOperand::MO_ConstantPoolIndex:
529 OS << "cpi:" << ER.V.ImmVal;
530 break;
531 case MachineOperand::MO_JumpTableIndex:
532 OS << "jti:" << ER.V.ImmVal;
533 break;
534 default:
535 OS << "???:" << ER.V.ImmVal;
536 break;
537 }
538 return OS;
539 }
540
Krzysztof Parzyszek74671192017-10-16 00:29:47 +0000541 LLVM_ATTRIBUTE_UNUSED
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000542 raw_ostream &operator<< (raw_ostream &OS, const HCE::ExtValue &EV) {
543 OS << HCE::ExtRoot(EV) << " off:" << EV.Offset;
544 return OS;
545 }
546
547 struct PrintIMap {
548 PrintIMap(const HCE::AssignmentMap &M, const HexagonRegisterInfo &I)
549 : IMap(M), HRI(I) {}
550 const HCE::AssignmentMap &IMap;
551 const HexagonRegisterInfo &HRI;
552 };
553
Krzysztof Parzyszek74671192017-10-16 00:29:47 +0000554 LLVM_ATTRIBUTE_UNUSED
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000555 raw_ostream &operator<< (raw_ostream &OS, const PrintIMap &P) {
556 OS << "{\n";
557 for (const std::pair<HCE::ExtenderInit,HCE::IndexList> &Q : P.IMap) {
558 OS << " " << PrintInit(Q.first, P.HRI) << " -> {";
559 for (unsigned I : Q.second)
560 OS << ' ' << I;
561 OS << " }\n";
562 }
563 OS << "}\n";
564 return OS;
565 }
566}
567
568INITIALIZE_PASS_BEGIN(HexagonConstExtenders, "hexagon-cext-opt",
569 "Hexagon constant-extender optimization", false, false)
570INITIALIZE_PASS_DEPENDENCY(MachineDominatorTree)
571INITIALIZE_PASS_END(HexagonConstExtenders, "hexagon-cext-opt",
572 "Hexagon constant-extender optimization", false, false)
573
574static unsigned ReplaceCounter = 0;
575
576char HCE::ID = 0;
577
Eric Christopher3148a1b2017-11-16 03:18:15 +0000578#ifndef NDEBUG
Davide Italiano76067582017-10-14 23:46:01 +0000579LLVM_DUMP_METHOD void RangeTree::dump() const {
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000580 dbgs() << "Root: " << Root << '\n';
581 if (Root)
582 dump(Root);
583}
584
Eric Christopher3148a1b2017-11-16 03:18:15 +0000585LLVM_DUMP_METHOD void RangeTree::dump(const Node *N) const {
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000586 dbgs() << "Node: " << N << '\n';
587 dbgs() << " Height: " << N->Height << '\n';
588 dbgs() << " Count: " << N->Count << '\n';
589 dbgs() << " MaxEnd: " << N->MaxEnd << '\n';
590 dbgs() << " Range: " << N->Range << '\n';
591 dbgs() << " Left: " << N->Left << '\n';
592 dbgs() << " Right: " << N->Right << "\n\n";
593
594 if (N->Left)
595 dump(N->Left);
596 if (N->Right)
597 dump(N->Right);
598}
Eric Christopher3148a1b2017-11-16 03:18:15 +0000599#endif
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000600
601void RangeTree::order(Node *N, SmallVectorImpl<Node*> &Seq) const {
602 if (N == nullptr)
603 return;
604 order(N->Left, Seq);
605 Seq.push_back(N);
606 order(N->Right, Seq);
607}
608
609void RangeTree::nodesWith(Node *N, int32_t P, bool CheckA,
610 SmallVectorImpl<Node*> &Seq) const {
611 if (N == nullptr || N->MaxEnd < P)
612 return;
613 nodesWith(N->Left, P, CheckA, Seq);
614 if (N->Range.Min <= P) {
615 if ((CheckA && N->Range.contains(P)) || (!CheckA && P <= N->Range.Max))
616 Seq.push_back(N);
617 nodesWith(N->Right, P, CheckA, Seq);
618 }
619}
620
621RangeTree::Node *RangeTree::add(Node *N, const OffsetRange &R) {
622 if (N == nullptr)
623 return new Node(R);
624
625 if (N->Range == R) {
626 N->Count++;
627 return N;
628 }
629
630 if (R < N->Range)
631 N->Left = add(N->Left, R);
632 else
633 N->Right = add(N->Right, R);
634 return rebalance(update(N));
635}
636
637RangeTree::Node *RangeTree::remove(Node *N, const Node *D) {
638 assert(N != nullptr);
639
640 if (N != D) {
641 assert(N->Range != D->Range && "N and D should not be equal");
642 if (D->Range < N->Range)
643 N->Left = remove(N->Left, D);
644 else
645 N->Right = remove(N->Right, D);
646 return rebalance(update(N));
647 }
648
649 // We got to the node we need to remove. If any of its children are
650 // missing, simply replace it with the other child.
651 if (N->Left == nullptr || N->Right == nullptr)
652 return (N->Left == nullptr) ? N->Right : N->Left;
653
654 // Find the rightmost child of N->Left, remove it and plug it in place
655 // of N.
656 Node *M = N->Left;
657 while (M->Right)
658 M = M->Right;
659 M->Left = remove(N->Left, M);
660 M->Right = N->Right;
661 return rebalance(update(M));
662}
663
664RangeTree::Node *RangeTree::rotateLeft(Node *Lower, Node *Higher) {
665 assert(Higher->Right == Lower);
666 // The Lower node is on the right from Higher. Make sure that Lower's
667 // balance is greater to the right. Otherwise the rotation will create
668 // an unbalanced tree again.
669 if (height(Lower->Left) > height(Lower->Right))
670 Lower = rotateRight(Lower->Left, Lower);
671 assert(height(Lower->Left) <= height(Lower->Right));
672 Higher->Right = Lower->Left;
673 update(Higher);
674 Lower->Left = Higher;
675 update(Lower);
676 return Lower;
677}
678
679RangeTree::Node *RangeTree::rotateRight(Node *Lower, Node *Higher) {
680 assert(Higher->Left == Lower);
681 // The Lower node is on the left from Higher. Make sure that Lower's
682 // balance is greater to the left. Otherwise the rotation will create
683 // an unbalanced tree again.
684 if (height(Lower->Left) < height(Lower->Right))
685 Lower = rotateLeft(Lower->Right, Lower);
686 assert(height(Lower->Left) >= height(Lower->Right));
687 Higher->Left = Lower->Right;
688 update(Higher);
689 Lower->Right = Higher;
690 update(Lower);
691 return Lower;
692}
693
694
695HCE::ExtRoot::ExtRoot(const MachineOperand &Op) {
696 // Always store ImmVal, since it's the field used for comparisons.
697 V.ImmVal = 0;
698 if (Op.isImm())
699 ; // Keep 0. Do not use Op.getImm() for value here (treat 0 as the root).
700 else if (Op.isFPImm())
701 V.CFP = Op.getFPImm();
702 else if (Op.isSymbol())
703 V.SymbolName = Op.getSymbolName();
704 else if (Op.isGlobal())
705 V.GV = Op.getGlobal();
706 else if (Op.isBlockAddress())
707 V.BA = Op.getBlockAddress();
708 else if (Op.isCPI() || Op.isTargetIndex() || Op.isJTI())
709 V.ImmVal = Op.getIndex();
710 else
711 llvm_unreachable("Unexpected operand type");
712
713 Kind = Op.getType();
714 TF = Op.getTargetFlags();
715}
716
717bool HCE::ExtRoot::operator< (const HCE::ExtRoot &ER) const {
718 if (Kind != ER.Kind)
719 return Kind < ER.Kind;
720 switch (Kind) {
721 case MachineOperand::MO_Immediate:
722 case MachineOperand::MO_TargetIndex:
723 case MachineOperand::MO_ConstantPoolIndex:
724 case MachineOperand::MO_JumpTableIndex:
725 return V.ImmVal < ER.V.ImmVal;
726 case MachineOperand::MO_FPImmediate: {
727 const APFloat &ThisF = V.CFP->getValueAPF();
728 const APFloat &OtherF = ER.V.CFP->getValueAPF();
729 return ThisF.bitcastToAPInt().ult(OtherF.bitcastToAPInt());
730 }
731 case MachineOperand::MO_ExternalSymbol:
732 return StringRef(V.SymbolName) < StringRef(ER.V.SymbolName);
Krzysztof Parzyszek31f25172018-09-05 15:54:44 +0000733 case MachineOperand::MO_GlobalAddress:
734 return V.GV->getGUID() < ER.V.GV->getGUID();
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +0000735 case MachineOperand::MO_BlockAddress: {
736 const BasicBlock *ThisB = V.BA->getBasicBlock();
737 const BasicBlock *OtherB = ER.V.BA->getBasicBlock();
738 assert(ThisB->getParent() == OtherB->getParent());
739 const Function &F = *ThisB->getParent();
740 return std::distance(F.begin(), ThisB->getIterator()) <
741 std::distance(F.begin(), OtherB->getIterator());
742 }
743 }
744 return V.ImmVal < ER.V.ImmVal;
745}
746
747HCE::ExtValue::ExtValue(const MachineOperand &Op) : ExtRoot(Op) {
748 if (Op.isImm())
749 Offset = Op.getImm();
750 else if (Op.isFPImm() || Op.isJTI())
751 Offset = 0;
752 else if (Op.isSymbol() || Op.isGlobal() || Op.isBlockAddress() ||
753 Op.isCPI() || Op.isTargetIndex())
754 Offset = Op.getOffset();
755 else
756 llvm_unreachable("Unexpected operand type");
757}
758
759bool HCE::ExtValue::operator< (const HCE::ExtValue &EV) const {
760 const ExtRoot &ER = *this;
761 if (!(ER == ExtRoot(EV)))
762 return ER < EV;
763 return Offset < EV.Offset;
764}
765
766HCE::ExtValue::operator MachineOperand() const {
767 switch (Kind) {
768 case MachineOperand::MO_Immediate:
769 return MachineOperand::CreateImm(V.ImmVal + Offset);
770 case MachineOperand::MO_FPImmediate:
771 assert(Offset == 0);
772 return MachineOperand::CreateFPImm(V.CFP);
773 case MachineOperand::MO_ExternalSymbol:
774 assert(Offset == 0);
775 return MachineOperand::CreateES(V.SymbolName, TF);
776 case MachineOperand::MO_GlobalAddress:
777 return MachineOperand::CreateGA(V.GV, Offset, TF);
778 case MachineOperand::MO_BlockAddress:
779 return MachineOperand::CreateBA(V.BA, Offset, TF);
780 case MachineOperand::MO_TargetIndex:
781 return MachineOperand::CreateTargetIndex(V.ImmVal, Offset, TF);
782 case MachineOperand::MO_ConstantPoolIndex:
783 return MachineOperand::CreateCPI(V.ImmVal, Offset, TF);
784 case MachineOperand::MO_JumpTableIndex:
785 assert(Offset == 0);
786 default:
787 llvm_unreachable("Unhandled kind");
788 }
789}
790
791bool HCE::isStoreImmediate(unsigned Opc) const {
792 switch (Opc) {
793 case Hexagon::S4_storeirbt_io:
794 case Hexagon::S4_storeirbf_io:
795 case Hexagon::S4_storeirht_io:
796 case Hexagon::S4_storeirhf_io:
797 case Hexagon::S4_storeirit_io:
798 case Hexagon::S4_storeirif_io:
799 case Hexagon::S4_storeirb_io:
800 case Hexagon::S4_storeirh_io:
801 case Hexagon::S4_storeiri_io:
802 return true;
803 default:
804 break;
805 }
806 return false;
807}
808
809bool HCE::isRegOffOpcode(unsigned Opc) const {
810 switch (Opc) {
811 case Hexagon::L2_loadrub_io:
812 case Hexagon::L2_loadrb_io:
813 case Hexagon::L2_loadruh_io:
814 case Hexagon::L2_loadrh_io:
815 case Hexagon::L2_loadri_io:
816 case Hexagon::L2_loadrd_io:
817 case Hexagon::L2_loadbzw2_io:
818 case Hexagon::L2_loadbzw4_io:
819 case Hexagon::L2_loadbsw2_io:
820 case Hexagon::L2_loadbsw4_io:
821 case Hexagon::L2_loadalignh_io:
822 case Hexagon::L2_loadalignb_io:
823 case Hexagon::L2_ploadrubt_io:
824 case Hexagon::L2_ploadrubf_io:
825 case Hexagon::L2_ploadrbt_io:
826 case Hexagon::L2_ploadrbf_io:
827 case Hexagon::L2_ploadruht_io:
828 case Hexagon::L2_ploadruhf_io:
829 case Hexagon::L2_ploadrht_io:
830 case Hexagon::L2_ploadrhf_io:
831 case Hexagon::L2_ploadrit_io:
832 case Hexagon::L2_ploadrif_io:
833 case Hexagon::L2_ploadrdt_io:
834 case Hexagon::L2_ploadrdf_io:
835 case Hexagon::S2_storerb_io:
836 case Hexagon::S2_storerh_io:
837 case Hexagon::S2_storerf_io:
838 case Hexagon::S2_storeri_io:
839 case Hexagon::S2_storerd_io:
840 case Hexagon::S2_pstorerbt_io:
841 case Hexagon::S2_pstorerbf_io:
842 case Hexagon::S2_pstorerht_io:
843 case Hexagon::S2_pstorerhf_io:
844 case Hexagon::S2_pstorerft_io:
845 case Hexagon::S2_pstorerff_io:
846 case Hexagon::S2_pstorerit_io:
847 case Hexagon::S2_pstorerif_io:
848 case Hexagon::S2_pstorerdt_io:
849 case Hexagon::S2_pstorerdf_io:
850 case Hexagon::A2_addi:
851 return true;
852 default:
853 break;
854 }
855 return false;
856}
857
858unsigned HCE::getRegOffOpcode(unsigned ExtOpc) const {
859 // If there exists an instruction that takes a register and offset,
860 // that corresponds to the ExtOpc, return it, otherwise return 0.
861 using namespace Hexagon;
862 switch (ExtOpc) {
863 case A2_tfrsi: return A2_addi;
864 default:
865 break;
866 }
867 const MCInstrDesc &D = HII->get(ExtOpc);
868 if (D.mayLoad() || D.mayStore()) {
869 uint64_t F = D.TSFlags;
870 unsigned AM = (F >> HexagonII::AddrModePos) & HexagonII::AddrModeMask;
871 switch (AM) {
872 case HexagonII::Absolute:
873 case HexagonII::AbsoluteSet:
874 case HexagonII::BaseLongOffset:
875 switch (ExtOpc) {
876 case PS_loadrubabs:
877 case L4_loadrub_ap:
878 case L4_loadrub_ur: return L2_loadrub_io;
879 case PS_loadrbabs:
880 case L4_loadrb_ap:
881 case L4_loadrb_ur: return L2_loadrb_io;
882 case PS_loadruhabs:
883 case L4_loadruh_ap:
884 case L4_loadruh_ur: return L2_loadruh_io;
885 case PS_loadrhabs:
886 case L4_loadrh_ap:
887 case L4_loadrh_ur: return L2_loadrh_io;
888 case PS_loadriabs:
889 case L4_loadri_ap:
890 case L4_loadri_ur: return L2_loadri_io;
891 case PS_loadrdabs:
892 case L4_loadrd_ap:
893 case L4_loadrd_ur: return L2_loadrd_io;
894 case L4_loadbzw2_ap:
895 case L4_loadbzw2_ur: return L2_loadbzw2_io;
896 case L4_loadbzw4_ap:
897 case L4_loadbzw4_ur: return L2_loadbzw4_io;
898 case L4_loadbsw2_ap:
899 case L4_loadbsw2_ur: return L2_loadbsw2_io;
900 case L4_loadbsw4_ap:
901 case L4_loadbsw4_ur: return L2_loadbsw4_io;
902 case L4_loadalignh_ap:
903 case L4_loadalignh_ur: return L2_loadalignh_io;
904 case L4_loadalignb_ap:
905 case L4_loadalignb_ur: return L2_loadalignb_io;
906 case L4_ploadrubt_abs: return L2_ploadrubt_io;
907 case L4_ploadrubf_abs: return L2_ploadrubf_io;
908 case L4_ploadrbt_abs: return L2_ploadrbt_io;
909 case L4_ploadrbf_abs: return L2_ploadrbf_io;
910 case L4_ploadruht_abs: return L2_ploadruht_io;
911 case L4_ploadruhf_abs: return L2_ploadruhf_io;
912 case L4_ploadrht_abs: return L2_ploadrht_io;
913 case L4_ploadrhf_abs: return L2_ploadrhf_io;
914 case L4_ploadrit_abs: return L2_ploadrit_io;
915 case L4_ploadrif_abs: return L2_ploadrif_io;
916 case L4_ploadrdt_abs: return L2_ploadrdt_io;
917 case L4_ploadrdf_abs: return L2_ploadrdf_io;
918 case PS_storerbabs:
919 case S4_storerb_ap:
920 case S4_storerb_ur: return S2_storerb_io;
921 case PS_storerhabs:
922 case S4_storerh_ap:
923 case S4_storerh_ur: return S2_storerh_io;
924 case PS_storerfabs:
925 case S4_storerf_ap:
926 case S4_storerf_ur: return S2_storerf_io;
927 case PS_storeriabs:
928 case S4_storeri_ap:
929 case S4_storeri_ur: return S2_storeri_io;
930 case PS_storerdabs:
931 case S4_storerd_ap:
932 case S4_storerd_ur: return S2_storerd_io;
933 case S4_pstorerbt_abs: return S2_pstorerbt_io;
934 case S4_pstorerbf_abs: return S2_pstorerbf_io;
935 case S4_pstorerht_abs: return S2_pstorerht_io;
936 case S4_pstorerhf_abs: return S2_pstorerhf_io;
937 case S4_pstorerft_abs: return S2_pstorerft_io;
938 case S4_pstorerff_abs: return S2_pstorerff_io;
939 case S4_pstorerit_abs: return S2_pstorerit_io;
940 case S4_pstorerif_abs: return S2_pstorerif_io;
941 case S4_pstorerdt_abs: return S2_pstorerdt_io;
942 case S4_pstorerdf_abs: return S2_pstorerdf_io;
943 default:
944 break;
945 }
946 break;
947 case HexagonII::BaseImmOffset:
948 if (!isStoreImmediate(ExtOpc))
949 return ExtOpc;
950 break;
951 default:
952 break;
953 }
954 }
955 return 0;
956}
957
958unsigned HCE::getDirectRegReplacement(unsigned ExtOpc) const {
959 switch (ExtOpc) {
960 case Hexagon::A2_addi: return Hexagon::A2_add;
961 case Hexagon::A2_andir: return Hexagon::A2_and;
962 case Hexagon::A2_combineii: return Hexagon::A4_combineri;
963 case Hexagon::A2_orir: return Hexagon::A2_or;
964 case Hexagon::A2_paddif: return Hexagon::A2_paddf;
965 case Hexagon::A2_paddit: return Hexagon::A2_paddt;
966 case Hexagon::A2_subri: return Hexagon::A2_sub;
967 case Hexagon::A2_tfrsi: return TargetOpcode::COPY;
968 case Hexagon::A4_cmpbeqi: return Hexagon::A4_cmpbeq;
969 case Hexagon::A4_cmpbgti: return Hexagon::A4_cmpbgt;
970 case Hexagon::A4_cmpbgtui: return Hexagon::A4_cmpbgtu;
971 case Hexagon::A4_cmpheqi: return Hexagon::A4_cmpheq;
972 case Hexagon::A4_cmphgti: return Hexagon::A4_cmphgt;
973 case Hexagon::A4_cmphgtui: return Hexagon::A4_cmphgtu;
974 case Hexagon::A4_combineii: return Hexagon::A4_combineir;
975 case Hexagon::A4_combineir: return TargetOpcode::REG_SEQUENCE;
976 case Hexagon::A4_combineri: return TargetOpcode::REG_SEQUENCE;
977 case Hexagon::A4_rcmpeqi: return Hexagon::A4_rcmpeq;
978 case Hexagon::A4_rcmpneqi: return Hexagon::A4_rcmpneq;
979 case Hexagon::C2_cmoveif: return Hexagon::A2_tfrpf;
980 case Hexagon::C2_cmoveit: return Hexagon::A2_tfrpt;
981 case Hexagon::C2_cmpeqi: return Hexagon::C2_cmpeq;
982 case Hexagon::C2_cmpgti: return Hexagon::C2_cmpgt;
983 case Hexagon::C2_cmpgtui: return Hexagon::C2_cmpgtu;
984 case Hexagon::C2_muxii: return Hexagon::C2_muxir;
985 case Hexagon::C2_muxir: return Hexagon::C2_mux;
986 case Hexagon::C2_muxri: return Hexagon::C2_mux;
987 case Hexagon::C4_cmpltei: return Hexagon::C4_cmplte;
988 case Hexagon::C4_cmplteui: return Hexagon::C4_cmplteu;
989 case Hexagon::C4_cmpneqi: return Hexagon::C4_cmpneq;
990 case Hexagon::M2_accii: return Hexagon::M2_acci; // T -> T
991 /* No M2_macsin */
992 case Hexagon::M2_macsip: return Hexagon::M2_maci; // T -> T
993 case Hexagon::M2_mpysin: return Hexagon::M2_mpyi;
994 case Hexagon::M2_mpysip: return Hexagon::M2_mpyi;
995 case Hexagon::M2_mpysmi: return Hexagon::M2_mpyi;
996 case Hexagon::M2_naccii: return Hexagon::M2_nacci; // T -> T
997 case Hexagon::M4_mpyri_addi: return Hexagon::M4_mpyri_addr;
998 case Hexagon::M4_mpyri_addr: return Hexagon::M4_mpyrr_addr; // _ -> T
999 case Hexagon::M4_mpyrr_addi: return Hexagon::M4_mpyrr_addr; // _ -> T
1000 case Hexagon::S4_addaddi: return Hexagon::M2_acci; // _ -> T
1001 case Hexagon::S4_addi_asl_ri: return Hexagon::S2_asl_i_r_acc; // T -> T
1002 case Hexagon::S4_addi_lsr_ri: return Hexagon::S2_lsr_i_r_acc; // T -> T
1003 case Hexagon::S4_andi_asl_ri: return Hexagon::S2_asl_i_r_and; // T -> T
1004 case Hexagon::S4_andi_lsr_ri: return Hexagon::S2_lsr_i_r_and; // T -> T
1005 case Hexagon::S4_ori_asl_ri: return Hexagon::S2_asl_i_r_or; // T -> T
1006 case Hexagon::S4_ori_lsr_ri: return Hexagon::S2_lsr_i_r_or; // T -> T
1007 case Hexagon::S4_subaddi: return Hexagon::M2_subacc; // _ -> T
1008 case Hexagon::S4_subi_asl_ri: return Hexagon::S2_asl_i_r_nac; // T -> T
1009 case Hexagon::S4_subi_lsr_ri: return Hexagon::S2_lsr_i_r_nac; // T -> T
1010
1011 // Store-immediates:
1012 case Hexagon::S4_storeirbf_io: return Hexagon::S2_pstorerbf_io;
1013 case Hexagon::S4_storeirb_io: return Hexagon::S2_storerb_io;
1014 case Hexagon::S4_storeirbt_io: return Hexagon::S2_pstorerbt_io;
1015 case Hexagon::S4_storeirhf_io: return Hexagon::S2_pstorerhf_io;
1016 case Hexagon::S4_storeirh_io: return Hexagon::S2_storerh_io;
1017 case Hexagon::S4_storeirht_io: return Hexagon::S2_pstorerht_io;
1018 case Hexagon::S4_storeirif_io: return Hexagon::S2_pstorerif_io;
1019 case Hexagon::S4_storeiri_io: return Hexagon::S2_storeri_io;
1020 case Hexagon::S4_storeirit_io: return Hexagon::S2_pstorerit_io;
1021
1022 default:
1023 break;
1024 }
1025 return 0;
1026}
1027
Krzysztof Parzyszek1a1edbf2018-01-26 19:20:50 +00001028// Return the allowable deviation from the current value of Rb (i.e. the
1029// range of values that can be added to the current value) which the
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001030// instruction MI can accommodate.
1031// The instruction MI is a user of register Rb, which is defined via an
1032// extender. It may be possible for MI to be tweaked to work for a register
1033// defined with a slightly different value. For example
Krzysztof Parzyszek1a1edbf2018-01-26 19:20:50 +00001034// ... = L2_loadrub_io Rb, 1
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001035// can be modifed to be
Krzysztof Parzyszek1a1edbf2018-01-26 19:20:50 +00001036// ... = L2_loadrub_io Rb', 0
1037// if Rb' = Rb+1.
1038// The range for Rb would be [Min+1, Max+1], where [Min, Max] is a range
1039// for L2_loadrub with offset 0. That means that Rb could be replaced with
1040// Rc, where Rc-Rb belongs to [Min+1, Max+1].
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001041OffsetRange HCE::getOffsetRange(Register Rb, const MachineInstr &MI) const {
1042 unsigned Opc = MI.getOpcode();
1043 // Instructions that are constant-extended may be replaced with something
1044 // else that no longer offers the same range as the original.
1045 if (!isRegOffOpcode(Opc) || HII->isConstExtended(MI))
1046 return OffsetRange::zero();
1047
1048 if (Opc == Hexagon::A2_addi) {
1049 const MachineOperand &Op1 = MI.getOperand(1), &Op2 = MI.getOperand(2);
1050 if (Rb != Register(Op1) || !Op2.isImm())
1051 return OffsetRange::zero();
1052 OffsetRange R = { -(1<<15)+1, (1<<15)-1, 1 };
1053 return R.shift(Op2.getImm());
1054 }
1055
1056 // HII::getBaseAndOffsetPosition returns the increment position as "offset".
1057 if (HII->isPostIncrement(MI))
1058 return OffsetRange::zero();
1059
1060 const MCInstrDesc &D = HII->get(Opc);
1061 assert(D.mayLoad() || D.mayStore());
1062
1063 unsigned BaseP, OffP;
1064 if (!HII->getBaseAndOffsetPosition(MI, BaseP, OffP) ||
1065 Rb != Register(MI.getOperand(BaseP)) ||
1066 !MI.getOperand(OffP).isImm())
1067 return OffsetRange::zero();
1068
1069 uint64_t F = (D.TSFlags >> HexagonII::MemAccessSizePos) &
1070 HexagonII::MemAccesSizeMask;
1071 uint8_t A = HexagonII::getMemAccessSizeInBytes(HexagonII::MemAccessSize(F));
1072 unsigned L = Log2_32(A);
1073 unsigned S = 10+L; // sint11_L
1074 int32_t Min = -alignDown((1<<S)-1, A);
Krzysztof Parzyszek27056da2017-10-25 18:46:40 +00001075
1076 // The range will be shifted by Off. To prefer non-negative offsets,
1077 // adjust Max accordingly.
1078 int32_t Off = MI.getOperand(OffP).getImm();
1079 int32_t Max = Off >= 0 ? 0 : -Off;
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001080
1081 OffsetRange R = { Min, Max, A };
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001082 return R.shift(Off);
1083}
1084
1085// Return the allowable deviation from the current value of the extender ED,
1086// for which the instruction corresponding to ED can be modified without
1087// using an extender.
1088// The instruction uses the extender directly. It will be replaced with
1089// another instruction, say MJ, where the extender will be replaced with a
1090// register. MJ can allow some variability with respect to the value of
1091// that register, as is the case with indexed memory instructions.
1092OffsetRange HCE::getOffsetRange(const ExtDesc &ED) const {
1093 // The only way that there can be a non-zero range available is if
1094 // the instruction using ED will be converted to an indexed memory
1095 // instruction.
1096 unsigned IdxOpc = getRegOffOpcode(ED.UseMI->getOpcode());
1097 switch (IdxOpc) {
1098 case 0:
1099 return OffsetRange::zero();
1100 case Hexagon::A2_addi: // s16
1101 return { -32767, 32767, 1 };
1102 case Hexagon::A2_subri: // s10
1103 return { -511, 511, 1 };
1104 }
1105
1106 if (!ED.UseMI->mayLoad() && !ED.UseMI->mayStore())
1107 return OffsetRange::zero();
1108 const MCInstrDesc &D = HII->get(IdxOpc);
1109 uint64_t F = (D.TSFlags >> HexagonII::MemAccessSizePos) &
1110 HexagonII::MemAccesSizeMask;
1111 uint8_t A = HexagonII::getMemAccessSizeInBytes(HexagonII::MemAccessSize(F));
1112 unsigned L = Log2_32(A);
1113 unsigned S = 10+L; // sint11_L
1114 int32_t Min = -alignDown((1<<S)-1, A);
1115 int32_t Max = 0; // Force non-negative offsets.
1116 return { Min, Max, A };
1117}
1118
1119// Get the allowable deviation from the current value of Rd by checking
1120// all uses of Rd.
1121OffsetRange HCE::getOffsetRange(Register Rd) const {
1122 OffsetRange Range;
1123 for (const MachineOperand &Op : MRI->use_operands(Rd.Reg)) {
1124 // Make sure that the register being used by this operand is identical
1125 // to the register that was defined: using a different subregister
1126 // precludes any non-trivial range.
1127 if (Rd != Register(Op))
1128 return OffsetRange::zero();
1129 Range.intersect(getOffsetRange(Rd, *Op.getParent()));
1130 }
1131 return Range;
1132}
1133
1134void HCE::recordExtender(MachineInstr &MI, unsigned OpNum) {
1135 unsigned Opc = MI.getOpcode();
1136 ExtDesc ED;
1137 ED.OpNum = OpNum;
1138
1139 bool IsLoad = MI.mayLoad();
1140 bool IsStore = MI.mayStore();
1141
Krzysztof Parzyszek64212012018-04-20 19:06:46 +00001142 // Fixed stack slots have negative indexes, and they cannot be used
1143 // with TRI::stackSlot2Index and TRI::index2StackSlot. This is somewhat
1144 // unfortunate, but should not be a frequent thing.
1145 for (MachineOperand &Op : MI.operands())
1146 if (Op.isFI() && Op.getIndex() < 0)
1147 return;
1148
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001149 if (IsLoad || IsStore) {
1150 unsigned AM = HII->getAddrMode(MI);
1151 switch (AM) {
1152 // (Re: ##Off + Rb<<S) = Rd: ##Val
1153 case HexagonII::Absolute: // (__: ## + __<<_)
1154 break;
1155 case HexagonII::AbsoluteSet: // (Rd: ## + __<<_)
1156 ED.Rd = MI.getOperand(OpNum-1);
1157 ED.IsDef = true;
1158 break;
1159 case HexagonII::BaseImmOffset: // (__: ## + Rs<<0)
1160 // Store-immediates are treated as non-memory operations, since
1161 // it's the value being stored that is extended (as opposed to
1162 // a part of the address).
1163 if (!isStoreImmediate(Opc))
1164 ED.Expr.Rs = MI.getOperand(OpNum-1);
1165 break;
1166 case HexagonII::BaseLongOffset: // (__: ## + Rs<<S)
1167 ED.Expr.Rs = MI.getOperand(OpNum-2);
1168 ED.Expr.S = MI.getOperand(OpNum-1).getImm();
1169 break;
1170 default:
1171 llvm_unreachable("Unhandled memory instruction");
1172 }
1173 } else {
1174 switch (Opc) {
1175 case Hexagon::A2_tfrsi: // (Rd: ## + __<<_)
1176 ED.Rd = MI.getOperand(0);
1177 ED.IsDef = true;
1178 break;
1179 case Hexagon::A2_combineii: // (Rd: ## + __<<_)
1180 case Hexagon::A4_combineir:
1181 ED.Rd = { MI.getOperand(0).getReg(), Hexagon::isub_hi };
1182 ED.IsDef = true;
1183 break;
1184 case Hexagon::A4_combineri: // (Rd: ## + __<<_)
1185 ED.Rd = { MI.getOperand(0).getReg(), Hexagon::isub_lo };
1186 ED.IsDef = true;
1187 break;
1188 case Hexagon::A2_addi: // (Rd: ## + Rs<<0)
1189 ED.Rd = MI.getOperand(0);
1190 ED.Expr.Rs = MI.getOperand(OpNum-1);
1191 break;
1192 case Hexagon::M2_accii: // (__: ## + Rs<<0)
1193 case Hexagon::M2_naccii:
1194 case Hexagon::S4_addaddi:
1195 ED.Expr.Rs = MI.getOperand(OpNum-1);
1196 break;
1197 case Hexagon::A2_subri: // (Rd: ## - Rs<<0)
1198 ED.Rd = MI.getOperand(0);
1199 ED.Expr.Rs = MI.getOperand(OpNum+1);
1200 ED.Expr.Neg = true;
1201 break;
1202 case Hexagon::S4_subaddi: // (__: ## - Rs<<0)
1203 ED.Expr.Rs = MI.getOperand(OpNum+1);
1204 ED.Expr.Neg = true;
1205 default: // (__: ## + __<<_)
1206 break;
1207 }
1208 }
1209
1210 ED.UseMI = &MI;
Krzysztof Parzyszek31f25172018-09-05 15:54:44 +00001211
1212 // Ignore unnamed globals.
1213 ExtRoot ER(ED.getOp());
1214 if (ER.Kind == MachineOperand::MO_GlobalAddress)
1215 if (ER.V.GV->getName().empty())
1216 return;
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001217 Extenders.push_back(ED);
1218}
1219
1220void HCE::collectInstr(MachineInstr &MI) {
1221 if (!HII->isConstExtended(MI))
1222 return;
1223
1224 // Skip some non-convertible instructions.
1225 unsigned Opc = MI.getOpcode();
1226 switch (Opc) {
1227 case Hexagon::M2_macsin: // There is no Rx -= mpyi(Rs,Rt).
1228 case Hexagon::C4_addipc:
1229 case Hexagon::S4_or_andi:
1230 case Hexagon::S4_or_andix:
1231 case Hexagon::S4_or_ori:
1232 return;
1233 }
1234 recordExtender(MI, HII->getCExtOpNum(MI));
1235}
1236
1237void HCE::collect(MachineFunction &MF) {
1238 Extenders.clear();
1239 for (MachineBasicBlock &MBB : MF)
1240 for (MachineInstr &MI : MBB)
1241 collectInstr(MI);
1242}
1243
1244void HCE::assignInits(const ExtRoot &ER, unsigned Begin, unsigned End,
1245 AssignmentMap &IMap) {
1246 // Sanity check: make sure that all extenders in the range [Begin..End)
1247 // share the same root ER.
1248 for (unsigned I = Begin; I != End; ++I)
1249 assert(ER == ExtRoot(Extenders[I].getOp()));
1250
1251 // Construct the list of ranges, such that for each P in Ranges[I],
1252 // a register Reg = ER+P can be used in place of Extender[I]. If the
1253 // instruction allows, uses in the form of Reg+Off are considered
1254 // (here, Off = required_value - P).
1255 std::vector<OffsetRange> Ranges(End-Begin);
1256
1257 // For each extender that is a def, visit all uses of the defined register,
1258 // and produce an offset range that works for all uses. The def doesn't
1259 // have to be checked, because it can become dead if all uses can be updated
1260 // to use a different reg/offset.
1261 for (unsigned I = Begin; I != End; ++I) {
1262 const ExtDesc &ED = Extenders[I];
1263 if (!ED.IsDef)
1264 continue;
1265 ExtValue EV(ED);
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001266 LLVM_DEBUG(dbgs() << " =" << I << ". " << EV << " " << ED << '\n');
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001267 assert(ED.Rd.Reg != 0);
1268 Ranges[I-Begin] = getOffsetRange(ED.Rd).shift(EV.Offset);
1269 // A2_tfrsi is a special case: it will be replaced with A2_addi, which
1270 // has a 16-bit signed offset. This means that A2_tfrsi not only has a
1271 // range coming from its uses, but also from the fact that its replacement
1272 // has a range as well.
1273 if (ED.UseMI->getOpcode() == Hexagon::A2_tfrsi) {
1274 int32_t D = alignDown(32767, Ranges[I-Begin].Align); // XXX hardcoded
1275 Ranges[I-Begin].extendBy(-D).extendBy(D);
1276 }
1277 }
1278
1279 // Visit all non-def extenders. For each one, determine the offset range
1280 // available for it.
1281 for (unsigned I = Begin; I != End; ++I) {
1282 const ExtDesc &ED = Extenders[I];
1283 if (ED.IsDef)
1284 continue;
1285 ExtValue EV(ED);
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001286 LLVM_DEBUG(dbgs() << " " << I << ". " << EV << " " << ED << '\n');
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001287 OffsetRange Dev = getOffsetRange(ED);
1288 Ranges[I-Begin].intersect(Dev.shift(EV.Offset));
1289 }
1290
1291 // Here for each I there is a corresponding Range[I]. Construct the
1292 // inverse map, that to each range will assign the set of indexes in
1293 // [Begin..End) that this range corresponds to.
1294 std::map<OffsetRange, IndexList> RangeMap;
1295 for (unsigned I = Begin; I != End; ++I)
1296 RangeMap[Ranges[I-Begin]].insert(I);
1297
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001298 LLVM_DEBUG({
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001299 dbgs() << "Ranges\n";
1300 for (unsigned I = Begin; I != End; ++I)
1301 dbgs() << " " << I << ". " << Ranges[I-Begin] << '\n';
1302 dbgs() << "RangeMap\n";
1303 for (auto &P : RangeMap) {
1304 dbgs() << " " << P.first << " ->";
1305 for (unsigned I : P.second)
1306 dbgs() << ' ' << I;
1307 dbgs() << '\n';
1308 }
1309 });
1310
1311 // Select the definition points, and generate the assignment between
1312 // these points and the uses.
1313
1314 // For each candidate offset, keep a pair CandData consisting of
1315 // the total number of ranges containing that candidate, and the
1316 // vector of corresponding RangeTree nodes.
1317 using CandData = std::pair<unsigned, SmallVector<RangeTree::Node*,8>>;
1318 std::map<int32_t, CandData> CandMap;
1319
1320 RangeTree Tree;
1321 for (const OffsetRange &R : Ranges)
1322 Tree.add(R);
1323 SmallVector<RangeTree::Node*,8> Nodes;
1324 Tree.order(Nodes);
1325
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +00001326 auto MaxAlign = [](const SmallVectorImpl<RangeTree::Node*> &Nodes,
1327 uint8_t Align, uint8_t Offset) {
1328 for (RangeTree::Node *N : Nodes) {
1329 if (N->Range.Align <= Align || N->Range.Offset < Offset)
1330 continue;
1331 if ((N->Range.Offset - Offset) % Align != 0)
1332 continue;
1333 Align = N->Range.Align;
1334 Offset = N->Range.Offset;
1335 }
1336 return std::make_pair(Align, Offset);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001337 };
1338
1339 // Construct the set of all potential definition points from the endpoints
1340 // of the ranges. If a given endpoint also belongs to a different range,
1341 // but with a higher alignment, also consider the more-highly-aligned
1342 // value of this endpoint.
1343 std::set<int32_t> CandSet;
1344 for (RangeTree::Node *N : Nodes) {
1345 const OffsetRange &R = N->Range;
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +00001346 auto P0 = MaxAlign(Tree.nodesWith(R.Min, false), R.Align, R.Offset);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001347 CandSet.insert(R.Min);
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +00001348 if (R.Align < P0.first)
1349 CandSet.insert(adjustUp(R.Min, P0.first, P0.second));
1350 auto P1 = MaxAlign(Tree.nodesWith(R.Max, false), R.Align, R.Offset);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001351 CandSet.insert(R.Max);
Krzysztof Parzyszek39a98422018-01-30 18:12:37 +00001352 if (R.Align < P1.first)
1353 CandSet.insert(adjustDown(R.Max, P1.first, P1.second));
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001354 }
1355
1356 // Build the assignment map: candidate C -> { list of extender indexes }.
1357 // This has to be done iteratively:
1358 // - pick the candidate that covers the maximum number of extenders,
1359 // - add the candidate to the map,
1360 // - remove the extenders from the pool.
1361 while (true) {
1362 using CMap = std::map<int32_t,unsigned>;
1363 CMap Counts;
1364 for (auto It = CandSet.begin(), Et = CandSet.end(); It != Et; ) {
1365 auto &&V = Tree.nodesWith(*It);
1366 unsigned N = std::accumulate(V.begin(), V.end(), 0u,
1367 [](unsigned Acc, const RangeTree::Node *N) {
1368 return Acc + N->Count;
1369 });
1370 if (N != 0)
1371 Counts.insert({*It, N});
1372 It = (N != 0) ? std::next(It) : CandSet.erase(It);
1373 }
1374 if (Counts.empty())
1375 break;
1376
1377 // Find the best candidate with respect to the number of extenders covered.
1378 auto BestIt = std::max_element(Counts.begin(), Counts.end(),
1379 [](const CMap::value_type &A, const CMap::value_type &B) {
1380 return A.second < B.second ||
1381 (A.second == B.second && A < B);
1382 });
1383 int32_t Best = BestIt->first;
1384 ExtValue BestV(ER, Best);
1385 for (RangeTree::Node *N : Tree.nodesWith(Best)) {
1386 for (unsigned I : RangeMap[N->Range])
1387 IMap[{BestV,Extenders[I].Expr}].insert(I);
1388 Tree.erase(N);
1389 }
1390 }
1391
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001392 LLVM_DEBUG(dbgs() << "IMap (before fixup) = " << PrintIMap(IMap, *HRI));
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001393
1394 // There is some ambiguity in what initializer should be used, if the
1395 // descriptor's subexpression is non-trivial: it can be the entire
1396 // subexpression (which is what has been done so far), or it can be
1397 // the extender's value itself, if all corresponding extenders have the
1398 // exact value of the initializer (i.e. require offset of 0).
1399
1400 // To reduce the number of initializers, merge such special cases.
1401 for (std::pair<const ExtenderInit,IndexList> &P : IMap) {
1402 // Skip trivial initializers.
1403 if (P.first.second.trivial())
1404 continue;
1405 // If the corresponding trivial initializer does not exist, skip this
1406 // entry.
1407 const ExtValue &EV = P.first.first;
1408 AssignmentMap::iterator F = IMap.find({EV, ExtExpr()});
1409 if (F == IMap.end())
1410 continue;
Krzysztof Parzyszekcc712912018-04-17 15:23:09 +00001411
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001412 // Finally, check if all extenders have the same value as the initializer.
Krzysztof Parzyszekcc712912018-04-17 15:23:09 +00001413 // Make sure that extenders that are a part of a stack address are not
1414 // merged with those that aren't. Stack addresses need an offset field
1415 // (to be used by frame index elimination), while non-stack expressions
1416 // can be replaced with forms (such as rr) that do not have such a field.
1417 // Example:
1418 //
1419 // Collected 3 extenders
1420 // =2. imm:0 off:32968 bb#2: %7 = ## + __ << 0, def
1421 // 0. imm:0 off:267 bb#0: __ = ## + SS#1 << 0
1422 // 1. imm:0 off:267 bb#1: __ = ## + SS#1 << 0
1423 // Ranges
1424 // 0. [-756,267]a1+0
1425 // 1. [-756,267]a1+0
1426 // 2. [201,65735]a1+0
1427 // RangeMap
1428 // [-756,267]a1+0 -> 0 1
1429 // [201,65735]a1+0 -> 2
1430 // IMap (before fixup) = {
1431 // [imm:0 off:267, ## + __ << 0] -> { 2 }
1432 // [imm:0 off:267, ## + SS#1 << 0] -> { 0 1 }
1433 // }
1434 // IMap (after fixup) = {
1435 // [imm:0 off:267, ## + __ << 0] -> { 2 0 1 }
1436 // [imm:0 off:267, ## + SS#1 << 0] -> { }
1437 // }
1438 // Inserted def in bb#0 for initializer: [imm:0 off:267, ## + __ << 0]
1439 // %12:intregs = A2_tfrsi 267
1440 //
1441 // The result was
1442 // %12:intregs = A2_tfrsi 267
1443 // S4_pstorerbt_rr %3, %12, %stack.1, 0, killed %4
1444 // Which became
1445 // r0 = #267
1446 // if (p0.new) memb(r0+r29<<#4) = r2
1447
1448 bool IsStack = any_of(F->second, [this](unsigned I) {
1449 return Extenders[I].Expr.Rs.isSlot();
1450 });
1451 auto SameValue = [&EV,this,IsStack](unsigned I) {
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001452 const ExtDesc &ED = Extenders[I];
Krzysztof Parzyszekcc712912018-04-17 15:23:09 +00001453 return ED.Expr.Rs.isSlot() == IsStack &&
1454 ExtValue(ED).Offset == EV.Offset;
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001455 };
1456 if (all_of(P.second, SameValue)) {
1457 F->second.insert(P.second.begin(), P.second.end());
1458 P.second.clear();
1459 }
1460 }
1461
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001462 LLVM_DEBUG(dbgs() << "IMap (after fixup) = " << PrintIMap(IMap, *HRI));
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001463}
1464
1465void HCE::calculatePlacement(const ExtenderInit &ExtI, const IndexList &Refs,
1466 LocDefMap &Defs) {
1467 if (Refs.empty())
1468 return;
1469
1470 // The placement calculation is somewhat simple right now: it finds a
1471 // single location for the def that dominates all refs. Since this may
1472 // place the def far from the uses, producing several locations for
1473 // defs that collectively dominate all refs could be better.
1474 // For now only do the single one.
1475 DenseSet<MachineBasicBlock*> Blocks;
1476 DenseSet<MachineInstr*> RefMIs;
1477 const ExtDesc &ED0 = Extenders[Refs[0]];
1478 MachineBasicBlock *DomB = ED0.UseMI->getParent();
1479 RefMIs.insert(ED0.UseMI);
1480 Blocks.insert(DomB);
1481 for (unsigned i = 1, e = Refs.size(); i != e; ++i) {
1482 const ExtDesc &ED = Extenders[Refs[i]];
1483 MachineBasicBlock *MBB = ED.UseMI->getParent();
1484 RefMIs.insert(ED.UseMI);
1485 DomB = MDT->findNearestCommonDominator(DomB, MBB);
1486 Blocks.insert(MBB);
1487 }
1488
1489#ifndef NDEBUG
1490 // The block DomB should be dominated by the def of each register used
1491 // in the initializer.
1492 Register Rs = ExtI.second.Rs; // Only one reg allowed now.
1493 const MachineInstr *DefI = Rs.isVReg() ? MRI->getVRegDef(Rs.Reg) : nullptr;
1494
1495 // This should be guaranteed given that the entire expression is used
1496 // at each instruction in Refs. Add an assertion just in case.
1497 assert(!DefI || MDT->dominates(DefI->getParent(), DomB));
1498#endif
1499
1500 MachineBasicBlock::iterator It;
1501 if (Blocks.count(DomB)) {
1502 // Try to find the latest possible location for the def.
1503 MachineBasicBlock::iterator End = DomB->end();
1504 for (It = DomB->begin(); It != End; ++It)
1505 if (RefMIs.count(&*It))
1506 break;
1507 assert(It != End && "Should have found a ref in DomB");
1508 } else {
1509 // DomB does not contain any refs.
1510 It = DomB->getFirstTerminator();
1511 }
1512 Loc DefLoc(DomB, It);
1513 Defs.emplace(DefLoc, Refs);
1514}
1515
1516HCE::Register HCE::insertInitializer(Loc DefL, const ExtenderInit &ExtI) {
1517 unsigned DefR = MRI->createVirtualRegister(&Hexagon::IntRegsRegClass);
1518 MachineBasicBlock &MBB = *DefL.Block;
1519 MachineBasicBlock::iterator At = DefL.At;
1520 DebugLoc dl = DefL.Block->findDebugLoc(DefL.At);
1521 const ExtValue &EV = ExtI.first;
1522 MachineOperand ExtOp(EV);
1523
1524 const ExtExpr &Ex = ExtI.second;
1525 const MachineInstr *InitI = nullptr;
1526
1527 if (Ex.Rs.isSlot()) {
1528 assert(Ex.S == 0 && "Cannot have a shift of a stack slot");
1529 assert(!Ex.Neg && "Cannot subtract a stack slot");
1530 // DefR = PS_fi Rb,##EV
1531 InitI = BuildMI(MBB, At, dl, HII->get(Hexagon::PS_fi), DefR)
1532 .add(MachineOperand(Ex.Rs))
1533 .add(ExtOp);
1534 } else {
1535 assert((Ex.Rs.Reg == 0 || Ex.Rs.isVReg()) && "Expecting virtual register");
1536 if (Ex.trivial()) {
1537 // DefR = ##EV
1538 InitI = BuildMI(MBB, At, dl, HII->get(Hexagon::A2_tfrsi), DefR)
1539 .add(ExtOp);
1540 } else if (Ex.S == 0) {
1541 if (Ex.Neg) {
1542 // DefR = sub(##EV,Rb)
1543 InitI = BuildMI(MBB, At, dl, HII->get(Hexagon::A2_subri), DefR)
1544 .add(ExtOp)
1545 .add(MachineOperand(Ex.Rs));
1546 } else {
1547 // DefR = add(Rb,##EV)
1548 InitI = BuildMI(MBB, At, dl, HII->get(Hexagon::A2_addi), DefR)
1549 .add(MachineOperand(Ex.Rs))
1550 .add(ExtOp);
1551 }
1552 } else {
1553 unsigned NewOpc = Ex.Neg ? Hexagon::S4_subi_asl_ri
1554 : Hexagon::S4_addi_asl_ri;
1555 // DefR = add(##EV,asl(Rb,S))
1556 InitI = BuildMI(MBB, At, dl, HII->get(NewOpc), DefR)
1557 .add(ExtOp)
1558 .add(MachineOperand(Ex.Rs))
1559 .addImm(Ex.S);
1560 }
1561 }
1562
1563 assert(InitI);
1564 (void)InitI;
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001565 LLVM_DEBUG(dbgs() << "Inserted def in bb#" << MBB.getNumber()
1566 << " for initializer: " << PrintInit(ExtI, *HRI) << "\n "
1567 << *InitI);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001568 return { DefR, 0 };
1569}
1570
1571// Replace the extender at index Idx with the register ExtR.
1572bool HCE::replaceInstrExact(const ExtDesc &ED, Register ExtR) {
1573 MachineInstr &MI = *ED.UseMI;
1574 MachineBasicBlock &MBB = *MI.getParent();
1575 MachineBasicBlock::iterator At = MI.getIterator();
1576 DebugLoc dl = MI.getDebugLoc();
1577 unsigned ExtOpc = MI.getOpcode();
1578
1579 // With a few exceptions, direct replacement amounts to creating an
1580 // instruction with a corresponding register opcode, with all operands
1581 // the same, except for the register used in place of the extender.
1582 unsigned RegOpc = getDirectRegReplacement(ExtOpc);
1583
1584 if (RegOpc == TargetOpcode::REG_SEQUENCE) {
1585 if (ExtOpc == Hexagon::A4_combineri)
1586 BuildMI(MBB, At, dl, HII->get(RegOpc))
1587 .add(MI.getOperand(0))
1588 .add(MI.getOperand(1))
1589 .addImm(Hexagon::isub_hi)
1590 .add(MachineOperand(ExtR))
1591 .addImm(Hexagon::isub_lo);
1592 else if (ExtOpc == Hexagon::A4_combineir)
1593 BuildMI(MBB, At, dl, HII->get(RegOpc))
1594 .add(MI.getOperand(0))
1595 .add(MachineOperand(ExtR))
1596 .addImm(Hexagon::isub_hi)
1597 .add(MI.getOperand(2))
1598 .addImm(Hexagon::isub_lo);
1599 else
1600 llvm_unreachable("Unexpected opcode became REG_SEQUENCE");
1601 MBB.erase(MI);
1602 return true;
1603 }
1604 if (ExtOpc == Hexagon::C2_cmpgei || ExtOpc == Hexagon::C2_cmpgeui) {
1605 unsigned NewOpc = ExtOpc == Hexagon::C2_cmpgei ? Hexagon::C2_cmplt
1606 : Hexagon::C2_cmpltu;
1607 BuildMI(MBB, At, dl, HII->get(NewOpc))
1608 .add(MI.getOperand(0))
1609 .add(MachineOperand(ExtR))
1610 .add(MI.getOperand(1));
1611 MBB.erase(MI);
1612 return true;
1613 }
1614
1615 if (RegOpc != 0) {
1616 MachineInstrBuilder MIB = BuildMI(MBB, At, dl, HII->get(RegOpc));
1617 unsigned RegN = ED.OpNum;
1618 // Copy all operands except the one that has the extender.
1619 for (unsigned i = 0, e = MI.getNumOperands(); i != e; ++i) {
1620 if (i != RegN)
1621 MIB.add(MI.getOperand(i));
1622 else
1623 MIB.add(MachineOperand(ExtR));
1624 }
Chandler Carruthc73c0302018-08-16 21:30:05 +00001625 MIB.cloneMemRefs(MI);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001626 MBB.erase(MI);
1627 return true;
1628 }
1629
1630 if ((MI.mayLoad() || MI.mayStore()) && !isStoreImmediate(ExtOpc)) {
1631 // For memory instructions, there is an asymmetry in the addressing
1632 // modes. Addressing modes allowing extenders can be replaced with
1633 // addressing modes that use registers, but the order of operands
1634 // (or even their number) may be different.
1635 // Replacements:
1636 // BaseImmOffset (io) -> BaseRegOffset (rr)
1637 // BaseLongOffset (ur) -> BaseRegOffset (rr)
1638 unsigned RegOpc, Shift;
1639 unsigned AM = HII->getAddrMode(MI);
1640 if (AM == HexagonII::BaseImmOffset) {
1641 RegOpc = HII->changeAddrMode_io_rr(ExtOpc);
1642 Shift = 0;
1643 } else if (AM == HexagonII::BaseLongOffset) {
1644 // Loads: Rd = L4_loadri_ur Rs, S, ##
1645 // Stores: S4_storeri_ur Rs, S, ##, Rt
1646 RegOpc = HII->changeAddrMode_ur_rr(ExtOpc);
1647 Shift = MI.getOperand(MI.mayLoad() ? 2 : 1).getImm();
1648 } else {
1649 llvm_unreachable("Unexpected addressing mode");
1650 }
1651#ifndef NDEBUG
1652 if (RegOpc == -1u) {
1653 dbgs() << "\nExtOpc: " << HII->getName(ExtOpc) << " has no rr version\n";
1654 llvm_unreachable("No corresponding rr instruction");
1655 }
1656#endif
1657
1658 unsigned BaseP, OffP;
1659 HII->getBaseAndOffsetPosition(MI, BaseP, OffP);
1660
1661 // Build an rr instruction: (RegOff + RegBase<<0)
1662 MachineInstrBuilder MIB = BuildMI(MBB, At, dl, HII->get(RegOpc));
1663 // First, add the def for loads.
1664 if (MI.mayLoad())
1665 MIB.add(getLoadResultOp(MI));
1666 // Handle possible predication.
1667 if (HII->isPredicated(MI))
1668 MIB.add(getPredicateOp(MI));
1669 // Build the address.
1670 MIB.add(MachineOperand(ExtR)); // RegOff
1671 MIB.add(MI.getOperand(BaseP)); // RegBase
1672 MIB.addImm(Shift); // << Shift
1673 // Add the stored value for stores.
1674 if (MI.mayStore())
1675 MIB.add(getStoredValueOp(MI));
Chandler Carruthc73c0302018-08-16 21:30:05 +00001676 MIB.cloneMemRefs(MI);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001677 MBB.erase(MI);
1678 return true;
1679 }
1680
1681#ifndef NDEBUG
1682 dbgs() << '\n' << MI;
1683#endif
1684 llvm_unreachable("Unhandled exact replacement");
1685 return false;
1686}
1687
1688// Replace the extender ED with a form corresponding to the initializer ExtI.
1689bool HCE::replaceInstrExpr(const ExtDesc &ED, const ExtenderInit &ExtI,
1690 Register ExtR, int32_t &Diff) {
1691 MachineInstr &MI = *ED.UseMI;
1692 MachineBasicBlock &MBB = *MI.getParent();
1693 MachineBasicBlock::iterator At = MI.getIterator();
1694 DebugLoc dl = MI.getDebugLoc();
1695 unsigned ExtOpc = MI.getOpcode();
1696
1697 if (ExtOpc == Hexagon::A2_tfrsi) {
1698 // A2_tfrsi is a special case: it's replaced with A2_addi, which introduces
1699 // another range. One range is the one that's common to all tfrsi's uses,
1700 // this one is the range of immediates in A2_addi. When calculating ranges,
1701 // the addi's 16-bit argument was included, so now we need to make it such
1702 // that the produced value is in the range for the uses alone.
1703 // Most of the time, simply adding Diff will make the addi produce exact
1704 // result, but if Diff is outside of the 16-bit range, some adjustment
1705 // will be needed.
1706 unsigned IdxOpc = getRegOffOpcode(ExtOpc);
1707 assert(IdxOpc == Hexagon::A2_addi);
1708
1709 // Clamp Diff to the 16 bit range.
Krzysztof Parzyszek1a1edbf2018-01-26 19:20:50 +00001710 int32_t D = isInt<16>(Diff) ? Diff : (Diff > 0 ? 32767 : -32768);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001711 BuildMI(MBB, At, dl, HII->get(IdxOpc))
1712 .add(MI.getOperand(0))
1713 .add(MachineOperand(ExtR))
1714 .addImm(D);
1715 Diff -= D;
1716#ifndef NDEBUG
1717 // Make sure the output is within allowable range for uses.
Krzysztof Parzyszek1a1edbf2018-01-26 19:20:50 +00001718 // "Diff" is a difference in the "opposite direction", i.e. Ext - DefV,
1719 // not DefV - Ext, as the getOffsetRange would calculate.
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001720 OffsetRange Uses = getOffsetRange(MI.getOperand(0));
Krzysztof Parzyszek1a1edbf2018-01-26 19:20:50 +00001721 if (!Uses.contains(-Diff))
1722 dbgs() << "Diff: " << -Diff << " out of range " << Uses
Krzysztof Parzyszek27056da2017-10-25 18:46:40 +00001723 << " for " << MI;
Krzysztof Parzyszek1a1edbf2018-01-26 19:20:50 +00001724 assert(Uses.contains(-Diff));
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001725#endif
1726 MBB.erase(MI);
1727 return true;
1728 }
1729
1730 const ExtValue &EV = ExtI.first; (void)EV;
1731 const ExtExpr &Ex = ExtI.second; (void)Ex;
1732
1733 if (ExtOpc == Hexagon::A2_addi || ExtOpc == Hexagon::A2_subri) {
1734 // If addi/subri are replaced with the exactly matching initializer,
1735 // they amount to COPY.
1736 // Check that the initializer is an exact match (for simplicity).
Benjamin Kramer9f21ca62017-10-13 20:46:14 +00001737#ifndef NDEBUG
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001738 bool IsAddi = ExtOpc == Hexagon::A2_addi;
1739 const MachineOperand &RegOp = MI.getOperand(IsAddi ? 1 : 2);
1740 const MachineOperand &ImmOp = MI.getOperand(IsAddi ? 2 : 1);
1741 assert(Ex.Rs == RegOp && EV == ImmOp && Ex.Neg != IsAddi &&
1742 "Initializer mismatch");
Benjamin Kramer9f21ca62017-10-13 20:46:14 +00001743#endif
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001744 BuildMI(MBB, At, dl, HII->get(TargetOpcode::COPY))
1745 .add(MI.getOperand(0))
1746 .add(MachineOperand(ExtR));
1747 Diff = 0;
1748 MBB.erase(MI);
1749 return true;
1750 }
1751 if (ExtOpc == Hexagon::M2_accii || ExtOpc == Hexagon::M2_naccii ||
1752 ExtOpc == Hexagon::S4_addaddi || ExtOpc == Hexagon::S4_subaddi) {
1753 // M2_accii: add(Rt,add(Rs,V)) (tied)
1754 // M2_naccii: sub(Rt,add(Rs,V))
1755 // S4_addaddi: add(Rt,add(Rs,V))
1756 // S4_subaddi: add(Rt,sub(V,Rs))
1757 // Check that Rs and V match the initializer expression. The Rs+V is the
1758 // combination that is considered "subexpression" for V, although Rx+V
1759 // would also be valid.
Benjamin Kramer9f21ca62017-10-13 20:46:14 +00001760#ifndef NDEBUG
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001761 bool IsSub = ExtOpc == Hexagon::S4_subaddi;
1762 Register Rs = MI.getOperand(IsSub ? 3 : 2);
1763 ExtValue V = MI.getOperand(IsSub ? 2 : 3);
1764 assert(EV == V && Rs == Ex.Rs && IsSub == Ex.Neg && "Initializer mismatch");
Benjamin Kramer9f21ca62017-10-13 20:46:14 +00001765#endif
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001766 unsigned NewOpc = ExtOpc == Hexagon::M2_naccii ? Hexagon::A2_sub
1767 : Hexagon::A2_add;
1768 BuildMI(MBB, At, dl, HII->get(NewOpc))
1769 .add(MI.getOperand(0))
1770 .add(MI.getOperand(1))
1771 .add(MachineOperand(ExtR));
1772 MBB.erase(MI);
1773 return true;
1774 }
1775
1776 if (MI.mayLoad() || MI.mayStore()) {
1777 unsigned IdxOpc = getRegOffOpcode(ExtOpc);
1778 assert(IdxOpc && "Expecting indexed opcode");
1779 MachineInstrBuilder MIB = BuildMI(MBB, At, dl, HII->get(IdxOpc));
1780 // Construct the new indexed instruction.
1781 // First, add the def for loads.
1782 if (MI.mayLoad())
1783 MIB.add(getLoadResultOp(MI));
1784 // Handle possible predication.
1785 if (HII->isPredicated(MI))
1786 MIB.add(getPredicateOp(MI));
1787 // Build the address.
1788 MIB.add(MachineOperand(ExtR));
1789 MIB.addImm(Diff);
1790 // Add the stored value for stores.
1791 if (MI.mayStore())
1792 MIB.add(getStoredValueOp(MI));
Chandler Carruthc73c0302018-08-16 21:30:05 +00001793 MIB.cloneMemRefs(MI);
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001794 MBB.erase(MI);
1795 return true;
1796 }
1797
1798#ifndef NDEBUG
1799 dbgs() << '\n' << PrintInit(ExtI, *HRI) << " " << MI;
1800#endif
1801 llvm_unreachable("Unhandled expr replacement");
1802 return false;
1803}
1804
1805bool HCE::replaceInstr(unsigned Idx, Register ExtR, const ExtenderInit &ExtI) {
1806 if (ReplaceLimit.getNumOccurrences()) {
1807 if (ReplaceLimit <= ReplaceCounter)
1808 return false;
1809 ++ReplaceCounter;
1810 }
1811 const ExtDesc &ED = Extenders[Idx];
1812 assert((!ED.IsDef || ED.Rd.Reg != 0) && "Missing Rd for def");
1813 const ExtValue &DefV = ExtI.first;
1814 assert(ExtRoot(ExtValue(ED)) == ExtRoot(DefV) && "Extender root mismatch");
1815 const ExtExpr &DefEx = ExtI.second;
1816
1817 ExtValue EV(ED);
1818 int32_t Diff = EV.Offset - DefV.Offset;
1819 const MachineInstr &MI = *ED.UseMI;
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001820 LLVM_DEBUG(dbgs() << __func__ << " Idx:" << Idx << " ExtR:"
1821 << PrintRegister(ExtR, *HRI) << " Diff:" << Diff << '\n');
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001822
1823 // These two addressing modes must be converted into indexed forms
1824 // regardless of what the initializer looks like.
1825 bool IsAbs = false, IsAbsSet = false;
1826 if (MI.mayLoad() || MI.mayStore()) {
1827 unsigned AM = HII->getAddrMode(MI);
1828 IsAbs = AM == HexagonII::Absolute;
1829 IsAbsSet = AM == HexagonII::AbsoluteSet;
1830 }
1831
1832 // If it's a def, remember all operands that need to be updated.
1833 // If ED is a def, and Diff is not 0, then all uses of the register Rd
1834 // defined by ED must be in the form (Rd, imm), i.e. the immediate offset
1835 // must follow the Rd in the operand list.
1836 std::vector<std::pair<MachineInstr*,unsigned>> RegOps;
1837 if (ED.IsDef && Diff != 0) {
1838 for (MachineOperand &Op : MRI->use_operands(ED.Rd.Reg)) {
1839 MachineInstr &UI = *Op.getParent();
1840 RegOps.push_back({&UI, getOperandIndex(UI, Op)});
1841 }
1842 }
1843
1844 // Replace the instruction.
1845 bool Replaced = false;
1846 if (Diff == 0 && DefEx.trivial() && !IsAbs && !IsAbsSet)
1847 Replaced = replaceInstrExact(ED, ExtR);
1848 else
1849 Replaced = replaceInstrExpr(ED, ExtI, ExtR, Diff);
1850
1851 if (Diff != 0 && Replaced && ED.IsDef) {
1852 // Update offsets of the def's uses.
1853 for (std::pair<MachineInstr*,unsigned> P : RegOps) {
1854 unsigned J = P.second;
Krzysztof Parzyszek92a26352017-10-27 18:52:28 +00001855 assert(P.first->getNumOperands() > J+1 &&
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001856 P.first->getOperand(J+1).isImm());
1857 MachineOperand &ImmOp = P.first->getOperand(J+1);
1858 ImmOp.setImm(ImmOp.getImm() + Diff);
1859 }
1860 // If it was an absolute-set instruction, the "set" part has been removed.
1861 // ExtR will now be the register with the extended value, and since all
1862 // users of Rd have been updated, all that needs to be done is to replace
1863 // Rd with ExtR.
1864 if (IsAbsSet) {
1865 assert(ED.Rd.Sub == 0 && ExtR.Sub == 0);
1866 MRI->replaceRegWith(ED.Rd.Reg, ExtR.Reg);
1867 }
1868 }
1869
1870 return Replaced;
1871}
1872
1873bool HCE::replaceExtenders(const AssignmentMap &IMap) {
1874 LocDefMap Defs;
1875 bool Changed = false;
1876
1877 for (const std::pair<ExtenderInit,IndexList> &P : IMap) {
1878 const IndexList &Idxs = P.second;
1879 if (Idxs.size() < CountThreshold)
1880 continue;
1881
1882 Defs.clear();
1883 calculatePlacement(P.first, Idxs, Defs);
1884 for (const std::pair<Loc,IndexList> &Q : Defs) {
1885 Register DefR = insertInitializer(Q.first, P.first);
1886 NewRegs.push_back(DefR.Reg);
1887 for (unsigned I : Q.second)
1888 Changed |= replaceInstr(I, DefR, P.first);
1889 }
1890 }
1891 return Changed;
1892}
1893
1894unsigned HCE::getOperandIndex(const MachineInstr &MI,
1895 const MachineOperand &Op) const {
1896 for (unsigned i = 0, n = MI.getNumOperands(); i != n; ++i)
1897 if (&MI.getOperand(i) == &Op)
1898 return i;
1899 llvm_unreachable("Not an operand of MI");
1900}
1901
1902const MachineOperand &HCE::getPredicateOp(const MachineInstr &MI) const {
1903 assert(HII->isPredicated(MI));
1904 for (const MachineOperand &Op : MI.operands()) {
1905 if (!Op.isReg() || !Op.isUse() ||
1906 MRI->getRegClass(Op.getReg()) != &Hexagon::PredRegsRegClass)
1907 continue;
1908 assert(Op.getSubReg() == 0 && "Predicate register with a subregister");
1909 return Op;
1910 }
1911 llvm_unreachable("Predicate operand not found");
1912}
1913
1914const MachineOperand &HCE::getLoadResultOp(const MachineInstr &MI) const {
1915 assert(MI.mayLoad());
1916 return MI.getOperand(0);
1917}
1918
1919const MachineOperand &HCE::getStoredValueOp(const MachineInstr &MI) const {
1920 assert(MI.mayStore());
1921 return MI.getOperand(MI.getNumExplicitOperands()-1);
1922}
1923
1924bool HCE::runOnMachineFunction(MachineFunction &MF) {
Matthias Braunf1caa282017-12-15 22:22:58 +00001925 if (skipFunction(MF.getFunction()))
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001926 return false;
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001927 LLVM_DEBUG(MF.print(dbgs() << "Before " << getPassName() << '\n', nullptr));
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001928
1929 HII = MF.getSubtarget<HexagonSubtarget>().getInstrInfo();
1930 HRI = MF.getSubtarget<HexagonSubtarget>().getRegisterInfo();
1931 MDT = &getAnalysis<MachineDominatorTree>();
1932 MRI = &MF.getRegInfo();
1933 AssignmentMap IMap;
1934
1935 collect(MF);
Mandeep Singh Grangdb00e2e2018-03-24 17:34:37 +00001936 llvm::sort(Extenders.begin(), Extenders.end(),
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001937 [](const ExtDesc &A, const ExtDesc &B) {
1938 return ExtValue(A) < ExtValue(B);
1939 });
1940
1941 bool Changed = false;
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001942 LLVM_DEBUG(dbgs() << "Collected " << Extenders.size() << " extenders\n");
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001943 for (unsigned I = 0, E = Extenders.size(); I != E; ) {
1944 unsigned B = I;
1945 const ExtRoot &T = Extenders[B].getOp();
1946 while (I != E && ExtRoot(Extenders[I].getOp()) == T)
1947 ++I;
1948
1949 IMap.clear();
1950 assignInits(T, B, I, IMap);
1951 Changed |= replaceExtenders(IMap);
1952 }
1953
Nicola Zaghend34e60c2018-05-14 12:53:11 +00001954 LLVM_DEBUG({
Krzysztof Parzyszek7c9c0582017-10-13 19:02:59 +00001955 if (Changed)
1956 MF.print(dbgs() << "After " << getPassName() << '\n', nullptr);
1957 else
1958 dbgs() << "No changes\n";
1959 });
1960 return Changed;
1961}
1962
1963FunctionPass *llvm::createHexagonConstExtenders() {
1964 return new HexagonConstExtenders();
1965}