1 //===- ObjCARCContract.cpp - ObjC ARC Optimization ------------------------===//
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 //===----------------------------------------------------------------------===//
9 /// This file defines late ObjC ARC optimizations. ARC stands for Automatic
10 /// Reference Counting and is a system for managing reference counts for objects
13 /// This specific file mainly deals with ``contracting'' multiple lower level
14 /// operations into singular higher level operations through pattern matching.
16 /// WARNING: This file knows about certain library functions. It recognizes them
17 /// by name, and hardwires knowledge of their semantics.
19 /// WARNING: This file knows about how certain Objective-C library functions are
20 /// used. Naive LLVM IR transformations which would otherwise be
21 /// behavior-preserving may break these assumptions.
23 //===----------------------------------------------------------------------===//
25 // TODO: ObjCARCContract could insert PHI nodes when uses aren't
26 // dominated by single calls.
28 #include "ARCRuntimeEntryPoints.h"
29 #include "DependencyAnalysis.h"
31 #include "ProvenanceAnalysis.h"
32 #include "llvm/ADT/Statistic.h"
33 #include "llvm/Analysis/AliasAnalysis.h"
34 #include "llvm/Analysis/BasicAliasAnalysis.h"
35 #include "llvm/Analysis/ObjCARCUtil.h"
36 #include "llvm/IR/Dominators.h"
37 #include "llvm/IR/EHPersonalities.h"
38 #include "llvm/IR/InlineAsm.h"
39 #include "llvm/IR/InstIterator.h"
40 #include "llvm/IR/Operator.h"
41 #include "llvm/IR/PassManager.h"
42 #include "llvm/InitializePasses.h"
43 #include "llvm/Support/Debug.h"
44 #include "llvm/Support/raw_ostream.h"
45 #include "llvm/Transforms/ObjCARC.h"
48 using namespace llvm::objcarc
;
50 #define DEBUG_TYPE "objc-arc-contract"
52 STATISTIC(NumPeeps
, "Number of calls peephole-optimized");
53 STATISTIC(NumStoreStrongs
, "Number objc_storeStrong calls formed");
55 //===----------------------------------------------------------------------===//
57 //===----------------------------------------------------------------------===//
60 /// Late ARC optimizations
62 /// These change the IR in a way that makes it difficult to be analyzed by
63 /// ObjCARCOpt, so it's run late.
65 class ObjCARCContract
{
70 ProvenanceAnalysis PA
;
71 ARCRuntimeEntryPoints EP
;
72 BundledRetainClaimRVs
*BundledInsts
= nullptr;
74 /// A flag indicating whether this optimization pass should run.
77 /// The inline asm string to insert between calls and RetainRV calls to make
78 /// the optimization work on targets which need it.
79 const MDString
*RVInstMarker
;
81 /// The set of inserted objc_storeStrong calls. If at the end of walking the
82 /// function we have found no alloca instructions, these calls can be marked
84 SmallPtrSet
<CallInst
*, 8> StoreStrongCalls
;
86 /// Returns true if we eliminated Inst.
87 bool tryToPeepholeInstruction(
88 Function
&F
, Instruction
*Inst
, inst_iterator
&Iter
,
89 bool &TailOkForStoreStrong
,
90 const DenseMap
<BasicBlock
*, ColorVector
> &BlockColors
);
92 bool optimizeRetainCall(Function
&F
, Instruction
*Retain
);
94 bool contractAutorelease(Function
&F
, Instruction
*Autorelease
,
97 void tryToContractReleaseIntoStoreStrong(
98 Instruction
*Release
, inst_iterator
&Iter
,
99 const DenseMap
<BasicBlock
*, ColorVector
> &BlockColors
);
102 bool init(Module
&M
);
103 bool run(Function
&F
, AAResults
*AA
, DominatorTree
*DT
);
104 bool hasCFGChanged() const { return CFGChanged
; }
107 class ObjCARCContractLegacyPass
: public FunctionPass
{
109 void getAnalysisUsage(AnalysisUsage
&AU
) const override
;
110 bool runOnFunction(Function
&F
) override
;
113 ObjCARCContractLegacyPass() : FunctionPass(ID
) {
114 initializeObjCARCContractLegacyPassPass(*PassRegistry::getPassRegistry());
119 //===----------------------------------------------------------------------===//
121 //===----------------------------------------------------------------------===//
123 /// Turn objc_retain into objc_retainAutoreleasedReturnValue if the operand is a
124 /// return value. We do this late so we do not disrupt the dataflow analysis in
126 bool ObjCARCContract::optimizeRetainCall(Function
&F
, Instruction
*Retain
) {
127 const auto *Call
= dyn_cast
<CallBase
>(GetArgRCIdentityRoot(Retain
));
130 if (Call
->getParent() != Retain
->getParent())
133 // Check that the call is next to the retain.
134 BasicBlock::const_iterator I
= ++Call
->getIterator();
135 while (IsNoopInstruction(&*I
))
140 // Turn it to an objc_retainAutoreleasedReturnValue.
145 dbgs() << "Transforming objc_retain => "
146 "objc_retainAutoreleasedReturnValue since the operand is a "
147 "return value.\nOld: "
150 // We do not have to worry about tail calls/does not throw since
151 // retain/retainRV have the same properties.
152 Function
*Decl
= EP
.get(ARCRuntimeEntryPointKind::RetainRV
);
153 cast
<CallInst
>(Retain
)->setCalledFunction(Decl
);
155 LLVM_DEBUG(dbgs() << "New: " << *Retain
<< "\n");
159 /// Merge an autorelease with a retain into a fused call.
160 bool ObjCARCContract::contractAutorelease(Function
&F
, Instruction
*Autorelease
,
162 const Value
*Arg
= GetArgRCIdentityRoot(Autorelease
);
164 // Check that there are no instructions between the retain and the autorelease
165 // (such as an autorelease_pop) which may change the count.
166 DependenceKind DK
= Class
== ARCInstKind::AutoreleaseRV
167 ? RetainAutoreleaseRVDep
168 : RetainAutoreleaseDep
;
169 auto *Retain
= dyn_cast_or_null
<CallInst
>(
170 findSingleDependency(DK
, Arg
, Autorelease
->getParent(), Autorelease
, PA
));
172 if (!Retain
|| GetBasicARCInstKind(Retain
) != ARCInstKind::Retain
||
173 GetArgRCIdentityRoot(Retain
) != Arg
)
179 LLVM_DEBUG(dbgs() << " Fusing retain/autorelease!\n"
186 Function
*Decl
= EP
.get(Class
== ARCInstKind::AutoreleaseRV
187 ? ARCRuntimeEntryPointKind::RetainAutoreleaseRV
188 : ARCRuntimeEntryPointKind::RetainAutorelease
);
189 Retain
->setCalledFunction(Decl
);
191 LLVM_DEBUG(dbgs() << " New RetainAutorelease: " << *Retain
<< "\n");
193 EraseInstruction(Autorelease
);
197 static StoreInst
*findSafeStoreForStoreStrongContraction(LoadInst
*Load
,
198 Instruction
*Release
,
199 ProvenanceAnalysis
&PA
,
201 StoreInst
*Store
= nullptr;
202 bool SawRelease
= false;
204 // Get the location associated with Load.
205 MemoryLocation Loc
= MemoryLocation::get(Load
);
206 auto *LocPtr
= Loc
.Ptr
->stripPointerCasts();
208 // Walk down to find the store and the release, which may be in either order.
209 for (auto I
= std::next(BasicBlock::iterator(Load
)),
210 E
= Load
->getParent()->end();
212 // If we found the store we were looking for and saw the release,
213 // break. There is no more work to be done.
214 if (Store
&& SawRelease
)
217 // Now we know that we have not seen either the store or the release. If I
218 // is the release, mark that we saw the release and continue.
219 Instruction
*Inst
= &*I
;
220 if (Inst
== Release
) {
225 // Otherwise, we check if Inst is a "good" store. Grab the instruction class
227 ARCInstKind Class
= GetBasicARCInstKind(Inst
);
229 // If we have seen the store, but not the release...
231 // We need to make sure that it is safe to move the release from its
232 // current position to the store. This implies proving that any
233 // instruction in between Store and the Release conservatively can not use
234 // the RCIdentityRoot of Release. If we can prove we can ignore Inst, so
236 if (!CanUse(Inst
, Load
, PA
, Class
)) {
240 // Otherwise, be conservative and return nullptr.
244 // Ok, now we know we have not seen a store yet.
246 // If Inst is a retain, we don't care about it as it doesn't prevent moving
247 // the load to the store.
249 // TODO: This is one area where the optimization could be made more
254 // See if Inst can write to our load location, if it can not, just ignore
256 if (!isModSet(AA
->getModRefInfo(Inst
, Loc
)))
259 Store
= dyn_cast
<StoreInst
>(Inst
);
261 // If Inst can, then check if Inst is a simple store. If Inst is not a
262 // store or a store that is not simple, then we have some we do not
263 // understand writing to this memory implying we can not move the load
264 // over the write to any subsequent store that we may find.
265 if (!Store
|| !Store
->isSimple())
268 // Then make sure that the pointer we are storing to is Ptr. If so, we
270 if (Store
->getPointerOperand()->stripPointerCasts() == LocPtr
)
273 // Otherwise, we have an unknown store to some other ptr that clobbers
278 // If we did not find the store or did not see the release, fail.
279 if (!Store
|| !SawRelease
)
287 findRetainForStoreStrongContraction(Value
*New
, StoreInst
*Store
,
288 Instruction
*Release
,
289 ProvenanceAnalysis
&PA
) {
290 // Walk up from the Store to find the retain.
291 BasicBlock::iterator I
= Store
->getIterator();
292 BasicBlock::iterator Begin
= Store
->getParent()->begin();
293 while (I
!= Begin
&& GetBasicARCInstKind(&*I
) != ARCInstKind::Retain
) {
294 Instruction
*Inst
= &*I
;
296 // It is only safe to move the retain to the store if we can prove
297 // conservatively that nothing besides the release can decrement reference
298 // counts in between the retain and the store.
299 if (CanDecrementRefCount(Inst
, New
, PA
) && Inst
!= Release
)
303 Instruction
*Retain
= &*I
;
304 if (GetBasicARCInstKind(Retain
) != ARCInstKind::Retain
)
306 if (GetArgRCIdentityRoot(Retain
) != New
)
311 /// Attempt to merge an objc_release with a store, load, and objc_retain to form
312 /// an objc_storeStrong. An objc_storeStrong:
314 /// objc_storeStrong(i8** %old_ptr, i8* new_value)
316 /// is equivalent to the following IR sequence:
318 /// ; Load old value.
319 /// %old_value = load i8** %old_ptr (1)
321 /// ; Increment the new value and then release the old value. This must occur
322 /// ; in order in case old_value releases new_value in its destructor causing
323 /// ; us to potentially have a dangling ptr.
324 /// tail call i8* @objc_retain(i8* %new_value) (2)
325 /// tail call void @objc_release(i8* %old_value) (3)
327 /// ; Store the new_value into old_ptr
328 /// store i8* %new_value, i8** %old_ptr (4)
330 /// The safety of this optimization is based around the following
333 /// 1. We are forming the store strong at the store. Thus to perform this
334 /// optimization it must be safe to move the retain, load, and release to
336 /// 2. We need to make sure that any re-orderings of (1), (2), (3), (4) are
338 void ObjCARCContract::tryToContractReleaseIntoStoreStrong(
339 Instruction
*Release
, inst_iterator
&Iter
,
340 const DenseMap
<BasicBlock
*, ColorVector
> &BlockColors
) {
341 // See if we are releasing something that we just loaded.
342 auto *Load
= dyn_cast
<LoadInst
>(GetArgRCIdentityRoot(Release
));
343 if (!Load
|| !Load
->isSimple())
346 // For now, require everything to be in one basic block.
347 BasicBlock
*BB
= Release
->getParent();
348 if (Load
->getParent() != BB
)
351 // First scan down the BB from Load, looking for a store of the RCIdentityRoot
354 findSafeStoreForStoreStrongContraction(Load
, Release
, PA
, AA
);
359 // Then find what new_value's RCIdentity Root is.
360 Value
*New
= GetRCIdentityRoot(Store
->getValueOperand());
362 // Then walk up the BB and look for a retain on New without any intervening
363 // instructions which conservatively might decrement ref counts.
364 Instruction
*Retain
=
365 findRetainForStoreStrongContraction(New
, Store
, Release
, PA
);
375 llvm::dbgs() << " Contracting retain, release into objc_storeStrong.\n"
377 << " Store: " << *Store
<< "\n"
378 << " Release: " << *Release
<< "\n"
379 << " Retain: " << *Retain
<< "\n"
380 << " Load: " << *Load
<< "\n");
382 LLVMContext
&C
= Release
->getContext();
383 Type
*I8X
= PointerType::getUnqual(Type::getInt8Ty(C
));
384 Type
*I8XX
= PointerType::getUnqual(I8X
);
386 Value
*Args
[] = { Load
->getPointerOperand(), New
};
387 if (Args
[0]->getType() != I8XX
)
388 Args
[0] = new BitCastInst(Args
[0], I8XX
, "", Store
->getIterator());
389 if (Args
[1]->getType() != I8X
)
390 Args
[1] = new BitCastInst(Args
[1], I8X
, "", Store
->getIterator());
391 Function
*Decl
= EP
.get(ARCRuntimeEntryPointKind::StoreStrong
);
392 CallInst
*StoreStrong
= objcarc::createCallInstWithColors(
393 Decl
, Args
, "", Store
->getIterator(), BlockColors
);
394 StoreStrong
->setDoesNotThrow();
395 StoreStrong
->setDebugLoc(Store
->getDebugLoc());
397 // We can't set the tail flag yet, because we haven't yet determined
398 // whether there are any escaping allocas. Remember this call, so that
399 // we can set the tail flag once we know it's safe.
400 StoreStrongCalls
.insert(StoreStrong
);
402 LLVM_DEBUG(llvm::dbgs() << " New Store Strong: " << *StoreStrong
405 if (&*Iter
== Retain
) ++Iter
;
406 if (&*Iter
== Store
) ++Iter
;
407 Store
->eraseFromParent();
408 Release
->eraseFromParent();
409 EraseInstruction(Retain
);
410 if (Load
->use_empty())
411 Load
->eraseFromParent();
414 bool ObjCARCContract::tryToPeepholeInstruction(
415 Function
&F
, Instruction
*Inst
, inst_iterator
&Iter
,
416 bool &TailOkForStoreStrongs
,
417 const DenseMap
<BasicBlock
*, ColorVector
> &BlockColors
) {
418 // Only these library routines return their argument. In particular,
419 // objc_retainBlock does not necessarily return its argument.
420 ARCInstKind Class
= GetBasicARCInstKind(Inst
);
422 case ARCInstKind::FusedRetainAutorelease
:
423 case ARCInstKind::FusedRetainAutoreleaseRV
:
425 case ARCInstKind::Autorelease
:
426 case ARCInstKind::AutoreleaseRV
:
427 return contractAutorelease(F
, Inst
, Class
);
428 case ARCInstKind::Retain
:
429 // Attempt to convert retains to retainrvs if they are next to function
431 if (!optimizeRetainCall(F
, Inst
))
433 // If we succeed in our optimization, fall through.
435 case ARCInstKind::RetainRV
:
436 case ARCInstKind::UnsafeClaimRV
: {
437 // Return true if this is a bundled retainRV/claimRV call, which is always
438 // redundant with the attachedcall in the bundle, and is going to be erased
439 // at the end of this pass. This avoids undoing objc-arc-expand and
440 // replacing uses of the retainRV/claimRV call's argument with its result.
441 if (BundledInsts
->contains(Inst
))
444 // If this isn't a bundled call, and the target doesn't need a special
445 // inline-asm marker, we're done: return now, and undo objc-arc-expand.
449 // The target needs a special inline-asm marker. Insert it.
451 BasicBlock::iterator BBI
= Inst
->getIterator();
452 BasicBlock
*InstParent
= Inst
->getParent();
454 // Step up to see if the call immediately precedes the RV call.
455 // If it's an invoke, we have to cross a block boundary. And we have
456 // to carefully dodge no-op instructions.
458 if (BBI
== InstParent
->begin()) {
459 BasicBlock
*Pred
= InstParent
->getSinglePredecessor();
461 goto decline_rv_optimization
;
462 BBI
= Pred
->getTerminator()->getIterator();
466 } while (IsNoopInstruction(&*BBI
));
468 if (GetRCIdentityRoot(&*BBI
) == GetArgRCIdentityRoot(Inst
)) {
469 LLVM_DEBUG(dbgs() << "Adding inline asm marker for the return value "
473 InlineAsm::get(FunctionType::get(Type::getVoidTy(Inst
->getContext()),
475 RVInstMarker
->getString(),
476 /*Constraints=*/"", /*hasSideEffects=*/true);
478 objcarc::createCallInstWithColors(IA
, {}, "", Inst
->getIterator(),
481 decline_rv_optimization
:
484 case ARCInstKind::InitWeak
: {
485 // objc_initWeak(p, null) => *p = null
486 CallInst
*CI
= cast
<CallInst
>(Inst
);
487 if (IsNullOrUndef(CI
->getArgOperand(1))) {
488 Value
*Null
= ConstantPointerNull::get(cast
<PointerType
>(CI
->getType()));
490 new StoreInst(Null
, CI
->getArgOperand(0), CI
->getIterator());
492 LLVM_DEBUG(dbgs() << "OBJCARCContract: Old = " << *CI
<< "\n"
493 << " New = " << *Null
<< "\n");
495 CI
->replaceAllUsesWith(Null
);
496 CI
->eraseFromParent();
500 case ARCInstKind::Release
:
501 // Try to form an objc store strong from our release. If we fail, there is
502 // nothing further to do below, so continue.
503 tryToContractReleaseIntoStoreStrong(Inst
, Iter
, BlockColors
);
505 case ARCInstKind::User
:
506 // Be conservative if the function has any alloca instructions.
507 // Technically we only care about escaping alloca instructions,
508 // but this is sufficient to handle some interesting cases.
509 if (isa
<AllocaInst
>(Inst
))
510 TailOkForStoreStrongs
= false;
512 case ARCInstKind::IntrinsicUser
:
513 // Remove calls to @llvm.objc.clang.arc.use(...).
515 Inst
->eraseFromParent();
518 if (auto *CI
= dyn_cast
<CallInst
>(Inst
))
519 if (CI
->getIntrinsicID() == Intrinsic::objc_clang_arc_noop_use
) {
520 // Remove calls to @llvm.objc.clang.arc.noop.use(...).
522 CI
->eraseFromParent();
528 //===----------------------------------------------------------------------===//
530 //===----------------------------------------------------------------------===//
532 bool ObjCARCContract::init(Module
&M
) {
533 Run
= ModuleHasARC(M
);
539 // Initialize RVInstMarker.
540 RVInstMarker
= getRVInstMarker(M
);
545 bool ObjCARCContract::run(Function
&F
, AAResults
*A
, DominatorTree
*D
) {
552 Changed
= CFGChanged
= false;
556 BundledRetainClaimRVs
BRV(/*ContractPass=*/true);
559 std::pair
<bool, bool> R
= BundledInsts
->insertAfterInvokes(F
, DT
);
561 CFGChanged
|= R
.second
;
563 DenseMap
<BasicBlock
*, ColorVector
> BlockColors
;
564 if (F
.hasPersonalityFn() &&
565 isScopedEHPersonality(classifyEHPersonality(F
.getPersonalityFn())))
566 BlockColors
= colorEHFunclets(F
);
568 LLVM_DEBUG(llvm::dbgs() << "**** ObjCARC Contract ****\n");
570 // Track whether it's ok to mark objc_storeStrong calls with the "tail"
571 // keyword. Be conservative if the function has variadic arguments.
572 // It seems that functions which "return twice" are also unsafe for the
573 // "tail" argument, because they are setjmp, which could need to
574 // return to an earlier stack state.
575 bool TailOkForStoreStrongs
=
576 !F
.isVarArg() && !F
.callsFunctionThatReturnsTwice();
578 // For ObjC library calls which return their argument, replace uses of the
579 // argument with uses of the call return value, if it dominates the use. This
580 // reduces register pressure.
581 for (inst_iterator I
= inst_begin(&F
), E
= inst_end(&F
); I
!= E
;) {
582 Instruction
*Inst
= &*I
++;
584 LLVM_DEBUG(dbgs() << "Visiting: " << *Inst
<< "\n");
586 if (auto *CI
= dyn_cast
<CallInst
>(Inst
))
587 if (objcarc::hasAttachedCallOpBundle(CI
)) {
588 BundledInsts
->insertRVCallWithColors(I
->getIterator(), CI
, BlockColors
);
593 // First try to peephole Inst. If there is nothing further we can do in
594 // terms of undoing objc-arc-expand, process the next inst.
595 if (tryToPeepholeInstruction(F
, Inst
, I
, TailOkForStoreStrongs
,
599 // Otherwise, try to undo objc-arc-expand.
601 // Don't use GetArgRCIdentityRoot because we don't want to look through bitcasts
602 // and such; to do the replacement, the argument must have type i8*.
604 // Function for replacing uses of Arg dominated by Inst.
605 auto ReplaceArgUses
= [Inst
, this](Value
*Arg
) {
606 // If we're compiling bugpointed code, don't get in trouble.
607 if (!isa
<Instruction
>(Arg
) && !isa
<Argument
>(Arg
))
610 // Look through the uses of the pointer.
611 for (Value::use_iterator UI
= Arg
->use_begin(), UE
= Arg
->use_end();
613 // Increment UI now, because we may unlink its element.
615 unsigned OperandNo
= U
.getOperandNo();
617 // If the call's return value dominates a use of the call's argument
618 // value, rewrite the use to use the return value. We check for
619 // reachability here because an unreachable call is considered to
620 // trivially dominate itself, which would lead us to rewriting its
621 // argument in terms of its return value, which would lead to
622 // infinite loops in GetArgRCIdentityRoot.
623 if (!DT
->isReachableFromEntry(U
) || !DT
->dominates(Inst
, U
))
627 Instruction
*Replacement
= Inst
;
628 Type
*UseTy
= U
.get()->getType();
629 if (PHINode
*PHI
= dyn_cast
<PHINode
>(U
.getUser())) {
630 // For PHI nodes, insert the bitcast in the predecessor block.
631 unsigned ValNo
= PHINode::getIncomingValueNumForOperand(OperandNo
);
632 BasicBlock
*IncomingBB
= PHI
->getIncomingBlock(ValNo
);
633 if (Replacement
->getType() != UseTy
) {
634 // A catchswitch is both a pad and a terminator, meaning a basic
635 // block with a catchswitch has no insertion point. Keep going up
636 // the dominator tree until we find a non-catchswitch.
637 BasicBlock
*InsertBB
= IncomingBB
;
638 while (isa
<CatchSwitchInst
>(InsertBB
->getFirstNonPHI())) {
639 InsertBB
= DT
->getNode(InsertBB
)->getIDom()->getBlock();
642 assert(DT
->dominates(Inst
, &InsertBB
->back()) &&
643 "Invalid insertion point for bitcast");
644 Replacement
= new BitCastInst(Replacement
, UseTy
, "",
645 InsertBB
->back().getIterator());
648 // While we're here, rewrite all edges for this PHI, rather
649 // than just one use at a time, to minimize the number of
651 for (unsigned i
= 0, e
= PHI
->getNumIncomingValues(); i
!= e
; ++i
)
652 if (PHI
->getIncomingBlock(i
) == IncomingBB
) {
653 // Keep the UI iterator valid.
656 PHINode::getOperandNumForIncomingValue(i
)) == &*UI
)
658 PHI
->setIncomingValue(i
, Replacement
);
661 if (Replacement
->getType() != UseTy
)
663 new BitCastInst(Replacement
, UseTy
, "",
664 cast
<Instruction
>(U
.getUser())->getIterator());
670 Value
*Arg
= cast
<CallInst
>(Inst
)->getArgOperand(0);
671 Value
*OrigArg
= Arg
;
673 // TODO: Change this to a do-while.
677 // If Arg is a no-op casted pointer, strip one level of casts and iterate.
678 if (const BitCastInst
*BI
= dyn_cast
<BitCastInst
>(Arg
))
679 Arg
= BI
->getOperand(0);
680 else if (isa
<GEPOperator
>(Arg
) &&
681 cast
<GEPOperator
>(Arg
)->hasAllZeroIndices())
682 Arg
= cast
<GEPOperator
>(Arg
)->getPointerOperand();
683 else if (isa
<GlobalAlias
>(Arg
) &&
684 !cast
<GlobalAlias
>(Arg
)->isInterposable())
685 Arg
= cast
<GlobalAlias
>(Arg
)->getAliasee();
687 // If Arg is a PHI node, get PHIs that are equivalent to it and replace
689 if (PHINode
*PN
= dyn_cast
<PHINode
>(Arg
)) {
690 SmallVector
<Value
*, 1> PHIList
;
691 getEquivalentPHIs(*PN
, PHIList
);
692 for (Value
*PHI
: PHIList
)
699 // Replace bitcast users of Arg that are dominated by Inst.
700 SmallVector
<BitCastInst
*, 2> BitCastUsers
;
702 // Add all bitcast users of the function argument first.
703 for (User
*U
: OrigArg
->users())
704 if (auto *BC
= dyn_cast
<BitCastInst
>(U
))
705 BitCastUsers
.push_back(BC
);
707 // Replace the bitcasts with the call return. Iterate until list is empty.
708 while (!BitCastUsers
.empty()) {
709 auto *BC
= BitCastUsers
.pop_back_val();
710 for (User
*U
: BC
->users())
711 if (auto *B
= dyn_cast
<BitCastInst
>(U
))
712 BitCastUsers
.push_back(B
);
718 // If this function has no escaping allocas or suspicious vararg usage,
719 // objc_storeStrong calls can be marked with the "tail" keyword.
720 if (TailOkForStoreStrongs
)
721 for (CallInst
*CI
: StoreStrongCalls
)
723 StoreStrongCalls
.clear();
728 //===----------------------------------------------------------------------===//
730 //===----------------------------------------------------------------------===//
732 char ObjCARCContractLegacyPass::ID
= 0;
733 INITIALIZE_PASS_BEGIN(ObjCARCContractLegacyPass
, "objc-arc-contract",
734 "ObjC ARC contraction", false, false)
735 INITIALIZE_PASS_DEPENDENCY(AAResultsWrapperPass
)
736 INITIALIZE_PASS_DEPENDENCY(DominatorTreeWrapperPass
)
737 INITIALIZE_PASS_END(ObjCARCContractLegacyPass
, "objc-arc-contract",
738 "ObjC ARC contraction", false, false)
740 void ObjCARCContractLegacyPass::getAnalysisUsage(AnalysisUsage
&AU
) const {
741 AU
.addRequired
<AAResultsWrapperPass
>();
742 AU
.addRequired
<DominatorTreeWrapperPass
>();
743 AU
.addPreserved
<AAResultsWrapperPass
>();
744 AU
.addPreserved
<BasicAAWrapperPass
>();
745 AU
.addPreserved
<DominatorTreeWrapperPass
>();
748 Pass
*llvm::createObjCARCContractPass() {
749 return new ObjCARCContractLegacyPass();
752 bool ObjCARCContractLegacyPass::runOnFunction(Function
&F
) {
753 ObjCARCContract OCARCC
;
754 OCARCC
.init(*F
.getParent());
755 auto *AA
= &getAnalysis
<AAResultsWrapperPass
>().getAAResults();
756 auto *DT
= &getAnalysis
<DominatorTreeWrapperPass
>().getDomTree();
757 return OCARCC
.run(F
, AA
, DT
);
760 PreservedAnalyses
ObjCARCContractPass::run(Function
&F
,
761 FunctionAnalysisManager
&AM
) {
762 ObjCARCContract OCAC
;
763 OCAC
.init(*F
.getParent());
765 bool Changed
= OCAC
.run(F
, &AM
.getResult
<AAManager
>(F
),
766 &AM
.getResult
<DominatorTreeAnalysis
>(F
));
767 bool CFGChanged
= OCAC
.hasCFGChanged();
769 PreservedAnalyses PA
;
771 PA
.preserveSet
<CFGAnalyses
>();
774 return PreservedAnalyses::all();