blob: a21d92e48f1744dd7dcdd28d57be1e2cd47e9f7f [file] [log] [blame]
Michael Gottesman79d8d812013-01-28 01:35:51 +00001//===- ObjCARCOpts.cpp - ObjC ARC Optimization ----------------------------===//
John McCalld935e9c2011-06-15 23:37:01 +00002//
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//===----------------------------------------------------------------------===//
Michael Gottesman97e3df02013-01-14 00:35:14 +00009/// \file
10/// This file defines ObjC ARC optimizations. ARC stands for Automatic
11/// Reference Counting and is a system for managing reference counts for objects
12/// in Objective C.
13///
14/// The optimizations performed include elimination of redundant, partially
15/// redundant, and inconsequential reference count operations, elimination of
Michael Gottesman697d8b92013-02-07 04:12:57 +000016/// redundant weak pointer operations, and numerous minor simplifications.
Michael Gottesman97e3df02013-01-14 00:35:14 +000017///
18/// WARNING: This file knows about certain library functions. It recognizes them
19/// by name, and hardwires knowledge of their semantics.
20///
21/// WARNING: This file knows about how certain Objective-C library functions are
22/// used. Naive LLVM IR transformations which would otherwise be
23/// behavior-preserving may break these assumptions.
24///
John McCalld935e9c2011-06-15 23:37:01 +000025//===----------------------------------------------------------------------===//
26
Michael Gottesman08904e32013-01-28 03:28:38 +000027#define DEBUG_TYPE "objc-arc-opts"
28#include "ObjCARC.h"
Michael Gottesman278266f2013-01-29 04:20:52 +000029#include "DependencyAnalysis.h"
Michael Gottesman294e7da2013-01-28 05:51:54 +000030#include "ObjCARCAliasAnalysis.h"
Michael Gottesman778138e2013-01-29 03:03:03 +000031#include "ProvenanceAnalysis.h"
John McCalld935e9c2011-06-15 23:37:01 +000032#include "llvm/ADT/DenseMap.h"
Michael Gottesmanfa0939f2013-01-28 04:12:07 +000033#include "llvm/ADT/STLExtras.h"
Michael Gottesman778138e2013-01-29 03:03:03 +000034#include "llvm/ADT/SmallPtrSet.h"
Michael Gottesman278266f2013-01-29 04:20:52 +000035#include "llvm/ADT/Statistic.h"
Michael Gottesmancd4de0f2013-03-26 00:42:09 +000036#include "llvm/IR/IRBuilder.h"
Michael Gottesman278266f2013-01-29 04:20:52 +000037#include "llvm/IR/LLVMContext.h"
Michael Gottesman778138e2013-01-29 03:03:03 +000038#include "llvm/Support/CFG.h"
Michael Gottesman13a5f1a2013-01-29 04:51:59 +000039#include "llvm/Support/Debug.h"
Timur Iskhodzhanov5d7ff002013-01-29 09:09:27 +000040#include "llvm/Support/raw_ostream.h"
Michael Gottesmanfa0939f2013-01-28 04:12:07 +000041
John McCalld935e9c2011-06-15 23:37:01 +000042using namespace llvm;
Michael Gottesman08904e32013-01-28 03:28:38 +000043using namespace llvm::objcarc;
John McCalld935e9c2011-06-15 23:37:01 +000044
Michael Gottesman97e3df02013-01-14 00:35:14 +000045/// \defgroup MiscUtils Miscellaneous utilities that are not ARC specific.
46/// @{
John McCalld935e9c2011-06-15 23:37:01 +000047
48namespace {
Michael Gottesman97e3df02013-01-14 00:35:14 +000049 /// \brief An associative container with fast insertion-order (deterministic)
50 /// iteration over its elements. Plus the special blot operation.
John McCalld935e9c2011-06-15 23:37:01 +000051 template<class KeyT, class ValueT>
52 class MapVector {
Michael Gottesman97e3df02013-01-14 00:35:14 +000053 /// Map keys to indices in Vector.
John McCalld935e9c2011-06-15 23:37:01 +000054 typedef DenseMap<KeyT, size_t> MapTy;
55 MapTy Map;
56
John McCalld935e9c2011-06-15 23:37:01 +000057 typedef std::vector<std::pair<KeyT, ValueT> > VectorTy;
Michael Gottesman97e3df02013-01-14 00:35:14 +000058 /// Keys and values.
John McCalld935e9c2011-06-15 23:37:01 +000059 VectorTy Vector;
60
61 public:
62 typedef typename VectorTy::iterator iterator;
63 typedef typename VectorTy::const_iterator const_iterator;
64 iterator begin() { return Vector.begin(); }
65 iterator end() { return Vector.end(); }
66 const_iterator begin() const { return Vector.begin(); }
67 const_iterator end() const { return Vector.end(); }
68
69#ifdef XDEBUG
70 ~MapVector() {
71 assert(Vector.size() >= Map.size()); // May differ due to blotting.
72 for (typename MapTy::const_iterator I = Map.begin(), E = Map.end();
73 I != E; ++I) {
74 assert(I->second < Vector.size());
75 assert(Vector[I->second].first == I->first);
76 }
77 for (typename VectorTy::const_iterator I = Vector.begin(),
78 E = Vector.end(); I != E; ++I)
79 assert(!I->first ||
80 (Map.count(I->first) &&
81 Map[I->first] == size_t(I - Vector.begin())));
82 }
83#endif
84
Dan Gohman55b06742012-03-02 01:13:53 +000085 ValueT &operator[](const KeyT &Arg) {
John McCalld935e9c2011-06-15 23:37:01 +000086 std::pair<typename MapTy::iterator, bool> Pair =
87 Map.insert(std::make_pair(Arg, size_t(0)));
88 if (Pair.second) {
Dan Gohman55b06742012-03-02 01:13:53 +000089 size_t Num = Vector.size();
90 Pair.first->second = Num;
John McCalld935e9c2011-06-15 23:37:01 +000091 Vector.push_back(std::make_pair(Arg, ValueT()));
Dan Gohman55b06742012-03-02 01:13:53 +000092 return Vector[Num].second;
John McCalld935e9c2011-06-15 23:37:01 +000093 }
94 return Vector[Pair.first->second].second;
95 }
96
97 std::pair<iterator, bool>
98 insert(const std::pair<KeyT, ValueT> &InsertPair) {
99 std::pair<typename MapTy::iterator, bool> Pair =
100 Map.insert(std::make_pair(InsertPair.first, size_t(0)));
101 if (Pair.second) {
Dan Gohman55b06742012-03-02 01:13:53 +0000102 size_t Num = Vector.size();
103 Pair.first->second = Num;
John McCalld935e9c2011-06-15 23:37:01 +0000104 Vector.push_back(InsertPair);
Dan Gohman55b06742012-03-02 01:13:53 +0000105 return std::make_pair(Vector.begin() + Num, true);
John McCalld935e9c2011-06-15 23:37:01 +0000106 }
107 return std::make_pair(Vector.begin() + Pair.first->second, false);
108 }
109
Dan Gohman55b06742012-03-02 01:13:53 +0000110 const_iterator find(const KeyT &Key) const {
John McCalld935e9c2011-06-15 23:37:01 +0000111 typename MapTy::const_iterator It = Map.find(Key);
112 if (It == Map.end()) return Vector.end();
113 return Vector.begin() + It->second;
114 }
115
Michael Gottesman97e3df02013-01-14 00:35:14 +0000116 /// This is similar to erase, but instead of removing the element from the
117 /// vector, it just zeros out the key in the vector. This leaves iterators
118 /// intact, but clients must be prepared for zeroed-out keys when iterating.
Dan Gohman55b06742012-03-02 01:13:53 +0000119 void blot(const KeyT &Key) {
John McCalld935e9c2011-06-15 23:37:01 +0000120 typename MapTy::iterator It = Map.find(Key);
121 if (It == Map.end()) return;
122 Vector[It->second].first = KeyT();
123 Map.erase(It);
124 }
125
126 void clear() {
127 Map.clear();
128 Vector.clear();
129 }
130 };
131}
132
Michael Gottesman97e3df02013-01-14 00:35:14 +0000133/// @}
134///
135/// \defgroup ARCUtilities Utility declarations/definitions specific to ARC.
136/// @{
John McCalld935e9c2011-06-15 23:37:01 +0000137
Michael Gottesman97e3df02013-01-14 00:35:14 +0000138/// \brief This is similar to StripPointerCastsAndObjCCalls but it stops as soon
139/// as it finds a value with multiple uses.
John McCalld935e9c2011-06-15 23:37:01 +0000140static const Value *FindSingleUseIdentifiedObject(const Value *Arg) {
141 if (Arg->hasOneUse()) {
142 if (const BitCastInst *BC = dyn_cast<BitCastInst>(Arg))
143 return FindSingleUseIdentifiedObject(BC->getOperand(0));
144 if (const GetElementPtrInst *GEP = dyn_cast<GetElementPtrInst>(Arg))
145 if (GEP->hasAllZeroIndices())
146 return FindSingleUseIdentifiedObject(GEP->getPointerOperand());
147 if (IsForwarding(GetBasicInstructionClass(Arg)))
148 return FindSingleUseIdentifiedObject(
149 cast<CallInst>(Arg)->getArgOperand(0));
150 if (!IsObjCIdentifiedObject(Arg))
151 return 0;
152 return Arg;
153 }
154
Dan Gohman41375a32012-05-08 23:39:44 +0000155 // If we found an identifiable object but it has multiple uses, but they are
156 // trivial uses, we can still consider this to be a single-use value.
John McCalld935e9c2011-06-15 23:37:01 +0000157 if (IsObjCIdentifiedObject(Arg)) {
158 for (Value::const_use_iterator UI = Arg->use_begin(), UE = Arg->use_end();
159 UI != UE; ++UI) {
160 const User *U = *UI;
161 if (!U->use_empty() || StripPointerCastsAndObjCCalls(U) != Arg)
162 return 0;
163 }
164
165 return Arg;
166 }
167
168 return 0;
169}
170
Michael Gottesman774d2c02013-01-29 21:00:52 +0000171/// \brief Test whether the given retainable object pointer escapes.
Michael Gottesman97e3df02013-01-14 00:35:14 +0000172///
173/// This differs from regular escape analysis in that a use as an
174/// argument to a call is not considered an escape.
175///
Michael Gottesman774d2c02013-01-29 21:00:52 +0000176static bool DoesRetainableObjPtrEscape(const User *Ptr) {
Michael Gottesman774d2c02013-01-29 21:00:52 +0000177 DEBUG(dbgs() << "DoesRetainableObjPtrEscape: Target: " << *Ptr << "\n");
Michael Gottesman1a89fe52013-01-13 07:47:32 +0000178
Dan Gohman728db492012-01-13 00:39:07 +0000179 // Walk the def-use chains.
180 SmallVector<const Value *, 4> Worklist;
Michael Gottesman774d2c02013-01-29 21:00:52 +0000181 Worklist.push_back(Ptr);
182 // If Ptr has any operands add them as well.
Michael Gottesman23cda0c2013-01-29 21:07:53 +0000183 for (User::const_op_iterator I = Ptr->op_begin(), E = Ptr->op_end(); I != E;
184 ++I) {
Michael Gottesman774d2c02013-01-29 21:00:52 +0000185 Worklist.push_back(*I);
186 }
Michael Gottesmanf15c0bb2013-01-13 22:12:06 +0000187
188 // Ensure we do not visit any value twice.
Michael Gottesman774d2c02013-01-29 21:00:52 +0000189 SmallPtrSet<const Value *, 8> VisitedSet;
Michael Gottesmanf15c0bb2013-01-13 22:12:06 +0000190
Dan Gohman728db492012-01-13 00:39:07 +0000191 do {
192 const Value *V = Worklist.pop_back_val();
Michael Gottesman1a89fe52013-01-13 07:47:32 +0000193
Michael Gottesman774d2c02013-01-29 21:00:52 +0000194 DEBUG(dbgs() << "DoesRetainableObjPtrEscape: Visiting: " << *V << "\n");
Michael Gottesman1a89fe52013-01-13 07:47:32 +0000195
Dan Gohman728db492012-01-13 00:39:07 +0000196 for (Value::const_use_iterator UI = V->use_begin(), UE = V->use_end();
197 UI != UE; ++UI) {
198 const User *UUser = *UI;
Michael Gottesman1a89fe52013-01-13 07:47:32 +0000199
Michael Gottesman774d2c02013-01-29 21:00:52 +0000200 DEBUG(dbgs() << "DoesRetainableObjPtrEscape: User: " << *UUser << "\n");
Michael Gottesman1a89fe52013-01-13 07:47:32 +0000201
Dan Gohman728db492012-01-13 00:39:07 +0000202 // Special - Use by a call (callee or argument) is not considered
203 // to be an escape.
Dan Gohmane1e352a2012-04-13 18:28:58 +0000204 switch (GetBasicInstructionClass(UUser)) {
205 case IC_StoreWeak:
206 case IC_InitWeak:
207 case IC_StoreStrong:
208 case IC_Autorelease:
Michael Gottesman1a89fe52013-01-13 07:47:32 +0000209 case IC_AutoreleaseRV: {
Michael Gottesman23cda0c2013-01-29 21:07:53 +0000210 DEBUG(dbgs() << "DoesRetainableObjPtrEscape: User copies pointer "
211 "arguments. Pointer Escapes!\n");
Dan Gohmane1e352a2012-04-13 18:28:58 +0000212 // These special functions make copies of their pointer arguments.
213 return true;
Michael Gottesman1a89fe52013-01-13 07:47:32 +0000214 }
John McCall20182ac2013-03-22 21:38:36 +0000215 case IC_IntrinsicUser:
216 // Use by the use intrinsic is not an escape.
217 continue;
Dan Gohmane1e352a2012-04-13 18:28:58 +0000218 case IC_User:
219 case IC_None:
220 // Use by an instruction which copies the value is an escape if the
221 // result is an escape.
222 if (isa<BitCastInst>(UUser) || isa<GetElementPtrInst>(UUser) ||
223 isa<PHINode>(UUser) || isa<SelectInst>(UUser)) {
Michael Gottesmanf15c0bb2013-01-13 22:12:06 +0000224
Michael Gottesmanf4b77612013-02-23 00:31:32 +0000225 if (VisitedSet.insert(UUser)) {
Michael Gottesman23cda0c2013-01-29 21:07:53 +0000226 DEBUG(dbgs() << "DoesRetainableObjPtrEscape: User copies value. "
227 "Ptr escapes if result escapes. Adding to list.\n");
Michael Gottesmanf15c0bb2013-01-13 22:12:06 +0000228 Worklist.push_back(UUser);
229 } else {
Michael Gottesman23cda0c2013-01-29 21:07:53 +0000230 DEBUG(dbgs() << "DoesRetainableObjPtrEscape: Already visited node."
231 "\n");
Michael Gottesmanf15c0bb2013-01-13 22:12:06 +0000232 }
Dan Gohmane1e352a2012-04-13 18:28:58 +0000233 continue;
234 }
235 // Use by a load is not an escape.
236 if (isa<LoadInst>(UUser))
237 continue;
238 // Use by a store is not an escape if the use is the address.
239 if (const StoreInst *SI = dyn_cast<StoreInst>(UUser))
240 if (V != SI->getValueOperand())
241 continue;
242 break;
243 default:
244 // Regular calls and other stuff are not considered escapes.
Dan Gohman728db492012-01-13 00:39:07 +0000245 continue;
246 }
Dan Gohmaneb6e0152012-02-13 22:57:02 +0000247 // Otherwise, conservatively assume an escape.
Michael Gottesman23cda0c2013-01-29 21:07:53 +0000248 DEBUG(dbgs() << "DoesRetainableObjPtrEscape: Assuming ptr escapes.\n");
Dan Gohman728db492012-01-13 00:39:07 +0000249 return true;
250 }
251 } while (!Worklist.empty());
252
253 // No escapes found.
Michael Gottesman23cda0c2013-01-29 21:07:53 +0000254 DEBUG(dbgs() << "DoesRetainableObjPtrEscape: Ptr does not escape.\n");
Dan Gohman728db492012-01-13 00:39:07 +0000255 return false;
256}
257
Michael Gottesman97e3df02013-01-14 00:35:14 +0000258/// @}
259///
Michael Gottesman97e3df02013-01-14 00:35:14 +0000260/// \defgroup ARCOpt ARC Optimization.
261/// @{
John McCalld935e9c2011-06-15 23:37:01 +0000262
263// TODO: On code like this:
264//
265// objc_retain(%x)
266// stuff_that_cannot_release()
267// objc_autorelease(%x)
268// stuff_that_cannot_release()
269// objc_retain(%x)
270// stuff_that_cannot_release()
271// objc_autorelease(%x)
272//
273// The second retain and autorelease can be deleted.
274
275// TODO: It should be possible to delete
276// objc_autoreleasePoolPush and objc_autoreleasePoolPop
277// pairs if nothing is actually autoreleased between them. Also, autorelease
278// calls followed by objc_autoreleasePoolPop calls (perhaps in ObjC++ code
279// after inlining) can be turned into plain release calls.
280
281// TODO: Critical-edge splitting. If the optimial insertion point is
282// a critical edge, the current algorithm has to fail, because it doesn't
283// know how to split edges. It should be possible to make the optimizer
284// think in terms of edges, rather than blocks, and then split critical
285// edges on demand.
286
287// TODO: OptimizeSequences could generalized to be Interprocedural.
288
289// TODO: Recognize that a bunch of other objc runtime calls have
290// non-escaping arguments and non-releasing arguments, and may be
291// non-autoreleasing.
292
293// TODO: Sink autorelease calls as far as possible. Unfortunately we
294// usually can't sink them past other calls, which would be the main
295// case where it would be useful.
296
Dan Gohmanb3894012011-08-19 00:26:36 +0000297// TODO: The pointer returned from objc_loadWeakRetained is retained.
298
299// TODO: Delete release+retain pairs (rare).
Dan Gohmanceaac7c2011-06-20 23:20:43 +0000300
John McCalld935e9c2011-06-15 23:37:01 +0000301STATISTIC(NumNoops, "Number of no-op objc calls eliminated");
302STATISTIC(NumPartialNoops, "Number of partially no-op objc calls eliminated");
303STATISTIC(NumAutoreleases,"Number of autoreleases converted to releases");
304STATISTIC(NumRets, "Number of return value forwarding "
305 "retain+autoreleaes eliminated");
306STATISTIC(NumRRs, "Number of retain+release paths eliminated");
307STATISTIC(NumPeeps, "Number of calls peephole-optimized");
308
309namespace {
Michael Gottesman97e3df02013-01-14 00:35:14 +0000310 /// \enum Sequence
311 ///
312 /// \brief A sequence of states that a pointer may go through in which an
313 /// objc_retain and objc_release are actually needed.
John McCalld935e9c2011-06-15 23:37:01 +0000314 enum Sequence {
315 S_None,
Michael Gottesman53fd20b2013-01-29 21:07:51 +0000316 S_Retain, ///< objc_retain(x).
317 S_CanRelease, ///< foo(x) -- x could possibly see a ref count decrement.
318 S_Use, ///< any use of x.
Michael Gottesman386241c2013-01-29 21:39:02 +0000319 S_Stop, ///< like S_Release, but code motion is stopped.
Michael Gottesman53fd20b2013-01-29 21:07:51 +0000320 S_Release, ///< objc_release(x).
Michael Gottesman9bdab2b2013-01-29 21:41:44 +0000321 S_MovableRelease ///< objc_release(x), !clang.imprecise_release.
John McCalld935e9c2011-06-15 23:37:01 +0000322 };
Michael Gottesman53fd20b2013-01-29 21:07:51 +0000323
324 raw_ostream &operator<<(raw_ostream &OS, const Sequence S)
325 LLVM_ATTRIBUTE_UNUSED;
326 raw_ostream &operator<<(raw_ostream &OS, const Sequence S) {
327 switch (S) {
328 case S_None:
329 return OS << "S_None";
330 case S_Retain:
331 return OS << "S_Retain";
332 case S_CanRelease:
333 return OS << "S_CanRelease";
334 case S_Use:
335 return OS << "S_Use";
336 case S_Release:
337 return OS << "S_Release";
338 case S_MovableRelease:
339 return OS << "S_MovableRelease";
340 case S_Stop:
341 return OS << "S_Stop";
342 }
343 llvm_unreachable("Unknown sequence type.");
344 }
John McCalld935e9c2011-06-15 23:37:01 +0000345}
346
347static Sequence MergeSeqs(Sequence A, Sequence B, bool TopDown) {
348 // The easy cases.
349 if (A == B)
350 return A;
351 if (A == S_None || B == S_None)
352 return S_None;
353
John McCalld935e9c2011-06-15 23:37:01 +0000354 if (A > B) std::swap(A, B);
355 if (TopDown) {
356 // Choose the side which is further along in the sequence.
Dan Gohman12130272011-08-12 00:26:31 +0000357 if ((A == S_Retain || A == S_CanRelease) &&
358 (B == S_CanRelease || B == S_Use))
John McCalld935e9c2011-06-15 23:37:01 +0000359 return B;
360 } else {
361 // Choose the side which is further along in the sequence.
362 if ((A == S_Use || A == S_CanRelease) &&
Dan Gohman12130272011-08-12 00:26:31 +0000363 (B == S_Use || B == S_Release || B == S_Stop || B == S_MovableRelease))
John McCalld935e9c2011-06-15 23:37:01 +0000364 return A;
365 // If both sides are releases, choose the more conservative one.
366 if (A == S_Stop && (B == S_Release || B == S_MovableRelease))
367 return A;
368 if (A == S_Release && B == S_MovableRelease)
369 return A;
370 }
371
372 return S_None;
373}
374
375namespace {
Michael Gottesman97e3df02013-01-14 00:35:14 +0000376 /// \brief Unidirectional information about either a
John McCalld935e9c2011-06-15 23:37:01 +0000377 /// retain-decrement-use-release sequence or release-use-decrement-retain
378 /// reverese sequence.
379 struct RRInfo {
Michael Gottesman97e3df02013-01-14 00:35:14 +0000380 /// After an objc_retain, the reference count of the referenced
Dan Gohmanb3894012011-08-19 00:26:36 +0000381 /// object is known to be positive. Similarly, before an objc_release, the
382 /// reference count of the referenced object is known to be positive. If
383 /// there are retain-release pairs in code regions where the retain count
384 /// is known to be positive, they can be eliminated, regardless of any side
385 /// effects between them.
386 ///
387 /// Also, a retain+release pair nested within another retain+release
388 /// pair all on the known same pointer value can be eliminated, regardless
389 /// of any intervening side effects.
390 ///
391 /// KnownSafe is true when either of these conditions is satisfied.
392 bool KnownSafe;
John McCalld935e9c2011-06-15 23:37:01 +0000393
Michael Gottesman97e3df02013-01-14 00:35:14 +0000394 /// True if the Calls are objc_retainBlock calls (as opposed to objc_retain
395 /// calls).
John McCalld935e9c2011-06-15 23:37:01 +0000396 bool IsRetainBlock;
397
Michael Gottesman97e3df02013-01-14 00:35:14 +0000398 /// True of the objc_release calls are all marked with the "tail" keyword.
John McCalld935e9c2011-06-15 23:37:01 +0000399 bool IsTailCallRelease;
400
Michael Gottesman97e3df02013-01-14 00:35:14 +0000401 /// If the Calls are objc_release calls and they all have a
402 /// clang.imprecise_release tag, this is the metadata tag.
John McCalld935e9c2011-06-15 23:37:01 +0000403 MDNode *ReleaseMetadata;
404
Michael Gottesman97e3df02013-01-14 00:35:14 +0000405 /// For a top-down sequence, the set of objc_retains or
John McCalld935e9c2011-06-15 23:37:01 +0000406 /// objc_retainBlocks. For bottom-up, the set of objc_releases.
407 SmallPtrSet<Instruction *, 2> Calls;
408
Michael Gottesman97e3df02013-01-14 00:35:14 +0000409 /// The set of optimal insert positions for moving calls in the opposite
410 /// sequence.
John McCalld935e9c2011-06-15 23:37:01 +0000411 SmallPtrSet<Instruction *, 2> ReverseInsertPts;
412
413 RRInfo() :
Dan Gohman728db492012-01-13 00:39:07 +0000414 KnownSafe(false), IsRetainBlock(false),
Dan Gohman62079b42012-04-25 00:50:46 +0000415 IsTailCallRelease(false),
John McCalld935e9c2011-06-15 23:37:01 +0000416 ReleaseMetadata(0) {}
417
418 void clear();
419 };
420}
421
422void RRInfo::clear() {
Dan Gohmanb3894012011-08-19 00:26:36 +0000423 KnownSafe = false;
John McCalld935e9c2011-06-15 23:37:01 +0000424 IsRetainBlock = false;
425 IsTailCallRelease = false;
426 ReleaseMetadata = 0;
427 Calls.clear();
428 ReverseInsertPts.clear();
429}
430
431namespace {
Michael Gottesman97e3df02013-01-14 00:35:14 +0000432 /// \brief This class summarizes several per-pointer runtime properties which
433 /// are propogated through the flow graph.
John McCalld935e9c2011-06-15 23:37:01 +0000434 class PtrState {
Michael Gottesman97e3df02013-01-14 00:35:14 +0000435 /// True if the reference count is known to be incremented.
Dan Gohman62079b42012-04-25 00:50:46 +0000436 bool KnownPositiveRefCount;
437
Michael Gottesman97e3df02013-01-14 00:35:14 +0000438 /// True of we've seen an opportunity for partial RR elimination, such as
439 /// pushing calls into a CFG triangle or into one side of a CFG diamond.
Dan Gohman62079b42012-04-25 00:50:46 +0000440 bool Partial;
John McCalld935e9c2011-06-15 23:37:01 +0000441
Michael Gottesman97e3df02013-01-14 00:35:14 +0000442 /// The current position in the sequence.
Dan Gohman41375a32012-05-08 23:39:44 +0000443 Sequence Seq : 8;
John McCalld935e9c2011-06-15 23:37:01 +0000444
445 public:
Michael Gottesman97e3df02013-01-14 00:35:14 +0000446 /// Unidirectional information about the current sequence.
447 ///
John McCalld935e9c2011-06-15 23:37:01 +0000448 /// TODO: Encapsulate this better.
449 RRInfo RRI;
450
Dan Gohmandf476e52012-09-04 23:16:20 +0000451 PtrState() : KnownPositiveRefCount(false), Partial(false),
Dan Gohman41375a32012-05-08 23:39:44 +0000452 Seq(S_None) {}
John McCalld935e9c2011-06-15 23:37:01 +0000453
Michael Gottesman415ddd72013-02-05 19:32:18 +0000454 void SetKnownPositiveRefCount() {
Dan Gohman62079b42012-04-25 00:50:46 +0000455 KnownPositiveRefCount = true;
Dan Gohman12130272011-08-12 00:26:31 +0000456 }
457
Michael Gottesman764b1cf2013-03-23 05:46:19 +0000458 void ClearKnownPositiveRefCount() {
Dan Gohman62079b42012-04-25 00:50:46 +0000459 KnownPositiveRefCount = false;
John McCalld935e9c2011-06-15 23:37:01 +0000460 }
461
Michael Gottesman07beea42013-03-23 05:31:01 +0000462 bool HasKnownPositiveRefCount() const {
Dan Gohman62079b42012-04-25 00:50:46 +0000463 return KnownPositiveRefCount;
John McCalld935e9c2011-06-15 23:37:01 +0000464 }
465
Michael Gottesman415ddd72013-02-05 19:32:18 +0000466 void SetSeq(Sequence NewSeq) {
John McCalld935e9c2011-06-15 23:37:01 +0000467 Seq = NewSeq;
468 }
469
Michael Gottesman415ddd72013-02-05 19:32:18 +0000470 Sequence GetSeq() const {
John McCalld935e9c2011-06-15 23:37:01 +0000471 return Seq;
472 }
473
Michael Gottesman415ddd72013-02-05 19:32:18 +0000474 void ClearSequenceProgress() {
Dan Gohman62079b42012-04-25 00:50:46 +0000475 ResetSequenceProgress(S_None);
476 }
477
Michael Gottesman415ddd72013-02-05 19:32:18 +0000478 void ResetSequenceProgress(Sequence NewSeq) {
Dan Gohman62079b42012-04-25 00:50:46 +0000479 Seq = NewSeq;
480 Partial = false;
John McCalld935e9c2011-06-15 23:37:01 +0000481 RRI.clear();
482 }
483
484 void Merge(const PtrState &Other, bool TopDown);
485 };
486}
487
488void
489PtrState::Merge(const PtrState &Other, bool TopDown) {
490 Seq = MergeSeqs(Seq, Other.Seq, TopDown);
Dan Gohman62079b42012-04-25 00:50:46 +0000491 KnownPositiveRefCount = KnownPositiveRefCount && Other.KnownPositiveRefCount;
John McCalld935e9c2011-06-15 23:37:01 +0000492
493 // We can't merge a plain objc_retain with an objc_retainBlock.
494 if (RRI.IsRetainBlock != Other.RRI.IsRetainBlock)
495 Seq = S_None;
496
Dan Gohman1736c142011-10-17 18:48:25 +0000497 // If we're not in a sequence (anymore), drop all associated state.
John McCalld935e9c2011-06-15 23:37:01 +0000498 if (Seq == S_None) {
Dan Gohman62079b42012-04-25 00:50:46 +0000499 Partial = false;
John McCalld935e9c2011-06-15 23:37:01 +0000500 RRI.clear();
Dan Gohman62079b42012-04-25 00:50:46 +0000501 } else if (Partial || Other.Partial) {
Dan Gohman1736c142011-10-17 18:48:25 +0000502 // If we're doing a merge on a path that's previously seen a partial
503 // merge, conservatively drop the sequence, to avoid doing partial
504 // RR elimination. If the branch predicates for the two merge differ,
505 // mixing them is unsafe.
Dan Gohman62079b42012-04-25 00:50:46 +0000506 ClearSequenceProgress();
John McCalld935e9c2011-06-15 23:37:01 +0000507 } else {
508 // Conservatively merge the ReleaseMetadata information.
509 if (RRI.ReleaseMetadata != Other.RRI.ReleaseMetadata)
510 RRI.ReleaseMetadata = 0;
511
Dan Gohmanb3894012011-08-19 00:26:36 +0000512 RRI.KnownSafe = RRI.KnownSafe && Other.RRI.KnownSafe;
Dan Gohman41375a32012-05-08 23:39:44 +0000513 RRI.IsTailCallRelease = RRI.IsTailCallRelease &&
514 Other.RRI.IsTailCallRelease;
John McCalld935e9c2011-06-15 23:37:01 +0000515 RRI.Calls.insert(Other.RRI.Calls.begin(), Other.RRI.Calls.end());
Dan Gohman1736c142011-10-17 18:48:25 +0000516
517 // Merge the insert point sets. If there are any differences,
518 // that makes this a partial merge.
Dan Gohman41375a32012-05-08 23:39:44 +0000519 Partial = RRI.ReverseInsertPts.size() != Other.RRI.ReverseInsertPts.size();
Dan Gohman1736c142011-10-17 18:48:25 +0000520 for (SmallPtrSet<Instruction *, 2>::const_iterator
521 I = Other.RRI.ReverseInsertPts.begin(),
522 E = Other.RRI.ReverseInsertPts.end(); I != E; ++I)
Dan Gohman62079b42012-04-25 00:50:46 +0000523 Partial |= RRI.ReverseInsertPts.insert(*I);
John McCalld935e9c2011-06-15 23:37:01 +0000524 }
525}
526
527namespace {
Michael Gottesman97e3df02013-01-14 00:35:14 +0000528 /// \brief Per-BasicBlock state.
John McCalld935e9c2011-06-15 23:37:01 +0000529 class BBState {
Michael Gottesman97e3df02013-01-14 00:35:14 +0000530 /// The number of unique control paths from the entry which can reach this
531 /// block.
John McCalld935e9c2011-06-15 23:37:01 +0000532 unsigned TopDownPathCount;
533
Michael Gottesman97e3df02013-01-14 00:35:14 +0000534 /// The number of unique control paths to exits from this block.
John McCalld935e9c2011-06-15 23:37:01 +0000535 unsigned BottomUpPathCount;
536
Michael Gottesman97e3df02013-01-14 00:35:14 +0000537 /// A type for PerPtrTopDown and PerPtrBottomUp.
John McCalld935e9c2011-06-15 23:37:01 +0000538 typedef MapVector<const Value *, PtrState> MapTy;
539
Michael Gottesman97e3df02013-01-14 00:35:14 +0000540 /// The top-down traversal uses this to record information known about a
541 /// pointer at the bottom of each block.
John McCalld935e9c2011-06-15 23:37:01 +0000542 MapTy PerPtrTopDown;
543
Michael Gottesman97e3df02013-01-14 00:35:14 +0000544 /// The bottom-up traversal uses this to record information known about a
545 /// pointer at the top of each block.
John McCalld935e9c2011-06-15 23:37:01 +0000546 MapTy PerPtrBottomUp;
547
Michael Gottesman97e3df02013-01-14 00:35:14 +0000548 /// Effective predecessors of the current block ignoring ignorable edges and
549 /// ignored backedges.
Dan Gohmanc24c66f2012-04-24 22:53:18 +0000550 SmallVector<BasicBlock *, 2> Preds;
Michael Gottesman97e3df02013-01-14 00:35:14 +0000551 /// Effective successors of the current block ignoring ignorable edges and
552 /// ignored backedges.
Dan Gohmanc24c66f2012-04-24 22:53:18 +0000553 SmallVector<BasicBlock *, 2> Succs;
554
John McCalld935e9c2011-06-15 23:37:01 +0000555 public:
556 BBState() : TopDownPathCount(0), BottomUpPathCount(0) {}
557
558 typedef MapTy::iterator ptr_iterator;
559 typedef MapTy::const_iterator ptr_const_iterator;
560
561 ptr_iterator top_down_ptr_begin() { return PerPtrTopDown.begin(); }
562 ptr_iterator top_down_ptr_end() { return PerPtrTopDown.end(); }
563 ptr_const_iterator top_down_ptr_begin() const {
564 return PerPtrTopDown.begin();
565 }
566 ptr_const_iterator top_down_ptr_end() const {
567 return PerPtrTopDown.end();
568 }
569
570 ptr_iterator bottom_up_ptr_begin() { return PerPtrBottomUp.begin(); }
571 ptr_iterator bottom_up_ptr_end() { return PerPtrBottomUp.end(); }
572 ptr_const_iterator bottom_up_ptr_begin() const {
573 return PerPtrBottomUp.begin();
574 }
575 ptr_const_iterator bottom_up_ptr_end() const {
576 return PerPtrBottomUp.end();
577 }
578
Michael Gottesman97e3df02013-01-14 00:35:14 +0000579 /// Mark this block as being an entry block, which has one path from the
580 /// entry by definition.
John McCalld935e9c2011-06-15 23:37:01 +0000581 void SetAsEntry() { TopDownPathCount = 1; }
582
Michael Gottesman97e3df02013-01-14 00:35:14 +0000583 /// Mark this block as being an exit block, which has one path to an exit by
584 /// definition.
John McCalld935e9c2011-06-15 23:37:01 +0000585 void SetAsExit() { BottomUpPathCount = 1; }
586
587 PtrState &getPtrTopDownState(const Value *Arg) {
588 return PerPtrTopDown[Arg];
589 }
590
591 PtrState &getPtrBottomUpState(const Value *Arg) {
592 return PerPtrBottomUp[Arg];
593 }
594
595 void clearBottomUpPointers() {
Evan Chenge4df6a22011-08-04 18:40:26 +0000596 PerPtrBottomUp.clear();
John McCalld935e9c2011-06-15 23:37:01 +0000597 }
598
599 void clearTopDownPointers() {
600 PerPtrTopDown.clear();
601 }
602
603 void InitFromPred(const BBState &Other);
604 void InitFromSucc(const BBState &Other);
605 void MergePred(const BBState &Other);
606 void MergeSucc(const BBState &Other);
607
Michael Gottesman97e3df02013-01-14 00:35:14 +0000608 /// Return the number of possible unique paths from an entry to an exit
609 /// which pass through this block. This is only valid after both the
610 /// top-down and bottom-up traversals are complete.
John McCalld935e9c2011-06-15 23:37:01 +0000611 unsigned GetAllPathCount() const {
Dan Gohmanc24c66f2012-04-24 22:53:18 +0000612 assert(TopDownPathCount != 0);
613 assert(BottomUpPathCount != 0);
John McCalld935e9c2011-06-15 23:37:01 +0000614 return TopDownPathCount * BottomUpPathCount;
615 }
Dan Gohman12130272011-08-12 00:26:31 +0000616
Dan Gohmanc24c66f2012-04-24 22:53:18 +0000617 // Specialized CFG utilities.
Dan Gohmandae33492012-04-27 18:56:31 +0000618 typedef SmallVectorImpl<BasicBlock *>::const_iterator edge_iterator;
Dan Gohmanc24c66f2012-04-24 22:53:18 +0000619 edge_iterator pred_begin() { return Preds.begin(); }
620 edge_iterator pred_end() { return Preds.end(); }
621 edge_iterator succ_begin() { return Succs.begin(); }
622 edge_iterator succ_end() { return Succs.end(); }
623
624 void addSucc(BasicBlock *Succ) { Succs.push_back(Succ); }
625 void addPred(BasicBlock *Pred) { Preds.push_back(Pred); }
626
627 bool isExit() const { return Succs.empty(); }
John McCalld935e9c2011-06-15 23:37:01 +0000628 };
629}
630
631void BBState::InitFromPred(const BBState &Other) {
632 PerPtrTopDown = Other.PerPtrTopDown;
633 TopDownPathCount = Other.TopDownPathCount;
634}
635
636void BBState::InitFromSucc(const BBState &Other) {
637 PerPtrBottomUp = Other.PerPtrBottomUp;
638 BottomUpPathCount = Other.BottomUpPathCount;
639}
640
Michael Gottesman97e3df02013-01-14 00:35:14 +0000641/// The top-down traversal uses this to merge information about predecessors to
642/// form the initial state for a new block.
John McCalld935e9c2011-06-15 23:37:01 +0000643void BBState::MergePred(const BBState &Other) {
644 // Other.TopDownPathCount can be 0, in which case it is either dead or a
645 // loop backedge. Loop backedges are special.
646 TopDownPathCount += Other.TopDownPathCount;
647
Michael Gottesman4385edf2013-01-14 01:47:53 +0000648 // Check for overflow. If we have overflow, fall back to conservative
649 // behavior.
Dan Gohman7c84dad2012-09-12 20:45:17 +0000650 if (TopDownPathCount < Other.TopDownPathCount) {
651 clearTopDownPointers();
652 return;
653 }
654
John McCalld935e9c2011-06-15 23:37:01 +0000655 // For each entry in the other set, if our set has an entry with the same key,
656 // merge the entries. Otherwise, copy the entry and merge it with an empty
657 // entry.
658 for (ptr_const_iterator MI = Other.top_down_ptr_begin(),
659 ME = Other.top_down_ptr_end(); MI != ME; ++MI) {
660 std::pair<ptr_iterator, bool> Pair = PerPtrTopDown.insert(*MI);
661 Pair.first->second.Merge(Pair.second ? PtrState() : MI->second,
662 /*TopDown=*/true);
663 }
664
Dan Gohman7e315fc32011-08-11 21:06:32 +0000665 // For each entry in our set, if the other set doesn't have an entry with the
John McCalld935e9c2011-06-15 23:37:01 +0000666 // same key, force it to merge with an empty entry.
667 for (ptr_iterator MI = top_down_ptr_begin(),
668 ME = top_down_ptr_end(); MI != ME; ++MI)
669 if (Other.PerPtrTopDown.find(MI->first) == Other.PerPtrTopDown.end())
670 MI->second.Merge(PtrState(), /*TopDown=*/true);
671}
672
Michael Gottesman97e3df02013-01-14 00:35:14 +0000673/// The bottom-up traversal uses this to merge information about successors to
674/// form the initial state for a new block.
John McCalld935e9c2011-06-15 23:37:01 +0000675void BBState::MergeSucc(const BBState &Other) {
676 // Other.BottomUpPathCount can be 0, in which case it is either dead or a
677 // loop backedge. Loop backedges are special.
678 BottomUpPathCount += Other.BottomUpPathCount;
679
Michael Gottesman4385edf2013-01-14 01:47:53 +0000680 // Check for overflow. If we have overflow, fall back to conservative
681 // behavior.
Dan Gohman7c84dad2012-09-12 20:45:17 +0000682 if (BottomUpPathCount < Other.BottomUpPathCount) {
683 clearBottomUpPointers();
684 return;
685 }
686
John McCalld935e9c2011-06-15 23:37:01 +0000687 // For each entry in the other set, if our set has an entry with the
688 // same key, merge the entries. Otherwise, copy the entry and merge
689 // it with an empty entry.
690 for (ptr_const_iterator MI = Other.bottom_up_ptr_begin(),
691 ME = Other.bottom_up_ptr_end(); MI != ME; ++MI) {
692 std::pair<ptr_iterator, bool> Pair = PerPtrBottomUp.insert(*MI);
693 Pair.first->second.Merge(Pair.second ? PtrState() : MI->second,
694 /*TopDown=*/false);
695 }
696
Dan Gohman7e315fc32011-08-11 21:06:32 +0000697 // For each entry in our set, if the other set doesn't have an entry
John McCalld935e9c2011-06-15 23:37:01 +0000698 // with the same key, force it to merge with an empty entry.
699 for (ptr_iterator MI = bottom_up_ptr_begin(),
700 ME = bottom_up_ptr_end(); MI != ME; ++MI)
701 if (Other.PerPtrBottomUp.find(MI->first) == Other.PerPtrBottomUp.end())
702 MI->second.Merge(PtrState(), /*TopDown=*/false);
703}
704
Michael Gottesman81b1d432013-03-26 00:42:04 +0000705// Only enable ARC Annotations if we are building a debug version of
706// libObjCARCOpts.
707#ifndef NDEBUG
708#define ARC_ANNOTATIONS
709#endif
710
711// Define some macros along the lines of DEBUG and some helper functions to make
712// it cleaner to create annotations in the source code and to no-op when not
713// building in debug mode.
714#ifdef ARC_ANNOTATIONS
715
716#include "llvm/Support/CommandLine.h"
717
718/// Enable/disable ARC sequence annotations.
719static cl::opt<bool>
720EnableARCAnnotations("enable-objc-arc-annotations", cl::init(false));
721
722/// This function appends a unique ARCAnnotationProvenanceSourceMDKind id to an
723/// instruction so that we can track backwards when post processing via the llvm
724/// arc annotation processor tool. If the function is an
725static MDString *AppendMDNodeToSourcePtr(unsigned NodeId,
726 Value *Ptr) {
727 MDString *Hash = 0;
728
729 // If pointer is a result of an instruction and it does not have a source
730 // MDNode it, attach a new MDNode onto it. If pointer is a result of
731 // an instruction and does have a source MDNode attached to it, return a
732 // reference to said Node. Otherwise just return 0.
733 if (Instruction *Inst = dyn_cast<Instruction>(Ptr)) {
734 MDNode *Node;
735 if (!(Node = Inst->getMetadata(NodeId))) {
736 // We do not have any node. Generate and attatch the hash MDString to the
737 // instruction.
738
739 // We just use an MDString to ensure that this metadata gets written out
740 // of line at the module level and to provide a very simple format
741 // encoding the information herein. Both of these makes it simpler to
742 // parse the annotations by a simple external program.
743 std::string Str;
744 raw_string_ostream os(Str);
745 os << "(" << Inst->getParent()->getParent()->getName() << ",%"
746 << Inst->getName() << ")";
747
748 Hash = MDString::get(Inst->getContext(), os.str());
749 Inst->setMetadata(NodeId, MDNode::get(Inst->getContext(),Hash));
750 } else {
751 // We have a node. Grab its hash and return it.
752 assert(Node->getNumOperands() == 1 &&
753 "An ARCAnnotationProvenanceSourceMDKind can only have 1 operand.");
754 Hash = cast<MDString>(Node->getOperand(0));
755 }
756 } else if (Argument *Arg = dyn_cast<Argument>(Ptr)) {
757 std::string str;
758 raw_string_ostream os(str);
759 os << "(" << Arg->getParent()->getName() << ",%" << Arg->getName()
760 << ")";
761 Hash = MDString::get(Arg->getContext(), os.str());
762 }
763
764 return Hash;
765}
766
Michael Gottesmancd4de0f2013-03-26 00:42:09 +0000767static std::string SequenceToString(Sequence A) {
768 std::string str;
769 raw_string_ostream os(str);
770 os << A;
771 return os.str();
772}
773
Michael Gottesman81b1d432013-03-26 00:42:04 +0000774/// Helper function to change a Sequence into a String object using our overload
775/// for raw_ostream so we only have printing code in one location.
776static MDString *SequenceToMDString(LLVMContext &Context,
777 Sequence A) {
Michael Gottesmancd4de0f2013-03-26 00:42:09 +0000778 return MDString::get(Context, SequenceToString(A));
Michael Gottesman81b1d432013-03-26 00:42:04 +0000779}
780
781/// A simple function to generate a MDNode which describes the change in state
782/// for Value *Ptr caused by Instruction *Inst.
783static void AppendMDNodeToInstForPtr(unsigned NodeId,
784 Instruction *Inst,
785 Value *Ptr,
786 MDString *PtrSourceMDNodeID,
787 Sequence OldSeq,
788 Sequence NewSeq) {
789 MDNode *Node = 0;
790 Value *tmp[3] = {PtrSourceMDNodeID,
791 SequenceToMDString(Inst->getContext(),
792 OldSeq),
793 SequenceToMDString(Inst->getContext(),
794 NewSeq)};
795 Node = MDNode::get(Inst->getContext(),
796 ArrayRef<Value*>(tmp, 3));
797
798 Inst->setMetadata(NodeId, Node);
799}
800
Michael Gottesmancd4de0f2013-03-26 00:42:09 +0000801/// Add to the beginning of the basic block llvm.ptr.annotations which show the
802/// state of a pointer at the entrance to a basic block.
803static void GenerateARCBBEntranceAnnotation(const char *Name, BasicBlock *BB,
804 Value *Ptr, Sequence Seq) {
805 Module *M = BB->getParent()->getParent();
806 LLVMContext &C = M->getContext();
807 Type *I8X = PointerType::getUnqual(Type::getInt8Ty(C));
808 Type *I8XX = PointerType::getUnqual(I8X);
809 Type *Params[] = {I8XX, I8XX};
810 FunctionType *FTy = FunctionType::get(Type::getVoidTy(C),
811 ArrayRef<Type*>(Params, 2),
812 /*isVarArg=*/false);
813 Constant *Callee = M->getOrInsertFunction(Name, FTy);
814
815 IRBuilder<> Builder(BB, BB->getFirstInsertionPt());
816
817 Value *PtrName;
818 StringRef Tmp = Ptr->getName();
819 if (0 == (PtrName = M->getGlobalVariable(Tmp, true))) {
820 Value *ActualPtrName = Builder.CreateGlobalStringPtr(Tmp,
821 Tmp + "_STR");
822 PtrName = new GlobalVariable(*M, I8X, true, GlobalVariable::InternalLinkage,
823 cast<Constant>(ActualPtrName), Tmp);
824 }
825
826 Value *S;
827 std::string SeqStr = SequenceToString(Seq);
828 if (0 == (S = M->getGlobalVariable(SeqStr, true))) {
829 Value *ActualPtrName = Builder.CreateGlobalStringPtr(SeqStr,
830 SeqStr + "_STR");
831 S = new GlobalVariable(*M, I8X, true, GlobalVariable::InternalLinkage,
832 cast<Constant>(ActualPtrName), SeqStr);
833 }
834
835 Builder.CreateCall2(Callee, PtrName, S);
836}
837
838/// Add to the end of the basic block llvm.ptr.annotations which show the state
839/// of the pointer at the bottom of the basic block.
840static void GenerateARCBBTerminatorAnnotation(const char *Name, BasicBlock *BB,
841 Value *Ptr, Sequence Seq) {
842 Module *M = BB->getParent()->getParent();
843 LLVMContext &C = M->getContext();
844 Type *I8X = PointerType::getUnqual(Type::getInt8Ty(C));
845 Type *I8XX = PointerType::getUnqual(I8X);
846 Type *Params[] = {I8XX, I8XX};
847 FunctionType *FTy = FunctionType::get(Type::getVoidTy(C),
848 ArrayRef<Type*>(Params, 2),
849 /*isVarArg=*/false);
850 Constant *Callee = M->getOrInsertFunction(Name, FTy);
851
852 IRBuilder<> Builder(BB, llvm::prior(BB->end()));
853
854 Value *PtrName;
855 StringRef Tmp = Ptr->getName();
856 if (0 == (PtrName = M->getGlobalVariable(Tmp, true))) {
857 Value *ActualPtrName = Builder.CreateGlobalStringPtr(Tmp,
858 Tmp + "_STR");
859 PtrName = new GlobalVariable(*M, I8X, true, GlobalVariable::InternalLinkage,
860 cast<Constant>(ActualPtrName), Tmp);
861 }
862
863 Value *S;
864 std::string SeqStr = SequenceToString(Seq);
865 if (0 == (S = M->getGlobalVariable(SeqStr, true))) {
866 Value *ActualPtrName = Builder.CreateGlobalStringPtr(SeqStr,
867 SeqStr + "_STR");
868 S = new GlobalVariable(*M, I8X, true, GlobalVariable::InternalLinkage,
869 cast<Constant>(ActualPtrName), SeqStr);
870 }
871 Builder.CreateCall2(Callee, PtrName, S);
872}
873
Michael Gottesman81b1d432013-03-26 00:42:04 +0000874/// Adds a source annotation to pointer and a state change annotation to Inst
875/// referencing the source annotation and the old/new state of pointer.
876static void GenerateARCAnnotation(unsigned InstMDId,
877 unsigned PtrMDId,
878 Instruction *Inst,
879 Value *Ptr,
880 Sequence OldSeq,
881 Sequence NewSeq) {
882 if (EnableARCAnnotations) {
883 // First generate the source annotation on our pointer. This will return an
884 // MDString* if Ptr actually comes from an instruction implying we can put
885 // in a source annotation. If AppendMDNodeToSourcePtr returns 0 (i.e. NULL),
886 // then we know that our pointer is from an Argument so we put a reference
887 // to the argument number.
888 //
889 // The point of this is to make it easy for the
890 // llvm-arc-annotation-processor tool to cross reference where the source
891 // pointer is in the LLVM IR since the LLVM IR parser does not submit such
892 // information via debug info for backends to use (since why would anyone
893 // need such a thing from LLVM IR besides in non standard cases
894 // [i.e. this]).
895 MDString *SourcePtrMDNode =
896 AppendMDNodeToSourcePtr(PtrMDId, Ptr);
897 AppendMDNodeToInstForPtr(InstMDId, Inst, Ptr, SourcePtrMDNode, OldSeq,
898 NewSeq);
899 }
900}
901
902// The actual interface for accessing the above functionality is defined via
903// some simple macros which are defined below. We do this so that the user does
904// not need to pass in what metadata id is needed resulting in cleaner code and
905// additionally since it provides an easy way to conditionally no-op all
906// annotation support in a non-debug build.
907
908/// Use this macro to annotate a sequence state change when processing
909/// instructions bottom up,
910#define ANNOTATE_BOTTOMUP(inst, ptr, old, new) \
911 GenerateARCAnnotation(ARCAnnotationBottomUpMDKind, \
912 ARCAnnotationProvenanceSourceMDKind, (inst), \
913 const_cast<Value*>(ptr), (old), (new))
914/// Use this macro to annotate a sequence state change when processing
915/// instructions top down.
916#define ANNOTATE_TOPDOWN(inst, ptr, old, new) \
917 GenerateARCAnnotation(ARCAnnotationTopDownMDKind, \
918 ARCAnnotationProvenanceSourceMDKind, (inst), \
919 const_cast<Value*>(ptr), (old), (new))
920
921#else // !ARC_ANNOTATION
922// If annotations are off, noop.
923#define ANNOTATE_BOTTOMUP(inst, ptr, old, new)
924#define ANNOTATE_TOPDOWN(inst, ptr, old, new)
925#endif // !ARC_ANNOTATION
926
John McCalld935e9c2011-06-15 23:37:01 +0000927namespace {
Michael Gottesman97e3df02013-01-14 00:35:14 +0000928 /// \brief The main ARC optimization pass.
John McCalld935e9c2011-06-15 23:37:01 +0000929 class ObjCARCOpt : public FunctionPass {
930 bool Changed;
931 ProvenanceAnalysis PA;
932
Michael Gottesman97e3df02013-01-14 00:35:14 +0000933 /// A flag indicating whether this optimization pass should run.
Dan Gohmanceaac7c2011-06-20 23:20:43 +0000934 bool Run;
935
Michael Gottesman97e3df02013-01-14 00:35:14 +0000936 /// Declarations for ObjC runtime functions, for use in creating calls to
937 /// them. These are initialized lazily to avoid cluttering up the Module
938 /// with unused declarations.
John McCalld935e9c2011-06-15 23:37:01 +0000939
Michael Gottesman97e3df02013-01-14 00:35:14 +0000940 /// Declaration for ObjC runtime function
941 /// objc_retainAutoreleasedReturnValue.
942 Constant *RetainRVCallee;
943 /// Declaration for ObjC runtime function objc_autoreleaseReturnValue.
944 Constant *AutoreleaseRVCallee;
945 /// Declaration for ObjC runtime function objc_release.
946 Constant *ReleaseCallee;
947 /// Declaration for ObjC runtime function objc_retain.
948 Constant *RetainCallee;
949 /// Declaration for ObjC runtime function objc_retainBlock.
950 Constant *RetainBlockCallee;
951 /// Declaration for ObjC runtime function objc_autorelease.
952 Constant *AutoreleaseCallee;
953
954 /// Flags which determine whether each of the interesting runtine functions
955 /// is in fact used in the current function.
John McCalld935e9c2011-06-15 23:37:01 +0000956 unsigned UsedInThisFunction;
957
Michael Gottesman97e3df02013-01-14 00:35:14 +0000958 /// The Metadata Kind for clang.imprecise_release metadata.
John McCalld935e9c2011-06-15 23:37:01 +0000959 unsigned ImpreciseReleaseMDKind;
960
Michael Gottesman97e3df02013-01-14 00:35:14 +0000961 /// The Metadata Kind for clang.arc.copy_on_escape metadata.
Dan Gohmana7107f92011-10-17 22:53:25 +0000962 unsigned CopyOnEscapeMDKind;
963
Michael Gottesman97e3df02013-01-14 00:35:14 +0000964 /// The Metadata Kind for clang.arc.no_objc_arc_exceptions metadata.
Dan Gohman0155f302012-02-17 18:59:53 +0000965 unsigned NoObjCARCExceptionsMDKind;
966
Michael Gottesman81b1d432013-03-26 00:42:04 +0000967#ifdef ARC_ANNOTATIONS
968 /// The Metadata Kind for llvm.arc.annotation.bottomup metadata.
969 unsigned ARCAnnotationBottomUpMDKind;
970 /// The Metadata Kind for llvm.arc.annotation.topdown metadata.
971 unsigned ARCAnnotationTopDownMDKind;
972 /// The Metadata Kind for llvm.arc.annotation.provenancesource metadata.
973 unsigned ARCAnnotationProvenanceSourceMDKind;
974#endif // ARC_ANNOATIONS
975
John McCalld935e9c2011-06-15 23:37:01 +0000976 Constant *getRetainRVCallee(Module *M);
977 Constant *getAutoreleaseRVCallee(Module *M);
978 Constant *getReleaseCallee(Module *M);
979 Constant *getRetainCallee(Module *M);
Dan Gohman6320f522011-07-22 22:29:21 +0000980 Constant *getRetainBlockCallee(Module *M);
John McCalld935e9c2011-06-15 23:37:01 +0000981 Constant *getAutoreleaseCallee(Module *M);
982
Dan Gohman728db492012-01-13 00:39:07 +0000983 bool IsRetainBlockOptimizable(const Instruction *Inst);
984
John McCalld935e9c2011-06-15 23:37:01 +0000985 void OptimizeRetainCall(Function &F, Instruction *Retain);
986 bool OptimizeRetainRVCall(Function &F, Instruction *RetainRV);
Michael Gottesman556ff612013-01-12 01:25:19 +0000987 void OptimizeAutoreleaseRVCall(Function &F, Instruction *AutoreleaseRV,
988 InstructionClass &Class);
John McCalld935e9c2011-06-15 23:37:01 +0000989 void OptimizeIndividualCalls(Function &F);
990
991 void CheckForCFGHazards(const BasicBlock *BB,
992 DenseMap<const BasicBlock *, BBState> &BBStates,
993 BBState &MyStates) const;
Dan Gohman817a7c62012-03-22 18:24:56 +0000994 bool VisitInstructionBottomUp(Instruction *Inst,
Dan Gohman5c70fad2012-03-23 17:47:54 +0000995 BasicBlock *BB,
Dan Gohman817a7c62012-03-22 18:24:56 +0000996 MapVector<Value *, RRInfo> &Retains,
997 BBState &MyStates);
John McCalld935e9c2011-06-15 23:37:01 +0000998 bool VisitBottomUp(BasicBlock *BB,
999 DenseMap<const BasicBlock *, BBState> &BBStates,
1000 MapVector<Value *, RRInfo> &Retains);
Dan Gohman817a7c62012-03-22 18:24:56 +00001001 bool VisitInstructionTopDown(Instruction *Inst,
1002 DenseMap<Value *, RRInfo> &Releases,
1003 BBState &MyStates);
John McCalld935e9c2011-06-15 23:37:01 +00001004 bool VisitTopDown(BasicBlock *BB,
1005 DenseMap<const BasicBlock *, BBState> &BBStates,
1006 DenseMap<Value *, RRInfo> &Releases);
1007 bool Visit(Function &F,
1008 DenseMap<const BasicBlock *, BBState> &BBStates,
1009 MapVector<Value *, RRInfo> &Retains,
1010 DenseMap<Value *, RRInfo> &Releases);
1011
1012 void MoveCalls(Value *Arg, RRInfo &RetainsToMove, RRInfo &ReleasesToMove,
1013 MapVector<Value *, RRInfo> &Retains,
1014 DenseMap<Value *, RRInfo> &Releases,
Dan Gohman6320f522011-07-22 22:29:21 +00001015 SmallVectorImpl<Instruction *> &DeadInsts,
1016 Module *M);
John McCalld935e9c2011-06-15 23:37:01 +00001017
Michael Gottesman9de6f962013-01-22 21:49:00 +00001018 bool ConnectTDBUTraversals(DenseMap<const BasicBlock *, BBState> &BBStates,
1019 MapVector<Value *, RRInfo> &Retains,
1020 DenseMap<Value *, RRInfo> &Releases,
1021 Module *M,
1022 SmallVector<Instruction *, 4> &NewRetains,
1023 SmallVector<Instruction *, 4> &NewReleases,
1024 SmallVector<Instruction *, 8> &DeadInsts,
1025 RRInfo &RetainsToMove,
1026 RRInfo &ReleasesToMove,
1027 Value *Arg,
1028 bool KnownSafe,
1029 bool &AnyPairsCompletelyEliminated);
1030
John McCalld935e9c2011-06-15 23:37:01 +00001031 bool PerformCodePlacement(DenseMap<const BasicBlock *, BBState> &BBStates,
1032 MapVector<Value *, RRInfo> &Retains,
Dan Gohman6320f522011-07-22 22:29:21 +00001033 DenseMap<Value *, RRInfo> &Releases,
1034 Module *M);
John McCalld935e9c2011-06-15 23:37:01 +00001035
1036 void OptimizeWeakCalls(Function &F);
1037
1038 bool OptimizeSequences(Function &F);
1039
1040 void OptimizeReturns(Function &F);
1041
1042 virtual void getAnalysisUsage(AnalysisUsage &AU) const;
1043 virtual bool doInitialization(Module &M);
1044 virtual bool runOnFunction(Function &F);
1045 virtual void releaseMemory();
1046
1047 public:
1048 static char ID;
1049 ObjCARCOpt() : FunctionPass(ID) {
1050 initializeObjCARCOptPass(*PassRegistry::getPassRegistry());
1051 }
1052 };
1053}
1054
1055char ObjCARCOpt::ID = 0;
1056INITIALIZE_PASS_BEGIN(ObjCARCOpt,
1057 "objc-arc", "ObjC ARC optimization", false, false)
1058INITIALIZE_PASS_DEPENDENCY(ObjCARCAliasAnalysis)
1059INITIALIZE_PASS_END(ObjCARCOpt,
1060 "objc-arc", "ObjC ARC optimization", false, false)
1061
1062Pass *llvm::createObjCARCOptPass() {
1063 return new ObjCARCOpt();
1064}
1065
1066void ObjCARCOpt::getAnalysisUsage(AnalysisUsage &AU) const {
1067 AU.addRequired<ObjCARCAliasAnalysis>();
1068 AU.addRequired<AliasAnalysis>();
1069 // ARC optimization doesn't currently split critical edges.
1070 AU.setPreservesCFG();
1071}
1072
Dan Gohman728db492012-01-13 00:39:07 +00001073bool ObjCARCOpt::IsRetainBlockOptimizable(const Instruction *Inst) {
1074 // Without the magic metadata tag, we have to assume this might be an
1075 // objc_retainBlock call inserted to convert a block pointer to an id,
1076 // in which case it really is needed.
1077 if (!Inst->getMetadata(CopyOnEscapeMDKind))
1078 return false;
1079
1080 // If the pointer "escapes" (not including being used in a call),
1081 // the copy may be needed.
Michael Gottesman774d2c02013-01-29 21:00:52 +00001082 if (DoesRetainableObjPtrEscape(Inst))
Dan Gohman728db492012-01-13 00:39:07 +00001083 return false;
1084
1085 // Otherwise, it's not needed.
1086 return true;
1087}
1088
John McCalld935e9c2011-06-15 23:37:01 +00001089Constant *ObjCARCOpt::getRetainRVCallee(Module *M) {
1090 if (!RetainRVCallee) {
1091 LLVMContext &C = M->getContext();
Jay Foadb804a2b2011-07-12 14:06:48 +00001092 Type *I8X = PointerType::getUnqual(Type::getInt8Ty(C));
Dan Gohman41375a32012-05-08 23:39:44 +00001093 Type *Params[] = { I8X };
1094 FunctionType *FTy = FunctionType::get(I8X, Params, /*isVarArg=*/false);
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001095 AttributeSet Attribute =
Bill Wendling09175b32013-01-22 21:15:51 +00001096 AttributeSet().addAttribute(M->getContext(), AttributeSet::FunctionIndex,
1097 Attribute::NoUnwind);
John McCalld935e9c2011-06-15 23:37:01 +00001098 RetainRVCallee =
1099 M->getOrInsertFunction("objc_retainAutoreleasedReturnValue", FTy,
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001100 Attribute);
John McCalld935e9c2011-06-15 23:37:01 +00001101 }
1102 return RetainRVCallee;
1103}
1104
1105Constant *ObjCARCOpt::getAutoreleaseRVCallee(Module *M) {
1106 if (!AutoreleaseRVCallee) {
1107 LLVMContext &C = M->getContext();
Jay Foadb804a2b2011-07-12 14:06:48 +00001108 Type *I8X = PointerType::getUnqual(Type::getInt8Ty(C));
Dan Gohman41375a32012-05-08 23:39:44 +00001109 Type *Params[] = { I8X };
1110 FunctionType *FTy = FunctionType::get(I8X, Params, /*isVarArg=*/false);
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001111 AttributeSet Attribute =
Bill Wendling09175b32013-01-22 21:15:51 +00001112 AttributeSet().addAttribute(M->getContext(), AttributeSet::FunctionIndex,
1113 Attribute::NoUnwind);
John McCalld935e9c2011-06-15 23:37:01 +00001114 AutoreleaseRVCallee =
1115 M->getOrInsertFunction("objc_autoreleaseReturnValue", FTy,
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001116 Attribute);
John McCalld935e9c2011-06-15 23:37:01 +00001117 }
1118 return AutoreleaseRVCallee;
1119}
1120
1121Constant *ObjCARCOpt::getReleaseCallee(Module *M) {
1122 if (!ReleaseCallee) {
1123 LLVMContext &C = M->getContext();
Dan Gohman41375a32012-05-08 23:39:44 +00001124 Type *Params[] = { PointerType::getUnqual(Type::getInt8Ty(C)) };
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001125 AttributeSet Attribute =
Bill Wendling09175b32013-01-22 21:15:51 +00001126 AttributeSet().addAttribute(M->getContext(), AttributeSet::FunctionIndex,
1127 Attribute::NoUnwind);
John McCalld935e9c2011-06-15 23:37:01 +00001128 ReleaseCallee =
1129 M->getOrInsertFunction(
1130 "objc_release",
1131 FunctionType::get(Type::getVoidTy(C), Params, /*isVarArg=*/false),
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001132 Attribute);
John McCalld935e9c2011-06-15 23:37:01 +00001133 }
1134 return ReleaseCallee;
1135}
1136
1137Constant *ObjCARCOpt::getRetainCallee(Module *M) {
1138 if (!RetainCallee) {
1139 LLVMContext &C = M->getContext();
Dan Gohman41375a32012-05-08 23:39:44 +00001140 Type *Params[] = { PointerType::getUnqual(Type::getInt8Ty(C)) };
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001141 AttributeSet Attribute =
Bill Wendling09175b32013-01-22 21:15:51 +00001142 AttributeSet().addAttribute(M->getContext(), AttributeSet::FunctionIndex,
1143 Attribute::NoUnwind);
John McCalld935e9c2011-06-15 23:37:01 +00001144 RetainCallee =
1145 M->getOrInsertFunction(
1146 "objc_retain",
1147 FunctionType::get(Params[0], Params, /*isVarArg=*/false),
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001148 Attribute);
John McCalld935e9c2011-06-15 23:37:01 +00001149 }
1150 return RetainCallee;
1151}
1152
Dan Gohman6320f522011-07-22 22:29:21 +00001153Constant *ObjCARCOpt::getRetainBlockCallee(Module *M) {
1154 if (!RetainBlockCallee) {
1155 LLVMContext &C = M->getContext();
Dan Gohman41375a32012-05-08 23:39:44 +00001156 Type *Params[] = { PointerType::getUnqual(Type::getInt8Ty(C)) };
Dan Gohmanfca43c22011-09-14 18:33:34 +00001157 // objc_retainBlock is not nounwind because it calls user copy constructors
1158 // which could theoretically throw.
Dan Gohman6320f522011-07-22 22:29:21 +00001159 RetainBlockCallee =
1160 M->getOrInsertFunction(
1161 "objc_retainBlock",
1162 FunctionType::get(Params[0], Params, /*isVarArg=*/false),
Bill Wendlinge94d8432012-12-07 23:16:57 +00001163 AttributeSet());
Dan Gohman6320f522011-07-22 22:29:21 +00001164 }
1165 return RetainBlockCallee;
1166}
1167
John McCalld935e9c2011-06-15 23:37:01 +00001168Constant *ObjCARCOpt::getAutoreleaseCallee(Module *M) {
1169 if (!AutoreleaseCallee) {
1170 LLVMContext &C = M->getContext();
Dan Gohman41375a32012-05-08 23:39:44 +00001171 Type *Params[] = { PointerType::getUnqual(Type::getInt8Ty(C)) };
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001172 AttributeSet Attribute =
Bill Wendling09175b32013-01-22 21:15:51 +00001173 AttributeSet().addAttribute(M->getContext(), AttributeSet::FunctionIndex,
1174 Attribute::NoUnwind);
John McCalld935e9c2011-06-15 23:37:01 +00001175 AutoreleaseCallee =
1176 M->getOrInsertFunction(
1177 "objc_autorelease",
1178 FunctionType::get(Params[0], Params, /*isVarArg=*/false),
Bill Wendling3d7b0b82012-12-19 07:18:57 +00001179 Attribute);
John McCalld935e9c2011-06-15 23:37:01 +00001180 }
1181 return AutoreleaseCallee;
1182}
1183
Michael Gottesman97e3df02013-01-14 00:35:14 +00001184/// Turn objc_retain into objc_retainAutoreleasedReturnValue if the operand is a
1185/// return value.
John McCalld935e9c2011-06-15 23:37:01 +00001186void
1187ObjCARCOpt::OptimizeRetainCall(Function &F, Instruction *Retain) {
Dan Gohmandae33492012-04-27 18:56:31 +00001188 ImmutableCallSite CS(GetObjCArg(Retain));
1189 const Instruction *Call = CS.getInstruction();
John McCalld935e9c2011-06-15 23:37:01 +00001190 if (!Call) return;
1191 if (Call->getParent() != Retain->getParent()) return;
1192
1193 // Check that the call is next to the retain.
Dan Gohmandae33492012-04-27 18:56:31 +00001194 BasicBlock::const_iterator I = Call;
John McCalld935e9c2011-06-15 23:37:01 +00001195 ++I;
Michael Gottesman65c24812013-03-25 09:27:43 +00001196 while (IsNoopInstruction(I)) ++I;
John McCalld935e9c2011-06-15 23:37:01 +00001197 if (&*I != Retain)
1198 return;
1199
1200 // Turn it to an objc_retainAutoreleasedReturnValue..
1201 Changed = true;
1202 ++NumPeeps;
Michael Gottesman10426b52013-01-07 21:26:07 +00001203
Michael Gottesman1e00ac62013-01-04 21:30:38 +00001204 DEBUG(dbgs() << "ObjCARCOpt::OptimizeRetainCall: Transforming "
Michael Gottesman9f1be682013-01-12 03:45:49 +00001205 "objc_retain => objc_retainAutoreleasedReturnValue"
1206 " since the operand is a return value.\n"
Michael Gottesman1e00ac62013-01-04 21:30:38 +00001207 " Old: "
1208 << *Retain << "\n");
Michael Gottesman10426b52013-01-07 21:26:07 +00001209
John McCalld935e9c2011-06-15 23:37:01 +00001210 cast<CallInst>(Retain)->setCalledFunction(getRetainRVCallee(F.getParent()));
Michael Gottesman1e00ac62013-01-04 21:30:38 +00001211
1212 DEBUG(dbgs() << " New: "
1213 << *Retain << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00001214}
1215
Michael Gottesman97e3df02013-01-14 00:35:14 +00001216/// Turn objc_retainAutoreleasedReturnValue into objc_retain if the operand is
1217/// not a return value. Or, if it can be paired with an
1218/// objc_autoreleaseReturnValue, delete the pair and return true.
John McCalld935e9c2011-06-15 23:37:01 +00001219bool
1220ObjCARCOpt::OptimizeRetainRVCall(Function &F, Instruction *RetainRV) {
Dan Gohmane3ed2b02012-03-23 18:09:00 +00001221 // Check for the argument being from an immediately preceding call or invoke.
Dan Gohmandae33492012-04-27 18:56:31 +00001222 const Value *Arg = GetObjCArg(RetainRV);
1223 ImmutableCallSite CS(Arg);
1224 if (const Instruction *Call = CS.getInstruction()) {
John McCalld935e9c2011-06-15 23:37:01 +00001225 if (Call->getParent() == RetainRV->getParent()) {
Dan Gohmandae33492012-04-27 18:56:31 +00001226 BasicBlock::const_iterator I = Call;
John McCalld935e9c2011-06-15 23:37:01 +00001227 ++I;
Michael Gottesman65c24812013-03-25 09:27:43 +00001228 while (IsNoopInstruction(I)) ++I;
John McCalld935e9c2011-06-15 23:37:01 +00001229 if (&*I == RetainRV)
1230 return false;
Dan Gohmandae33492012-04-27 18:56:31 +00001231 } else if (const InvokeInst *II = dyn_cast<InvokeInst>(Call)) {
Dan Gohmane3ed2b02012-03-23 18:09:00 +00001232 BasicBlock *RetainRVParent = RetainRV->getParent();
1233 if (II->getNormalDest() == RetainRVParent) {
Dan Gohmandae33492012-04-27 18:56:31 +00001234 BasicBlock::const_iterator I = RetainRVParent->begin();
Michael Gottesman65c24812013-03-25 09:27:43 +00001235 while (IsNoopInstruction(I)) ++I;
Dan Gohmane3ed2b02012-03-23 18:09:00 +00001236 if (&*I == RetainRV)
1237 return false;
1238 }
John McCalld935e9c2011-06-15 23:37:01 +00001239 }
Dan Gohmane3ed2b02012-03-23 18:09:00 +00001240 }
John McCalld935e9c2011-06-15 23:37:01 +00001241
1242 // Check for being preceded by an objc_autoreleaseReturnValue on the same
1243 // pointer. In this case, we can delete the pair.
1244 BasicBlock::iterator I = RetainRV, Begin = RetainRV->getParent()->begin();
1245 if (I != Begin) {
Michael Gottesman65c24812013-03-25 09:27:43 +00001246 do --I; while (I != Begin && IsNoopInstruction(I));
John McCalld935e9c2011-06-15 23:37:01 +00001247 if (GetBasicInstructionClass(I) == IC_AutoreleaseRV &&
1248 GetObjCArg(I) == Arg) {
1249 Changed = true;
1250 ++NumPeeps;
Michael Gottesman10426b52013-01-07 21:26:07 +00001251
Michael Gottesman5c32ce92013-01-05 17:55:35 +00001252 DEBUG(dbgs() << "ObjCARCOpt::OptimizeRetainRVCall: Erasing " << *I << "\n"
1253 << " Erasing " << *RetainRV
1254 << "\n");
Michael Gottesman10426b52013-01-07 21:26:07 +00001255
John McCalld935e9c2011-06-15 23:37:01 +00001256 EraseInstruction(I);
1257 EraseInstruction(RetainRV);
1258 return true;
1259 }
1260 }
1261
1262 // Turn it to a plain objc_retain.
1263 Changed = true;
1264 ++NumPeeps;
Michael Gottesman10426b52013-01-07 21:26:07 +00001265
Michael Gottesmandef07bb2013-01-05 17:55:42 +00001266 DEBUG(dbgs() << "ObjCARCOpt::OptimizeRetainRVCall: Transforming "
1267 "objc_retainAutoreleasedReturnValue => "
1268 "objc_retain since the operand is not a return value.\n"
1269 " Old: "
1270 << *RetainRV << "\n");
Michael Gottesman10426b52013-01-07 21:26:07 +00001271
John McCalld935e9c2011-06-15 23:37:01 +00001272 cast<CallInst>(RetainRV)->setCalledFunction(getRetainCallee(F.getParent()));
Michael Gottesmandef07bb2013-01-05 17:55:42 +00001273
1274 DEBUG(dbgs() << " New: "
1275 << *RetainRV << "\n");
1276
John McCalld935e9c2011-06-15 23:37:01 +00001277 return false;
1278}
1279
Michael Gottesman97e3df02013-01-14 00:35:14 +00001280/// Turn objc_autoreleaseReturnValue into objc_autorelease if the result is not
1281/// used as a return value.
John McCalld935e9c2011-06-15 23:37:01 +00001282void
Michael Gottesman556ff612013-01-12 01:25:19 +00001283ObjCARCOpt::OptimizeAutoreleaseRVCall(Function &F, Instruction *AutoreleaseRV,
1284 InstructionClass &Class) {
John McCalld935e9c2011-06-15 23:37:01 +00001285 // Check for a return of the pointer value.
1286 const Value *Ptr = GetObjCArg(AutoreleaseRV);
Dan Gohman10a18d52011-08-12 00:36:31 +00001287 SmallVector<const Value *, 2> Users;
1288 Users.push_back(Ptr);
1289 do {
1290 Ptr = Users.pop_back_val();
1291 for (Value::const_use_iterator UI = Ptr->use_begin(), UE = Ptr->use_end();
1292 UI != UE; ++UI) {
1293 const User *I = *UI;
1294 if (isa<ReturnInst>(I) || GetBasicInstructionClass(I) == IC_RetainRV)
1295 return;
1296 if (isa<BitCastInst>(I))
1297 Users.push_back(I);
1298 }
1299 } while (!Users.empty());
John McCalld935e9c2011-06-15 23:37:01 +00001300
1301 Changed = true;
1302 ++NumPeeps;
Michael Gottesman1bf69082013-01-06 21:07:11 +00001303
1304 DEBUG(dbgs() << "ObjCARCOpt::OptimizeAutoreleaseRVCall: Transforming "
1305 "objc_autoreleaseReturnValue => "
1306 "objc_autorelease since its operand is not used as a return "
1307 "value.\n"
1308 " Old: "
1309 << *AutoreleaseRV << "\n");
1310
Michael Gottesmanc9656fa2013-01-12 01:25:15 +00001311 CallInst *AutoreleaseRVCI = cast<CallInst>(AutoreleaseRV);
1312 AutoreleaseRVCI->
John McCalld935e9c2011-06-15 23:37:01 +00001313 setCalledFunction(getAutoreleaseCallee(F.getParent()));
Michael Gottesmanc9656fa2013-01-12 01:25:15 +00001314 AutoreleaseRVCI->setTailCall(false); // Never tail call objc_autorelease.
Michael Gottesman556ff612013-01-12 01:25:19 +00001315 Class = IC_Autorelease;
Michael Gottesman10426b52013-01-07 21:26:07 +00001316
Michael Gottesman1bf69082013-01-06 21:07:11 +00001317 DEBUG(dbgs() << " New: "
1318 << *AutoreleaseRV << "\n");
Michael Gottesman10426b52013-01-07 21:26:07 +00001319
John McCalld935e9c2011-06-15 23:37:01 +00001320}
1321
Michael Gottesman97e3df02013-01-14 00:35:14 +00001322/// Visit each call, one at a time, and make simplifications without doing any
1323/// additional analysis.
John McCalld935e9c2011-06-15 23:37:01 +00001324void ObjCARCOpt::OptimizeIndividualCalls(Function &F) {
1325 // Reset all the flags in preparation for recomputing them.
1326 UsedInThisFunction = 0;
1327
1328 // Visit all objc_* calls in F.
1329 for (inst_iterator I = inst_begin(&F), E = inst_end(&F); I != E; ) {
1330 Instruction *Inst = &*I++;
Michael Gottesman3f146e22013-01-01 16:05:48 +00001331
John McCalld935e9c2011-06-15 23:37:01 +00001332 InstructionClass Class = GetBasicInstructionClass(Inst);
1333
Michael Gottesmand359e062013-01-18 03:08:39 +00001334 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: Visiting: Class: "
1335 << Class << "; " << *Inst << "\n");
Michael Gottesman782e3442013-01-17 18:32:34 +00001336
John McCalld935e9c2011-06-15 23:37:01 +00001337 switch (Class) {
1338 default: break;
1339
1340 // Delete no-op casts. These function calls have special semantics, but
1341 // the semantics are entirely implemented via lowering in the front-end,
1342 // so by the time they reach the optimizer, they are just no-op calls
1343 // which return their argument.
1344 //
1345 // There are gray areas here, as the ability to cast reference-counted
1346 // pointers to raw void* and back allows code to break ARC assumptions,
1347 // however these are currently considered to be unimportant.
1348 case IC_NoopCast:
1349 Changed = true;
1350 ++NumNoops;
Michael Gottesmandc042f02013-01-06 21:07:15 +00001351 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: Erasing no-op cast:"
1352 " " << *Inst << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00001353 EraseInstruction(Inst);
1354 continue;
1355
1356 // If the pointer-to-weak-pointer is null, it's undefined behavior.
1357 case IC_StoreWeak:
1358 case IC_LoadWeak:
1359 case IC_LoadWeakRetained:
1360 case IC_InitWeak:
1361 case IC_DestroyWeak: {
1362 CallInst *CI = cast<CallInst>(Inst);
Michael Gottesman65c24812013-03-25 09:27:43 +00001363 if (IsNullOrUndef(CI->getArgOperand(0))) {
Dan Gohman670f9372012-04-13 18:57:48 +00001364 Changed = true;
Chris Lattner229907c2011-07-18 04:54:35 +00001365 Type *Ty = CI->getArgOperand(0)->getType();
John McCalld935e9c2011-06-15 23:37:01 +00001366 new StoreInst(UndefValue::get(cast<PointerType>(Ty)->getElementType()),
1367 Constant::getNullValue(Ty),
1368 CI);
Michael Gottesman10426b52013-01-07 21:26:07 +00001369 llvm::Value *NewValue = UndefValue::get(CI->getType());
Michael Gottesmanfec61c02013-01-06 21:54:30 +00001370 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: A null "
1371 "pointer-to-weak-pointer is undefined behavior.\n"
1372 " Old = " << *CI <<
1373 "\n New = " <<
Michael Gottesman10426b52013-01-07 21:26:07 +00001374 *NewValue << "\n");
Michael Gottesmanfec61c02013-01-06 21:54:30 +00001375 CI->replaceAllUsesWith(NewValue);
John McCalld935e9c2011-06-15 23:37:01 +00001376 CI->eraseFromParent();
1377 continue;
1378 }
1379 break;
1380 }
1381 case IC_CopyWeak:
1382 case IC_MoveWeak: {
1383 CallInst *CI = cast<CallInst>(Inst);
Michael Gottesman65c24812013-03-25 09:27:43 +00001384 if (IsNullOrUndef(CI->getArgOperand(0)) ||
1385 IsNullOrUndef(CI->getArgOperand(1))) {
Dan Gohman670f9372012-04-13 18:57:48 +00001386 Changed = true;
Chris Lattner229907c2011-07-18 04:54:35 +00001387 Type *Ty = CI->getArgOperand(0)->getType();
John McCalld935e9c2011-06-15 23:37:01 +00001388 new StoreInst(UndefValue::get(cast<PointerType>(Ty)->getElementType()),
1389 Constant::getNullValue(Ty),
1390 CI);
Michael Gottesmanfec61c02013-01-06 21:54:30 +00001391
1392 llvm::Value *NewValue = UndefValue::get(CI->getType());
1393 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: A null "
1394 "pointer-to-weak-pointer is undefined behavior.\n"
1395 " Old = " << *CI <<
1396 "\n New = " <<
1397 *NewValue << "\n");
Michael Gottesman10426b52013-01-07 21:26:07 +00001398
Michael Gottesmanfec61c02013-01-06 21:54:30 +00001399 CI->replaceAllUsesWith(NewValue);
John McCalld935e9c2011-06-15 23:37:01 +00001400 CI->eraseFromParent();
1401 continue;
1402 }
1403 break;
1404 }
1405 case IC_Retain:
1406 OptimizeRetainCall(F, Inst);
1407 break;
1408 case IC_RetainRV:
1409 if (OptimizeRetainRVCall(F, Inst))
1410 continue;
1411 break;
1412 case IC_AutoreleaseRV:
Michael Gottesman556ff612013-01-12 01:25:19 +00001413 OptimizeAutoreleaseRVCall(F, Inst, Class);
John McCalld935e9c2011-06-15 23:37:01 +00001414 break;
1415 }
1416
1417 // objc_autorelease(x) -> objc_release(x) if x is otherwise unused.
1418 if (IsAutorelease(Class) && Inst->use_empty()) {
1419 CallInst *Call = cast<CallInst>(Inst);
1420 const Value *Arg = Call->getArgOperand(0);
1421 Arg = FindSingleUseIdentifiedObject(Arg);
1422 if (Arg) {
1423 Changed = true;
1424 ++NumAutoreleases;
1425
1426 // Create the declaration lazily.
1427 LLVMContext &C = Inst->getContext();
1428 CallInst *NewCall =
1429 CallInst::Create(getReleaseCallee(F.getParent()),
1430 Call->getArgOperand(0), "", Call);
1431 NewCall->setMetadata(ImpreciseReleaseMDKind,
1432 MDNode::get(C, ArrayRef<Value *>()));
Michael Gottesman10426b52013-01-07 21:26:07 +00001433
Michael Gottesmana6a1dad2013-01-06 22:56:50 +00001434 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: Replacing "
1435 "objc_autorelease(x) with objc_release(x) since x is "
1436 "otherwise unused.\n"
Michael Gottesman4bf6e752013-01-06 22:56:54 +00001437 " Old: " << *Call <<
Michael Gottesmana6a1dad2013-01-06 22:56:50 +00001438 "\n New: " <<
1439 *NewCall << "\n");
Michael Gottesman10426b52013-01-07 21:26:07 +00001440
John McCalld935e9c2011-06-15 23:37:01 +00001441 EraseInstruction(Call);
1442 Inst = NewCall;
1443 Class = IC_Release;
1444 }
1445 }
1446
1447 // For functions which can never be passed stack arguments, add
1448 // a tail keyword.
1449 if (IsAlwaysTail(Class)) {
1450 Changed = true;
Michael Gottesman2d763312013-01-06 23:39:09 +00001451 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: Adding tail keyword"
1452 " to function since it can never be passed stack args: " << *Inst <<
1453 "\n");
John McCalld935e9c2011-06-15 23:37:01 +00001454 cast<CallInst>(Inst)->setTailCall();
1455 }
1456
Michael Gottesmanc9656fa2013-01-12 01:25:15 +00001457 // Ensure that functions that can never have a "tail" keyword due to the
1458 // semantics of ARC truly do not do so.
1459 if (IsNeverTail(Class)) {
1460 Changed = true;
Michael Gottesman4385edf2013-01-14 01:47:53 +00001461 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: Removing tail "
1462 "keyword from function: " << *Inst <<
Michael Gottesmanc9656fa2013-01-12 01:25:15 +00001463 "\n");
1464 cast<CallInst>(Inst)->setTailCall(false);
1465 }
1466
John McCalld935e9c2011-06-15 23:37:01 +00001467 // Set nounwind as needed.
1468 if (IsNoThrow(Class)) {
1469 Changed = true;
Michael Gottesman8800a512013-01-06 23:39:13 +00001470 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: Found no throw"
1471 " class. Setting nounwind on: " << *Inst << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00001472 cast<CallInst>(Inst)->setDoesNotThrow();
1473 }
1474
1475 if (!IsNoopOnNull(Class)) {
1476 UsedInThisFunction |= 1 << Class;
1477 continue;
1478 }
1479
1480 const Value *Arg = GetObjCArg(Inst);
1481
1482 // ARC calls with null are no-ops. Delete them.
Michael Gottesman65c24812013-03-25 09:27:43 +00001483 if (IsNullOrUndef(Arg)) {
John McCalld935e9c2011-06-15 23:37:01 +00001484 Changed = true;
1485 ++NumNoops;
Michael Gottesman5b970e12013-01-07 00:04:52 +00001486 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: ARC calls with "
1487 " null are no-ops. Erasing: " << *Inst << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00001488 EraseInstruction(Inst);
1489 continue;
1490 }
1491
1492 // Keep track of which of retain, release, autorelease, and retain_block
1493 // are actually present in this function.
1494 UsedInThisFunction |= 1 << Class;
1495
1496 // If Arg is a PHI, and one or more incoming values to the
1497 // PHI are null, and the call is control-equivalent to the PHI, and there
1498 // are no relevant side effects between the PHI and the call, the call
1499 // could be pushed up to just those paths with non-null incoming values.
1500 // For now, don't bother splitting critical edges for this.
1501 SmallVector<std::pair<Instruction *, const Value *>, 4> Worklist;
1502 Worklist.push_back(std::make_pair(Inst, Arg));
1503 do {
1504 std::pair<Instruction *, const Value *> Pair = Worklist.pop_back_val();
1505 Inst = Pair.first;
1506 Arg = Pair.second;
1507
1508 const PHINode *PN = dyn_cast<PHINode>(Arg);
1509 if (!PN) continue;
1510
1511 // Determine if the PHI has any null operands, or any incoming
1512 // critical edges.
1513 bool HasNull = false;
1514 bool HasCriticalEdges = false;
1515 for (unsigned i = 0, e = PN->getNumIncomingValues(); i != e; ++i) {
1516 Value *Incoming =
1517 StripPointerCastsAndObjCCalls(PN->getIncomingValue(i));
Michael Gottesman65c24812013-03-25 09:27:43 +00001518 if (IsNullOrUndef(Incoming))
John McCalld935e9c2011-06-15 23:37:01 +00001519 HasNull = true;
1520 else if (cast<TerminatorInst>(PN->getIncomingBlock(i)->back())
1521 .getNumSuccessors() != 1) {
1522 HasCriticalEdges = true;
1523 break;
1524 }
1525 }
1526 // If we have null operands and no critical edges, optimize.
1527 if (!HasCriticalEdges && HasNull) {
1528 SmallPtrSet<Instruction *, 4> DependingInstructions;
1529 SmallPtrSet<const BasicBlock *, 4> Visited;
1530
1531 // Check that there is nothing that cares about the reference
1532 // count between the call and the phi.
Dan Gohman8478d762012-04-13 00:59:57 +00001533 switch (Class) {
1534 case IC_Retain:
1535 case IC_RetainBlock:
1536 // These can always be moved up.
1537 break;
1538 case IC_Release:
Dan Gohman41375a32012-05-08 23:39:44 +00001539 // These can't be moved across things that care about the retain
1540 // count.
Dan Gohman8478d762012-04-13 00:59:57 +00001541 FindDependencies(NeedsPositiveRetainCount, Arg,
1542 Inst->getParent(), Inst,
1543 DependingInstructions, Visited, PA);
1544 break;
1545 case IC_Autorelease:
1546 // These can't be moved across autorelease pool scope boundaries.
1547 FindDependencies(AutoreleasePoolBoundary, Arg,
1548 Inst->getParent(), Inst,
1549 DependingInstructions, Visited, PA);
1550 break;
1551 case IC_RetainRV:
1552 case IC_AutoreleaseRV:
1553 // Don't move these; the RV optimization depends on the autoreleaseRV
1554 // being tail called, and the retainRV being immediately after a call
1555 // (which might still happen if we get lucky with codegen layout, but
1556 // it's not worth taking the chance).
1557 continue;
1558 default:
1559 llvm_unreachable("Invalid dependence flavor");
1560 }
1561
John McCalld935e9c2011-06-15 23:37:01 +00001562 if (DependingInstructions.size() == 1 &&
1563 *DependingInstructions.begin() == PN) {
1564 Changed = true;
1565 ++NumPartialNoops;
1566 // Clone the call into each predecessor that has a non-null value.
1567 CallInst *CInst = cast<CallInst>(Inst);
Chris Lattner229907c2011-07-18 04:54:35 +00001568 Type *ParamTy = CInst->getArgOperand(0)->getType();
John McCalld935e9c2011-06-15 23:37:01 +00001569 for (unsigned i = 0, e = PN->getNumIncomingValues(); i != e; ++i) {
1570 Value *Incoming =
1571 StripPointerCastsAndObjCCalls(PN->getIncomingValue(i));
Michael Gottesman65c24812013-03-25 09:27:43 +00001572 if (!IsNullOrUndef(Incoming)) {
John McCalld935e9c2011-06-15 23:37:01 +00001573 CallInst *Clone = cast<CallInst>(CInst->clone());
1574 Value *Op = PN->getIncomingValue(i);
1575 Instruction *InsertPos = &PN->getIncomingBlock(i)->back();
1576 if (Op->getType() != ParamTy)
1577 Op = new BitCastInst(Op, ParamTy, "", InsertPos);
1578 Clone->setArgOperand(0, Op);
1579 Clone->insertBefore(InsertPos);
Michael Gottesmanc189a392013-01-09 19:23:24 +00001580
1581 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: Cloning "
1582 << *CInst << "\n"
1583 " And inserting "
1584 "clone at " << *InsertPos << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00001585 Worklist.push_back(std::make_pair(Clone, Incoming));
1586 }
1587 }
1588 // Erase the original call.
Michael Gottesmanc189a392013-01-09 19:23:24 +00001589 DEBUG(dbgs() << "Erasing: " << *CInst << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00001590 EraseInstruction(CInst);
1591 continue;
1592 }
1593 }
1594 } while (!Worklist.empty());
1595 }
Michael Gottesmanb24bdef2013-01-12 02:57:16 +00001596 DEBUG(dbgs() << "ObjCARCOpt::OptimizeIndividualCalls: Finished List.\n");
John McCalld935e9c2011-06-15 23:37:01 +00001597}
1598
Michael Gottesman97e3df02013-01-14 00:35:14 +00001599/// Check for critical edges, loop boundaries, irreducible control flow, or
1600/// other CFG structures where moving code across the edge would result in it
1601/// being executed more.
John McCalld935e9c2011-06-15 23:37:01 +00001602void
1603ObjCARCOpt::CheckForCFGHazards(const BasicBlock *BB,
1604 DenseMap<const BasicBlock *, BBState> &BBStates,
1605 BBState &MyStates) const {
1606 // If any top-down local-use or possible-dec has a succ which is earlier in
1607 // the sequence, forget it.
Dan Gohman55b06742012-03-02 01:13:53 +00001608 for (BBState::ptr_iterator I = MyStates.top_down_ptr_begin(),
John McCalld935e9c2011-06-15 23:37:01 +00001609 E = MyStates.top_down_ptr_end(); I != E; ++I)
1610 switch (I->second.GetSeq()) {
1611 default: break;
1612 case S_Use: {
1613 const Value *Arg = I->first;
1614 const TerminatorInst *TI = cast<TerminatorInst>(&BB->back());
1615 bool SomeSuccHasSame = false;
1616 bool AllSuccsHaveSame = true;
Dan Gohman55b06742012-03-02 01:13:53 +00001617 PtrState &S = I->second;
Dan Gohman0155f302012-02-17 18:59:53 +00001618 succ_const_iterator SI(TI), SE(TI, false);
1619
Dan Gohman0155f302012-02-17 18:59:53 +00001620 for (; SI != SE; ++SI) {
Dan Gohman362eb692012-03-02 01:26:46 +00001621 Sequence SuccSSeq = S_None;
1622 bool SuccSRRIKnownSafe = false;
Dan Gohman41375a32012-05-08 23:39:44 +00001623 // If VisitBottomUp has pointer information for this successor, take
1624 // what we know about it.
Dan Gohmandae33492012-04-27 18:56:31 +00001625 DenseMap<const BasicBlock *, BBState>::iterator BBI =
1626 BBStates.find(*SI);
1627 assert(BBI != BBStates.end());
1628 const PtrState &SuccS = BBI->second.getPtrBottomUpState(Arg);
1629 SuccSSeq = SuccS.GetSeq();
1630 SuccSRRIKnownSafe = SuccS.RRI.KnownSafe;
Dan Gohman362eb692012-03-02 01:26:46 +00001631 switch (SuccSSeq) {
John McCalld935e9c2011-06-15 23:37:01 +00001632 case S_None:
Dan Gohman12130272011-08-12 00:26:31 +00001633 case S_CanRelease: {
Dan Gohman362eb692012-03-02 01:26:46 +00001634 if (!S.RRI.KnownSafe && !SuccSRRIKnownSafe) {
Dan Gohman12130272011-08-12 00:26:31 +00001635 S.ClearSequenceProgress();
Dan Gohman362eb692012-03-02 01:26:46 +00001636 break;
1637 }
Dan Gohman12130272011-08-12 00:26:31 +00001638 continue;
1639 }
John McCalld935e9c2011-06-15 23:37:01 +00001640 case S_Use:
1641 SomeSuccHasSame = true;
1642 break;
1643 case S_Stop:
1644 case S_Release:
1645 case S_MovableRelease:
Dan Gohman362eb692012-03-02 01:26:46 +00001646 if (!S.RRI.KnownSafe && !SuccSRRIKnownSafe)
Dan Gohman12130272011-08-12 00:26:31 +00001647 AllSuccsHaveSame = false;
John McCalld935e9c2011-06-15 23:37:01 +00001648 break;
1649 case S_Retain:
1650 llvm_unreachable("bottom-up pointer in retain state!");
1651 }
Dan Gohman12130272011-08-12 00:26:31 +00001652 }
John McCalld935e9c2011-06-15 23:37:01 +00001653 // If the state at the other end of any of the successor edges
1654 // matches the current state, require all edges to match. This
1655 // guards against loops in the middle of a sequence.
1656 if (SomeSuccHasSame && !AllSuccsHaveSame)
Dan Gohman12130272011-08-12 00:26:31 +00001657 S.ClearSequenceProgress();
Dan Gohman044437062011-12-12 18:13:53 +00001658 break;
John McCalld935e9c2011-06-15 23:37:01 +00001659 }
1660 case S_CanRelease: {
1661 const Value *Arg = I->first;
1662 const TerminatorInst *TI = cast<TerminatorInst>(&BB->back());
1663 bool SomeSuccHasSame = false;
1664 bool AllSuccsHaveSame = true;
Dan Gohman55b06742012-03-02 01:13:53 +00001665 PtrState &S = I->second;
Dan Gohman0155f302012-02-17 18:59:53 +00001666 succ_const_iterator SI(TI), SE(TI, false);
1667
Dan Gohman0155f302012-02-17 18:59:53 +00001668 for (; SI != SE; ++SI) {
Dan Gohman362eb692012-03-02 01:26:46 +00001669 Sequence SuccSSeq = S_None;
1670 bool SuccSRRIKnownSafe = false;
Dan Gohman41375a32012-05-08 23:39:44 +00001671 // If VisitBottomUp has pointer information for this successor, take
1672 // what we know about it.
Dan Gohmandae33492012-04-27 18:56:31 +00001673 DenseMap<const BasicBlock *, BBState>::iterator BBI =
1674 BBStates.find(*SI);
1675 assert(BBI != BBStates.end());
1676 const PtrState &SuccS = BBI->second.getPtrBottomUpState(Arg);
1677 SuccSSeq = SuccS.GetSeq();
1678 SuccSRRIKnownSafe = SuccS.RRI.KnownSafe;
Dan Gohman362eb692012-03-02 01:26:46 +00001679 switch (SuccSSeq) {
Dan Gohman12130272011-08-12 00:26:31 +00001680 case S_None: {
Dan Gohman362eb692012-03-02 01:26:46 +00001681 if (!S.RRI.KnownSafe && !SuccSRRIKnownSafe) {
Dan Gohman12130272011-08-12 00:26:31 +00001682 S.ClearSequenceProgress();
Dan Gohman362eb692012-03-02 01:26:46 +00001683 break;
1684 }
Dan Gohman12130272011-08-12 00:26:31 +00001685 continue;
1686 }
John McCalld935e9c2011-06-15 23:37:01 +00001687 case S_CanRelease:
1688 SomeSuccHasSame = true;
1689 break;
1690 case S_Stop:
1691 case S_Release:
1692 case S_MovableRelease:
1693 case S_Use:
Dan Gohman362eb692012-03-02 01:26:46 +00001694 if (!S.RRI.KnownSafe && !SuccSRRIKnownSafe)
Dan Gohman12130272011-08-12 00:26:31 +00001695 AllSuccsHaveSame = false;
John McCalld935e9c2011-06-15 23:37:01 +00001696 break;
1697 case S_Retain:
1698 llvm_unreachable("bottom-up pointer in retain state!");
1699 }
Dan Gohman12130272011-08-12 00:26:31 +00001700 }
John McCalld935e9c2011-06-15 23:37:01 +00001701 // If the state at the other end of any of the successor edges
1702 // matches the current state, require all edges to match. This
1703 // guards against loops in the middle of a sequence.
1704 if (SomeSuccHasSame && !AllSuccsHaveSame)
Dan Gohman12130272011-08-12 00:26:31 +00001705 S.ClearSequenceProgress();
Dan Gohman044437062011-12-12 18:13:53 +00001706 break;
John McCalld935e9c2011-06-15 23:37:01 +00001707 }
1708 }
1709}
1710
1711bool
Dan Gohman817a7c62012-03-22 18:24:56 +00001712ObjCARCOpt::VisitInstructionBottomUp(Instruction *Inst,
Dan Gohman5c70fad2012-03-23 17:47:54 +00001713 BasicBlock *BB,
Dan Gohman817a7c62012-03-22 18:24:56 +00001714 MapVector<Value *, RRInfo> &Retains,
1715 BBState &MyStates) {
1716 bool NestingDetected = false;
1717 InstructionClass Class = GetInstructionClass(Inst);
1718 const Value *Arg = 0;
1719
1720 switch (Class) {
1721 case IC_Release: {
1722 Arg = GetObjCArg(Inst);
1723
1724 PtrState &S = MyStates.getPtrBottomUpState(Arg);
1725
1726 // If we see two releases in a row on the same pointer. If so, make
1727 // a note, and we'll cicle back to revisit it after we've
1728 // hopefully eliminated the second release, which may allow us to
1729 // eliminate the first release too.
1730 // Theoretically we could implement removal of nested retain+release
1731 // pairs by making PtrState hold a stack of states, but this is
1732 // simple and avoids adding overhead for the non-nested case.
Michael Gottesmanaf2113f2013-01-13 07:00:51 +00001733 if (S.GetSeq() == S_Release || S.GetSeq() == S_MovableRelease) {
1734 DEBUG(dbgs() << "ObjCARCOpt::VisitInstructionBottomUp: Found nested "
1735 "releases (i.e. a release pair)\n");
Dan Gohman817a7c62012-03-22 18:24:56 +00001736 NestingDetected = true;
Michael Gottesmanaf2113f2013-01-13 07:00:51 +00001737 }
Dan Gohman817a7c62012-03-22 18:24:56 +00001738
Dan Gohman817a7c62012-03-22 18:24:56 +00001739 MDNode *ReleaseMetadata = Inst->getMetadata(ImpreciseReleaseMDKind);
Michael Gottesman81b1d432013-03-26 00:42:04 +00001740 Sequence NewSeq = ReleaseMetadata ? S_MovableRelease : S_Release;
1741 ANNOTATE_BOTTOMUP(Inst, Arg, S.GetSeq(), NewSeq);
1742 S.ResetSequenceProgress(NewSeq);
Dan Gohman817a7c62012-03-22 18:24:56 +00001743 S.RRI.ReleaseMetadata = ReleaseMetadata;
Michael Gottesman07beea42013-03-23 05:31:01 +00001744 S.RRI.KnownSafe = S.HasKnownPositiveRefCount();
Dan Gohman817a7c62012-03-22 18:24:56 +00001745 S.RRI.IsTailCallRelease = cast<CallInst>(Inst)->isTailCall();
1746 S.RRI.Calls.insert(Inst);
Dan Gohmandf476e52012-09-04 23:16:20 +00001747 S.SetKnownPositiveRefCount();
Dan Gohman817a7c62012-03-22 18:24:56 +00001748 break;
1749 }
1750 case IC_RetainBlock:
1751 // An objc_retainBlock call with just a use may need to be kept,
1752 // because it may be copying a block from the stack to the heap.
1753 if (!IsRetainBlockOptimizable(Inst))
1754 break;
1755 // FALLTHROUGH
1756 case IC_Retain:
1757 case IC_RetainRV: {
1758 Arg = GetObjCArg(Inst);
1759
1760 PtrState &S = MyStates.getPtrBottomUpState(Arg);
Dan Gohman62079b42012-04-25 00:50:46 +00001761 S.SetKnownPositiveRefCount();
Dan Gohman817a7c62012-03-22 18:24:56 +00001762
Michael Gottesman81b1d432013-03-26 00:42:04 +00001763 Sequence OldSeq = S.GetSeq();
1764 switch (OldSeq) {
Dan Gohman817a7c62012-03-22 18:24:56 +00001765 case S_Stop:
1766 case S_Release:
1767 case S_MovableRelease:
1768 case S_Use:
1769 S.RRI.ReverseInsertPts.clear();
1770 // FALL THROUGH
1771 case S_CanRelease:
1772 // Don't do retain+release tracking for IC_RetainRV, because it's
1773 // better to let it remain as the first instruction after a call.
1774 if (Class != IC_RetainRV) {
1775 S.RRI.IsRetainBlock = Class == IC_RetainBlock;
1776 Retains[Inst] = S.RRI;
1777 }
1778 S.ClearSequenceProgress();
1779 break;
1780 case S_None:
1781 break;
1782 case S_Retain:
1783 llvm_unreachable("bottom-up pointer in retain state!");
1784 }
Michael Gottesman81b1d432013-03-26 00:42:04 +00001785 ANNOTATE_BOTTOMUP(Inst, Arg, OldSeq, S.GetSeq());
Dan Gohman817a7c62012-03-22 18:24:56 +00001786 return NestingDetected;
1787 }
1788 case IC_AutoreleasepoolPop:
1789 // Conservatively, clear MyStates for all known pointers.
1790 MyStates.clearBottomUpPointers();
1791 return NestingDetected;
1792 case IC_AutoreleasepoolPush:
1793 case IC_None:
1794 // These are irrelevant.
1795 return NestingDetected;
1796 default:
1797 break;
1798 }
1799
1800 // Consider any other possible effects of this instruction on each
1801 // pointer being tracked.
1802 for (BBState::ptr_iterator MI = MyStates.bottom_up_ptr_begin(),
1803 ME = MyStates.bottom_up_ptr_end(); MI != ME; ++MI) {
1804 const Value *Ptr = MI->first;
1805 if (Ptr == Arg)
1806 continue; // Handled above.
1807 PtrState &S = MI->second;
1808 Sequence Seq = S.GetSeq();
1809
1810 // Check for possible releases.
1811 if (CanAlterRefCount(Inst, Ptr, PA, Class)) {
Michael Gottesman764b1cf2013-03-23 05:46:19 +00001812 S.ClearKnownPositiveRefCount();
Dan Gohman817a7c62012-03-22 18:24:56 +00001813 switch (Seq) {
1814 case S_Use:
1815 S.SetSeq(S_CanRelease);
Michael Gottesman81b1d432013-03-26 00:42:04 +00001816 ANNOTATE_BOTTOMUP(Inst, Ptr, Seq, S.GetSeq());
Dan Gohman817a7c62012-03-22 18:24:56 +00001817 continue;
1818 case S_CanRelease:
1819 case S_Release:
1820 case S_MovableRelease:
1821 case S_Stop:
1822 case S_None:
1823 break;
1824 case S_Retain:
1825 llvm_unreachable("bottom-up pointer in retain state!");
1826 }
1827 }
1828
1829 // Check for possible direct uses.
1830 switch (Seq) {
1831 case S_Release:
1832 case S_MovableRelease:
1833 if (CanUse(Inst, Ptr, PA, Class)) {
1834 assert(S.RRI.ReverseInsertPts.empty());
Dan Gohman5c70fad2012-03-23 17:47:54 +00001835 // If this is an invoke instruction, we're scanning it as part of
1836 // one of its successor blocks, since we can't insert code after it
1837 // in its own block, and we don't want to split critical edges.
1838 if (isa<InvokeInst>(Inst))
1839 S.RRI.ReverseInsertPts.insert(BB->getFirstInsertionPt());
1840 else
Francois Pichet4b9ab742012-03-24 01:36:37 +00001841 S.RRI.ReverseInsertPts.insert(llvm::next(BasicBlock::iterator(Inst)));
Dan Gohman817a7c62012-03-22 18:24:56 +00001842 S.SetSeq(S_Use);
Michael Gottesman81b1d432013-03-26 00:42:04 +00001843 ANNOTATE_BOTTOMUP(Inst, Ptr, Seq, S_Use);
John McCall20182ac2013-03-22 21:38:36 +00001844 } else if (Seq == S_Release && IsUser(Class)) {
Dan Gohman817a7c62012-03-22 18:24:56 +00001845 // Non-movable releases depend on any possible objc pointer use.
1846 S.SetSeq(S_Stop);
Michael Gottesman81b1d432013-03-26 00:42:04 +00001847 ANNOTATE_BOTTOMUP(Inst, Ptr, S_Release, S_Stop);
Dan Gohman817a7c62012-03-22 18:24:56 +00001848 assert(S.RRI.ReverseInsertPts.empty());
Dan Gohman5c70fad2012-03-23 17:47:54 +00001849 // As above; handle invoke specially.
1850 if (isa<InvokeInst>(Inst))
1851 S.RRI.ReverseInsertPts.insert(BB->getFirstInsertionPt());
1852 else
Francois Pichet4b9ab742012-03-24 01:36:37 +00001853 S.RRI.ReverseInsertPts.insert(llvm::next(BasicBlock::iterator(Inst)));
Dan Gohman817a7c62012-03-22 18:24:56 +00001854 }
1855 break;
1856 case S_Stop:
Michael Gottesman81b1d432013-03-26 00:42:04 +00001857 if (CanUse(Inst, Ptr, PA, Class)) {
Dan Gohman817a7c62012-03-22 18:24:56 +00001858 S.SetSeq(S_Use);
Michael Gottesman81b1d432013-03-26 00:42:04 +00001859 ANNOTATE_BOTTOMUP(Inst, Ptr, Seq, S_Use);
1860 }
Dan Gohman817a7c62012-03-22 18:24:56 +00001861 break;
1862 case S_CanRelease:
1863 case S_Use:
1864 case S_None:
1865 break;
1866 case S_Retain:
1867 llvm_unreachable("bottom-up pointer in retain state!");
1868 }
1869 }
1870
1871 return NestingDetected;
1872}
1873
1874bool
John McCalld935e9c2011-06-15 23:37:01 +00001875ObjCARCOpt::VisitBottomUp(BasicBlock *BB,
1876 DenseMap<const BasicBlock *, BBState> &BBStates,
1877 MapVector<Value *, RRInfo> &Retains) {
1878 bool NestingDetected = false;
1879 BBState &MyStates = BBStates[BB];
1880
1881 // Merge the states from each successor to compute the initial state
1882 // for the current block.
Dan Gohman10c82ce2012-08-27 18:31:36 +00001883 BBState::edge_iterator SI(MyStates.succ_begin()),
1884 SE(MyStates.succ_end());
1885 if (SI != SE) {
Dan Gohmanc24c66f2012-04-24 22:53:18 +00001886 const BasicBlock *Succ = *SI;
1887 DenseMap<const BasicBlock *, BBState>::iterator I = BBStates.find(Succ);
1888 assert(I != BBStates.end());
1889 MyStates.InitFromSucc(I->second);
1890 ++SI;
1891 for (; SI != SE; ++SI) {
1892 Succ = *SI;
1893 I = BBStates.find(Succ);
1894 assert(I != BBStates.end());
1895 MyStates.MergeSucc(I->second);
1896 }
Michael Gottesmancd4de0f2013-03-26 00:42:09 +00001897 }
1898
1899#ifdef ARC_ANNOTATIONS
1900 if (EnableARCAnnotations) {
1901 // If ARC Annotations are enabled, output the current state of pointers at the
1902 // bottom of the basic block.
1903 for(BBState::ptr_const_iterator I = MyStates.bottom_up_ptr_begin(),
1904 E = MyStates.bottom_up_ptr_end(); I != E; ++I) {
1905 Value *Ptr = const_cast<Value*>(I->first);
1906 Sequence Seq = I->second.GetSeq();
1907 GenerateARCBBTerminatorAnnotation("llvm.arc.annotation.bottomup.bbend",
1908 BB, Ptr, Seq);
1909 }
Dan Gohman0155f302012-02-17 18:59:53 +00001910 }
Michael Gottesmancd4de0f2013-03-26 00:42:09 +00001911#endif
1912
John McCalld935e9c2011-06-15 23:37:01 +00001913
1914 // Visit all the instructions, bottom-up.
1915 for (BasicBlock::iterator I = BB->end(), E = BB->begin(); I != E; --I) {
1916 Instruction *Inst = llvm::prior(I);
Dan Gohman5c70fad2012-03-23 17:47:54 +00001917
1918 // Invoke instructions are visited as part of their successors (below).
1919 if (isa<InvokeInst>(Inst))
1920 continue;
1921
Michael Gottesmanaf2113f2013-01-13 07:00:51 +00001922 DEBUG(dbgs() << "ObjCARCOpt::VisitButtonUp: Visiting " << *Inst << "\n");
1923
Dan Gohman5c70fad2012-03-23 17:47:54 +00001924 NestingDetected |= VisitInstructionBottomUp(Inst, BB, Retains, MyStates);
1925 }
1926
Dan Gohmandae33492012-04-27 18:56:31 +00001927 // If there's a predecessor with an invoke, visit the invoke as if it were
1928 // part of this block, since we can't insert code after an invoke in its own
1929 // block, and we don't want to split critical edges.
Dan Gohmanc24c66f2012-04-24 22:53:18 +00001930 for (BBState::edge_iterator PI(MyStates.pred_begin()),
1931 PE(MyStates.pred_end()); PI != PE; ++PI) {
Dan Gohman5c70fad2012-03-23 17:47:54 +00001932 BasicBlock *Pred = *PI;
Dan Gohmandae33492012-04-27 18:56:31 +00001933 if (InvokeInst *II = dyn_cast<InvokeInst>(&Pred->back()))
1934 NestingDetected |= VisitInstructionBottomUp(II, BB, Retains, MyStates);
Dan Gohman817a7c62012-03-22 18:24:56 +00001935 }
John McCalld935e9c2011-06-15 23:37:01 +00001936
Michael Gottesmancd4de0f2013-03-26 00:42:09 +00001937#ifdef ARC_ANNOTATIONS
1938 if (EnableARCAnnotations) {
1939 // If ARC Annotations are enabled, output the current state of pointers at the
1940 // top of the basic block.
1941 for(BBState::ptr_const_iterator I = MyStates.bottom_up_ptr_begin(),
1942 E = MyStates.bottom_up_ptr_end(); I != E; ++I) {
1943 Value *Ptr = const_cast<Value*>(I->first);
1944 Sequence Seq = I->second.GetSeq();
1945 GenerateARCBBEntranceAnnotation("llvm.arc.annotation.bottomup.bbstart",
1946 BB, Ptr, Seq);
1947 }
1948 }
1949#endif
1950
Dan Gohman817a7c62012-03-22 18:24:56 +00001951 return NestingDetected;
1952}
John McCalld935e9c2011-06-15 23:37:01 +00001953
Dan Gohman817a7c62012-03-22 18:24:56 +00001954bool
1955ObjCARCOpt::VisitInstructionTopDown(Instruction *Inst,
1956 DenseMap<Value *, RRInfo> &Releases,
1957 BBState &MyStates) {
1958 bool NestingDetected = false;
1959 InstructionClass Class = GetInstructionClass(Inst);
1960 const Value *Arg = 0;
John McCalld935e9c2011-06-15 23:37:01 +00001961
Dan Gohman817a7c62012-03-22 18:24:56 +00001962 switch (Class) {
1963 case IC_RetainBlock:
1964 // An objc_retainBlock call with just a use may need to be kept,
1965 // because it may be copying a block from the stack to the heap.
1966 if (!IsRetainBlockOptimizable(Inst))
1967 break;
1968 // FALLTHROUGH
1969 case IC_Retain:
1970 case IC_RetainRV: {
1971 Arg = GetObjCArg(Inst);
1972
1973 PtrState &S = MyStates.getPtrTopDownState(Arg);
1974
1975 // Don't do retain+release tracking for IC_RetainRV, because it's
1976 // better to let it remain as the first instruction after a call.
1977 if (Class != IC_RetainRV) {
1978 // If we see two retains in a row on the same pointer. If so, make
John McCalld935e9c2011-06-15 23:37:01 +00001979 // a note, and we'll cicle back to revisit it after we've
Dan Gohman817a7c62012-03-22 18:24:56 +00001980 // hopefully eliminated the second retain, which may allow us to
1981 // eliminate the first retain too.
John McCalld935e9c2011-06-15 23:37:01 +00001982 // Theoretically we could implement removal of nested retain+release
1983 // pairs by making PtrState hold a stack of states, but this is
1984 // simple and avoids adding overhead for the non-nested case.
Dan Gohman817a7c62012-03-22 18:24:56 +00001985 if (S.GetSeq() == S_Retain)
John McCalld935e9c2011-06-15 23:37:01 +00001986 NestingDetected = true;
1987
Michael Gottesman81b1d432013-03-26 00:42:04 +00001988 ANNOTATE_TOPDOWN(Inst, Arg, S.GetSeq(), S_Retain);
Dan Gohman62079b42012-04-25 00:50:46 +00001989 S.ResetSequenceProgress(S_Retain);
Dan Gohman817a7c62012-03-22 18:24:56 +00001990 S.RRI.IsRetainBlock = Class == IC_RetainBlock;
Michael Gottesman07beea42013-03-23 05:31:01 +00001991 S.RRI.KnownSafe = S.HasKnownPositiveRefCount();
John McCalld935e9c2011-06-15 23:37:01 +00001992 S.RRI.Calls.insert(Inst);
John McCalld935e9c2011-06-15 23:37:01 +00001993 }
John McCalld935e9c2011-06-15 23:37:01 +00001994
Dan Gohmandf476e52012-09-04 23:16:20 +00001995 S.SetKnownPositiveRefCount();
Dan Gohmanf64ff8e2012-07-23 19:27:31 +00001996
1997 // A retain can be a potential use; procede to the generic checking
1998 // code below.
1999 break;
Dan Gohman817a7c62012-03-22 18:24:56 +00002000 }
2001 case IC_Release: {
2002 Arg = GetObjCArg(Inst);
2003
2004 PtrState &S = MyStates.getPtrTopDownState(Arg);
Michael Gottesman764b1cf2013-03-23 05:46:19 +00002005 S.ClearKnownPositiveRefCount();
Dan Gohman817a7c62012-03-22 18:24:56 +00002006
2007 switch (S.GetSeq()) {
2008 case S_Retain:
2009 case S_CanRelease:
2010 S.RRI.ReverseInsertPts.clear();
2011 // FALL THROUGH
2012 case S_Use:
2013 S.RRI.ReleaseMetadata = Inst->getMetadata(ImpreciseReleaseMDKind);
2014 S.RRI.IsTailCallRelease = cast<CallInst>(Inst)->isTailCall();
2015 Releases[Inst] = S.RRI;
Michael Gottesman81b1d432013-03-26 00:42:04 +00002016 ANNOTATE_TOPDOWN(Inst, Arg, S.GetSeq(), S_None);
Dan Gohman817a7c62012-03-22 18:24:56 +00002017 S.ClearSequenceProgress();
2018 break;
2019 case S_None:
2020 break;
2021 case S_Stop:
2022 case S_Release:
2023 case S_MovableRelease:
2024 llvm_unreachable("top-down pointer in release state!");
2025 }
2026 break;
2027 }
2028 case IC_AutoreleasepoolPop:
2029 // Conservatively, clear MyStates for all known pointers.
2030 MyStates.clearTopDownPointers();
2031 return NestingDetected;
2032 case IC_AutoreleasepoolPush:
2033 case IC_None:
2034 // These are irrelevant.
2035 return NestingDetected;
2036 default:
2037 break;
2038 }
2039
2040 // Consider any other possible effects of this instruction on each
2041 // pointer being tracked.
2042 for (BBState::ptr_iterator MI = MyStates.top_down_ptr_begin(),
2043 ME = MyStates.top_down_ptr_end(); MI != ME; ++MI) {
2044 const Value *Ptr = MI->first;
2045 if (Ptr == Arg)
2046 continue; // Handled above.
2047 PtrState &S = MI->second;
2048 Sequence Seq = S.GetSeq();
2049
2050 // Check for possible releases.
2051 if (CanAlterRefCount(Inst, Ptr, PA, Class)) {
Michael Gottesman764b1cf2013-03-23 05:46:19 +00002052 S.ClearKnownPositiveRefCount();
John McCalld935e9c2011-06-15 23:37:01 +00002053 switch (Seq) {
Dan Gohman817a7c62012-03-22 18:24:56 +00002054 case S_Retain:
2055 S.SetSeq(S_CanRelease);
Michael Gottesman81b1d432013-03-26 00:42:04 +00002056 ANNOTATE_TOPDOWN(Inst, Ptr, Seq, S_CanRelease);
Dan Gohman817a7c62012-03-22 18:24:56 +00002057 assert(S.RRI.ReverseInsertPts.empty());
2058 S.RRI.ReverseInsertPts.insert(Inst);
2059
2060 // One call can't cause a transition from S_Retain to S_CanRelease
2061 // and S_CanRelease to S_Use. If we've made the first transition,
2062 // we're done.
2063 continue;
John McCalld935e9c2011-06-15 23:37:01 +00002064 case S_Use:
Dan Gohman817a7c62012-03-22 18:24:56 +00002065 case S_CanRelease:
John McCalld935e9c2011-06-15 23:37:01 +00002066 case S_None:
2067 break;
Dan Gohman817a7c62012-03-22 18:24:56 +00002068 case S_Stop:
2069 case S_Release:
2070 case S_MovableRelease:
2071 llvm_unreachable("top-down pointer in release state!");
John McCalld935e9c2011-06-15 23:37:01 +00002072 }
2073 }
Dan Gohman817a7c62012-03-22 18:24:56 +00002074
2075 // Check for possible direct uses.
2076 switch (Seq) {
2077 case S_CanRelease:
Michael Gottesman81b1d432013-03-26 00:42:04 +00002078 if (CanUse(Inst, Ptr, PA, Class)) {
Dan Gohman817a7c62012-03-22 18:24:56 +00002079 S.SetSeq(S_Use);
Michael Gottesman81b1d432013-03-26 00:42:04 +00002080 ANNOTATE_TOPDOWN(Inst, Ptr, Seq, S_Use);
2081 }
Dan Gohman817a7c62012-03-22 18:24:56 +00002082 break;
2083 case S_Retain:
2084 case S_Use:
2085 case S_None:
2086 break;
2087 case S_Stop:
2088 case S_Release:
2089 case S_MovableRelease:
2090 llvm_unreachable("top-down pointer in release state!");
2091 }
John McCalld935e9c2011-06-15 23:37:01 +00002092 }
2093
2094 return NestingDetected;
2095}
2096
2097bool
2098ObjCARCOpt::VisitTopDown(BasicBlock *BB,
2099 DenseMap<const BasicBlock *, BBState> &BBStates,
2100 DenseMap<Value *, RRInfo> &Releases) {
2101 bool NestingDetected = false;
2102 BBState &MyStates = BBStates[BB];
2103
2104 // Merge the states from each predecessor to compute the initial state
2105 // for the current block.
Dan Gohman10c82ce2012-08-27 18:31:36 +00002106 BBState::edge_iterator PI(MyStates.pred_begin()),
2107 PE(MyStates.pred_end());
2108 if (PI != PE) {
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002109 const BasicBlock *Pred = *PI;
2110 DenseMap<const BasicBlock *, BBState>::iterator I = BBStates.find(Pred);
2111 assert(I != BBStates.end());
2112 MyStates.InitFromPred(I->second);
2113 ++PI;
2114 for (; PI != PE; ++PI) {
2115 Pred = *PI;
2116 I = BBStates.find(Pred);
2117 assert(I != BBStates.end());
2118 MyStates.MergePred(I->second);
2119 }
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002120 }
John McCalld935e9c2011-06-15 23:37:01 +00002121
Michael Gottesmancd4de0f2013-03-26 00:42:09 +00002122#ifdef ARC_ANNOTATIONS
2123 if (EnableARCAnnotations) {
2124 // If ARC Annotations are enabled, output the current state of pointers at the
2125 // top of the basic block.
2126 for(BBState::ptr_const_iterator I = MyStates.top_down_ptr_begin(),
2127 E = MyStates.top_down_ptr_end(); I != E; ++I) {
2128 Value *Ptr = const_cast<Value*>(I->first);
2129 Sequence Seq = I->second.GetSeq();
2130 GenerateARCBBEntranceAnnotation("llvm.arc.annotation.topdown.bbstart",
2131 BB, Ptr, Seq);
2132 }
2133 }
2134#endif
2135
John McCalld935e9c2011-06-15 23:37:01 +00002136 // Visit all the instructions, top-down.
2137 for (BasicBlock::iterator I = BB->begin(), E = BB->end(); I != E; ++I) {
2138 Instruction *Inst = I;
Michael Gottesmanaf2113f2013-01-13 07:00:51 +00002139
2140 DEBUG(dbgs() << "ObjCARCOpt::VisitTopDown: Visiting " << *Inst << "\n");
2141
Dan Gohman817a7c62012-03-22 18:24:56 +00002142 NestingDetected |= VisitInstructionTopDown(Inst, Releases, MyStates);
John McCalld935e9c2011-06-15 23:37:01 +00002143 }
2144
Michael Gottesmancd4de0f2013-03-26 00:42:09 +00002145#ifdef ARC_ANNOTATIONS
2146 if (EnableARCAnnotations) {
2147 // If ARC Annotations are enabled, output the current state of pointers at the
2148 // bottom of the basic block.
2149 for(BBState::ptr_const_iterator I = MyStates.top_down_ptr_begin(),
2150 E = MyStates.top_down_ptr_end(); I != E; ++I) {
2151 Value *Ptr = const_cast<Value*>(I->first);
2152 Sequence Seq = I->second.GetSeq();
2153 GenerateARCBBTerminatorAnnotation("llvm.arc.annotation.topdown.bbend",
2154 BB, Ptr, Seq);
2155 }
2156 }
2157#endif
2158
John McCalld935e9c2011-06-15 23:37:01 +00002159 CheckForCFGHazards(BB, BBStates, MyStates);
2160 return NestingDetected;
2161}
2162
Dan Gohmana53a12c2011-12-12 19:42:25 +00002163static void
2164ComputePostOrders(Function &F,
2165 SmallVectorImpl<BasicBlock *> &PostOrder,
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002166 SmallVectorImpl<BasicBlock *> &ReverseCFGPostOrder,
2167 unsigned NoObjCARCExceptionsMDKind,
2168 DenseMap<const BasicBlock *, BBState> &BBStates) {
Michael Gottesman97e3df02013-01-14 00:35:14 +00002169 /// The visited set, for doing DFS walks.
Dan Gohmana53a12c2011-12-12 19:42:25 +00002170 SmallPtrSet<BasicBlock *, 16> Visited;
2171
2172 // Do DFS, computing the PostOrder.
2173 SmallPtrSet<BasicBlock *, 16> OnStack;
2174 SmallVector<std::pair<BasicBlock *, succ_iterator>, 16> SuccStack;
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002175
2176 // Functions always have exactly one entry block, and we don't have
2177 // any other block that we treat like an entry block.
Dan Gohmana53a12c2011-12-12 19:42:25 +00002178 BasicBlock *EntryBB = &F.getEntryBlock();
Dan Gohman41375a32012-05-08 23:39:44 +00002179 BBState &MyStates = BBStates[EntryBB];
2180 MyStates.SetAsEntry();
2181 TerminatorInst *EntryTI = cast<TerminatorInst>(&EntryBB->back());
2182 SuccStack.push_back(std::make_pair(EntryBB, succ_iterator(EntryTI)));
Dan Gohmana53a12c2011-12-12 19:42:25 +00002183 Visited.insert(EntryBB);
2184 OnStack.insert(EntryBB);
2185 do {
2186 dfs_next_succ:
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002187 BasicBlock *CurrBB = SuccStack.back().first;
2188 TerminatorInst *TI = cast<TerminatorInst>(&CurrBB->back());
2189 succ_iterator SE(TI, false);
Dan Gohman41375a32012-05-08 23:39:44 +00002190
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002191 while (SuccStack.back().second != SE) {
2192 BasicBlock *SuccBB = *SuccStack.back().second++;
2193 if (Visited.insert(SuccBB)) {
Dan Gohman41375a32012-05-08 23:39:44 +00002194 TerminatorInst *TI = cast<TerminatorInst>(&SuccBB->back());
2195 SuccStack.push_back(std::make_pair(SuccBB, succ_iterator(TI)));
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002196 BBStates[CurrBB].addSucc(SuccBB);
Dan Gohman41375a32012-05-08 23:39:44 +00002197 BBState &SuccStates = BBStates[SuccBB];
2198 SuccStates.addPred(CurrBB);
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002199 OnStack.insert(SuccBB);
Dan Gohmana53a12c2011-12-12 19:42:25 +00002200 goto dfs_next_succ;
2201 }
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002202
2203 if (!OnStack.count(SuccBB)) {
2204 BBStates[CurrBB].addSucc(SuccBB);
2205 BBStates[SuccBB].addPred(CurrBB);
2206 }
Dan Gohmana53a12c2011-12-12 19:42:25 +00002207 }
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002208 OnStack.erase(CurrBB);
2209 PostOrder.push_back(CurrBB);
2210 SuccStack.pop_back();
Dan Gohmana53a12c2011-12-12 19:42:25 +00002211 } while (!SuccStack.empty());
2212
2213 Visited.clear();
2214
Dan Gohmana53a12c2011-12-12 19:42:25 +00002215 // Do reverse-CFG DFS, computing the reverse-CFG PostOrder.
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002216 // Functions may have many exits, and there also blocks which we treat
2217 // as exits due to ignored edges.
2218 SmallVector<std::pair<BasicBlock *, BBState::edge_iterator>, 16> PredStack;
2219 for (Function::iterator I = F.begin(), E = F.end(); I != E; ++I) {
2220 BasicBlock *ExitBB = I;
2221 BBState &MyStates = BBStates[ExitBB];
2222 if (!MyStates.isExit())
2223 continue;
2224
Dan Gohmandae33492012-04-27 18:56:31 +00002225 MyStates.SetAsExit();
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002226
2227 PredStack.push_back(std::make_pair(ExitBB, MyStates.pred_begin()));
Dan Gohmana53a12c2011-12-12 19:42:25 +00002228 Visited.insert(ExitBB);
2229 while (!PredStack.empty()) {
2230 reverse_dfs_next_succ:
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002231 BBState::edge_iterator PE = BBStates[PredStack.back().first].pred_end();
2232 while (PredStack.back().second != PE) {
Dan Gohmana53a12c2011-12-12 19:42:25 +00002233 BasicBlock *BB = *PredStack.back().second++;
Dan Gohmana53a12c2011-12-12 19:42:25 +00002234 if (Visited.insert(BB)) {
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002235 PredStack.push_back(std::make_pair(BB, BBStates[BB].pred_begin()));
Dan Gohmana53a12c2011-12-12 19:42:25 +00002236 goto reverse_dfs_next_succ;
2237 }
2238 }
2239 ReverseCFGPostOrder.push_back(PredStack.pop_back_val().first);
2240 }
2241 }
2242}
2243
Michael Gottesman97e3df02013-01-14 00:35:14 +00002244// Visit the function both top-down and bottom-up.
John McCalld935e9c2011-06-15 23:37:01 +00002245bool
2246ObjCARCOpt::Visit(Function &F,
2247 DenseMap<const BasicBlock *, BBState> &BBStates,
2248 MapVector<Value *, RRInfo> &Retains,
2249 DenseMap<Value *, RRInfo> &Releases) {
Dan Gohmana53a12c2011-12-12 19:42:25 +00002250
2251 // Use reverse-postorder traversals, because we magically know that loops
2252 // will be well behaved, i.e. they won't repeatedly call retain on a single
2253 // pointer without doing a release. We can't use the ReversePostOrderTraversal
2254 // class here because we want the reverse-CFG postorder to consider each
2255 // function exit point, and we want to ignore selected cycle edges.
2256 SmallVector<BasicBlock *, 16> PostOrder;
2257 SmallVector<BasicBlock *, 16> ReverseCFGPostOrder;
Dan Gohmanc24c66f2012-04-24 22:53:18 +00002258 ComputePostOrders(F, PostOrder, ReverseCFGPostOrder,
2259 NoObjCARCExceptionsMDKind,
2260 BBStates);
Dan Gohmana53a12c2011-12-12 19:42:25 +00002261
2262 // Use reverse-postorder on the reverse CFG for bottom-up.
John McCalld935e9c2011-06-15 23:37:01 +00002263 bool BottomUpNestingDetected = false;
Dan Gohmanc57b58c2011-08-18 21:27:42 +00002264 for (SmallVectorImpl<BasicBlock *>::const_reverse_iterator I =
Dan Gohmana53a12c2011-12-12 19:42:25 +00002265 ReverseCFGPostOrder.rbegin(), E = ReverseCFGPostOrder.rend();
2266 I != E; ++I)
2267 BottomUpNestingDetected |= VisitBottomUp(*I, BBStates, Retains);
John McCalld935e9c2011-06-15 23:37:01 +00002268
Dan Gohmana53a12c2011-12-12 19:42:25 +00002269 // Use reverse-postorder for top-down.
John McCalld935e9c2011-06-15 23:37:01 +00002270 bool TopDownNestingDetected = false;
Dan Gohmana53a12c2011-12-12 19:42:25 +00002271 for (SmallVectorImpl<BasicBlock *>::const_reverse_iterator I =
2272 PostOrder.rbegin(), E = PostOrder.rend();
2273 I != E; ++I)
2274 TopDownNestingDetected |= VisitTopDown(*I, BBStates, Releases);
John McCalld935e9c2011-06-15 23:37:01 +00002275
2276 return TopDownNestingDetected && BottomUpNestingDetected;
2277}
2278
Michael Gottesman97e3df02013-01-14 00:35:14 +00002279/// Move the calls in RetainsToMove and ReleasesToMove.
John McCalld935e9c2011-06-15 23:37:01 +00002280void ObjCARCOpt::MoveCalls(Value *Arg,
2281 RRInfo &RetainsToMove,
2282 RRInfo &ReleasesToMove,
2283 MapVector<Value *, RRInfo> &Retains,
2284 DenseMap<Value *, RRInfo> &Releases,
Dan Gohman6320f522011-07-22 22:29:21 +00002285 SmallVectorImpl<Instruction *> &DeadInsts,
2286 Module *M) {
Chris Lattner229907c2011-07-18 04:54:35 +00002287 Type *ArgTy = Arg->getType();
Dan Gohman6320f522011-07-22 22:29:21 +00002288 Type *ParamTy = PointerType::getUnqual(Type::getInt8Ty(ArgTy->getContext()));
John McCalld935e9c2011-06-15 23:37:01 +00002289
2290 // Insert the new retain and release calls.
2291 for (SmallPtrSet<Instruction *, 2>::const_iterator
2292 PI = ReleasesToMove.ReverseInsertPts.begin(),
2293 PE = ReleasesToMove.ReverseInsertPts.end(); PI != PE; ++PI) {
2294 Instruction *InsertPt = *PI;
2295 Value *MyArg = ArgTy == ParamTy ? Arg :
2296 new BitCastInst(Arg, ParamTy, "", InsertPt);
2297 CallInst *Call =
2298 CallInst::Create(RetainsToMove.IsRetainBlock ?
Dan Gohman6320f522011-07-22 22:29:21 +00002299 getRetainBlockCallee(M) : getRetainCallee(M),
John McCalld935e9c2011-06-15 23:37:01 +00002300 MyArg, "", InsertPt);
2301 Call->setDoesNotThrow();
Dan Gohman728db492012-01-13 00:39:07 +00002302 if (RetainsToMove.IsRetainBlock)
Dan Gohmana7107f92011-10-17 22:53:25 +00002303 Call->setMetadata(CopyOnEscapeMDKind,
2304 MDNode::get(M->getContext(), ArrayRef<Value *>()));
Dan Gohman728db492012-01-13 00:39:07 +00002305 else
John McCalld935e9c2011-06-15 23:37:01 +00002306 Call->setTailCall();
Michael Gottesmanc189a392013-01-09 19:23:24 +00002307
2308 DEBUG(dbgs() << "ObjCARCOpt::MoveCalls: Inserting new Release: " << *Call
2309 << "\n"
2310 " At insertion point: " << *InsertPt
2311 << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00002312 }
2313 for (SmallPtrSet<Instruction *, 2>::const_iterator
2314 PI = RetainsToMove.ReverseInsertPts.begin(),
2315 PE = RetainsToMove.ReverseInsertPts.end(); PI != PE; ++PI) {
Dan Gohman5c70fad2012-03-23 17:47:54 +00002316 Instruction *InsertPt = *PI;
2317 Value *MyArg = ArgTy == ParamTy ? Arg :
2318 new BitCastInst(Arg, ParamTy, "", InsertPt);
2319 CallInst *Call = CallInst::Create(getReleaseCallee(M), MyArg,
2320 "", InsertPt);
2321 // Attach a clang.imprecise_release metadata tag, if appropriate.
2322 if (MDNode *M = ReleasesToMove.ReleaseMetadata)
2323 Call->setMetadata(ImpreciseReleaseMDKind, M);
2324 Call->setDoesNotThrow();
2325 if (ReleasesToMove.IsTailCallRelease)
2326 Call->setTailCall();
Michael Gottesmanc189a392013-01-09 19:23:24 +00002327
2328 DEBUG(dbgs() << "ObjCARCOpt::MoveCalls: Inserting new Retain: " << *Call
2329 << "\n"
2330 " At insertion point: " << *InsertPt
2331 << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00002332 }
2333
2334 // Delete the original retain and release calls.
2335 for (SmallPtrSet<Instruction *, 2>::const_iterator
2336 AI = RetainsToMove.Calls.begin(),
2337 AE = RetainsToMove.Calls.end(); AI != AE; ++AI) {
2338 Instruction *OrigRetain = *AI;
2339 Retains.blot(OrigRetain);
2340 DeadInsts.push_back(OrigRetain);
Michael Gottesmanc189a392013-01-09 19:23:24 +00002341 DEBUG(dbgs() << "ObjCARCOpt::MoveCalls: Deleting retain: " << *OrigRetain <<
2342 "\n");
John McCalld935e9c2011-06-15 23:37:01 +00002343 }
2344 for (SmallPtrSet<Instruction *, 2>::const_iterator
2345 AI = ReleasesToMove.Calls.begin(),
2346 AE = ReleasesToMove.Calls.end(); AI != AE; ++AI) {
2347 Instruction *OrigRelease = *AI;
2348 Releases.erase(OrigRelease);
2349 DeadInsts.push_back(OrigRelease);
Michael Gottesmanc189a392013-01-09 19:23:24 +00002350 DEBUG(dbgs() << "ObjCARCOpt::MoveCalls: Deleting release: " << *OrigRelease
2351 << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00002352 }
2353}
2354
Michael Gottesman9de6f962013-01-22 21:49:00 +00002355bool
2356ObjCARCOpt::ConnectTDBUTraversals(DenseMap<const BasicBlock *, BBState>
2357 &BBStates,
2358 MapVector<Value *, RRInfo> &Retains,
2359 DenseMap<Value *, RRInfo> &Releases,
2360 Module *M,
2361 SmallVector<Instruction *, 4> &NewRetains,
2362 SmallVector<Instruction *, 4> &NewReleases,
2363 SmallVector<Instruction *, 8> &DeadInsts,
2364 RRInfo &RetainsToMove,
2365 RRInfo &ReleasesToMove,
2366 Value *Arg,
2367 bool KnownSafe,
2368 bool &AnyPairsCompletelyEliminated) {
2369 // If a pair happens in a region where it is known that the reference count
2370 // is already incremented, we can similarly ignore possible decrements.
2371 bool KnownSafeTD = true, KnownSafeBU = true;
2372
2373 // Connect the dots between the top-down-collected RetainsToMove and
2374 // bottom-up-collected ReleasesToMove to form sets of related calls.
2375 // This is an iterative process so that we connect multiple releases
2376 // to multiple retains if needed.
2377 unsigned OldDelta = 0;
2378 unsigned NewDelta = 0;
2379 unsigned OldCount = 0;
2380 unsigned NewCount = 0;
2381 bool FirstRelease = true;
2382 bool FirstRetain = true;
2383 for (;;) {
2384 for (SmallVectorImpl<Instruction *>::const_iterator
2385 NI = NewRetains.begin(), NE = NewRetains.end(); NI != NE; ++NI) {
2386 Instruction *NewRetain = *NI;
2387 MapVector<Value *, RRInfo>::const_iterator It = Retains.find(NewRetain);
2388 assert(It != Retains.end());
2389 const RRInfo &NewRetainRRI = It->second;
2390 KnownSafeTD &= NewRetainRRI.KnownSafe;
2391 for (SmallPtrSet<Instruction *, 2>::const_iterator
2392 LI = NewRetainRRI.Calls.begin(),
2393 LE = NewRetainRRI.Calls.end(); LI != LE; ++LI) {
2394 Instruction *NewRetainRelease = *LI;
2395 DenseMap<Value *, RRInfo>::const_iterator Jt =
2396 Releases.find(NewRetainRelease);
2397 if (Jt == Releases.end())
2398 return false;
2399 const RRInfo &NewRetainReleaseRRI = Jt->second;
2400 assert(NewRetainReleaseRRI.Calls.count(NewRetain));
2401 if (ReleasesToMove.Calls.insert(NewRetainRelease)) {
2402 OldDelta -=
2403 BBStates[NewRetainRelease->getParent()].GetAllPathCount();
2404
2405 // Merge the ReleaseMetadata and IsTailCallRelease values.
2406 if (FirstRelease) {
2407 ReleasesToMove.ReleaseMetadata =
2408 NewRetainReleaseRRI.ReleaseMetadata;
2409 ReleasesToMove.IsTailCallRelease =
2410 NewRetainReleaseRRI.IsTailCallRelease;
2411 FirstRelease = false;
2412 } else {
2413 if (ReleasesToMove.ReleaseMetadata !=
2414 NewRetainReleaseRRI.ReleaseMetadata)
2415 ReleasesToMove.ReleaseMetadata = 0;
2416 if (ReleasesToMove.IsTailCallRelease !=
2417 NewRetainReleaseRRI.IsTailCallRelease)
2418 ReleasesToMove.IsTailCallRelease = false;
2419 }
2420
2421 // Collect the optimal insertion points.
2422 if (!KnownSafe)
2423 for (SmallPtrSet<Instruction *, 2>::const_iterator
2424 RI = NewRetainReleaseRRI.ReverseInsertPts.begin(),
2425 RE = NewRetainReleaseRRI.ReverseInsertPts.end();
2426 RI != RE; ++RI) {
2427 Instruction *RIP = *RI;
2428 if (ReleasesToMove.ReverseInsertPts.insert(RIP))
2429 NewDelta -= BBStates[RIP->getParent()].GetAllPathCount();
2430 }
2431 NewReleases.push_back(NewRetainRelease);
2432 }
2433 }
2434 }
2435 NewRetains.clear();
2436 if (NewReleases.empty()) break;
2437
2438 // Back the other way.
2439 for (SmallVectorImpl<Instruction *>::const_iterator
2440 NI = NewReleases.begin(), NE = NewReleases.end(); NI != NE; ++NI) {
2441 Instruction *NewRelease = *NI;
2442 DenseMap<Value *, RRInfo>::const_iterator It =
2443 Releases.find(NewRelease);
2444 assert(It != Releases.end());
2445 const RRInfo &NewReleaseRRI = It->second;
2446 KnownSafeBU &= NewReleaseRRI.KnownSafe;
2447 for (SmallPtrSet<Instruction *, 2>::const_iterator
2448 LI = NewReleaseRRI.Calls.begin(),
2449 LE = NewReleaseRRI.Calls.end(); LI != LE; ++LI) {
2450 Instruction *NewReleaseRetain = *LI;
2451 MapVector<Value *, RRInfo>::const_iterator Jt =
2452 Retains.find(NewReleaseRetain);
2453 if (Jt == Retains.end())
2454 return false;
2455 const RRInfo &NewReleaseRetainRRI = Jt->second;
2456 assert(NewReleaseRetainRRI.Calls.count(NewRelease));
2457 if (RetainsToMove.Calls.insert(NewReleaseRetain)) {
2458 unsigned PathCount =
2459 BBStates[NewReleaseRetain->getParent()].GetAllPathCount();
2460 OldDelta += PathCount;
2461 OldCount += PathCount;
2462
2463 // Merge the IsRetainBlock values.
2464 if (FirstRetain) {
2465 RetainsToMove.IsRetainBlock = NewReleaseRetainRRI.IsRetainBlock;
2466 FirstRetain = false;
2467 } else if (ReleasesToMove.IsRetainBlock !=
2468 NewReleaseRetainRRI.IsRetainBlock)
2469 // It's not possible to merge the sequences if one uses
2470 // objc_retain and the other uses objc_retainBlock.
2471 return false;
2472
2473 // Collect the optimal insertion points.
2474 if (!KnownSafe)
2475 for (SmallPtrSet<Instruction *, 2>::const_iterator
2476 RI = NewReleaseRetainRRI.ReverseInsertPts.begin(),
2477 RE = NewReleaseRetainRRI.ReverseInsertPts.end();
2478 RI != RE; ++RI) {
2479 Instruction *RIP = *RI;
2480 if (RetainsToMove.ReverseInsertPts.insert(RIP)) {
2481 PathCount = BBStates[RIP->getParent()].GetAllPathCount();
2482 NewDelta += PathCount;
2483 NewCount += PathCount;
2484 }
2485 }
2486 NewRetains.push_back(NewReleaseRetain);
2487 }
2488 }
2489 }
2490 NewReleases.clear();
2491 if (NewRetains.empty()) break;
2492 }
2493
2494 // If the pointer is known incremented or nested, we can safely delete the
2495 // pair regardless of what's between them.
2496 if (KnownSafeTD || KnownSafeBU) {
2497 RetainsToMove.ReverseInsertPts.clear();
2498 ReleasesToMove.ReverseInsertPts.clear();
2499 NewCount = 0;
2500 } else {
2501 // Determine whether the new insertion points we computed preserve the
2502 // balance of retain and release calls through the program.
2503 // TODO: If the fully aggressive solution isn't valid, try to find a
2504 // less aggressive solution which is.
2505 if (NewDelta != 0)
2506 return false;
2507 }
2508
2509 // Determine whether the original call points are balanced in the retain and
2510 // release calls through the program. If not, conservatively don't touch
2511 // them.
2512 // TODO: It's theoretically possible to do code motion in this case, as
2513 // long as the existing imbalances are maintained.
2514 if (OldDelta != 0)
2515 return false;
2516
2517 Changed = true;
2518 assert(OldCount != 0 && "Unreachable code?");
2519 NumRRs += OldCount - NewCount;
Michael Gottesman9de6f962013-01-22 21:49:00 +00002520 // Set to true if we completely removed any RR pairs.
Michael Gottesman8b5515f2013-01-22 21:53:43 +00002521 AnyPairsCompletelyEliminated = NewCount == 0;
Michael Gottesman9de6f962013-01-22 21:49:00 +00002522
2523 // We can move calls!
2524 return true;
2525}
2526
Michael Gottesman97e3df02013-01-14 00:35:14 +00002527/// Identify pairings between the retains and releases, and delete and/or move
2528/// them.
John McCalld935e9c2011-06-15 23:37:01 +00002529bool
2530ObjCARCOpt::PerformCodePlacement(DenseMap<const BasicBlock *, BBState>
2531 &BBStates,
2532 MapVector<Value *, RRInfo> &Retains,
Dan Gohman6320f522011-07-22 22:29:21 +00002533 DenseMap<Value *, RRInfo> &Releases,
2534 Module *M) {
John McCalld935e9c2011-06-15 23:37:01 +00002535 bool AnyPairsCompletelyEliminated = false;
2536 RRInfo RetainsToMove;
2537 RRInfo ReleasesToMove;
2538 SmallVector<Instruction *, 4> NewRetains;
2539 SmallVector<Instruction *, 4> NewReleases;
2540 SmallVector<Instruction *, 8> DeadInsts;
2541
Dan Gohman670f9372012-04-13 18:57:48 +00002542 // Visit each retain.
John McCalld935e9c2011-06-15 23:37:01 +00002543 for (MapVector<Value *, RRInfo>::const_iterator I = Retains.begin(),
Dan Gohman2053a5d2011-09-29 22:25:23 +00002544 E = Retains.end(); I != E; ++I) {
2545 Value *V = I->first;
John McCalld935e9c2011-06-15 23:37:01 +00002546 if (!V) continue; // blotted
2547
2548 Instruction *Retain = cast<Instruction>(V);
Michael Gottesmanc189a392013-01-09 19:23:24 +00002549
2550 DEBUG(dbgs() << "ObjCARCOpt::PerformCodePlacement: Visiting: " << *Retain
2551 << "\n");
2552
John McCalld935e9c2011-06-15 23:37:01 +00002553 Value *Arg = GetObjCArg(Retain);
2554
Dan Gohman728db492012-01-13 00:39:07 +00002555 // If the object being released is in static or stack storage, we know it's
John McCalld935e9c2011-06-15 23:37:01 +00002556 // not being managed by ObjC reference counting, so we can delete pairs
2557 // regardless of what possible decrements or uses lie between them.
Dan Gohman728db492012-01-13 00:39:07 +00002558 bool KnownSafe = isa<Constant>(Arg) || isa<AllocaInst>(Arg);
Dan Gohman41375a32012-05-08 23:39:44 +00002559
Dan Gohman56e1cef2011-08-22 17:29:11 +00002560 // A constant pointer can't be pointing to an object on the heap. It may
2561 // be reference-counted, but it won't be deleted.
2562 if (const LoadInst *LI = dyn_cast<LoadInst>(Arg))
2563 if (const GlobalVariable *GV =
2564 dyn_cast<GlobalVariable>(
2565 StripPointerCastsAndObjCCalls(LI->getPointerOperand())))
2566 if (GV->isConstant())
2567 KnownSafe = true;
2568
John McCalld935e9c2011-06-15 23:37:01 +00002569 // Connect the dots between the top-down-collected RetainsToMove and
2570 // bottom-up-collected ReleasesToMove to form sets of related calls.
John McCalld935e9c2011-06-15 23:37:01 +00002571 NewRetains.push_back(Retain);
Michael Gottesman9de6f962013-01-22 21:49:00 +00002572 bool PerformMoveCalls =
2573 ConnectTDBUTraversals(BBStates, Retains, Releases, M, NewRetains,
2574 NewReleases, DeadInsts, RetainsToMove,
2575 ReleasesToMove, Arg, KnownSafe,
2576 AnyPairsCompletelyEliminated);
John McCalld935e9c2011-06-15 23:37:01 +00002577
Michael Gottesman81b1d432013-03-26 00:42:04 +00002578#ifdef ARC_ANNOTATIONS
2579 // Do not move calls if ARC annotations are requested. If we were to move
2580 // calls in this case, we would not be able
2581 PerformMoveCalls = PerformMoveCalls && !EnableARCAnnotations;
2582#endif // ARC_ANNOTATIONS
2583
Michael Gottesman9de6f962013-01-22 21:49:00 +00002584 if (PerformMoveCalls) {
2585 // Ok, everything checks out and we're all set. Let's move/delete some
2586 // code!
2587 MoveCalls(Arg, RetainsToMove, ReleasesToMove,
2588 Retains, Releases, DeadInsts, M);
John McCalld935e9c2011-06-15 23:37:01 +00002589 }
2590
Michael Gottesman9de6f962013-01-22 21:49:00 +00002591 // Clean up state for next retain.
John McCalld935e9c2011-06-15 23:37:01 +00002592 NewReleases.clear();
2593 NewRetains.clear();
2594 RetainsToMove.clear();
2595 ReleasesToMove.clear();
2596 }
2597
2598 // Now that we're done moving everything, we can delete the newly dead
2599 // instructions, as we no longer need them as insert points.
2600 while (!DeadInsts.empty())
2601 EraseInstruction(DeadInsts.pop_back_val());
2602
2603 return AnyPairsCompletelyEliminated;
2604}
2605
Michael Gottesman97e3df02013-01-14 00:35:14 +00002606/// Weak pointer optimizations.
John McCalld935e9c2011-06-15 23:37:01 +00002607void ObjCARCOpt::OptimizeWeakCalls(Function &F) {
2608 // First, do memdep-style RLE and S2L optimizations. We can't use memdep
2609 // itself because it uses AliasAnalysis and we need to do provenance
2610 // queries instead.
2611 for (inst_iterator I = inst_begin(&F), E = inst_end(&F); I != E; ) {
2612 Instruction *Inst = &*I++;
Michael Gottesman3f146e22013-01-01 16:05:48 +00002613
Michael Gottesman9f848ae2013-01-04 21:29:57 +00002614 DEBUG(dbgs() << "ObjCARCOpt::OptimizeWeakCalls: Visiting: " << *Inst <<
Michael Gottesman3f146e22013-01-01 16:05:48 +00002615 "\n");
2616
John McCalld935e9c2011-06-15 23:37:01 +00002617 InstructionClass Class = GetBasicInstructionClass(Inst);
2618 if (Class != IC_LoadWeak && Class != IC_LoadWeakRetained)
2619 continue;
2620
2621 // Delete objc_loadWeak calls with no users.
2622 if (Class == IC_LoadWeak && Inst->use_empty()) {
2623 Inst->eraseFromParent();
2624 continue;
2625 }
2626
2627 // TODO: For now, just look for an earlier available version of this value
2628 // within the same block. Theoretically, we could do memdep-style non-local
2629 // analysis too, but that would want caching. A better approach would be to
2630 // use the technique that EarlyCSE uses.
2631 inst_iterator Current = llvm::prior(I);
2632 BasicBlock *CurrentBB = Current.getBasicBlockIterator();
2633 for (BasicBlock::iterator B = CurrentBB->begin(),
2634 J = Current.getInstructionIterator();
2635 J != B; --J) {
2636 Instruction *EarlierInst = &*llvm::prior(J);
2637 InstructionClass EarlierClass = GetInstructionClass(EarlierInst);
2638 switch (EarlierClass) {
2639 case IC_LoadWeak:
2640 case IC_LoadWeakRetained: {
2641 // If this is loading from the same pointer, replace this load's value
2642 // with that one.
2643 CallInst *Call = cast<CallInst>(Inst);
2644 CallInst *EarlierCall = cast<CallInst>(EarlierInst);
2645 Value *Arg = Call->getArgOperand(0);
2646 Value *EarlierArg = EarlierCall->getArgOperand(0);
2647 switch (PA.getAA()->alias(Arg, EarlierArg)) {
2648 case AliasAnalysis::MustAlias:
2649 Changed = true;
2650 // If the load has a builtin retain, insert a plain retain for it.
2651 if (Class == IC_LoadWeakRetained) {
2652 CallInst *CI =
2653 CallInst::Create(getRetainCallee(F.getParent()), EarlierCall,
2654 "", Call);
2655 CI->setTailCall();
2656 }
2657 // Zap the fully redundant load.
2658 Call->replaceAllUsesWith(EarlierCall);
2659 Call->eraseFromParent();
2660 goto clobbered;
2661 case AliasAnalysis::MayAlias:
2662 case AliasAnalysis::PartialAlias:
2663 goto clobbered;
2664 case AliasAnalysis::NoAlias:
2665 break;
2666 }
2667 break;
2668 }
2669 case IC_StoreWeak:
2670 case IC_InitWeak: {
2671 // If this is storing to the same pointer and has the same size etc.
2672 // replace this load's value with the stored value.
2673 CallInst *Call = cast<CallInst>(Inst);
2674 CallInst *EarlierCall = cast<CallInst>(EarlierInst);
2675 Value *Arg = Call->getArgOperand(0);
2676 Value *EarlierArg = EarlierCall->getArgOperand(0);
2677 switch (PA.getAA()->alias(Arg, EarlierArg)) {
2678 case AliasAnalysis::MustAlias:
2679 Changed = true;
2680 // If the load has a builtin retain, insert a plain retain for it.
2681 if (Class == IC_LoadWeakRetained) {
2682 CallInst *CI =
2683 CallInst::Create(getRetainCallee(F.getParent()), EarlierCall,
2684 "", Call);
2685 CI->setTailCall();
2686 }
2687 // Zap the fully redundant load.
2688 Call->replaceAllUsesWith(EarlierCall->getArgOperand(1));
2689 Call->eraseFromParent();
2690 goto clobbered;
2691 case AliasAnalysis::MayAlias:
2692 case AliasAnalysis::PartialAlias:
2693 goto clobbered;
2694 case AliasAnalysis::NoAlias:
2695 break;
2696 }
2697 break;
2698 }
2699 case IC_MoveWeak:
2700 case IC_CopyWeak:
2701 // TOOD: Grab the copied value.
2702 goto clobbered;
2703 case IC_AutoreleasepoolPush:
2704 case IC_None:
John McCall20182ac2013-03-22 21:38:36 +00002705 case IC_IntrinsicUser:
John McCalld935e9c2011-06-15 23:37:01 +00002706 case IC_User:
2707 // Weak pointers are only modified through the weak entry points
2708 // (and arbitrary calls, which could call the weak entry points).
2709 break;
2710 default:
2711 // Anything else could modify the weak pointer.
2712 goto clobbered;
2713 }
2714 }
2715 clobbered:;
2716 }
2717
2718 // Then, for each destroyWeak with an alloca operand, check to see if
2719 // the alloca and all its users can be zapped.
2720 for (inst_iterator I = inst_begin(&F), E = inst_end(&F); I != E; ) {
2721 Instruction *Inst = &*I++;
2722 InstructionClass Class = GetBasicInstructionClass(Inst);
2723 if (Class != IC_DestroyWeak)
2724 continue;
2725
2726 CallInst *Call = cast<CallInst>(Inst);
2727 Value *Arg = Call->getArgOperand(0);
2728 if (AllocaInst *Alloca = dyn_cast<AllocaInst>(Arg)) {
2729 for (Value::use_iterator UI = Alloca->use_begin(),
2730 UE = Alloca->use_end(); UI != UE; ++UI) {
Dan Gohmandae33492012-04-27 18:56:31 +00002731 const Instruction *UserInst = cast<Instruction>(*UI);
John McCalld935e9c2011-06-15 23:37:01 +00002732 switch (GetBasicInstructionClass(UserInst)) {
2733 case IC_InitWeak:
2734 case IC_StoreWeak:
2735 case IC_DestroyWeak:
2736 continue;
2737 default:
2738 goto done;
2739 }
2740 }
2741 Changed = true;
2742 for (Value::use_iterator UI = Alloca->use_begin(),
2743 UE = Alloca->use_end(); UI != UE; ) {
2744 CallInst *UserInst = cast<CallInst>(*UI++);
Dan Gohman14862c32012-05-18 22:17:29 +00002745 switch (GetBasicInstructionClass(UserInst)) {
2746 case IC_InitWeak:
2747 case IC_StoreWeak:
2748 // These functions return their second argument.
2749 UserInst->replaceAllUsesWith(UserInst->getArgOperand(1));
2750 break;
2751 case IC_DestroyWeak:
2752 // No return value.
2753 break;
2754 default:
Dan Gohman9c97eea02012-05-21 17:41:28 +00002755 llvm_unreachable("alloca really is used!");
Dan Gohman14862c32012-05-18 22:17:29 +00002756 }
John McCalld935e9c2011-06-15 23:37:01 +00002757 UserInst->eraseFromParent();
2758 }
2759 Alloca->eraseFromParent();
2760 done:;
2761 }
2762 }
Michael Gottesman10426b52013-01-07 21:26:07 +00002763
Michael Gottesman9f848ae2013-01-04 21:29:57 +00002764 DEBUG(dbgs() << "ObjCARCOpt::OptimizeWeakCalls: Finished List.\n\n");
Michael Gottesman10426b52013-01-07 21:26:07 +00002765
John McCalld935e9c2011-06-15 23:37:01 +00002766}
2767
Michael Gottesman97e3df02013-01-14 00:35:14 +00002768/// Identify program paths which execute sequences of retains and releases which
2769/// can be eliminated.
John McCalld935e9c2011-06-15 23:37:01 +00002770bool ObjCARCOpt::OptimizeSequences(Function &F) {
2771 /// Releases, Retains - These are used to store the results of the main flow
2772 /// analysis. These use Value* as the key instead of Instruction* so that the
2773 /// map stays valid when we get around to rewriting code and calls get
2774 /// replaced by arguments.
2775 DenseMap<Value *, RRInfo> Releases;
2776 MapVector<Value *, RRInfo> Retains;
2777
Michael Gottesman97e3df02013-01-14 00:35:14 +00002778 /// This is used during the traversal of the function to track the
John McCalld935e9c2011-06-15 23:37:01 +00002779 /// states for each identified object at each block.
2780 DenseMap<const BasicBlock *, BBState> BBStates;
2781
2782 // Analyze the CFG of the function, and all instructions.
2783 bool NestingDetected = Visit(F, BBStates, Retains, Releases);
2784
2785 // Transform.
Dan Gohman6320f522011-07-22 22:29:21 +00002786 return PerformCodePlacement(BBStates, Retains, Releases, F.getParent()) &&
2787 NestingDetected;
John McCalld935e9c2011-06-15 23:37:01 +00002788}
2789
Michael Gottesman97e3df02013-01-14 00:35:14 +00002790/// Look for this pattern:
Dmitri Gribenko5485acd2012-09-14 14:57:36 +00002791/// \code
John McCalld935e9c2011-06-15 23:37:01 +00002792/// %call = call i8* @something(...)
2793/// %2 = call i8* @objc_retain(i8* %call)
2794/// %3 = call i8* @objc_autorelease(i8* %2)
2795/// ret i8* %3
Dmitri Gribenko5485acd2012-09-14 14:57:36 +00002796/// \endcode
John McCalld935e9c2011-06-15 23:37:01 +00002797/// And delete the retain and autorelease.
2798///
2799/// Otherwise if it's just this:
Dmitri Gribenko5485acd2012-09-14 14:57:36 +00002800/// \code
John McCalld935e9c2011-06-15 23:37:01 +00002801/// %3 = call i8* @objc_autorelease(i8* %2)
2802/// ret i8* %3
Dmitri Gribenko5485acd2012-09-14 14:57:36 +00002803/// \endcode
John McCalld935e9c2011-06-15 23:37:01 +00002804/// convert the autorelease to autoreleaseRV.
2805void ObjCARCOpt::OptimizeReturns(Function &F) {
2806 if (!F.getReturnType()->isPointerTy())
2807 return;
2808
2809 SmallPtrSet<Instruction *, 4> DependingInstructions;
2810 SmallPtrSet<const BasicBlock *, 4> Visited;
2811 for (Function::iterator FI = F.begin(), FE = F.end(); FI != FE; ++FI) {
2812 BasicBlock *BB = FI;
2813 ReturnInst *Ret = dyn_cast<ReturnInst>(&BB->back());
Michael Gottesman3f146e22013-01-01 16:05:48 +00002814
Michael Gottesman9f848ae2013-01-04 21:29:57 +00002815 DEBUG(dbgs() << "ObjCARCOpt::OptimizeReturns: Visiting: " << *Ret << "\n");
Michael Gottesman3f146e22013-01-01 16:05:48 +00002816
John McCalld935e9c2011-06-15 23:37:01 +00002817 if (!Ret) continue;
2818
2819 const Value *Arg = StripPointerCastsAndObjCCalls(Ret->getOperand(0));
2820 FindDependencies(NeedsPositiveRetainCount, Arg,
2821 BB, Ret, DependingInstructions, Visited, PA);
2822 if (DependingInstructions.size() != 1)
2823 goto next_block;
2824
2825 {
2826 CallInst *Autorelease =
2827 dyn_cast_or_null<CallInst>(*DependingInstructions.begin());
2828 if (!Autorelease)
2829 goto next_block;
Dan Gohman41375a32012-05-08 23:39:44 +00002830 InstructionClass AutoreleaseClass = GetBasicInstructionClass(Autorelease);
John McCalld935e9c2011-06-15 23:37:01 +00002831 if (!IsAutorelease(AutoreleaseClass))
2832 goto next_block;
2833 if (GetObjCArg(Autorelease) != Arg)
2834 goto next_block;
2835
2836 DependingInstructions.clear();
2837 Visited.clear();
2838
2839 // Check that there is nothing that can affect the reference
2840 // count between the autorelease and the retain.
2841 FindDependencies(CanChangeRetainCount, Arg,
2842 BB, Autorelease, DependingInstructions, Visited, PA);
2843 if (DependingInstructions.size() != 1)
2844 goto next_block;
2845
2846 {
2847 CallInst *Retain =
2848 dyn_cast_or_null<CallInst>(*DependingInstructions.begin());
2849
2850 // Check that we found a retain with the same argument.
2851 if (!Retain ||
2852 !IsRetain(GetBasicInstructionClass(Retain)) ||
2853 GetObjCArg(Retain) != Arg)
2854 goto next_block;
2855
2856 DependingInstructions.clear();
2857 Visited.clear();
2858
2859 // Convert the autorelease to an autoreleaseRV, since it's
2860 // returning the value.
2861 if (AutoreleaseClass == IC_Autorelease) {
Michael Gottesmana6cb0182013-01-10 02:03:50 +00002862 DEBUG(dbgs() << "ObjCARCOpt::OptimizeReturns: Converting autorelease "
2863 "=> autoreleaseRV since it's returning a value.\n"
2864 " In: " << *Autorelease
2865 << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00002866 Autorelease->setCalledFunction(getAutoreleaseRVCallee(F.getParent()));
Michael Gottesmana6cb0182013-01-10 02:03:50 +00002867 DEBUG(dbgs() << " Out: " << *Autorelease
2868 << "\n");
Michael Gottesmanc9656fa2013-01-12 01:25:15 +00002869 Autorelease->setTailCall(); // Always tail call autoreleaseRV.
John McCalld935e9c2011-06-15 23:37:01 +00002870 AutoreleaseClass = IC_AutoreleaseRV;
2871 }
2872
2873 // Check that there is nothing that can affect the reference
2874 // count between the retain and the call.
Dan Gohman4ac148d2011-09-29 22:27:34 +00002875 // Note that Retain need not be in BB.
2876 FindDependencies(CanChangeRetainCount, Arg, Retain->getParent(), Retain,
John McCalld935e9c2011-06-15 23:37:01 +00002877 DependingInstructions, Visited, PA);
2878 if (DependingInstructions.size() != 1)
2879 goto next_block;
2880
2881 {
2882 CallInst *Call =
2883 dyn_cast_or_null<CallInst>(*DependingInstructions.begin());
2884
2885 // Check that the pointer is the return value of the call.
2886 if (!Call || Arg != Call)
2887 goto next_block;
2888
2889 // Check that the call is a regular call.
2890 InstructionClass Class = GetBasicInstructionClass(Call);
2891 if (Class != IC_CallOrUser && Class != IC_Call)
2892 goto next_block;
2893
2894 // If so, we can zap the retain and autorelease.
2895 Changed = true;
2896 ++NumRets;
Michael Gottesmand61a3b22013-01-07 00:04:56 +00002897 DEBUG(dbgs() << "ObjCARCOpt::OptimizeReturns: Erasing: " << *Retain
2898 << "\n Erasing: "
2899 << *Autorelease << "\n");
John McCalld935e9c2011-06-15 23:37:01 +00002900 EraseInstruction(Retain);
2901 EraseInstruction(Autorelease);
2902 }
2903 }
2904 }
2905
2906 next_block:
2907 DependingInstructions.clear();
2908 Visited.clear();
2909 }
Michael Gottesman10426b52013-01-07 21:26:07 +00002910
Michael Gottesman9f848ae2013-01-04 21:29:57 +00002911 DEBUG(dbgs() << "ObjCARCOpt::OptimizeReturns: Finished List.\n\n");
Michael Gottesman10426b52013-01-07 21:26:07 +00002912
John McCalld935e9c2011-06-15 23:37:01 +00002913}
2914
2915bool ObjCARCOpt::doInitialization(Module &M) {
2916 if (!EnableARCOpts)
2917 return false;
2918
Dan Gohman670f9372012-04-13 18:57:48 +00002919 // If nothing in the Module uses ARC, don't do anything.
Dan Gohmanceaac7c2011-06-20 23:20:43 +00002920 Run = ModuleHasARC(M);
2921 if (!Run)
2922 return false;
2923
John McCalld935e9c2011-06-15 23:37:01 +00002924 // Identify the imprecise release metadata kind.
2925 ImpreciseReleaseMDKind =
2926 M.getContext().getMDKindID("clang.imprecise_release");
Dan Gohmana7107f92011-10-17 22:53:25 +00002927 CopyOnEscapeMDKind =
2928 M.getContext().getMDKindID("clang.arc.copy_on_escape");
Dan Gohman0155f302012-02-17 18:59:53 +00002929 NoObjCARCExceptionsMDKind =
2930 M.getContext().getMDKindID("clang.arc.no_objc_arc_exceptions");
Michael Gottesman81b1d432013-03-26 00:42:04 +00002931#ifdef ARC_ANNOTATIONS
2932 ARCAnnotationBottomUpMDKind =
2933 M.getContext().getMDKindID("llvm.arc.annotation.bottomup");
2934 ARCAnnotationTopDownMDKind =
2935 M.getContext().getMDKindID("llvm.arc.annotation.topdown");
2936 ARCAnnotationProvenanceSourceMDKind =
2937 M.getContext().getMDKindID("llvm.arc.annotation.provenancesource");
2938#endif // ARC_ANNOTATIONS
John McCalld935e9c2011-06-15 23:37:01 +00002939
John McCalld935e9c2011-06-15 23:37:01 +00002940 // Intuitively, objc_retain and others are nocapture, however in practice
2941 // they are not, because they return their argument value. And objc_release
Dan Gohmandae33492012-04-27 18:56:31 +00002942 // calls finalizers which can have arbitrary side effects.
John McCalld935e9c2011-06-15 23:37:01 +00002943
2944 // These are initialized lazily.
2945 RetainRVCallee = 0;
2946 AutoreleaseRVCallee = 0;
2947 ReleaseCallee = 0;
2948 RetainCallee = 0;
Dan Gohman6320f522011-07-22 22:29:21 +00002949 RetainBlockCallee = 0;
John McCalld935e9c2011-06-15 23:37:01 +00002950 AutoreleaseCallee = 0;
2951
2952 return false;
2953}
2954
2955bool ObjCARCOpt::runOnFunction(Function &F) {
2956 if (!EnableARCOpts)
2957 return false;
2958
Dan Gohmanceaac7c2011-06-20 23:20:43 +00002959 // If nothing in the Module uses ARC, don't do anything.
2960 if (!Run)
2961 return false;
2962
John McCalld935e9c2011-06-15 23:37:01 +00002963 Changed = false;
2964
Michael Gottesmanb24bdef2013-01-12 02:57:16 +00002965 DEBUG(dbgs() << "ObjCARCOpt: Visiting Function: " << F.getName() << "\n");
2966
John McCalld935e9c2011-06-15 23:37:01 +00002967 PA.setAA(&getAnalysis<AliasAnalysis>());
2968
2969 // This pass performs several distinct transformations. As a compile-time aid
2970 // when compiling code that isn't ObjC, skip these if the relevant ObjC
2971 // library functions aren't declared.
2972
2973 // Preliminary optimizations. This also computs UsedInThisFunction.
2974 OptimizeIndividualCalls(F);
2975
2976 // Optimizations for weak pointers.
2977 if (UsedInThisFunction & ((1 << IC_LoadWeak) |
2978 (1 << IC_LoadWeakRetained) |
2979 (1 << IC_StoreWeak) |
2980 (1 << IC_InitWeak) |
2981 (1 << IC_CopyWeak) |
2982 (1 << IC_MoveWeak) |
2983 (1 << IC_DestroyWeak)))
2984 OptimizeWeakCalls(F);
2985
2986 // Optimizations for retain+release pairs.
2987 if (UsedInThisFunction & ((1 << IC_Retain) |
2988 (1 << IC_RetainRV) |
2989 (1 << IC_RetainBlock)))
2990 if (UsedInThisFunction & (1 << IC_Release))
2991 // Run OptimizeSequences until it either stops making changes or
2992 // no retain+release pair nesting is detected.
2993 while (OptimizeSequences(F)) {}
2994
2995 // Optimizations if objc_autorelease is used.
Dan Gohman41375a32012-05-08 23:39:44 +00002996 if (UsedInThisFunction & ((1 << IC_Autorelease) |
2997 (1 << IC_AutoreleaseRV)))
John McCalld935e9c2011-06-15 23:37:01 +00002998 OptimizeReturns(F);
2999
Michael Gottesmanb24bdef2013-01-12 02:57:16 +00003000 DEBUG(dbgs() << "\n");
3001
John McCalld935e9c2011-06-15 23:37:01 +00003002 return Changed;
3003}
3004
3005void ObjCARCOpt::releaseMemory() {
3006 PA.clear();
3007}
3008
Michael Gottesman97e3df02013-01-14 00:35:14 +00003009/// @}
3010///