1 //===-- WebAssemblyCFGStackify.cpp - CFG Stackification -------------------===//
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
7 //===----------------------------------------------------------------------===//
10 /// This file implements a CFG stacking pass.
12 /// This pass inserts BLOCK, LOOP, and TRY markers to mark the start of scopes,
13 /// since scope boundaries serve as the labels for WebAssembly's control
16 /// This is sufficient to convert arbitrary CFGs into a form that works on
17 /// WebAssembly, provided that all loops are single-entry.
19 /// In case we use exceptions, this pass also fixes mismatches in unwind
20 /// destinations created during transforming CFG into wasm structured format.
22 //===----------------------------------------------------------------------===//
24 #include "WebAssembly.h"
25 #include "WebAssemblyExceptionInfo.h"
26 #include "WebAssemblyMachineFunctionInfo.h"
27 #include "WebAssemblySubtarget.h"
28 #include "WebAssemblyUtilities.h"
29 #include "llvm/ADT/Statistic.h"
30 #include "llvm/CodeGen/MachineDominators.h"
31 #include "llvm/CodeGen/MachineInstrBuilder.h"
32 #include "llvm/MC/MCAsmInfo.h"
35 #define DEBUG_TYPE "wasm-cfg-stackify"
37 STATISTIC(NumUnwindMismatches
, "Number of EH pad unwind mismatches found");
40 class WebAssemblyCFGStackify final
: public MachineFunctionPass
{
41 StringRef
getPassName() const override
{ return "WebAssembly CFG Stackify"; }
43 void getAnalysisUsage(AnalysisUsage
&AU
) const override
{
44 AU
.addRequired
<MachineDominatorTree
>();
45 AU
.addRequired
<MachineLoopInfo
>();
46 AU
.addRequired
<WebAssemblyExceptionInfo
>();
47 MachineFunctionPass::getAnalysisUsage(AU
);
50 bool runOnMachineFunction(MachineFunction
&MF
) override
;
52 // For each block whose label represents the end of a scope, record the block
53 // which holds the beginning of the scope. This will allow us to quickly skip
54 // over scoped regions when walking blocks.
55 SmallVector
<MachineBasicBlock
*, 8> ScopeTops
;
58 void placeMarkers(MachineFunction
&MF
);
59 void placeBlockMarker(MachineBasicBlock
&MBB
);
60 void placeLoopMarker(MachineBasicBlock
&MBB
);
61 void placeTryMarker(MachineBasicBlock
&MBB
);
62 void removeUnnecessaryInstrs(MachineFunction
&MF
);
63 bool fixUnwindMismatches(MachineFunction
&MF
);
64 void rewriteDepthImmediates(MachineFunction
&MF
);
65 void fixEndsAtEndOfFunction(MachineFunction
&MF
);
67 // For each BLOCK|LOOP|TRY, the corresponding END_(BLOCK|LOOP|TRY).
68 DenseMap
<const MachineInstr
*, MachineInstr
*> BeginToEnd
;
69 // For each END_(BLOCK|LOOP|TRY), the corresponding BLOCK|LOOP|TRY.
70 DenseMap
<const MachineInstr
*, MachineInstr
*> EndToBegin
;
71 // <TRY marker, EH pad> map
72 DenseMap
<const MachineInstr
*, MachineBasicBlock
*> TryToEHPad
;
73 // <EH pad, TRY marker> map
74 DenseMap
<const MachineBasicBlock
*, MachineInstr
*> EHPadToTry
;
76 // There can be an appendix block at the end of each function, shared for:
77 // - creating a correct signature for fallthrough returns
78 // - target for rethrows that need to unwind to the caller, but are trapped
79 // inside another try/catch
80 MachineBasicBlock
*AppendixBB
= nullptr;
81 MachineBasicBlock
*getAppendixBlock(MachineFunction
&MF
) {
83 AppendixBB
= MF
.CreateMachineBasicBlock();
84 // Give it a fake predecessor so that AsmPrinter prints its label.
85 AppendixBB
->addSuccessor(AppendixBB
);
86 MF
.push_back(AppendixBB
);
91 // Helper functions to register / unregister scope information created by
92 // marker instructions.
93 void registerScope(MachineInstr
*Begin
, MachineInstr
*End
);
94 void registerTryScope(MachineInstr
*Begin
, MachineInstr
*End
,
95 MachineBasicBlock
*EHPad
);
96 void unregisterScope(MachineInstr
*Begin
);
99 static char ID
; // Pass identification, replacement for typeid
100 WebAssemblyCFGStackify() : MachineFunctionPass(ID
) {}
101 ~WebAssemblyCFGStackify() override
{ releaseMemory(); }
102 void releaseMemory() override
;
104 } // end anonymous namespace
106 char WebAssemblyCFGStackify::ID
= 0;
107 INITIALIZE_PASS(WebAssemblyCFGStackify
, DEBUG_TYPE
,
108 "Insert BLOCK/LOOP/TRY markers for WebAssembly scopes", false,
111 FunctionPass
*llvm::createWebAssemblyCFGStackify() {
112 return new WebAssemblyCFGStackify();
115 /// Test whether Pred has any terminators explicitly branching to MBB, as
116 /// opposed to falling through. Note that it's possible (eg. in unoptimized
117 /// code) for a branch instruction to both branch to a block and fallthrough
118 /// to it, so we check the actual branch operands to see if there are any
119 /// explicit mentions.
120 static bool explicitlyBranchesTo(MachineBasicBlock
*Pred
,
121 MachineBasicBlock
*MBB
) {
122 for (MachineInstr
&MI
: Pred
->terminators())
123 for (MachineOperand
&MO
: MI
.explicit_operands())
124 if (MO
.isMBB() && MO
.getMBB() == MBB
)
129 // Returns an iterator to the earliest position possible within the MBB,
130 // satisfying the restrictions given by BeforeSet and AfterSet. BeforeSet
131 // contains instructions that should go before the marker, and AfterSet contains
132 // ones that should go after the marker. In this function, AfterSet is only
133 // used for sanity checking.
134 static MachineBasicBlock::iterator
135 getEarliestInsertPos(MachineBasicBlock
*MBB
,
136 const SmallPtrSet
<const MachineInstr
*, 4> &BeforeSet
,
137 const SmallPtrSet
<const MachineInstr
*, 4> &AfterSet
) {
138 auto InsertPos
= MBB
->end();
139 while (InsertPos
!= MBB
->begin()) {
140 if (BeforeSet
.count(&*std::prev(InsertPos
))) {
143 for (auto Pos
= InsertPos
, E
= MBB
->begin(); Pos
!= E
; --Pos
)
144 assert(!AfterSet
.count(&*std::prev(Pos
)));
153 // Returns an iterator to the latest position possible within the MBB,
154 // satisfying the restrictions given by BeforeSet and AfterSet. BeforeSet
155 // contains instructions that should go before the marker, and AfterSet contains
156 // ones that should go after the marker. In this function, BeforeSet is only
157 // used for sanity checking.
158 static MachineBasicBlock::iterator
159 getLatestInsertPos(MachineBasicBlock
*MBB
,
160 const SmallPtrSet
<const MachineInstr
*, 4> &BeforeSet
,
161 const SmallPtrSet
<const MachineInstr
*, 4> &AfterSet
) {
162 auto InsertPos
= MBB
->begin();
163 while (InsertPos
!= MBB
->end()) {
164 if (AfterSet
.count(&*InsertPos
)) {
167 for (auto Pos
= InsertPos
, E
= MBB
->end(); Pos
!= E
; ++Pos
)
168 assert(!BeforeSet
.count(&*Pos
));
177 void WebAssemblyCFGStackify::registerScope(MachineInstr
*Begin
,
179 BeginToEnd
[Begin
] = End
;
180 EndToBegin
[End
] = Begin
;
183 void WebAssemblyCFGStackify::registerTryScope(MachineInstr
*Begin
,
185 MachineBasicBlock
*EHPad
) {
186 registerScope(Begin
, End
);
187 TryToEHPad
[Begin
] = EHPad
;
188 EHPadToTry
[EHPad
] = Begin
;
191 void WebAssemblyCFGStackify::unregisterScope(MachineInstr
*Begin
) {
192 assert(BeginToEnd
.count(Begin
));
193 MachineInstr
*End
= BeginToEnd
[Begin
];
194 assert(EndToBegin
.count(End
));
195 BeginToEnd
.erase(Begin
);
196 EndToBegin
.erase(End
);
197 MachineBasicBlock
*EHPad
= TryToEHPad
.lookup(Begin
);
199 assert(EHPadToTry
.count(EHPad
));
200 TryToEHPad
.erase(Begin
);
201 EHPadToTry
.erase(EHPad
);
205 /// Insert a BLOCK marker for branches to MBB (if needed).
206 // TODO Consider a more generalized way of handling block (and also loop and
207 // try) signatures when we implement the multi-value proposal later.
208 void WebAssemblyCFGStackify::placeBlockMarker(MachineBasicBlock
&MBB
) {
209 assert(!MBB
.isEHPad());
210 MachineFunction
&MF
= *MBB
.getParent();
211 auto &MDT
= getAnalysis
<MachineDominatorTree
>();
212 const auto &TII
= *MF
.getSubtarget
<WebAssemblySubtarget
>().getInstrInfo();
213 const auto &MFI
= *MF
.getInfo
<WebAssemblyFunctionInfo
>();
215 // First compute the nearest common dominator of all forward non-fallthrough
216 // predecessors so that we minimize the time that the BLOCK is on the stack,
217 // which reduces overall stack height.
218 MachineBasicBlock
*Header
= nullptr;
219 bool IsBranchedTo
= false;
220 bool IsBrOnExn
= false;
221 MachineInstr
*BrOnExn
= nullptr;
222 int MBBNumber
= MBB
.getNumber();
223 for (MachineBasicBlock
*Pred
: MBB
.predecessors()) {
224 if (Pred
->getNumber() < MBBNumber
) {
225 Header
= Header
? MDT
.findNearestCommonDominator(Header
, Pred
) : Pred
;
226 if (explicitlyBranchesTo(Pred
, &MBB
)) {
228 if (Pred
->getFirstTerminator()->getOpcode() == WebAssembly::BR_ON_EXN
) {
230 assert(!BrOnExn
&& "There should be only one br_on_exn per block");
231 BrOnExn
= &*Pred
->getFirstTerminator();
241 assert(&MBB
!= &MF
.front() && "Header blocks shouldn't have predecessors");
242 MachineBasicBlock
*LayoutPred
= MBB
.getPrevNode();
244 // If the nearest common dominator is inside a more deeply nested context,
245 // walk out to the nearest scope which isn't more deeply nested.
246 for (MachineFunction::iterator
I(LayoutPred
), E(Header
); I
!= E
; --I
) {
247 if (MachineBasicBlock
*ScopeTop
= ScopeTops
[I
->getNumber()]) {
248 if (ScopeTop
->getNumber() > Header
->getNumber()) {
249 // Skip over an intervening scope.
250 I
= std::next(ScopeTop
->getIterator());
252 // We found a scope level at an appropriate depth.
259 // Decide where in Header to put the BLOCK.
261 // Instructions that should go before the BLOCK.
262 SmallPtrSet
<const MachineInstr
*, 4> BeforeSet
;
263 // Instructions that should go after the BLOCK.
264 SmallPtrSet
<const MachineInstr
*, 4> AfterSet
;
265 for (const auto &MI
: *Header
) {
266 // If there is a previously placed LOOP marker and the bottom block of the
267 // loop is above MBB, it should be after the BLOCK, because the loop is
268 // nested in this BLOCK. Otherwise it should be before the BLOCK.
269 if (MI
.getOpcode() == WebAssembly::LOOP
) {
270 auto *LoopBottom
= BeginToEnd
[&MI
]->getParent()->getPrevNode();
271 if (MBB
.getNumber() > LoopBottom
->getNumber())
272 AfterSet
.insert(&MI
);
275 BeforeSet
.insert(&MI
);
279 // All previously inserted BLOCK/TRY markers should be after the BLOCK
280 // because they are all nested blocks.
281 if (MI
.getOpcode() == WebAssembly::BLOCK
||
282 MI
.getOpcode() == WebAssembly::TRY
)
283 AfterSet
.insert(&MI
);
286 // All END_(BLOCK|LOOP|TRY) markers should be before the BLOCK.
287 if (MI
.getOpcode() == WebAssembly::END_BLOCK
||
288 MI
.getOpcode() == WebAssembly::END_LOOP
||
289 MI
.getOpcode() == WebAssembly::END_TRY
)
290 BeforeSet
.insert(&MI
);
293 // Terminators should go after the BLOCK.
294 if (MI
.isTerminator())
295 AfterSet
.insert(&MI
);
298 // Local expression tree should go after the BLOCK.
299 for (auto I
= Header
->getFirstTerminator(), E
= Header
->begin(); I
!= E
;
301 if (std::prev(I
)->isDebugInstr() || std::prev(I
)->isPosition())
303 if (WebAssembly::isChild(*std::prev(I
), MFI
))
304 AfterSet
.insert(&*std::prev(I
));
311 // 'br_on_exn' extracts exnref object and pushes variable number of values
312 // depending on its tag. For C++ exception, its a single i32 value, and the
313 // generated code will be in the form of:
315 // br_on_exn 0, $__cpp_exception
318 WebAssembly::ExprType ReturnType
= WebAssembly::ExprType::Void
;
320 const char *TagName
= BrOnExn
->getOperand(1).getSymbolName();
321 if (std::strcmp(TagName
, "__cpp_exception") != 0)
322 llvm_unreachable("Only C++ exception is supported");
323 ReturnType
= WebAssembly::ExprType::I32
;
326 auto InsertPos
= getLatestInsertPos(Header
, BeforeSet
, AfterSet
);
327 MachineInstr
*Begin
=
328 BuildMI(*Header
, InsertPos
, Header
->findDebugLoc(InsertPos
),
329 TII
.get(WebAssembly::BLOCK
))
330 .addImm(int64_t(ReturnType
));
332 // Decide where in Header to put the END_BLOCK.
335 for (auto &MI
: MBB
) {
337 // END_BLOCK should precede existing LOOP and TRY markers.
338 if (MI
.getOpcode() == WebAssembly::LOOP
||
339 MI
.getOpcode() == WebAssembly::TRY
)
340 AfterSet
.insert(&MI
);
343 // If there is a previously placed END_LOOP marker and the header of the
344 // loop is above this block's header, the END_LOOP should be placed after
345 // the BLOCK, because the loop contains this block. Otherwise the END_LOOP
346 // should be placed before the BLOCK. The same for END_TRY.
347 if (MI
.getOpcode() == WebAssembly::END_LOOP
||
348 MI
.getOpcode() == WebAssembly::END_TRY
) {
349 if (EndToBegin
[&MI
]->getParent()->getNumber() >= Header
->getNumber())
350 BeforeSet
.insert(&MI
);
353 AfterSet
.insert(&MI
);
358 // Mark the end of the block.
359 InsertPos
= getEarliestInsertPos(&MBB
, BeforeSet
, AfterSet
);
360 MachineInstr
*End
= BuildMI(MBB
, InsertPos
, MBB
.findPrevDebugLoc(InsertPos
),
361 TII
.get(WebAssembly::END_BLOCK
));
362 registerScope(Begin
, End
);
364 // Track the farthest-spanning scope that ends at this point.
365 int Number
= MBB
.getNumber();
366 if (!ScopeTops
[Number
] ||
367 ScopeTops
[Number
]->getNumber() > Header
->getNumber())
368 ScopeTops
[Number
] = Header
;
371 /// Insert a LOOP marker for a loop starting at MBB (if it's a loop header).
372 void WebAssemblyCFGStackify::placeLoopMarker(MachineBasicBlock
&MBB
) {
373 MachineFunction
&MF
= *MBB
.getParent();
374 const auto &MLI
= getAnalysis
<MachineLoopInfo
>();
375 const auto &TII
= *MF
.getSubtarget
<WebAssemblySubtarget
>().getInstrInfo();
377 MachineLoop
*Loop
= MLI
.getLoopFor(&MBB
);
378 if (!Loop
|| Loop
->getHeader() != &MBB
)
381 // The operand of a LOOP is the first block after the loop. If the loop is the
382 // bottom of the function, insert a dummy block at the end.
383 MachineBasicBlock
*Bottom
= WebAssembly::getBottom(Loop
);
384 auto Iter
= std::next(Bottom
->getIterator());
385 if (Iter
== MF
.end()) {
386 getAppendixBlock(MF
);
387 Iter
= std::next(Bottom
->getIterator());
389 MachineBasicBlock
*AfterLoop
= &*Iter
;
391 // Decide where in Header to put the LOOP.
392 SmallPtrSet
<const MachineInstr
*, 4> BeforeSet
;
393 SmallPtrSet
<const MachineInstr
*, 4> AfterSet
;
394 for (const auto &MI
: MBB
) {
395 // LOOP marker should be after any existing loop that ends here. Otherwise
396 // we assume the instruction belongs to the loop.
397 if (MI
.getOpcode() == WebAssembly::END_LOOP
)
398 BeforeSet
.insert(&MI
);
401 AfterSet
.insert(&MI
);
405 // Mark the beginning of the loop.
406 auto InsertPos
= getEarliestInsertPos(&MBB
, BeforeSet
, AfterSet
);
407 MachineInstr
*Begin
= BuildMI(MBB
, InsertPos
, MBB
.findDebugLoc(InsertPos
),
408 TII
.get(WebAssembly::LOOP
))
409 .addImm(int64_t(WebAssembly::ExprType::Void
));
411 // Decide where in Header to put the END_LOOP.
415 for (const auto &MI
: MBB
)
416 // Existing END_LOOP markers belong to parent loops of this loop
417 if (MI
.getOpcode() == WebAssembly::END_LOOP
)
418 AfterSet
.insert(&MI
);
421 // Mark the end of the loop (using arbitrary debug location that branched to
422 // the loop end as its location).
423 InsertPos
= getEarliestInsertPos(AfterLoop
, BeforeSet
, AfterSet
);
424 DebugLoc EndDL
= AfterLoop
->pred_empty()
426 : (*AfterLoop
->pred_rbegin())->findBranchDebugLoc();
428 BuildMI(*AfterLoop
, InsertPos
, EndDL
, TII
.get(WebAssembly::END_LOOP
));
429 registerScope(Begin
, End
);
431 assert((!ScopeTops
[AfterLoop
->getNumber()] ||
432 ScopeTops
[AfterLoop
->getNumber()]->getNumber() < MBB
.getNumber()) &&
433 "With block sorting the outermost loop for a block should be first.");
434 if (!ScopeTops
[AfterLoop
->getNumber()])
435 ScopeTops
[AfterLoop
->getNumber()] = &MBB
;
438 void WebAssemblyCFGStackify::placeTryMarker(MachineBasicBlock
&MBB
) {
439 assert(MBB
.isEHPad());
440 MachineFunction
&MF
= *MBB
.getParent();
441 auto &MDT
= getAnalysis
<MachineDominatorTree
>();
442 const auto &TII
= *MF
.getSubtarget
<WebAssemblySubtarget
>().getInstrInfo();
443 const auto &WEI
= getAnalysis
<WebAssemblyExceptionInfo
>();
444 const auto &MFI
= *MF
.getInfo
<WebAssemblyFunctionInfo
>();
446 // Compute the nearest common dominator of all unwind predecessors
447 MachineBasicBlock
*Header
= nullptr;
448 int MBBNumber
= MBB
.getNumber();
449 for (auto *Pred
: MBB
.predecessors()) {
450 if (Pred
->getNumber() < MBBNumber
) {
451 Header
= Header
? MDT
.findNearestCommonDominator(Header
, Pred
) : Pred
;
452 assert(!explicitlyBranchesTo(Pred
, &MBB
) &&
453 "Explicit branch to an EH pad!");
459 // If this try is at the bottom of the function, insert a dummy block at the
461 WebAssemblyException
*WE
= WEI
.getExceptionFor(&MBB
);
463 MachineBasicBlock
*Bottom
= WebAssembly::getBottom(WE
);
465 auto Iter
= std::next(Bottom
->getIterator());
466 if (Iter
== MF
.end()) {
467 getAppendixBlock(MF
);
468 Iter
= std::next(Bottom
->getIterator());
470 MachineBasicBlock
*Cont
= &*Iter
;
472 assert(Cont
!= &MF
.front());
473 MachineBasicBlock
*LayoutPred
= Cont
->getPrevNode();
475 // If the nearest common dominator is inside a more deeply nested context,
476 // walk out to the nearest scope which isn't more deeply nested.
477 for (MachineFunction::iterator
I(LayoutPred
), E(Header
); I
!= E
; --I
) {
478 if (MachineBasicBlock
*ScopeTop
= ScopeTops
[I
->getNumber()]) {
479 if (ScopeTop
->getNumber() > Header
->getNumber()) {
480 // Skip over an intervening scope.
481 I
= std::next(ScopeTop
->getIterator());
483 // We found a scope level at an appropriate depth.
490 // Decide where in Header to put the TRY.
492 // Instructions that should go before the TRY.
493 SmallPtrSet
<const MachineInstr
*, 4> BeforeSet
;
494 // Instructions that should go after the TRY.
495 SmallPtrSet
<const MachineInstr
*, 4> AfterSet
;
496 for (const auto &MI
: *Header
) {
497 // If there is a previously placed LOOP marker and the bottom block of the
498 // loop is above MBB, it should be after the TRY, because the loop is nested
499 // in this TRY. Otherwise it should be before the TRY.
500 if (MI
.getOpcode() == WebAssembly::LOOP
) {
501 auto *LoopBottom
= BeginToEnd
[&MI
]->getParent()->getPrevNode();
502 if (MBB
.getNumber() > LoopBottom
->getNumber())
503 AfterSet
.insert(&MI
);
506 BeforeSet
.insert(&MI
);
510 // All previously inserted BLOCK/TRY markers should be after the TRY because
511 // they are all nested trys.
512 if (MI
.getOpcode() == WebAssembly::BLOCK
||
513 MI
.getOpcode() == WebAssembly::TRY
)
514 AfterSet
.insert(&MI
);
517 // All END_(BLOCK/LOOP/TRY) markers should be before the TRY.
518 if (MI
.getOpcode() == WebAssembly::END_BLOCK
||
519 MI
.getOpcode() == WebAssembly::END_LOOP
||
520 MI
.getOpcode() == WebAssembly::END_TRY
)
521 BeforeSet
.insert(&MI
);
524 // Terminators should go after the TRY.
525 if (MI
.isTerminator())
526 AfterSet
.insert(&MI
);
529 // If Header unwinds to MBB (= Header contains 'invoke'), the try block should
530 // contain the call within it. So the call should go after the TRY. The
531 // exception is when the header's terminator is a rethrow instruction, in
532 // which case that instruction, not a call instruction before it, is gonna
534 MachineInstr
*ThrowingCall
= nullptr;
535 if (MBB
.isPredecessor(Header
)) {
536 auto TermPos
= Header
->getFirstTerminator();
537 if (TermPos
== Header
->end() ||
538 TermPos
->getOpcode() != WebAssembly::RETHROW
) {
539 for (auto &MI
: reverse(*Header
)) {
541 AfterSet
.insert(&MI
);
543 // Possibly throwing calls are usually wrapped by EH_LABEL
544 // instructions. We don't want to split them and the call.
545 if (MI
.getIterator() != Header
->begin() &&
546 std::prev(MI
.getIterator())->isEHLabel()) {
547 AfterSet
.insert(&*std::prev(MI
.getIterator()));
548 ThrowingCall
= &*std::prev(MI
.getIterator());
556 // Local expression tree should go after the TRY.
557 // For BLOCK placement, we start the search from the previous instruction of a
558 // BB's terminator, but in TRY's case, we should start from the previous
559 // instruction of a call that can throw, or a EH_LABEL that precedes the call,
560 // because the return values of the call's previous instructions can be
561 // stackified and consumed by the throwing call.
562 auto SearchStartPt
= ThrowingCall
? MachineBasicBlock::iterator(ThrowingCall
)
563 : Header
->getFirstTerminator();
564 for (auto I
= SearchStartPt
, E
= Header
->begin(); I
!= E
; --I
) {
565 if (std::prev(I
)->isDebugInstr() || std::prev(I
)->isPosition())
567 if (WebAssembly::isChild(*std::prev(I
), MFI
))
568 AfterSet
.insert(&*std::prev(I
));
574 auto InsertPos
= getLatestInsertPos(Header
, BeforeSet
, AfterSet
);
575 MachineInstr
*Begin
=
576 BuildMI(*Header
, InsertPos
, Header
->findDebugLoc(InsertPos
),
577 TII
.get(WebAssembly::TRY
))
578 .addImm(int64_t(WebAssembly::ExprType::Void
));
580 // Decide where in Header to put the END_TRY.
583 for (const auto &MI
: *Cont
) {
585 // END_TRY should precede existing LOOP and BLOCK markers.
586 if (MI
.getOpcode() == WebAssembly::LOOP
||
587 MI
.getOpcode() == WebAssembly::BLOCK
)
588 AfterSet
.insert(&MI
);
590 // All END_TRY markers placed earlier belong to exceptions that contains
592 if (MI
.getOpcode() == WebAssembly::END_TRY
)
593 AfterSet
.insert(&MI
);
596 // If there is a previously placed END_LOOP marker and its header is after
597 // where TRY marker is, this loop is contained within the 'catch' part, so
598 // the END_TRY marker should go after that. Otherwise, the whole try-catch
599 // is contained within this loop, so the END_TRY should go before that.
600 if (MI
.getOpcode() == WebAssembly::END_LOOP
) {
601 // For a LOOP to be after TRY, LOOP's BB should be after TRY's BB; if they
602 // are in the same BB, LOOP is always before TRY.
603 if (EndToBegin
[&MI
]->getParent()->getNumber() > Header
->getNumber())
604 BeforeSet
.insert(&MI
);
607 AfterSet
.insert(&MI
);
611 // It is not possible for an END_BLOCK to be already in this block.
614 // Mark the end of the TRY.
615 InsertPos
= getEarliestInsertPos(Cont
, BeforeSet
, AfterSet
);
617 BuildMI(*Cont
, InsertPos
, Bottom
->findBranchDebugLoc(),
618 TII
.get(WebAssembly::END_TRY
));
619 registerTryScope(Begin
, End
, &MBB
);
621 // Track the farthest-spanning scope that ends at this point. We create two
622 // mappings: (BB with 'end_try' -> BB with 'try') and (BB with 'catch' -> BB
623 // with 'try'). We need to create 'catch' -> 'try' mapping here too because
624 // markers should not span across 'catch'. For example, this should not
632 for (int Number
: {Cont
->getNumber(), MBB
.getNumber()}) {
633 if (!ScopeTops
[Number
] ||
634 ScopeTops
[Number
]->getNumber() > Header
->getNumber())
635 ScopeTops
[Number
] = Header
;
639 void WebAssemblyCFGStackify::removeUnnecessaryInstrs(MachineFunction
&MF
) {
640 const auto &TII
= *MF
.getSubtarget
<WebAssemblySubtarget
>().getInstrInfo();
642 // When there is an unconditional branch right before a catch instruction and
643 // it branches to the end of end_try marker, we don't need the branch, because
644 // it there is no exception, the control flow transfers to that point anyway.
648 // br bb2 <- Not necessary
654 for (auto &MBB
: MF
) {
658 MachineBasicBlock
*TBB
= nullptr, *FBB
= nullptr;
659 SmallVector
<MachineOperand
, 4> Cond
;
660 MachineBasicBlock
*EHPadLayoutPred
= MBB
.getPrevNode();
661 MachineBasicBlock
*Cont
= BeginToEnd
[EHPadToTry
[&MBB
]]->getParent();
662 bool Analyzable
= !TII
.analyzeBranch(*EHPadLayoutPred
, TBB
, FBB
, Cond
);
663 if (Analyzable
&& ((Cond
.empty() && TBB
&& TBB
== Cont
) ||
664 (!Cond
.empty() && FBB
&& FBB
== Cont
)))
665 TII
.removeBranch(*EHPadLayoutPred
);
668 // When there are block / end_block markers that overlap with try / end_try
669 // markers, and the block and try markers' return types are the same, the
670 // block /end_block markers are not necessary, because try / end_try markers
671 // also can serve as boundaries for branches.
672 // block <- Not necessary
678 // end <- Not necessary
679 SmallVector
<MachineInstr
*, 32> ToDelete
;
680 for (auto &MBB
: MF
) {
681 for (auto &MI
: MBB
) {
682 if (MI
.getOpcode() != WebAssembly::TRY
)
685 MachineInstr
*Try
= &MI
, *EndTry
= BeginToEnd
[Try
];
686 MachineBasicBlock
*TryBB
= Try
->getParent();
687 MachineBasicBlock
*Cont
= EndTry
->getParent();
688 int64_t RetType
= Try
->getOperand(0).getImm();
689 for (auto B
= Try
->getIterator(), E
= std::next(EndTry
->getIterator());
690 B
!= TryBB
->begin() && E
!= Cont
->end() &&
691 std::prev(B
)->getOpcode() == WebAssembly::BLOCK
&&
692 E
->getOpcode() == WebAssembly::END_BLOCK
&&
693 std::prev(B
)->getOperand(0).getImm() == RetType
;
695 ToDelete
.push_back(&*std::prev(B
));
696 ToDelete
.push_back(&*E
);
700 for (auto *MI
: ToDelete
) {
701 if (MI
->getOpcode() == WebAssembly::BLOCK
)
703 MI
->eraseFromParent();
707 // When MBB is split into MBB and Split, we should unstackify defs in MBB that
708 // have their uses in Split.
709 static void unstackifyVRegsUsedInSplitBB(MachineBasicBlock
&MBB
,
710 MachineBasicBlock
&Split
,
711 WebAssemblyFunctionInfo
&MFI
,
712 MachineRegisterInfo
&MRI
) {
713 for (auto &MI
: Split
) {
714 for (auto &MO
: MI
.explicit_uses()) {
715 if (!MO
.isReg() || Register::isPhysicalRegister(MO
.getReg()))
717 if (MachineInstr
*Def
= MRI
.getUniqueVRegDef(MO
.getReg()))
718 if (Def
->getParent() == &MBB
)
719 MFI
.unstackifyVReg(MO
.getReg());
724 bool WebAssemblyCFGStackify::fixUnwindMismatches(MachineFunction
&MF
) {
725 const auto &TII
= *MF
.getSubtarget
<WebAssemblySubtarget
>().getInstrInfo();
726 auto &MFI
= *MF
.getInfo
<WebAssemblyFunctionInfo
>();
727 MachineRegisterInfo
&MRI
= MF
.getRegInfo();
729 // Linearizing the control flow by placing TRY / END_TRY markers can create
730 // mismatches in unwind destinations. There are two kinds of mismatches we
731 // try to solve here.
733 // 1. When an instruction may throw, but the EH pad it will unwind to can be
734 // different from the original CFG.
736 // Example: we have the following CFG:
738 // call @foo (if it throws, unwind to bb2)
740 // call @bar (if it throws, unwind to bb3)
748 // And the CFG is sorted in this order. Then after placing TRY markers, it
749 // will look like: (BB markers are omitted)
753 // call @bar (if it throws, unwind to bb3)
754 // catch <- ehpad (bb2)
757 // catch <- ehpad (bb3)
761 // Now if bar() throws, it is going to end up ip in bb2, not bb3, where it
762 // is supposed to end up. We solve this problem by
763 // a. Split the target unwind EH pad (here bb3) so that the handler body is
764 // right after 'end_try', which means we extract the handler body out of
765 // the catch block. We do this because this handler body should be
766 // somewhere branch-eable from the inner scope.
767 // b. Wrap the call that has an incorrect unwind destination ('call @bar'
768 // here) with a nested try/catch/end_try scope, and within the new catch
769 // block, branches to the handler body.
770 // c. Place a branch after the newly inserted nested end_try so it can bypass
771 // the handler body, which is now outside of a catch block.
773 // The result will like as follows. (new: a) means this instruction is newly
774 // created in the process of doing 'a' above.
776 // block $label0 (new: placeBlockMarker)
783 // local.set n / drop (new: b)
784 // br $label1 (new: b)
786 // catch <- ehpad (bb2)
788 // br $label0 (new: c)
789 // catch <- ehpad (bb3)
790 // end_try (hoisted: a)
792 // end_block (new: placeBlockMarker)
794 // Note that the new wrapping block/end_block will be generated later in
797 // TODO Currently local.set and local.gets are generated to move exnref value
798 // created by catches. That's because we don't support yielding values from a
799 // block in LLVM machine IR yet, even though it is supported by wasm. Delete
800 // unnecessary local.get/local.sets once yielding values from a block is
801 // supported. The full EH spec requires multi-value support to do this, but
802 // for C++ we don't yet need it because we only throw a single i32.
805 // 2. The same as 1, but in this case an instruction unwinds to a caller
806 // function and not another EH pad.
808 // Example: we have the following CFG:
810 // call @foo (if it throws, unwind to bb2)
812 // call @bar (if it throws, unwind to caller)
817 // And the CFG is sorted in this order. Then after placing TRY markers, it
821 // call @bar (if it throws, unwind to caller)
822 // catch <- ehpad (bb2)
826 // Now if bar() throws, it is going to end up ip in bb2, when it is supposed
827 // throw up to the caller.
828 // We solve this problem by
829 // a. Create a new 'appendix' BB at the end of the function and put a single
830 // 'rethrow' instruction (+ local.get) in there.
831 // b. Wrap the call that has an incorrect unwind destination ('call @bar'
832 // here) with a nested try/catch/end_try scope, and within the new catch
833 // block, branches to the new appendix block.
835 // block $label0 (new: placeBlockMarker)
841 // local.set n (new: b)
842 // br $label0 (new: b)
844 // catch <- ehpad (bb2)
848 // end_block (new: placeBlockMarker)
849 // local.get n (new: a) <- appendix block
852 // In case there are multiple calls in a BB that may throw to the caller, they
853 // can be wrapped together in one nested try scope. (In 1, this couldn't
854 // happen, because may-throwing instruction there had an unwind destination,
855 // i.e., it was an invoke before, and there could be only one invoke within a
858 SmallVector
<const MachineBasicBlock
*, 8> EHPadStack
;
859 // Range of intructions to be wrapped in a new nested try/catch
860 using TryRange
= std::pair
<MachineInstr
*, MachineInstr
*>;
861 // In original CFG, <unwind destination BB, a vector of try ranges>
862 DenseMap
<MachineBasicBlock
*, SmallVector
<TryRange
, 4>> UnwindDestToTryRanges
;
863 // In new CFG, <destination to branch to, a vector of try ranges>
864 DenseMap
<MachineBasicBlock
*, SmallVector
<TryRange
, 4>> BrDestToTryRanges
;
865 // In new CFG, <destination to branch to, register containing exnref>
866 DenseMap
<MachineBasicBlock
*, unsigned> BrDestToExnReg
;
868 // Gather possibly throwing calls (i.e., previously invokes) whose current
869 // unwind destination is not the same as the original CFG.
870 for (auto &MBB
: reverse(MF
)) {
871 bool SeenThrowableInstInBB
= false;
872 for (auto &MI
: reverse(MBB
)) {
873 if (MI
.getOpcode() == WebAssembly::TRY
)
874 EHPadStack
.pop_back();
875 else if (MI
.getOpcode() == WebAssembly::CATCH
)
876 EHPadStack
.push_back(MI
.getParent());
878 // In this loop we only gather calls that have an EH pad to unwind. So
879 // there will be at most 1 such call (= invoke) in a BB, so after we've
880 // seen one, we can skip the rest of BB. Also if MBB has no EH pad
881 // successor or MI does not throw, this is not an invoke.
882 if (SeenThrowableInstInBB
|| !MBB
.hasEHPadSuccessor() ||
883 !WebAssembly::mayThrow(MI
))
885 SeenThrowableInstInBB
= true;
887 // If the EH pad on the stack top is where this instruction should unwind
889 MachineBasicBlock
*UnwindDest
= nullptr;
890 for (auto *Succ
: MBB
.successors()) {
891 if (Succ
->isEHPad()) {
896 if (EHPadStack
.back() == UnwindDest
)
899 // If not, record the range.
900 UnwindDestToTryRanges
[UnwindDest
].push_back(TryRange(&MI
, &MI
));
904 assert(EHPadStack
.empty());
906 // Gather possibly throwing calls that are supposed to unwind up to the caller
907 // if they throw, but currently unwind to an incorrect destination. Unlike the
908 // loop above, there can be multiple calls within a BB that unwind to the
909 // caller, which we should group together in a range.
910 bool NeedAppendixBlock
= false;
911 for (auto &MBB
: reverse(MF
)) {
912 MachineInstr
*RangeBegin
= nullptr, *RangeEnd
= nullptr; // inclusive
913 for (auto &MI
: reverse(MBB
)) {
914 if (MI
.getOpcode() == WebAssembly::TRY
)
915 EHPadStack
.pop_back();
916 else if (MI
.getOpcode() == WebAssembly::CATCH
)
917 EHPadStack
.push_back(MI
.getParent());
919 // If MBB has an EH pad successor, this inst does not unwind to caller.
920 if (MBB
.hasEHPadSuccessor())
923 // We wrap up the current range when we see a marker even if we haven't
925 if (RangeEnd
&& WebAssembly::isMarker(MI
.getOpcode())) {
926 NeedAppendixBlock
= true;
927 // Record the range. nullptr here means the unwind destination is the
929 UnwindDestToTryRanges
[nullptr].push_back(
930 TryRange(RangeBegin
, RangeEnd
));
931 RangeBegin
= RangeEnd
= nullptr; // Reset range pointers
934 // If EHPadStack is empty, that means it is correctly unwind to caller if
935 // it throws, so we're good. If MI does not throw, we're good too.
936 if (EHPadStack
.empty() || !WebAssembly::mayThrow(MI
))
939 // We found an instruction that unwinds to the caller but currently has an
940 // incorrect unwind destination. Create a new range or increment the
941 // currently existing range.
943 RangeBegin
= RangeEnd
= &MI
;
949 NeedAppendixBlock
= true;
950 // Record the range. nullptr here means the unwind destination is the
952 UnwindDestToTryRanges
[nullptr].push_back(TryRange(RangeBegin
, RangeEnd
));
953 RangeBegin
= RangeEnd
= nullptr; // Reset range pointers
957 assert(EHPadStack
.empty());
958 // We don't have any unwind destination mismatches to resolve.
959 if (UnwindDestToTryRanges
.empty())
962 // If we found instructions that should unwind to the caller but currently
963 // have incorrect unwind destination, we create an appendix block at the end
964 // of the function with a local.get and a rethrow instruction.
965 if (NeedAppendixBlock
) {
966 auto *AppendixBB
= getAppendixBlock(MF
);
967 Register ExnReg
= MRI
.createVirtualRegister(&WebAssembly::EXNREFRegClass
);
968 BuildMI(AppendixBB
, DebugLoc(), TII
.get(WebAssembly::RETHROW
))
970 // These instruction ranges should branch to this appendix BB.
971 for (auto Range
: UnwindDestToTryRanges
[nullptr])
972 BrDestToTryRanges
[AppendixBB
].push_back(Range
);
973 BrDestToExnReg
[AppendixBB
] = ExnReg
;
976 // We loop through unwind destination EH pads that are targeted from some
977 // inner scopes. Because these EH pads are destination of more than one scope
978 // now, we split them so that the handler body is after 'end_try'.
982 // local.set n / drop
991 // local.set n / drop
993 // end_try (hoisted from 'cont' BB)
994 // handler body (taken from 'ehpad')
997 for (auto &P
: UnwindDestToTryRanges
) {
998 NumUnwindMismatches
+= P
.second
.size();
1000 // This means the destination is the appendix BB, which was separately
1005 MachineBasicBlock
*EHPad
= P
.first
;
1007 // Find 'catch' and 'local.set' or 'drop' instruction that follows the
1008 // 'catch'. If -wasm-disable-explicit-locals is not set, 'catch' should be
1009 // always followed by either 'local.set' or a 'drop', because 'br_on_exn' is
1010 // generated after 'catch' in LateEHPrepare and we don't support blocks
1011 // taking values yet.
1012 MachineInstr
*Catch
= nullptr;
1013 unsigned ExnReg
= 0;
1014 for (auto &MI
: *EHPad
) {
1015 switch (MI
.getOpcode()) {
1016 case WebAssembly::CATCH
:
1018 ExnReg
= Catch
->getOperand(0).getReg();
1022 assert(Catch
&& "EH pad does not have a catch");
1023 assert(ExnReg
!= 0 && "Invalid register");
1025 auto SplitPos
= std::next(Catch
->getIterator());
1027 // Create a new BB that's gonna be the destination for branches from the
1028 // inner mismatched scope.
1029 MachineInstr
*BeginTry
= EHPadToTry
[EHPad
];
1030 MachineInstr
*EndTry
= BeginToEnd
[BeginTry
];
1031 MachineBasicBlock
*Cont
= EndTry
->getParent();
1032 auto *BrDest
= MF
.CreateMachineBasicBlock();
1033 MF
.insert(std::next(EHPad
->getIterator()), BrDest
);
1034 // Hoist up the existing 'end_try'.
1035 BrDest
->insert(BrDest
->end(), EndTry
->removeFromParent());
1036 // Take out the handler body from EH pad to the new branch destination BB.
1037 BrDest
->splice(BrDest
->end(), EHPad
, SplitPos
, EHPad
->end());
1038 unstackifyVRegsUsedInSplitBB(*EHPad
, *BrDest
, MFI
, MRI
);
1039 // Fix predecessor-successor relationship.
1040 BrDest
->transferSuccessors(EHPad
);
1041 EHPad
->addSuccessor(BrDest
);
1043 // All try ranges that were supposed to unwind to this EH pad now have to
1044 // branch to this new branch dest BB.
1045 for (auto Range
: UnwindDestToTryRanges
[EHPad
])
1046 BrDestToTryRanges
[BrDest
].push_back(Range
);
1047 BrDestToExnReg
[BrDest
] = ExnReg
;
1049 // In case we fall through to the continuation BB after the catch block, we
1050 // now have to add a branch to it.
1054 // (falls through to 'cont')
1068 MachineBasicBlock
*EHPadLayoutPred
= &*std::prev(EHPad
->getIterator());
1069 MachineBasicBlock
*TBB
= nullptr, *FBB
= nullptr;
1070 SmallVector
<MachineOperand
, 4> Cond
;
1071 bool Analyzable
= !TII
.analyzeBranch(*EHPadLayoutPred
, TBB
, FBB
, Cond
);
1072 if (Analyzable
&& !TBB
&& !FBB
) {
1073 DebugLoc DL
= EHPadLayoutPred
->empty()
1075 : EHPadLayoutPred
->rbegin()->getDebugLoc();
1076 BuildMI(EHPadLayoutPred
, DL
, TII
.get(WebAssembly::BR
)).addMBB(Cont
);
1080 // For possibly throwing calls whose unwind destinations are currently
1081 // incorrect because of CFG linearization, we wrap them with a nested
1082 // try/catch/end_try, and within the new catch block, we branch to the correct
1086 // call @foo <- Unwind destination mismatch!
1094 // nested-ehpad: (new)
1096 // local.set n / drop (new)
1098 // nested-end: (new)
1102 for (auto &P
: BrDestToTryRanges
) {
1103 MachineBasicBlock
*BrDest
= P
.first
;
1104 auto &TryRanges
= P
.second
;
1105 unsigned ExnReg
= BrDestToExnReg
[BrDest
];
1107 for (auto Range
: TryRanges
) {
1108 MachineInstr
*RangeBegin
= nullptr, *RangeEnd
= nullptr;
1109 std::tie(RangeBegin
, RangeEnd
) = Range
;
1110 auto *MBB
= RangeBegin
->getParent();
1112 // Include possible EH_LABELs in the range
1113 if (RangeBegin
->getIterator() != MBB
->begin() &&
1114 std::prev(RangeBegin
->getIterator())->isEHLabel())
1115 RangeBegin
= &*std::prev(RangeBegin
->getIterator());
1116 if (std::next(RangeEnd
->getIterator()) != MBB
->end() &&
1117 std::next(RangeEnd
->getIterator())->isEHLabel())
1118 RangeEnd
= &*std::next(RangeEnd
->getIterator());
1120 MachineBasicBlock
*EHPad
= nullptr;
1121 for (auto *Succ
: MBB
->successors()) {
1122 if (Succ
->isEHPad()) {
1128 // Create the nested try instruction.
1129 MachineInstr
*NestedTry
=
1130 BuildMI(*MBB
, *RangeBegin
, RangeBegin
->getDebugLoc(),
1131 TII
.get(WebAssembly::TRY
))
1132 .addImm(int64_t(WebAssembly::ExprType::Void
));
1134 // Create the nested EH pad and fill instructions in.
1135 MachineBasicBlock
*NestedEHPad
= MF
.CreateMachineBasicBlock();
1136 MF
.insert(std::next(MBB
->getIterator()), NestedEHPad
);
1137 NestedEHPad
->setIsEHPad();
1138 NestedEHPad
->setIsEHScopeEntry();
1139 BuildMI(NestedEHPad
, RangeEnd
->getDebugLoc(), TII
.get(WebAssembly::CATCH
),
1141 BuildMI(NestedEHPad
, RangeEnd
->getDebugLoc(), TII
.get(WebAssembly::BR
))
1144 // Create the nested continuation BB and end_try instruction.
1145 MachineBasicBlock
*NestedCont
= MF
.CreateMachineBasicBlock();
1146 MF
.insert(std::next(NestedEHPad
->getIterator()), NestedCont
);
1147 MachineInstr
*NestedEndTry
=
1148 BuildMI(*NestedCont
, NestedCont
->begin(), RangeEnd
->getDebugLoc(),
1149 TII
.get(WebAssembly::END_TRY
));
1150 // In case MBB has more instructions after the try range, move them to the
1151 // new nested continuation BB.
1152 NestedCont
->splice(NestedCont
->end(), MBB
,
1153 std::next(RangeEnd
->getIterator()), MBB
->end());
1154 unstackifyVRegsUsedInSplitBB(*MBB
, *NestedCont
, MFI
, MRI
);
1155 registerTryScope(NestedTry
, NestedEndTry
, NestedEHPad
);
1157 // Fix predecessor-successor relationship.
1158 NestedCont
->transferSuccessors(MBB
);
1160 NestedCont
->removeSuccessor(EHPad
);
1161 MBB
->addSuccessor(NestedEHPad
);
1162 MBB
->addSuccessor(NestedCont
);
1163 NestedEHPad
->addSuccessor(BrDest
);
1167 // Renumber BBs and recalculate ScopeTop info because new BBs might have been
1168 // created and inserted above.
1169 MF
.RenumberBlocks();
1171 ScopeTops
.resize(MF
.getNumBlockIDs());
1172 for (auto &MBB
: reverse(MF
)) {
1173 for (auto &MI
: reverse(MBB
)) {
1174 if (ScopeTops
[MBB
.getNumber()])
1176 switch (MI
.getOpcode()) {
1177 case WebAssembly::END_BLOCK
:
1178 case WebAssembly::END_LOOP
:
1179 case WebAssembly::END_TRY
:
1180 ScopeTops
[MBB
.getNumber()] = EndToBegin
[&MI
]->getParent();
1182 case WebAssembly::CATCH
:
1183 ScopeTops
[MBB
.getNumber()] = EHPadToTry
[&MBB
]->getParent();
1189 // Recompute the dominator tree.
1190 getAnalysis
<MachineDominatorTree
>().runOnMachineFunction(MF
);
1192 // Place block markers for newly added branches.
1193 SmallVector
<MachineBasicBlock
*, 8> BrDests
;
1194 for (auto &P
: BrDestToTryRanges
)
1195 BrDests
.push_back(P
.first
);
1197 [&](const MachineBasicBlock
*A
, const MachineBasicBlock
*B
) {
1198 auto ANum
= A
->getNumber();
1199 auto BNum
= B
->getNumber();
1202 for (auto *Dest
: BrDests
)
1203 placeBlockMarker(*Dest
);
1209 getDepth(const SmallVectorImpl
<const MachineBasicBlock
*> &Stack
,
1210 const MachineBasicBlock
*MBB
) {
1212 for (auto X
: reverse(Stack
)) {
1217 assert(Depth
< Stack
.size() && "Branch destination should be in scope");
1221 /// In normal assembly languages, when the end of a function is unreachable,
1222 /// because the function ends in an infinite loop or a noreturn call or similar,
1223 /// it isn't necessary to worry about the function return type at the end of
1224 /// the function, because it's never reached. However, in WebAssembly, blocks
1225 /// that end at the function end need to have a return type signature that
1226 /// matches the function signature, even though it's unreachable. This function
1227 /// checks for such cases and fixes up the signatures.
1228 void WebAssemblyCFGStackify::fixEndsAtEndOfFunction(MachineFunction
&MF
) {
1229 const auto &MFI
= *MF
.getInfo
<WebAssemblyFunctionInfo
>();
1231 if (MFI
.getResults().empty())
1234 // TODO: Generalize from value types to function types for multivalue
1235 WebAssembly::ExprType RetType
;
1236 switch (MFI
.getResults().front().SimpleTy
) {
1238 RetType
= WebAssembly::ExprType::I32
;
1241 RetType
= WebAssembly::ExprType::I64
;
1244 RetType
= WebAssembly::ExprType::F32
;
1247 RetType
= WebAssembly::ExprType::F64
;
1255 RetType
= WebAssembly::ExprType::V128
;
1258 RetType
= WebAssembly::ExprType::Exnref
;
1261 llvm_unreachable("unexpected return type");
1264 for (MachineBasicBlock
&MBB
: reverse(MF
)) {
1265 for (MachineInstr
&MI
: reverse(MBB
)) {
1266 if (MI
.isPosition() || MI
.isDebugInstr())
1268 if (MI
.getOpcode() == WebAssembly::END_BLOCK
) {
1269 if (MFI
.getResults().size() > 1)
1270 report_fatal_error("Multivalue block signatures not implemented yet");
1271 EndToBegin
[&MI
]->getOperand(0).setImm(int32_t(RetType
));
1274 if (MI
.getOpcode() == WebAssembly::END_LOOP
) {
1275 if (MFI
.getResults().size() > 1)
1276 report_fatal_error("Multivalue loop signatures not implemented yet");
1277 EndToBegin
[&MI
]->getOperand(0).setImm(int32_t(RetType
));
1280 // Something other than an `end`. We're done.
1286 // WebAssembly functions end with an end instruction, as if the function body
1288 static void appendEndToFunction(MachineFunction
&MF
,
1289 const WebAssemblyInstrInfo
&TII
) {
1290 BuildMI(MF
.back(), MF
.back().end(),
1291 MF
.back().findPrevDebugLoc(MF
.back().end()),
1292 TII
.get(WebAssembly::END_FUNCTION
));
1295 /// Insert LOOP/TRY/BLOCK markers at appropriate places.
1296 void WebAssemblyCFGStackify::placeMarkers(MachineFunction
&MF
) {
1297 // We allocate one more than the number of blocks in the function to
1298 // accommodate for the possible fake block we may insert at the end.
1299 ScopeTops
.resize(MF
.getNumBlockIDs() + 1);
1300 // Place the LOOP for MBB if MBB is the header of a loop.
1301 for (auto &MBB
: MF
)
1302 placeLoopMarker(MBB
);
1304 const MCAsmInfo
*MCAI
= MF
.getTarget().getMCAsmInfo();
1305 for (auto &MBB
: MF
) {
1306 if (MBB
.isEHPad()) {
1307 // Place the TRY for MBB if MBB is the EH pad of an exception.
1308 if (MCAI
->getExceptionHandlingType() == ExceptionHandling::Wasm
&&
1309 MF
.getFunction().hasPersonalityFn())
1310 placeTryMarker(MBB
);
1312 // Place the BLOCK for MBB if MBB is branched to from above.
1313 placeBlockMarker(MBB
);
1316 // Fix mismatches in unwind destinations induced by linearizing the code.
1317 if (MCAI
->getExceptionHandlingType() == ExceptionHandling::Wasm
&&
1318 MF
.getFunction().hasPersonalityFn())
1319 fixUnwindMismatches(MF
);
1322 void WebAssemblyCFGStackify::rewriteDepthImmediates(MachineFunction
&MF
) {
1323 // Now rewrite references to basic blocks to be depth immediates.
1324 SmallVector
<const MachineBasicBlock
*, 8> Stack
;
1325 for (auto &MBB
: reverse(MF
)) {
1326 for (auto I
= MBB
.rbegin(), E
= MBB
.rend(); I
!= E
; ++I
) {
1327 MachineInstr
&MI
= *I
;
1328 switch (MI
.getOpcode()) {
1329 case WebAssembly::BLOCK
:
1330 case WebAssembly::TRY
:
1331 assert(ScopeTops
[Stack
.back()->getNumber()]->getNumber() <=
1333 "Block/try marker should be balanced");
1337 case WebAssembly::LOOP
:
1338 assert(Stack
.back() == &MBB
&& "Loop top should be balanced");
1342 case WebAssembly::END_BLOCK
:
1343 case WebAssembly::END_TRY
:
1344 Stack
.push_back(&MBB
);
1347 case WebAssembly::END_LOOP
:
1348 Stack
.push_back(EndToBegin
[&MI
]->getParent());
1352 if (MI
.isTerminator()) {
1353 // Rewrite MBB operands to be depth immediates.
1354 SmallVector
<MachineOperand
, 4> Ops(MI
.operands());
1355 while (MI
.getNumOperands() > 0)
1356 MI
.RemoveOperand(MI
.getNumOperands() - 1);
1357 for (auto MO
: Ops
) {
1359 MO
= MachineOperand::CreateImm(getDepth(Stack
, MO
.getMBB()));
1360 MI
.addOperand(MF
, MO
);
1367 assert(Stack
.empty() && "Control flow should be balanced");
1370 void WebAssemblyCFGStackify::releaseMemory() {
1376 AppendixBB
= nullptr;
1379 bool WebAssemblyCFGStackify::runOnMachineFunction(MachineFunction
&MF
) {
1380 LLVM_DEBUG(dbgs() << "********** CFG Stackifying **********\n"
1381 "********** Function: "
1382 << MF
.getName() << '\n');
1383 const MCAsmInfo
*MCAI
= MF
.getTarget().getMCAsmInfo();
1387 // Liveness is not tracked for VALUE_STACK physreg.
1388 MF
.getRegInfo().invalidateLiveness();
1390 // Place the BLOCK/LOOP/TRY markers to indicate the beginnings of scopes.
1393 // Remove unnecessary instructions possibly introduced by try/end_trys.
1394 if (MCAI
->getExceptionHandlingType() == ExceptionHandling::Wasm
&&
1395 MF
.getFunction().hasPersonalityFn())
1396 removeUnnecessaryInstrs(MF
);
1398 // Convert MBB operands in terminators to relative depth immediates.
1399 rewriteDepthImmediates(MF
);
1401 // Fix up block/loop/try signatures at the end of the function to conform to
1402 // WebAssembly's rules.
1403 fixEndsAtEndOfFunction(MF
);
1405 // Add an end instruction at the end of the function body.
1406 const auto &TII
= *MF
.getSubtarget
<WebAssemblySubtarget
>().getInstrInfo();
1407 if (!MF
.getSubtarget
<WebAssemblySubtarget
>()
1409 .isOSBinFormatELF())
1410 appendEndToFunction(MF
, TII
);
1412 MF
.getInfo
<WebAssemblyFunctionInfo
>()->setCFGStackified();