RetainCountChecker.cpp revision 5251abea41b446c26e3239c8dd6c7edea6fc335d
1//==-- RetainCountChecker.cpp - Checks for leaks and other issues -*- C++ -*--//
2//
3//                     The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10//  This file defines the methods for RetainCountChecker, which implements
11//  a reference count checker for Core Foundation and Cocoa on (Mac OS X).
12//
13//===----------------------------------------------------------------------===//
14
15#include "ClangSACheckers.h"
16#include "clang/AST/Attr.h"
17#include "clang/AST/DeclCXX.h"
18#include "clang/AST/DeclObjC.h"
19#include "clang/AST/ParentMap.h"
20#include "clang/Analysis/DomainSpecific/CocoaConventions.h"
21#include "clang/Basic/LangOptions.h"
22#include "clang/Basic/SourceManager.h"
23#include "clang/StaticAnalyzer/Core/BugReporter/BugType.h"
24#include "clang/StaticAnalyzer/Core/BugReporter/PathDiagnostic.h"
25#include "clang/StaticAnalyzer/Core/Checker.h"
26#include "clang/StaticAnalyzer/Core/CheckerManager.h"
27#include "clang/StaticAnalyzer/Core/PathSensitive/CallEvent.h"
28#include "clang/StaticAnalyzer/Core/PathSensitive/CheckerContext.h"
29#include "clang/StaticAnalyzer/Core/PathSensitive/ProgramStateTrait.h"
30#include "clang/StaticAnalyzer/Core/PathSensitive/SymbolManager.h"
31#include "llvm/ADT/DenseMap.h"
32#include "llvm/ADT/FoldingSet.h"
33#include "llvm/ADT/ImmutableList.h"
34#include "llvm/ADT/ImmutableMap.h"
35#include "llvm/ADT/STLExtras.h"
36#include "llvm/ADT/SmallString.h"
37#include "llvm/ADT/StringExtras.h"
38#include <cstdarg>
39
40using namespace clang;
41using namespace ento;
42using llvm::StrInStrNoCase;
43
44//===----------------------------------------------------------------------===//
45// Primitives used for constructing summaries for function/method calls.
46//===----------------------------------------------------------------------===//
47
48/// ArgEffect is used to summarize a function/method call's effect on a
49/// particular argument.
50enum ArgEffect { DoNothing, Autorelease, Dealloc, DecRef, DecRefMsg,
51                 DecRefBridgedTransfered,
52                 IncRefMsg, IncRef, MakeCollectable, MayEscape,
53
54                 // Stop tracking the argument - the effect of the call is
55                 // unknown.
56                 StopTracking,
57
58                 // In some cases, we obtain a better summary for this checker
59                 // by looking at the call site than by inlining the function.
60                 // Signifies that we should stop tracking the symbol even if
61                 // the function is inlined.
62                 StopTrackingHard,
63
64                 // The function decrements the reference count and the checker
65                 // should stop tracking the argument.
66                 DecRefAndStopTrackingHard, DecRefMsgAndStopTrackingHard
67               };
68
69namespace llvm {
70template <> struct FoldingSetTrait<ArgEffect> {
71static inline void Profile(const ArgEffect X, FoldingSetNodeID& ID) {
72  ID.AddInteger((unsigned) X);
73}
74};
75} // end llvm namespace
76
77/// ArgEffects summarizes the effects of a function/method call on all of
78/// its arguments.
79typedef llvm::ImmutableMap<unsigned,ArgEffect> ArgEffects;
80
81namespace {
82
83///  RetEffect is used to summarize a function/method call's behavior with
84///  respect to its return value.
85class RetEffect {
86public:
87  enum Kind { NoRet, OwnedSymbol, OwnedAllocatedSymbol,
88              NotOwnedSymbol, GCNotOwnedSymbol, ARCNotOwnedSymbol,
89              OwnedWhenTrackedReceiver,
90              // Treat this function as returning a non-tracked symbol even if
91              // the function has been inlined. This is used where the call
92              // site summary is more presise than the summary indirectly produced
93              // by inlining the function
94              NoRetHard
95            };
96
97  enum ObjKind { CF, ObjC, AnyObj };
98
99private:
100  Kind K;
101  ObjKind O;
102
103  RetEffect(Kind k, ObjKind o = AnyObj) : K(k), O(o) {}
104
105public:
106  Kind getKind() const { return K; }
107
108  ObjKind getObjKind() const { return O; }
109
110  bool isOwned() const {
111    return K == OwnedSymbol || K == OwnedAllocatedSymbol ||
112           K == OwnedWhenTrackedReceiver;
113  }
114
115  bool operator==(const RetEffect &Other) const {
116    return K == Other.K && O == Other.O;
117  }
118
119  static RetEffect MakeOwnedWhenTrackedReceiver() {
120    return RetEffect(OwnedWhenTrackedReceiver, ObjC);
121  }
122
123  static RetEffect MakeOwned(ObjKind o, bool isAllocated = false) {
124    return RetEffect(isAllocated ? OwnedAllocatedSymbol : OwnedSymbol, o);
125  }
126  static RetEffect MakeNotOwned(ObjKind o) {
127    return RetEffect(NotOwnedSymbol, o);
128  }
129  static RetEffect MakeGCNotOwned() {
130    return RetEffect(GCNotOwnedSymbol, ObjC);
131  }
132  static RetEffect MakeARCNotOwned() {
133    return RetEffect(ARCNotOwnedSymbol, ObjC);
134  }
135  static RetEffect MakeNoRet() {
136    return RetEffect(NoRet);
137  }
138  static RetEffect MakeNoRetHard() {
139    return RetEffect(NoRetHard);
140  }
141
142  void Profile(llvm::FoldingSetNodeID& ID) const {
143    ID.AddInteger((unsigned) K);
144    ID.AddInteger((unsigned) O);
145  }
146};
147
148//===----------------------------------------------------------------------===//
149// Reference-counting logic (typestate + counts).
150//===----------------------------------------------------------------------===//
151
152class RefVal {
153public:
154  enum Kind {
155    Owned = 0, // Owning reference.
156    NotOwned,  // Reference is not owned by still valid (not freed).
157    Released,  // Object has been released.
158    ReturnedOwned, // Returned object passes ownership to caller.
159    ReturnedNotOwned, // Return object does not pass ownership to caller.
160    ERROR_START,
161    ErrorDeallocNotOwned, // -dealloc called on non-owned object.
162    ErrorDeallocGC, // Calling -dealloc with GC enabled.
163    ErrorUseAfterRelease, // Object used after released.
164    ErrorReleaseNotOwned, // Release of an object that was not owned.
165    ERROR_LEAK_START,
166    ErrorLeak,  // A memory leak due to excessive reference counts.
167    ErrorLeakReturned, // A memory leak due to the returning method not having
168                       // the correct naming conventions.
169    ErrorGCLeakReturned,
170    ErrorOverAutorelease,
171    ErrorReturnedNotOwned
172  };
173
174private:
175  Kind kind;
176  RetEffect::ObjKind okind;
177  unsigned Cnt;
178  unsigned ACnt;
179  QualType T;
180
181  RefVal(Kind k, RetEffect::ObjKind o, unsigned cnt, unsigned acnt, QualType t)
182  : kind(k), okind(o), Cnt(cnt), ACnt(acnt), T(t) {}
183
184public:
185  Kind getKind() const { return kind; }
186
187  RetEffect::ObjKind getObjKind() const { return okind; }
188
189  unsigned getCount() const { return Cnt; }
190  unsigned getAutoreleaseCount() const { return ACnt; }
191  unsigned getCombinedCounts() const { return Cnt + ACnt; }
192  void clearCounts() { Cnt = 0; ACnt = 0; }
193  void setCount(unsigned i) { Cnt = i; }
194  void setAutoreleaseCount(unsigned i) { ACnt = i; }
195
196  QualType getType() const { return T; }
197
198  bool isOwned() const {
199    return getKind() == Owned;
200  }
201
202  bool isNotOwned() const {
203    return getKind() == NotOwned;
204  }
205
206  bool isReturnedOwned() const {
207    return getKind() == ReturnedOwned;
208  }
209
210  bool isReturnedNotOwned() const {
211    return getKind() == ReturnedNotOwned;
212  }
213
214  static RefVal makeOwned(RetEffect::ObjKind o, QualType t,
215                          unsigned Count = 1) {
216    return RefVal(Owned, o, Count, 0, t);
217  }
218
219  static RefVal makeNotOwned(RetEffect::ObjKind o, QualType t,
220                             unsigned Count = 0) {
221    return RefVal(NotOwned, o, Count, 0, t);
222  }
223
224  // Comparison, profiling, and pretty-printing.
225
226  bool operator==(const RefVal& X) const {
227    return kind == X.kind && Cnt == X.Cnt && T == X.T && ACnt == X.ACnt;
228  }
229
230  RefVal operator-(size_t i) const {
231    return RefVal(getKind(), getObjKind(), getCount() - i,
232                  getAutoreleaseCount(), getType());
233  }
234
235  RefVal operator+(size_t i) const {
236    return RefVal(getKind(), getObjKind(), getCount() + i,
237                  getAutoreleaseCount(), getType());
238  }
239
240  RefVal operator^(Kind k) const {
241    return RefVal(k, getObjKind(), getCount(), getAutoreleaseCount(),
242                  getType());
243  }
244
245  RefVal autorelease() const {
246    return RefVal(getKind(), getObjKind(), getCount(), getAutoreleaseCount()+1,
247                  getType());
248  }
249
250  void Profile(llvm::FoldingSetNodeID& ID) const {
251    ID.AddInteger((unsigned) kind);
252    ID.AddInteger(Cnt);
253    ID.AddInteger(ACnt);
254    ID.Add(T);
255  }
256
257  void print(raw_ostream &Out) const;
258};
259
260void RefVal::print(raw_ostream &Out) const {
261  if (!T.isNull())
262    Out << "Tracked " << T.getAsString() << '/';
263
264  switch (getKind()) {
265    default: llvm_unreachable("Invalid RefVal kind");
266    case Owned: {
267      Out << "Owned";
268      unsigned cnt = getCount();
269      if (cnt) Out << " (+ " << cnt << ")";
270      break;
271    }
272
273    case NotOwned: {
274      Out << "NotOwned";
275      unsigned cnt = getCount();
276      if (cnt) Out << " (+ " << cnt << ")";
277      break;
278    }
279
280    case ReturnedOwned: {
281      Out << "ReturnedOwned";
282      unsigned cnt = getCount();
283      if (cnt) Out << " (+ " << cnt << ")";
284      break;
285    }
286
287    case ReturnedNotOwned: {
288      Out << "ReturnedNotOwned";
289      unsigned cnt = getCount();
290      if (cnt) Out << " (+ " << cnt << ")";
291      break;
292    }
293
294    case Released:
295      Out << "Released";
296      break;
297
298    case ErrorDeallocGC:
299      Out << "-dealloc (GC)";
300      break;
301
302    case ErrorDeallocNotOwned:
303      Out << "-dealloc (not-owned)";
304      break;
305
306    case ErrorLeak:
307      Out << "Leaked";
308      break;
309
310    case ErrorLeakReturned:
311      Out << "Leaked (Bad naming)";
312      break;
313
314    case ErrorGCLeakReturned:
315      Out << "Leaked (GC-ed at return)";
316      break;
317
318    case ErrorUseAfterRelease:
319      Out << "Use-After-Release [ERROR]";
320      break;
321
322    case ErrorReleaseNotOwned:
323      Out << "Release of Not-Owned [ERROR]";
324      break;
325
326    case RefVal::ErrorOverAutorelease:
327      Out << "Over autoreleased";
328      break;
329
330    case RefVal::ErrorReturnedNotOwned:
331      Out << "Non-owned object returned instead of owned";
332      break;
333  }
334
335  if (ACnt) {
336    Out << " [ARC +" << ACnt << ']';
337  }
338}
339} //end anonymous namespace
340
341//===----------------------------------------------------------------------===//
342// RefBindings - State used to track object reference counts.
343//===----------------------------------------------------------------------===//
344
345REGISTER_MAP_WITH_PROGRAMSTATE(RefBindings, SymbolRef, RefVal)
346
347static inline const RefVal *getRefBinding(ProgramStateRef State,
348                                          SymbolRef Sym) {
349  return State->get<RefBindings>(Sym);
350}
351
352static inline ProgramStateRef setRefBinding(ProgramStateRef State,
353                                            SymbolRef Sym, RefVal Val) {
354  return State->set<RefBindings>(Sym, Val);
355}
356
357static ProgramStateRef removeRefBinding(ProgramStateRef State, SymbolRef Sym) {
358  return State->remove<RefBindings>(Sym);
359}
360
361//===----------------------------------------------------------------------===//
362// Function/Method behavior summaries.
363//===----------------------------------------------------------------------===//
364
365namespace {
366class RetainSummary {
367  /// Args - a map of (index, ArgEffect) pairs, where index
368  ///  specifies the argument (starting from 0).  This can be sparsely
369  ///  populated; arguments with no entry in Args use 'DefaultArgEffect'.
370  ArgEffects Args;
371
372  /// DefaultArgEffect - The default ArgEffect to apply to arguments that
373  ///  do not have an entry in Args.
374  ArgEffect DefaultArgEffect;
375
376  /// Receiver - If this summary applies to an Objective-C message expression,
377  ///  this is the effect applied to the state of the receiver.
378  ArgEffect Receiver;
379
380  /// Ret - The effect on the return value.  Used to indicate if the
381  ///  function/method call returns a new tracked symbol.
382  RetEffect Ret;
383
384public:
385  RetainSummary(ArgEffects A, RetEffect R, ArgEffect defaultEff,
386                ArgEffect ReceiverEff)
387    : Args(A), DefaultArgEffect(defaultEff), Receiver(ReceiverEff), Ret(R) {}
388
389  /// getArg - Return the argument effect on the argument specified by
390  ///  idx (starting from 0).
391  ArgEffect getArg(unsigned idx) const {
392    if (const ArgEffect *AE = Args.lookup(idx))
393      return *AE;
394
395    return DefaultArgEffect;
396  }
397
398  void addArg(ArgEffects::Factory &af, unsigned idx, ArgEffect e) {
399    Args = af.add(Args, idx, e);
400  }
401
402  /// setDefaultArgEffect - Set the default argument effect.
403  void setDefaultArgEffect(ArgEffect E) {
404    DefaultArgEffect = E;
405  }
406
407  /// getRetEffect - Returns the effect on the return value of the call.
408  RetEffect getRetEffect() const { return Ret; }
409
410  /// setRetEffect - Set the effect of the return value of the call.
411  void setRetEffect(RetEffect E) { Ret = E; }
412
413
414  /// Sets the effect on the receiver of the message.
415  void setReceiverEffect(ArgEffect e) { Receiver = e; }
416
417  /// getReceiverEffect - Returns the effect on the receiver of the call.
418  ///  This is only meaningful if the summary applies to an ObjCMessageExpr*.
419  ArgEffect getReceiverEffect() const { return Receiver; }
420
421  /// Test if two retain summaries are identical. Note that merely equivalent
422  /// summaries are not necessarily identical (for example, if an explicit
423  /// argument effect matches the default effect).
424  bool operator==(const RetainSummary &Other) const {
425    return Args == Other.Args && DefaultArgEffect == Other.DefaultArgEffect &&
426           Receiver == Other.Receiver && Ret == Other.Ret;
427  }
428
429  /// Profile this summary for inclusion in a FoldingSet.
430  void Profile(llvm::FoldingSetNodeID& ID) const {
431    ID.Add(Args);
432    ID.Add(DefaultArgEffect);
433    ID.Add(Receiver);
434    ID.Add(Ret);
435  }
436
437  /// A retain summary is simple if it has no ArgEffects other than the default.
438  bool isSimple() const {
439    return Args.isEmpty();
440  }
441
442private:
443  ArgEffects getArgEffects() const { return Args; }
444  ArgEffect getDefaultArgEffect() const { return DefaultArgEffect; }
445
446  friend class RetainSummaryManager;
447};
448} // end anonymous namespace
449
450//===----------------------------------------------------------------------===//
451// Data structures for constructing summaries.
452//===----------------------------------------------------------------------===//
453
454namespace {
455class ObjCSummaryKey {
456  IdentifierInfo* II;
457  Selector S;
458public:
459  ObjCSummaryKey(IdentifierInfo* ii, Selector s)
460    : II(ii), S(s) {}
461
462  ObjCSummaryKey(const ObjCInterfaceDecl *d, Selector s)
463    : II(d ? d->getIdentifier() : 0), S(s) {}
464
465  ObjCSummaryKey(Selector s)
466    : II(0), S(s) {}
467
468  IdentifierInfo *getIdentifier() const { return II; }
469  Selector getSelector() const { return S; }
470};
471}
472
473namespace llvm {
474template <> struct DenseMapInfo<ObjCSummaryKey> {
475  static inline ObjCSummaryKey getEmptyKey() {
476    return ObjCSummaryKey(DenseMapInfo<IdentifierInfo*>::getEmptyKey(),
477                          DenseMapInfo<Selector>::getEmptyKey());
478  }
479
480  static inline ObjCSummaryKey getTombstoneKey() {
481    return ObjCSummaryKey(DenseMapInfo<IdentifierInfo*>::getTombstoneKey(),
482                          DenseMapInfo<Selector>::getTombstoneKey());
483  }
484
485  static unsigned getHashValue(const ObjCSummaryKey &V) {
486    typedef std::pair<IdentifierInfo*, Selector> PairTy;
487    return DenseMapInfo<PairTy>::getHashValue(PairTy(V.getIdentifier(),
488                                                     V.getSelector()));
489  }
490
491  static bool isEqual(const ObjCSummaryKey& LHS, const ObjCSummaryKey& RHS) {
492    return LHS.getIdentifier() == RHS.getIdentifier() &&
493           LHS.getSelector() == RHS.getSelector();
494  }
495
496};
497template <>
498struct isPodLike<ObjCSummaryKey> { static const bool value = true; };
499} // end llvm namespace
500
501namespace {
502class ObjCSummaryCache {
503  typedef llvm::DenseMap<ObjCSummaryKey, const RetainSummary *> MapTy;
504  MapTy M;
505public:
506  ObjCSummaryCache() {}
507
508  const RetainSummary * find(const ObjCInterfaceDecl *D, Selector S) {
509    // Do a lookup with the (D,S) pair.  If we find a match return
510    // the iterator.
511    ObjCSummaryKey K(D, S);
512    MapTy::iterator I = M.find(K);
513
514    if (I != M.end())
515      return I->second;
516    if (!D)
517      return NULL;
518
519    // Walk the super chain.  If we find a hit with a parent, we'll end
520    // up returning that summary.  We actually allow that key (null,S), as
521    // we cache summaries for the null ObjCInterfaceDecl* to allow us to
522    // generate initial summaries without having to worry about NSObject
523    // being declared.
524    // FIXME: We may change this at some point.
525    for (ObjCInterfaceDecl *C=D->getSuperClass() ;; C=C->getSuperClass()) {
526      if ((I = M.find(ObjCSummaryKey(C, S))) != M.end())
527        break;
528
529      if (!C)
530        return NULL;
531    }
532
533    // Cache the summary with original key to make the next lookup faster
534    // and return the iterator.
535    const RetainSummary *Summ = I->second;
536    M[K] = Summ;
537    return Summ;
538  }
539
540  const RetainSummary *find(IdentifierInfo* II, Selector S) {
541    // FIXME: Class method lookup.  Right now we dont' have a good way
542    // of going between IdentifierInfo* and the class hierarchy.
543    MapTy::iterator I = M.find(ObjCSummaryKey(II, S));
544
545    if (I == M.end())
546      I = M.find(ObjCSummaryKey(S));
547
548    return I == M.end() ? NULL : I->second;
549  }
550
551  const RetainSummary *& operator[](ObjCSummaryKey K) {
552    return M[K];
553  }
554
555  const RetainSummary *& operator[](Selector S) {
556    return M[ ObjCSummaryKey(S) ];
557  }
558};
559} // end anonymous namespace
560
561//===----------------------------------------------------------------------===//
562// Data structures for managing collections of summaries.
563//===----------------------------------------------------------------------===//
564
565namespace {
566class RetainSummaryManager {
567
568  //==-----------------------------------------------------------------==//
569  //  Typedefs.
570  //==-----------------------------------------------------------------==//
571
572  typedef llvm::DenseMap<const FunctionDecl*, const RetainSummary *>
573          FuncSummariesTy;
574
575  typedef ObjCSummaryCache ObjCMethodSummariesTy;
576
577  typedef llvm::FoldingSetNodeWrapper<RetainSummary> CachedSummaryNode;
578
579  //==-----------------------------------------------------------------==//
580  //  Data.
581  //==-----------------------------------------------------------------==//
582
583  /// Ctx - The ASTContext object for the analyzed ASTs.
584  ASTContext &Ctx;
585
586  /// GCEnabled - Records whether or not the analyzed code runs in GC mode.
587  const bool GCEnabled;
588
589  /// Records whether or not the analyzed code runs in ARC mode.
590  const bool ARCEnabled;
591
592  /// FuncSummaries - A map from FunctionDecls to summaries.
593  FuncSummariesTy FuncSummaries;
594
595  /// ObjCClassMethodSummaries - A map from selectors (for instance methods)
596  ///  to summaries.
597  ObjCMethodSummariesTy ObjCClassMethodSummaries;
598
599  /// ObjCMethodSummaries - A map from selectors to summaries.
600  ObjCMethodSummariesTy ObjCMethodSummaries;
601
602  /// BPAlloc - A BumpPtrAllocator used for allocating summaries, ArgEffects,
603  ///  and all other data used by the checker.
604  llvm::BumpPtrAllocator BPAlloc;
605
606  /// AF - A factory for ArgEffects objects.
607  ArgEffects::Factory AF;
608
609  /// ScratchArgs - A holding buffer for construct ArgEffects.
610  ArgEffects ScratchArgs;
611
612  /// ObjCAllocRetE - Default return effect for methods returning Objective-C
613  ///  objects.
614  RetEffect ObjCAllocRetE;
615
616  /// ObjCInitRetE - Default return effect for init methods returning
617  ///   Objective-C objects.
618  RetEffect ObjCInitRetE;
619
620  /// SimpleSummaries - Used for uniquing summaries that don't have special
621  /// effects.
622  llvm::FoldingSet<CachedSummaryNode> SimpleSummaries;
623
624  //==-----------------------------------------------------------------==//
625  //  Methods.
626  //==-----------------------------------------------------------------==//
627
628  /// getArgEffects - Returns a persistent ArgEffects object based on the
629  ///  data in ScratchArgs.
630  ArgEffects getArgEffects();
631
632  enum UnaryFuncKind { cfretain, cfrelease, cfmakecollectable };
633
634  const RetainSummary *getUnarySummary(const FunctionType* FT,
635                                       UnaryFuncKind func);
636
637  const RetainSummary *getCFSummaryCreateRule(const FunctionDecl *FD);
638  const RetainSummary *getCFSummaryGetRule(const FunctionDecl *FD);
639  const RetainSummary *getCFCreateGetRuleSummary(const FunctionDecl *FD);
640
641  const RetainSummary *getPersistentSummary(const RetainSummary &OldSumm);
642
643  const RetainSummary *getPersistentSummary(RetEffect RetEff,
644                                            ArgEffect ReceiverEff = DoNothing,
645                                            ArgEffect DefaultEff = MayEscape) {
646    RetainSummary Summ(getArgEffects(), RetEff, DefaultEff, ReceiverEff);
647    return getPersistentSummary(Summ);
648  }
649
650  const RetainSummary *getDoNothingSummary() {
651    return getPersistentSummary(RetEffect::MakeNoRet(), DoNothing, DoNothing);
652  }
653
654  const RetainSummary *getDefaultSummary() {
655    return getPersistentSummary(RetEffect::MakeNoRet(),
656                                DoNothing, MayEscape);
657  }
658
659  const RetainSummary *getPersistentStopSummary() {
660    return getPersistentSummary(RetEffect::MakeNoRet(),
661                                StopTracking, StopTracking);
662  }
663
664  void InitializeClassMethodSummaries();
665  void InitializeMethodSummaries();
666private:
667  void addNSObjectClsMethSummary(Selector S, const RetainSummary *Summ) {
668    ObjCClassMethodSummaries[S] = Summ;
669  }
670
671  void addNSObjectMethSummary(Selector S, const RetainSummary *Summ) {
672    ObjCMethodSummaries[S] = Summ;
673  }
674
675  void addClassMethSummary(const char* Cls, const char* name,
676                           const RetainSummary *Summ, bool isNullary = true) {
677    IdentifierInfo* ClsII = &Ctx.Idents.get(Cls);
678    Selector S = isNullary ? GetNullarySelector(name, Ctx)
679                           : GetUnarySelector(name, Ctx);
680    ObjCClassMethodSummaries[ObjCSummaryKey(ClsII, S)]  = Summ;
681  }
682
683  void addInstMethSummary(const char* Cls, const char* nullaryName,
684                          const RetainSummary *Summ) {
685    IdentifierInfo* ClsII = &Ctx.Idents.get(Cls);
686    Selector S = GetNullarySelector(nullaryName, Ctx);
687    ObjCMethodSummaries[ObjCSummaryKey(ClsII, S)]  = Summ;
688  }
689
690  Selector generateSelector(va_list argp) {
691    SmallVector<IdentifierInfo*, 10> II;
692
693    while (const char* s = va_arg(argp, const char*))
694      II.push_back(&Ctx.Idents.get(s));
695
696    return Ctx.Selectors.getSelector(II.size(), &II[0]);
697  }
698
699  void addMethodSummary(IdentifierInfo *ClsII, ObjCMethodSummariesTy& Summaries,
700                        const RetainSummary * Summ, va_list argp) {
701    Selector S = generateSelector(argp);
702    Summaries[ObjCSummaryKey(ClsII, S)] = Summ;
703  }
704
705  void addInstMethSummary(const char* Cls, const RetainSummary * Summ, ...) {
706    va_list argp;
707    va_start(argp, Summ);
708    addMethodSummary(&Ctx.Idents.get(Cls), ObjCMethodSummaries, Summ, argp);
709    va_end(argp);
710  }
711
712  void addClsMethSummary(const char* Cls, const RetainSummary * Summ, ...) {
713    va_list argp;
714    va_start(argp, Summ);
715    addMethodSummary(&Ctx.Idents.get(Cls),ObjCClassMethodSummaries, Summ, argp);
716    va_end(argp);
717  }
718
719  void addClsMethSummary(IdentifierInfo *II, const RetainSummary * Summ, ...) {
720    va_list argp;
721    va_start(argp, Summ);
722    addMethodSummary(II, ObjCClassMethodSummaries, Summ, argp);
723    va_end(argp);
724  }
725
726public:
727
728  RetainSummaryManager(ASTContext &ctx, bool gcenabled, bool usesARC)
729   : Ctx(ctx),
730     GCEnabled(gcenabled),
731     ARCEnabled(usesARC),
732     AF(BPAlloc), ScratchArgs(AF.getEmptyMap()),
733     ObjCAllocRetE(gcenabled
734                    ? RetEffect::MakeGCNotOwned()
735                    : (usesARC ? RetEffect::MakeARCNotOwned()
736                               : RetEffect::MakeOwned(RetEffect::ObjC, true))),
737     ObjCInitRetE(gcenabled
738                    ? RetEffect::MakeGCNotOwned()
739                    : (usesARC ? RetEffect::MakeARCNotOwned()
740                               : RetEffect::MakeOwnedWhenTrackedReceiver())) {
741    InitializeClassMethodSummaries();
742    InitializeMethodSummaries();
743  }
744
745  const RetainSummary *getSummary(const CallEvent &Call,
746                                  ProgramStateRef State = 0);
747
748  const RetainSummary *getFunctionSummary(const FunctionDecl *FD);
749
750  const RetainSummary *getMethodSummary(Selector S, const ObjCInterfaceDecl *ID,
751                                        const ObjCMethodDecl *MD,
752                                        QualType RetTy,
753                                        ObjCMethodSummariesTy &CachedSummaries);
754
755  const RetainSummary *getInstanceMethodSummary(const ObjCMethodCall &M,
756                                                ProgramStateRef State);
757
758  const RetainSummary *getClassMethodSummary(const ObjCMethodCall &M) {
759    assert(!M.isInstanceMessage());
760    const ObjCInterfaceDecl *Class = M.getReceiverInterface();
761
762    return getMethodSummary(M.getSelector(), Class, M.getDecl(),
763                            M.getResultType(), ObjCClassMethodSummaries);
764  }
765
766  /// getMethodSummary - This version of getMethodSummary is used to query
767  ///  the summary for the current method being analyzed.
768  const RetainSummary *getMethodSummary(const ObjCMethodDecl *MD) {
769    const ObjCInterfaceDecl *ID = MD->getClassInterface();
770    Selector S = MD->getSelector();
771    QualType ResultTy = MD->getResultType();
772
773    ObjCMethodSummariesTy *CachedSummaries;
774    if (MD->isInstanceMethod())
775      CachedSummaries = &ObjCMethodSummaries;
776    else
777      CachedSummaries = &ObjCClassMethodSummaries;
778
779    return getMethodSummary(S, ID, MD, ResultTy, *CachedSummaries);
780  }
781
782  const RetainSummary *getStandardMethodSummary(const ObjCMethodDecl *MD,
783                                                Selector S, QualType RetTy);
784
785  void updateSummaryFromAnnotations(const RetainSummary *&Summ,
786                                    const ObjCMethodDecl *MD);
787
788  void updateSummaryFromAnnotations(const RetainSummary *&Summ,
789                                    const FunctionDecl *FD);
790
791  void updateSummaryForCall(const RetainSummary *&Summ,
792                            const CallEvent &Call);
793
794  bool isGCEnabled() const { return GCEnabled; }
795
796  bool isARCEnabled() const { return ARCEnabled; }
797
798  bool isARCorGCEnabled() const { return GCEnabled || ARCEnabled; }
799
800  RetEffect getObjAllocRetEffect() const { return ObjCAllocRetE; }
801
802  friend class RetainSummaryTemplate;
803};
804
805// Used to avoid allocating long-term (BPAlloc'd) memory for default retain
806// summaries. If a function or method looks like it has a default summary, but
807// it has annotations, the annotations are added to the stack-based template
808// and then copied into managed memory.
809class RetainSummaryTemplate {
810  RetainSummaryManager &Manager;
811  const RetainSummary *&RealSummary;
812  RetainSummary ScratchSummary;
813  bool Accessed;
814public:
815  RetainSummaryTemplate(const RetainSummary *&real, RetainSummaryManager &mgr)
816    : Manager(mgr), RealSummary(real), ScratchSummary(*real), Accessed(false) {}
817
818  ~RetainSummaryTemplate() {
819    if (Accessed)
820      RealSummary = Manager.getPersistentSummary(ScratchSummary);
821  }
822
823  RetainSummary &operator*() {
824    Accessed = true;
825    return ScratchSummary;
826  }
827
828  RetainSummary *operator->() {
829    Accessed = true;
830    return &ScratchSummary;
831  }
832};
833
834} // end anonymous namespace
835
836//===----------------------------------------------------------------------===//
837// Implementation of checker data structures.
838//===----------------------------------------------------------------------===//
839
840ArgEffects RetainSummaryManager::getArgEffects() {
841  ArgEffects AE = ScratchArgs;
842  ScratchArgs = AF.getEmptyMap();
843  return AE;
844}
845
846const RetainSummary *
847RetainSummaryManager::getPersistentSummary(const RetainSummary &OldSumm) {
848  // Unique "simple" summaries -- those without ArgEffects.
849  if (OldSumm.isSimple()) {
850    llvm::FoldingSetNodeID ID;
851    OldSumm.Profile(ID);
852
853    void *Pos;
854    CachedSummaryNode *N = SimpleSummaries.FindNodeOrInsertPos(ID, Pos);
855
856    if (!N) {
857      N = (CachedSummaryNode *) BPAlloc.Allocate<CachedSummaryNode>();
858      new (N) CachedSummaryNode(OldSumm);
859      SimpleSummaries.InsertNode(N, Pos);
860    }
861
862    return &N->getValue();
863  }
864
865  RetainSummary *Summ = (RetainSummary *) BPAlloc.Allocate<RetainSummary>();
866  new (Summ) RetainSummary(OldSumm);
867  return Summ;
868}
869
870//===----------------------------------------------------------------------===//
871// Summary creation for functions (largely uses of Core Foundation).
872//===----------------------------------------------------------------------===//
873
874static bool isRetain(const FunctionDecl *FD, StringRef FName) {
875  return FName.endswith("Retain");
876}
877
878static bool isRelease(const FunctionDecl *FD, StringRef FName) {
879  return FName.endswith("Release");
880}
881
882static bool isMakeCollectable(const FunctionDecl *FD, StringRef FName) {
883  // FIXME: Remove FunctionDecl parameter.
884  // FIXME: Is it really okay if MakeCollectable isn't a suffix?
885  return FName.find("MakeCollectable") != StringRef::npos;
886}
887
888static ArgEffect getStopTrackingHardEquivalent(ArgEffect E) {
889  switch (E) {
890  case DoNothing:
891  case Autorelease:
892  case DecRefBridgedTransfered:
893  case IncRef:
894  case IncRefMsg:
895  case MakeCollectable:
896  case MayEscape:
897  case StopTracking:
898  case StopTrackingHard:
899    return StopTrackingHard;
900  case DecRef:
901  case DecRefAndStopTrackingHard:
902    return DecRefAndStopTrackingHard;
903  case DecRefMsg:
904  case DecRefMsgAndStopTrackingHard:
905    return DecRefMsgAndStopTrackingHard;
906  case Dealloc:
907    return Dealloc;
908  }
909
910  llvm_unreachable("Unknown ArgEffect kind");
911}
912
913void RetainSummaryManager::updateSummaryForCall(const RetainSummary *&S,
914                                                const CallEvent &Call) {
915  if (Call.hasNonZeroCallbackArg()) {
916    ArgEffect RecEffect =
917      getStopTrackingHardEquivalent(S->getReceiverEffect());
918    ArgEffect DefEffect =
919      getStopTrackingHardEquivalent(S->getDefaultArgEffect());
920
921    ArgEffects CustomArgEffects = S->getArgEffects();
922    for (ArgEffects::iterator I = CustomArgEffects.begin(),
923                              E = CustomArgEffects.end();
924         I != E; ++I) {
925      ArgEffect Translated = getStopTrackingHardEquivalent(I->second);
926      if (Translated != DefEffect)
927        ScratchArgs = AF.add(ScratchArgs, I->first, Translated);
928    }
929
930    RetEffect RE = RetEffect::MakeNoRetHard();
931
932    // Special cases where the callback argument CANNOT free the return value.
933    // This can generally only happen if we know that the callback will only be
934    // called when the return value is already being deallocated.
935    if (const FunctionCall *FC = dyn_cast<FunctionCall>(&Call)) {
936      if (IdentifierInfo *Name = FC->getDecl()->getIdentifier()) {
937        // When the CGBitmapContext is deallocated, the callback here will free
938        // the associated data buffer.
939        if (Name->isStr("CGBitmapContextCreateWithData"))
940          RE = S->getRetEffect();
941      }
942    }
943
944    S = getPersistentSummary(RE, RecEffect, DefEffect);
945  }
946
947  // Special case '[super init];' and '[self init];'
948  //
949  // Even though calling '[super init]' without assigning the result to self
950  // and checking if the parent returns 'nil' is a bad pattern, it is common.
951  // Additionally, our Self Init checker already warns about it. To avoid
952  // overwhelming the user with messages from both checkers, we model the case
953  // of '[super init]' in cases when it is not consumed by another expression
954  // as if the call preserves the value of 'self'; essentially, assuming it can
955  // never fail and return 'nil'.
956  // Note, we don't want to just stop tracking the value since we want the
957  // RetainCount checker to report leaks and use-after-free if SelfInit checker
958  // is turned off.
959  if (const ObjCMethodCall *MC = dyn_cast<ObjCMethodCall>(&Call)) {
960    if (MC->getMethodFamily() == OMF_init && MC->isReceiverSelfOrSuper()) {
961
962      // Check if the message is not consumed, we know it will not be used in
963      // an assignment, ex: "self = [super init]".
964      const Expr *ME = MC->getOriginExpr();
965      const LocationContext *LCtx = MC->getLocationContext();
966      ParentMap &PM = LCtx->getAnalysisDeclContext()->getParentMap();
967      if (!PM.isConsumedExpr(ME)) {
968        RetainSummaryTemplate ModifiableSummaryTemplate(S, *this);
969        ModifiableSummaryTemplate->setReceiverEffect(DoNothing);
970        ModifiableSummaryTemplate->setRetEffect(RetEffect::MakeNoRet());
971      }
972    }
973
974  }
975}
976
977const RetainSummary *
978RetainSummaryManager::getSummary(const CallEvent &Call,
979                                 ProgramStateRef State) {
980  const RetainSummary *Summ;
981  switch (Call.getKind()) {
982  case CE_Function:
983    Summ = getFunctionSummary(cast<FunctionCall>(Call).getDecl());
984    break;
985  case CE_CXXMember:
986  case CE_CXXMemberOperator:
987  case CE_Block:
988  case CE_CXXConstructor:
989  case CE_CXXDestructor:
990  case CE_CXXAllocator:
991    // FIXME: These calls are currently unsupported.
992    return getPersistentStopSummary();
993  case CE_ObjCMessage: {
994    const ObjCMethodCall &Msg = cast<ObjCMethodCall>(Call);
995    if (Msg.isInstanceMessage())
996      Summ = getInstanceMethodSummary(Msg, State);
997    else
998      Summ = getClassMethodSummary(Msg);
999    break;
1000  }
1001  }
1002
1003  updateSummaryForCall(Summ, Call);
1004
1005  assert(Summ && "Unknown call type?");
1006  return Summ;
1007}
1008
1009const RetainSummary *
1010RetainSummaryManager::getFunctionSummary(const FunctionDecl *FD) {
1011  // If we don't know what function we're calling, use our default summary.
1012  if (!FD)
1013    return getDefaultSummary();
1014
1015  // Look up a summary in our cache of FunctionDecls -> Summaries.
1016  FuncSummariesTy::iterator I = FuncSummaries.find(FD);
1017  if (I != FuncSummaries.end())
1018    return I->second;
1019
1020  // No summary?  Generate one.
1021  const RetainSummary *S = 0;
1022  bool AllowAnnotations = true;
1023
1024  do {
1025    // We generate "stop" summaries for implicitly defined functions.
1026    if (FD->isImplicit()) {
1027      S = getPersistentStopSummary();
1028      break;
1029    }
1030
1031    // [PR 3337] Use 'getAs<FunctionType>' to strip away any typedefs on the
1032    // function's type.
1033    const FunctionType* FT = FD->getType()->getAs<FunctionType>();
1034    const IdentifierInfo *II = FD->getIdentifier();
1035    if (!II)
1036      break;
1037
1038    StringRef FName = II->getName();
1039
1040    // Strip away preceding '_'.  Doing this here will effect all the checks
1041    // down below.
1042    FName = FName.substr(FName.find_first_not_of('_'));
1043
1044    // Inspect the result type.
1045    QualType RetTy = FT->getResultType();
1046
1047    // FIXME: This should all be refactored into a chain of "summary lookup"
1048    //  filters.
1049    assert(ScratchArgs.isEmpty());
1050
1051    if (FName == "pthread_create" || FName == "pthread_setspecific") {
1052      // Part of: <rdar://problem/7299394> and <rdar://problem/11282706>.
1053      // This will be addressed better with IPA.
1054      S = getPersistentStopSummary();
1055    } else if (FName == "NSMakeCollectable") {
1056      // Handle: id NSMakeCollectable(CFTypeRef)
1057      S = (RetTy->isObjCIdType())
1058          ? getUnarySummary(FT, cfmakecollectable)
1059          : getPersistentStopSummary();
1060      // The headers on OS X 10.8 use cf_consumed/ns_returns_retained,
1061      // but we can fully model NSMakeCollectable ourselves.
1062      AllowAnnotations = false;
1063    } else if (FName == "CFPlugInInstanceCreate") {
1064      S = getPersistentSummary(RetEffect::MakeNoRet());
1065    } else if (FName == "IOBSDNameMatching" ||
1066               FName == "IOServiceMatching" ||
1067               FName == "IOServiceNameMatching" ||
1068               FName == "IORegistryEntrySearchCFProperty" ||
1069               FName == "IORegistryEntryIDMatching" ||
1070               FName == "IOOpenFirmwarePathMatching") {
1071      // Part of <rdar://problem/6961230>. (IOKit)
1072      // This should be addressed using a API table.
1073      S = getPersistentSummary(RetEffect::MakeOwned(RetEffect::CF, true),
1074                               DoNothing, DoNothing);
1075    } else if (FName == "IOServiceGetMatchingService" ||
1076               FName == "IOServiceGetMatchingServices") {
1077      // FIXES: <rdar://problem/6326900>
1078      // This should be addressed using a API table.  This strcmp is also
1079      // a little gross, but there is no need to super optimize here.
1080      ScratchArgs = AF.add(ScratchArgs, 1, DecRef);
1081      S = getPersistentSummary(RetEffect::MakeNoRet(), DoNothing, DoNothing);
1082    } else if (FName == "IOServiceAddNotification" ||
1083               FName == "IOServiceAddMatchingNotification") {
1084      // Part of <rdar://problem/6961230>. (IOKit)
1085      // This should be addressed using a API table.
1086      ScratchArgs = AF.add(ScratchArgs, 2, DecRef);
1087      S = getPersistentSummary(RetEffect::MakeNoRet(), DoNothing, DoNothing);
1088    } else if (FName == "CVPixelBufferCreateWithBytes") {
1089      // FIXES: <rdar://problem/7283567>
1090      // Eventually this can be improved by recognizing that the pixel
1091      // buffer passed to CVPixelBufferCreateWithBytes is released via
1092      // a callback and doing full IPA to make sure this is done correctly.
1093      // FIXME: This function has an out parameter that returns an
1094      // allocated object.
1095      ScratchArgs = AF.add(ScratchArgs, 7, StopTracking);
1096      S = getPersistentSummary(RetEffect::MakeNoRet(), DoNothing, DoNothing);
1097    } else if (FName == "CGBitmapContextCreateWithData") {
1098      // FIXES: <rdar://problem/7358899>
1099      // Eventually this can be improved by recognizing that 'releaseInfo'
1100      // passed to CGBitmapContextCreateWithData is released via
1101      // a callback and doing full IPA to make sure this is done correctly.
1102      ScratchArgs = AF.add(ScratchArgs, 8, StopTracking);
1103      S = getPersistentSummary(RetEffect::MakeOwned(RetEffect::CF, true),
1104                               DoNothing, DoNothing);
1105    } else if (FName == "CVPixelBufferCreateWithPlanarBytes") {
1106      // FIXES: <rdar://problem/7283567>
1107      // Eventually this can be improved by recognizing that the pixel
1108      // buffer passed to CVPixelBufferCreateWithPlanarBytes is released
1109      // via a callback and doing full IPA to make sure this is done
1110      // correctly.
1111      ScratchArgs = AF.add(ScratchArgs, 12, StopTracking);
1112      S = getPersistentSummary(RetEffect::MakeNoRet(), DoNothing, DoNothing);
1113    } else if (FName == "dispatch_set_context") {
1114      // <rdar://problem/11059275> - The analyzer currently doesn't have
1115      // a good way to reason about the finalizer function for libdispatch.
1116      // If we pass a context object that is memory managed, stop tracking it.
1117      // FIXME: this hack should possibly go away once we can handle
1118      // libdispatch finalizers.
1119      ScratchArgs = AF.add(ScratchArgs, 1, StopTracking);
1120      S = getPersistentSummary(RetEffect::MakeNoRet(), DoNothing, DoNothing);
1121    } else if (FName.startswith("NSLog")) {
1122      S = getDoNothingSummary();
1123    } else if (FName.startswith("NS") &&
1124                (FName.find("Insert") != StringRef::npos)) {
1125      // Whitelist NSXXInsertXX, for example NSMapInsertIfAbsent, since they can
1126      // be deallocated by NSMapRemove. (radar://11152419)
1127      ScratchArgs = AF.add(ScratchArgs, 1, StopTracking);
1128      ScratchArgs = AF.add(ScratchArgs, 2, StopTracking);
1129      S = getPersistentSummary(RetEffect::MakeNoRet(), DoNothing, DoNothing);
1130    }
1131
1132    // Did we get a summary?
1133    if (S)
1134      break;
1135
1136    if (RetTy->isPointerType()) {
1137      if (FD->getAttr<CFAuditedTransferAttr>()) {
1138        S = getCFCreateGetRuleSummary(FD);
1139        break;
1140      }
1141
1142      // For CoreFoundation ('CF') types.
1143      if (cocoa::isRefType(RetTy, "CF", FName)) {
1144        if (isRetain(FD, FName))
1145          S = getUnarySummary(FT, cfretain);
1146        else if (isMakeCollectable(FD, FName))
1147          S = getUnarySummary(FT, cfmakecollectable);
1148        else
1149          S = getCFCreateGetRuleSummary(FD);
1150
1151        break;
1152      }
1153
1154      // For CoreGraphics ('CG') types.
1155      if (cocoa::isRefType(RetTy, "CG", FName)) {
1156        if (isRetain(FD, FName))
1157          S = getUnarySummary(FT, cfretain);
1158        else
1159          S = getCFCreateGetRuleSummary(FD);
1160
1161        break;
1162      }
1163
1164      // For the Disk Arbitration API (DiskArbitration/DADisk.h)
1165      if (cocoa::isRefType(RetTy, "DADisk") ||
1166          cocoa::isRefType(RetTy, "DADissenter") ||
1167          cocoa::isRefType(RetTy, "DASessionRef")) {
1168        S = getCFCreateGetRuleSummary(FD);
1169        break;
1170      }
1171
1172      break;
1173    }
1174
1175    // Check for release functions, the only kind of functions that we care
1176    // about that don't return a pointer type.
1177    if (FName[0] == 'C' && (FName[1] == 'F' || FName[1] == 'G')) {
1178      // Test for 'CGCF'.
1179      FName = FName.substr(FName.startswith("CGCF") ? 4 : 2);
1180
1181      if (isRelease(FD, FName))
1182        S = getUnarySummary(FT, cfrelease);
1183      else {
1184        assert (ScratchArgs.isEmpty());
1185        // Remaining CoreFoundation and CoreGraphics functions.
1186        // We use to assume that they all strictly followed the ownership idiom
1187        // and that ownership cannot be transferred.  While this is technically
1188        // correct, many methods allow a tracked object to escape.  For example:
1189        //
1190        //   CFMutableDictionaryRef x = CFDictionaryCreateMutable(...);
1191        //   CFDictionaryAddValue(y, key, x);
1192        //   CFRelease(x);
1193        //   ... it is okay to use 'x' since 'y' has a reference to it
1194        //
1195        // We handle this and similar cases with the follow heuristic.  If the
1196        // function name contains "InsertValue", "SetValue", "AddValue",
1197        // "AppendValue", or "SetAttribute", then we assume that arguments may
1198        // "escape."  This means that something else holds on to the object,
1199        // allowing it be used even after its local retain count drops to 0.
1200        ArgEffect E = (StrInStrNoCase(FName, "InsertValue") != StringRef::npos||
1201                       StrInStrNoCase(FName, "AddValue") != StringRef::npos ||
1202                       StrInStrNoCase(FName, "SetValue") != StringRef::npos ||
1203                       StrInStrNoCase(FName, "AppendValue") != StringRef::npos||
1204                       StrInStrNoCase(FName, "SetAttribute") != StringRef::npos)
1205                      ? MayEscape : DoNothing;
1206
1207        S = getPersistentSummary(RetEffect::MakeNoRet(), DoNothing, E);
1208      }
1209    }
1210  }
1211  while (0);
1212
1213  // If we got all the way here without any luck, use a default summary.
1214  if (!S)
1215    S = getDefaultSummary();
1216
1217  // Annotations override defaults.
1218  if (AllowAnnotations)
1219    updateSummaryFromAnnotations(S, FD);
1220
1221  FuncSummaries[FD] = S;
1222  return S;
1223}
1224
1225const RetainSummary *
1226RetainSummaryManager::getCFCreateGetRuleSummary(const FunctionDecl *FD) {
1227  if (coreFoundation::followsCreateRule(FD))
1228    return getCFSummaryCreateRule(FD);
1229
1230  return getCFSummaryGetRule(FD);
1231}
1232
1233const RetainSummary *
1234RetainSummaryManager::getUnarySummary(const FunctionType* FT,
1235                                      UnaryFuncKind func) {
1236
1237  // Sanity check that this is *really* a unary function.  This can
1238  // happen if people do weird things.
1239  const FunctionProtoType* FTP = dyn_cast<FunctionProtoType>(FT);
1240  if (!FTP || FTP->getNumArgs() != 1)
1241    return getPersistentStopSummary();
1242
1243  assert (ScratchArgs.isEmpty());
1244
1245  ArgEffect Effect;
1246  switch (func) {
1247    case cfretain: Effect = IncRef; break;
1248    case cfrelease: Effect = DecRef; break;
1249    case cfmakecollectable: Effect = MakeCollectable; break;
1250  }
1251
1252  ScratchArgs = AF.add(ScratchArgs, 0, Effect);
1253  return getPersistentSummary(RetEffect::MakeNoRet(), DoNothing, DoNothing);
1254}
1255
1256const RetainSummary *
1257RetainSummaryManager::getCFSummaryCreateRule(const FunctionDecl *FD) {
1258  assert (ScratchArgs.isEmpty());
1259
1260  return getPersistentSummary(RetEffect::MakeOwned(RetEffect::CF, true));
1261}
1262
1263const RetainSummary *
1264RetainSummaryManager::getCFSummaryGetRule(const FunctionDecl *FD) {
1265  assert (ScratchArgs.isEmpty());
1266  return getPersistentSummary(RetEffect::MakeNotOwned(RetEffect::CF),
1267                              DoNothing, DoNothing);
1268}
1269
1270//===----------------------------------------------------------------------===//
1271// Summary creation for Selectors.
1272//===----------------------------------------------------------------------===//
1273
1274void
1275RetainSummaryManager::updateSummaryFromAnnotations(const RetainSummary *&Summ,
1276                                                   const FunctionDecl *FD) {
1277  if (!FD)
1278    return;
1279
1280  assert(Summ && "Must have a summary to add annotations to.");
1281  RetainSummaryTemplate Template(Summ, *this);
1282
1283  // Effects on the parameters.
1284  unsigned parm_idx = 0;
1285  for (FunctionDecl::param_const_iterator pi = FD->param_begin(),
1286         pe = FD->param_end(); pi != pe; ++pi, ++parm_idx) {
1287    const ParmVarDecl *pd = *pi;
1288    if (pd->getAttr<NSConsumedAttr>()) {
1289      if (!GCEnabled) {
1290        Template->addArg(AF, parm_idx, DecRef);
1291      }
1292    } else if (pd->getAttr<CFConsumedAttr>()) {
1293      Template->addArg(AF, parm_idx, DecRef);
1294    }
1295  }
1296
1297  QualType RetTy = FD->getResultType();
1298
1299  // Determine if there is a special return effect for this method.
1300  if (cocoa::isCocoaObjectRef(RetTy)) {
1301    if (FD->getAttr<NSReturnsRetainedAttr>()) {
1302      Template->setRetEffect(ObjCAllocRetE);
1303    }
1304    else if (FD->getAttr<CFReturnsRetainedAttr>()) {
1305      Template->setRetEffect(RetEffect::MakeOwned(RetEffect::CF, true));
1306    }
1307    else if (FD->getAttr<NSReturnsNotRetainedAttr>() ||
1308             FD->getAttr<NSReturnsAutoreleasedAttr>()) {
1309      Template->setRetEffect(RetEffect::MakeNotOwned(RetEffect::ObjC));
1310    }
1311    else if (FD->getAttr<CFReturnsNotRetainedAttr>())
1312      Template->setRetEffect(RetEffect::MakeNotOwned(RetEffect::CF));
1313    }
1314    else if (RetTy->getAs<PointerType>()) {
1315    if (FD->getAttr<CFReturnsRetainedAttr>()) {
1316      Template->setRetEffect(RetEffect::MakeOwned(RetEffect::CF, true));
1317    }
1318    else if (FD->getAttr<CFReturnsNotRetainedAttr>()) {
1319      Template->setRetEffect(RetEffect::MakeNotOwned(RetEffect::CF));
1320    }
1321  }
1322}
1323
1324void
1325RetainSummaryManager::updateSummaryFromAnnotations(const RetainSummary *&Summ,
1326                                                   const ObjCMethodDecl *MD) {
1327  if (!MD)
1328    return;
1329
1330  assert(Summ && "Must have a valid summary to add annotations to");
1331  RetainSummaryTemplate Template(Summ, *this);
1332  bool isTrackedLoc = false;
1333
1334  // Effects on the receiver.
1335  if (MD->getAttr<NSConsumesSelfAttr>()) {
1336    if (!GCEnabled)
1337      Template->setReceiverEffect(DecRefMsg);
1338  }
1339
1340  // Effects on the parameters.
1341  unsigned parm_idx = 0;
1342  for (ObjCMethodDecl::param_const_iterator
1343         pi=MD->param_begin(), pe=MD->param_end();
1344       pi != pe; ++pi, ++parm_idx) {
1345    const ParmVarDecl *pd = *pi;
1346    if (pd->getAttr<NSConsumedAttr>()) {
1347      if (!GCEnabled)
1348        Template->addArg(AF, parm_idx, DecRef);
1349    }
1350    else if(pd->getAttr<CFConsumedAttr>()) {
1351      Template->addArg(AF, parm_idx, DecRef);
1352    }
1353  }
1354
1355  // Determine if there is a special return effect for this method.
1356  if (cocoa::isCocoaObjectRef(MD->getResultType())) {
1357    if (MD->getAttr<NSReturnsRetainedAttr>()) {
1358      Template->setRetEffect(ObjCAllocRetE);
1359      return;
1360    }
1361    if (MD->getAttr<NSReturnsNotRetainedAttr>() ||
1362        MD->getAttr<NSReturnsAutoreleasedAttr>()) {
1363      Template->setRetEffect(RetEffect::MakeNotOwned(RetEffect::ObjC));
1364      return;
1365    }
1366
1367    isTrackedLoc = true;
1368  } else {
1369    isTrackedLoc = MD->getResultType()->getAs<PointerType>() != NULL;
1370  }
1371
1372  if (isTrackedLoc) {
1373    if (MD->getAttr<CFReturnsRetainedAttr>())
1374      Template->setRetEffect(RetEffect::MakeOwned(RetEffect::CF, true));
1375    else if (MD->getAttr<CFReturnsNotRetainedAttr>())
1376      Template->setRetEffect(RetEffect::MakeNotOwned(RetEffect::CF));
1377  }
1378}
1379
1380const RetainSummary *
1381RetainSummaryManager::getStandardMethodSummary(const ObjCMethodDecl *MD,
1382                                               Selector S, QualType RetTy) {
1383  // Any special effects?
1384  ArgEffect ReceiverEff = DoNothing;
1385  RetEffect ResultEff = RetEffect::MakeNoRet();
1386
1387  // Check the method family, and apply any default annotations.
1388  switch (MD ? MD->getMethodFamily() : S.getMethodFamily()) {
1389    case OMF_None:
1390    case OMF_performSelector:
1391      // Assume all Objective-C methods follow Cocoa Memory Management rules.
1392      // FIXME: Does the non-threaded performSelector family really belong here?
1393      // The selector could be, say, @selector(copy).
1394      if (cocoa::isCocoaObjectRef(RetTy))
1395        ResultEff = RetEffect::MakeNotOwned(RetEffect::ObjC);
1396      else if (coreFoundation::isCFObjectRef(RetTy)) {
1397        // ObjCMethodDecl currently doesn't consider CF objects as valid return
1398        // values for alloc, new, copy, or mutableCopy, so we have to
1399        // double-check with the selector. This is ugly, but there aren't that
1400        // many Objective-C methods that return CF objects, right?
1401        if (MD) {
1402          switch (S.getMethodFamily()) {
1403          case OMF_alloc:
1404          case OMF_new:
1405          case OMF_copy:
1406          case OMF_mutableCopy:
1407            ResultEff = RetEffect::MakeOwned(RetEffect::CF, true);
1408            break;
1409          default:
1410            ResultEff = RetEffect::MakeNotOwned(RetEffect::CF);
1411            break;
1412          }
1413        } else {
1414          ResultEff = RetEffect::MakeNotOwned(RetEffect::CF);
1415        }
1416      }
1417      break;
1418    case OMF_init:
1419      ResultEff = ObjCInitRetE;
1420      ReceiverEff = DecRefMsg;
1421      break;
1422    case OMF_alloc:
1423    case OMF_new:
1424    case OMF_copy:
1425    case OMF_mutableCopy:
1426      if (cocoa::isCocoaObjectRef(RetTy))
1427        ResultEff = ObjCAllocRetE;
1428      else if (coreFoundation::isCFObjectRef(RetTy))
1429        ResultEff = RetEffect::MakeOwned(RetEffect::CF, true);
1430      break;
1431    case OMF_autorelease:
1432      ReceiverEff = Autorelease;
1433      break;
1434    case OMF_retain:
1435      ReceiverEff = IncRefMsg;
1436      break;
1437    case OMF_release:
1438      ReceiverEff = DecRefMsg;
1439      break;
1440    case OMF_dealloc:
1441      ReceiverEff = Dealloc;
1442      break;
1443    case OMF_self:
1444      // -self is handled specially by the ExprEngine to propagate the receiver.
1445      break;
1446    case OMF_retainCount:
1447    case OMF_finalize:
1448      // These methods don't return objects.
1449      break;
1450  }
1451
1452  // If one of the arguments in the selector has the keyword 'delegate' we
1453  // should stop tracking the reference count for the receiver.  This is
1454  // because the reference count is quite possibly handled by a delegate
1455  // method.
1456  if (S.isKeywordSelector()) {
1457    for (unsigned i = 0, e = S.getNumArgs(); i != e; ++i) {
1458      StringRef Slot = S.getNameForSlot(i);
1459      if (Slot.substr(Slot.size() - 8).equals_lower("delegate")) {
1460        if (ResultEff == ObjCInitRetE)
1461          ResultEff = RetEffect::MakeNoRetHard();
1462        else
1463          ReceiverEff = StopTrackingHard;
1464      }
1465    }
1466  }
1467
1468  if (ScratchArgs.isEmpty() && ReceiverEff == DoNothing &&
1469      ResultEff.getKind() == RetEffect::NoRet)
1470    return getDefaultSummary();
1471
1472  return getPersistentSummary(ResultEff, ReceiverEff, MayEscape);
1473}
1474
1475const RetainSummary *
1476RetainSummaryManager::getInstanceMethodSummary(const ObjCMethodCall &Msg,
1477                                               ProgramStateRef State) {
1478  const ObjCInterfaceDecl *ReceiverClass = 0;
1479
1480  // We do better tracking of the type of the object than the core ExprEngine.
1481  // See if we have its type in our private state.
1482  // FIXME: Eventually replace the use of state->get<RefBindings> with
1483  // a generic API for reasoning about the Objective-C types of symbolic
1484  // objects.
1485  SVal ReceiverV = Msg.getReceiverSVal();
1486  if (SymbolRef Sym = ReceiverV.getAsLocSymbol())
1487    if (const RefVal *T = getRefBinding(State, Sym))
1488      if (const ObjCObjectPointerType *PT =
1489            T->getType()->getAs<ObjCObjectPointerType>())
1490        ReceiverClass = PT->getInterfaceDecl();
1491
1492  // If we don't know what kind of object this is, fall back to its static type.
1493  if (!ReceiverClass)
1494    ReceiverClass = Msg.getReceiverInterface();
1495
1496  // FIXME: The receiver could be a reference to a class, meaning that
1497  //  we should use the class method.
1498  // id x = [NSObject class];
1499  // [x performSelector:... withObject:... afterDelay:...];
1500  Selector S = Msg.getSelector();
1501  const ObjCMethodDecl *Method = Msg.getDecl();
1502  if (!Method && ReceiverClass)
1503    Method = ReceiverClass->getInstanceMethod(S);
1504
1505  return getMethodSummary(S, ReceiverClass, Method, Msg.getResultType(),
1506                          ObjCMethodSummaries);
1507}
1508
1509const RetainSummary *
1510RetainSummaryManager::getMethodSummary(Selector S, const ObjCInterfaceDecl *ID,
1511                                       const ObjCMethodDecl *MD, QualType RetTy,
1512                                       ObjCMethodSummariesTy &CachedSummaries) {
1513
1514  // Look up a summary in our summary cache.
1515  const RetainSummary *Summ = CachedSummaries.find(ID, S);
1516
1517  if (!Summ) {
1518    Summ = getStandardMethodSummary(MD, S, RetTy);
1519
1520    // Annotations override defaults.
1521    updateSummaryFromAnnotations(Summ, MD);
1522
1523    // Memoize the summary.
1524    CachedSummaries[ObjCSummaryKey(ID, S)] = Summ;
1525  }
1526
1527  return Summ;
1528}
1529
1530void RetainSummaryManager::InitializeClassMethodSummaries() {
1531  assert(ScratchArgs.isEmpty());
1532  // Create the [NSAssertionHandler currentHander] summary.
1533  addClassMethSummary("NSAssertionHandler", "currentHandler",
1534                getPersistentSummary(RetEffect::MakeNotOwned(RetEffect::ObjC)));
1535
1536  // Create the [NSAutoreleasePool addObject:] summary.
1537  ScratchArgs = AF.add(ScratchArgs, 0, Autorelease);
1538  addClassMethSummary("NSAutoreleasePool", "addObject",
1539                      getPersistentSummary(RetEffect::MakeNoRet(),
1540                                           DoNothing, Autorelease));
1541}
1542
1543void RetainSummaryManager::InitializeMethodSummaries() {
1544
1545  assert (ScratchArgs.isEmpty());
1546
1547  // Create the "init" selector.  It just acts as a pass-through for the
1548  // receiver.
1549  const RetainSummary *InitSumm = getPersistentSummary(ObjCInitRetE, DecRefMsg);
1550  addNSObjectMethSummary(GetNullarySelector("init", Ctx), InitSumm);
1551
1552  // awakeAfterUsingCoder: behaves basically like an 'init' method.  It
1553  // claims the receiver and returns a retained object.
1554  addNSObjectMethSummary(GetUnarySelector("awakeAfterUsingCoder", Ctx),
1555                         InitSumm);
1556
1557  // The next methods are allocators.
1558  const RetainSummary *AllocSumm = getPersistentSummary(ObjCAllocRetE);
1559  const RetainSummary *CFAllocSumm =
1560    getPersistentSummary(RetEffect::MakeOwned(RetEffect::CF, true));
1561
1562  // Create the "retain" selector.
1563  RetEffect NoRet = RetEffect::MakeNoRet();
1564  const RetainSummary *Summ = getPersistentSummary(NoRet, IncRefMsg);
1565  addNSObjectMethSummary(GetNullarySelector("retain", Ctx), Summ);
1566
1567  // Create the "release" selector.
1568  Summ = getPersistentSummary(NoRet, DecRefMsg);
1569  addNSObjectMethSummary(GetNullarySelector("release", Ctx), Summ);
1570
1571  // Create the -dealloc summary.
1572  Summ = getPersistentSummary(NoRet, Dealloc);
1573  addNSObjectMethSummary(GetNullarySelector("dealloc", Ctx), Summ);
1574
1575  // Create the "autorelease" selector.
1576  Summ = getPersistentSummary(NoRet, Autorelease);
1577  addNSObjectMethSummary(GetNullarySelector("autorelease", Ctx), Summ);
1578
1579  // For NSWindow, allocated objects are (initially) self-owned.
1580  // FIXME: For now we opt for false negatives with NSWindow, as these objects
1581  //  self-own themselves.  However, they only do this once they are displayed.
1582  //  Thus, we need to track an NSWindow's display status.
1583  //  This is tracked in <rdar://problem/6062711>.
1584  //  See also http://llvm.org/bugs/show_bug.cgi?id=3714.
1585  const RetainSummary *NoTrackYet = getPersistentSummary(RetEffect::MakeNoRet(),
1586                                                   StopTracking,
1587                                                   StopTracking);
1588
1589  addClassMethSummary("NSWindow", "alloc", NoTrackYet);
1590
1591  // For NSPanel (which subclasses NSWindow), allocated objects are not
1592  //  self-owned.
1593  // FIXME: For now we don't track NSPanels. object for the same reason
1594  //   as for NSWindow objects.
1595  addClassMethSummary("NSPanel", "alloc", NoTrackYet);
1596
1597  // Don't track allocated autorelease pools, as it is okay to prematurely
1598  // exit a method.
1599  addClassMethSummary("NSAutoreleasePool", "alloc", NoTrackYet);
1600  addClassMethSummary("NSAutoreleasePool", "allocWithZone", NoTrackYet, false);
1601  addClassMethSummary("NSAutoreleasePool", "new", NoTrackYet);
1602
1603  // Create summaries QCRenderer/QCView -createSnapShotImageOfType:
1604  addInstMethSummary("QCRenderer", AllocSumm,
1605                     "createSnapshotImageOfType", NULL);
1606  addInstMethSummary("QCView", AllocSumm,
1607                     "createSnapshotImageOfType", NULL);
1608
1609  // Create summaries for CIContext, 'createCGImage' and
1610  // 'createCGLayerWithSize'.  These objects are CF objects, and are not
1611  // automatically garbage collected.
1612  addInstMethSummary("CIContext", CFAllocSumm,
1613                     "createCGImage", "fromRect", NULL);
1614  addInstMethSummary("CIContext", CFAllocSumm,
1615                     "createCGImage", "fromRect", "format", "colorSpace", NULL);
1616  addInstMethSummary("CIContext", CFAllocSumm, "createCGLayerWithSize",
1617           "info", NULL);
1618}
1619
1620//===----------------------------------------------------------------------===//
1621// Error reporting.
1622//===----------------------------------------------------------------------===//
1623namespace {
1624  typedef llvm::DenseMap<const ExplodedNode *, const RetainSummary *>
1625    SummaryLogTy;
1626
1627  //===-------------===//
1628  // Bug Descriptions. //
1629  //===-------------===//
1630
1631  class CFRefBug : public BugType {
1632  protected:
1633    CFRefBug(StringRef name)
1634    : BugType(name, categories::MemoryCoreFoundationObjectiveC) {}
1635  public:
1636
1637    // FIXME: Eventually remove.
1638    virtual const char *getDescription() const = 0;
1639
1640    virtual bool isLeak() const { return false; }
1641  };
1642
1643  class UseAfterRelease : public CFRefBug {
1644  public:
1645    UseAfterRelease() : CFRefBug("Use-after-release") {}
1646
1647    const char *getDescription() const {
1648      return "Reference-counted object is used after it is released";
1649    }
1650  };
1651
1652  class BadRelease : public CFRefBug {
1653  public:
1654    BadRelease() : CFRefBug("Bad release") {}
1655
1656    const char *getDescription() const {
1657      return "Incorrect decrement of the reference count of an object that is "
1658             "not owned at this point by the caller";
1659    }
1660  };
1661
1662  class DeallocGC : public CFRefBug {
1663  public:
1664    DeallocGC()
1665    : CFRefBug("-dealloc called while using garbage collection") {}
1666
1667    const char *getDescription() const {
1668      return "-dealloc called while using garbage collection";
1669    }
1670  };
1671
1672  class DeallocNotOwned : public CFRefBug {
1673  public:
1674    DeallocNotOwned()
1675    : CFRefBug("-dealloc sent to non-exclusively owned object") {}
1676
1677    const char *getDescription() const {
1678      return "-dealloc sent to object that may be referenced elsewhere";
1679    }
1680  };
1681
1682  class OverAutorelease : public CFRefBug {
1683  public:
1684    OverAutorelease()
1685    : CFRefBug("Object sent -autorelease too many times") {}
1686
1687    const char *getDescription() const {
1688      return "Object sent -autorelease too many times";
1689    }
1690  };
1691
1692  class ReturnedNotOwnedForOwned : public CFRefBug {
1693  public:
1694    ReturnedNotOwnedForOwned()
1695    : CFRefBug("Method should return an owned object") {}
1696
1697    const char *getDescription() const {
1698      return "Object with a +0 retain count returned to caller where a +1 "
1699             "(owning) retain count is expected";
1700    }
1701  };
1702
1703  class Leak : public CFRefBug {
1704  public:
1705    Leak(StringRef name)
1706    : CFRefBug(name) {
1707      // Leaks should not be reported if they are post-dominated by a sink.
1708      setSuppressOnSink(true);
1709    }
1710
1711    const char *getDescription() const { return ""; }
1712
1713    bool isLeak() const { return true; }
1714  };
1715
1716  //===---------===//
1717  // Bug Reports.  //
1718  //===---------===//
1719
1720  class CFRefReportVisitor : public BugReporterVisitorImpl<CFRefReportVisitor> {
1721  protected:
1722    SymbolRef Sym;
1723    const SummaryLogTy &SummaryLog;
1724    bool GCEnabled;
1725
1726  public:
1727    CFRefReportVisitor(SymbolRef sym, bool gcEnabled, const SummaryLogTy &log)
1728       : Sym(sym), SummaryLog(log), GCEnabled(gcEnabled) {}
1729
1730    virtual void Profile(llvm::FoldingSetNodeID &ID) const {
1731      static int x = 0;
1732      ID.AddPointer(&x);
1733      ID.AddPointer(Sym);
1734    }
1735
1736    virtual PathDiagnosticPiece *VisitNode(const ExplodedNode *N,
1737                                           const ExplodedNode *PrevN,
1738                                           BugReporterContext &BRC,
1739                                           BugReport &BR);
1740
1741    virtual PathDiagnosticPiece *getEndPath(BugReporterContext &BRC,
1742                                            const ExplodedNode *N,
1743                                            BugReport &BR);
1744  };
1745
1746  class CFRefLeakReportVisitor : public CFRefReportVisitor {
1747  public:
1748    CFRefLeakReportVisitor(SymbolRef sym, bool GCEnabled,
1749                           const SummaryLogTy &log)
1750       : CFRefReportVisitor(sym, GCEnabled, log) {}
1751
1752    PathDiagnosticPiece *getEndPath(BugReporterContext &BRC,
1753                                    const ExplodedNode *N,
1754                                    BugReport &BR);
1755
1756    virtual BugReporterVisitor *clone() const {
1757      // The curiously-recurring template pattern only works for one level of
1758      // subclassing. Rather than make a new template base for
1759      // CFRefReportVisitor, we simply override clone() to do the right thing.
1760      // This could be trouble someday if BugReporterVisitorImpl is ever
1761      // used for something else besides a convenient implementation of clone().
1762      return new CFRefLeakReportVisitor(*this);
1763    }
1764  };
1765
1766  class CFRefReport : public BugReport {
1767    void addGCModeDescription(const LangOptions &LOpts, bool GCEnabled);
1768
1769  public:
1770    CFRefReport(CFRefBug &D, const LangOptions &LOpts, bool GCEnabled,
1771                const SummaryLogTy &Log, ExplodedNode *n, SymbolRef sym,
1772                bool registerVisitor = true)
1773      : BugReport(D, D.getDescription(), n) {
1774      if (registerVisitor)
1775        addVisitor(new CFRefReportVisitor(sym, GCEnabled, Log));
1776      addGCModeDescription(LOpts, GCEnabled);
1777    }
1778
1779    CFRefReport(CFRefBug &D, const LangOptions &LOpts, bool GCEnabled,
1780                const SummaryLogTy &Log, ExplodedNode *n, SymbolRef sym,
1781                StringRef endText)
1782      : BugReport(D, D.getDescription(), endText, n) {
1783      addVisitor(new CFRefReportVisitor(sym, GCEnabled, Log));
1784      addGCModeDescription(LOpts, GCEnabled);
1785    }
1786
1787    virtual std::pair<ranges_iterator, ranges_iterator> getRanges() {
1788      const CFRefBug& BugTy = static_cast<CFRefBug&>(getBugType());
1789      if (!BugTy.isLeak())
1790        return BugReport::getRanges();
1791      else
1792        return std::make_pair(ranges_iterator(), ranges_iterator());
1793    }
1794  };
1795
1796  class CFRefLeakReport : public CFRefReport {
1797    const MemRegion* AllocBinding;
1798
1799  public:
1800    CFRefLeakReport(CFRefBug &D, const LangOptions &LOpts, bool GCEnabled,
1801                    const SummaryLogTy &Log, ExplodedNode *n, SymbolRef sym,
1802                    CheckerContext &Ctx);
1803
1804    PathDiagnosticLocation getLocation(const SourceManager &SM) const {
1805      assert(Location.isValid());
1806      return Location;
1807    }
1808  };
1809} // end anonymous namespace
1810
1811void CFRefReport::addGCModeDescription(const LangOptions &LOpts,
1812                                       bool GCEnabled) {
1813  const char *GCModeDescription = 0;
1814
1815  switch (LOpts.getGC()) {
1816  case LangOptions::GCOnly:
1817    assert(GCEnabled);
1818    GCModeDescription = "Code is compiled to only use garbage collection";
1819    break;
1820
1821  case LangOptions::NonGC:
1822    assert(!GCEnabled);
1823    GCModeDescription = "Code is compiled to use reference counts";
1824    break;
1825
1826  case LangOptions::HybridGC:
1827    if (GCEnabled) {
1828      GCModeDescription = "Code is compiled to use either garbage collection "
1829                          "(GC) or reference counts (non-GC).  The bug occurs "
1830                          "with GC enabled";
1831      break;
1832    } else {
1833      GCModeDescription = "Code is compiled to use either garbage collection "
1834                          "(GC) or reference counts (non-GC).  The bug occurs "
1835                          "in non-GC mode";
1836      break;
1837    }
1838  }
1839
1840  assert(GCModeDescription && "invalid/unknown GC mode");
1841  addExtraText(GCModeDescription);
1842}
1843
1844// FIXME: This should be a method on SmallVector.
1845static inline bool contains(const SmallVectorImpl<ArgEffect>& V,
1846                            ArgEffect X) {
1847  for (SmallVectorImpl<ArgEffect>::const_iterator I=V.begin(), E=V.end();
1848       I!=E; ++I)
1849    if (*I == X) return true;
1850
1851  return false;
1852}
1853
1854static bool isNumericLiteralExpression(const Expr *E) {
1855  // FIXME: This set of cases was copied from SemaExprObjC.
1856  return isa<IntegerLiteral>(E) ||
1857         isa<CharacterLiteral>(E) ||
1858         isa<FloatingLiteral>(E) ||
1859         isa<ObjCBoolLiteralExpr>(E) ||
1860         isa<CXXBoolLiteralExpr>(E);
1861}
1862
1863PathDiagnosticPiece *CFRefReportVisitor::VisitNode(const ExplodedNode *N,
1864                                                   const ExplodedNode *PrevN,
1865                                                   BugReporterContext &BRC,
1866                                                   BugReport &BR) {
1867  // FIXME: We will eventually need to handle non-statement-based events
1868  // (__attribute__((cleanup))).
1869  if (!isa<StmtPoint>(N->getLocation()))
1870    return NULL;
1871
1872  // Check if the type state has changed.
1873  ProgramStateRef PrevSt = PrevN->getState();
1874  ProgramStateRef CurrSt = N->getState();
1875  const LocationContext *LCtx = N->getLocationContext();
1876
1877  const RefVal* CurrT = getRefBinding(CurrSt, Sym);
1878  if (!CurrT) return NULL;
1879
1880  const RefVal &CurrV = *CurrT;
1881  const RefVal *PrevT = getRefBinding(PrevSt, Sym);
1882
1883  // Create a string buffer to constain all the useful things we want
1884  // to tell the user.
1885  std::string sbuf;
1886  llvm::raw_string_ostream os(sbuf);
1887
1888  // This is the allocation site since the previous node had no bindings
1889  // for this symbol.
1890  if (!PrevT) {
1891    const Stmt *S = cast<StmtPoint>(N->getLocation()).getStmt();
1892
1893    if (isa<ObjCArrayLiteral>(S)) {
1894      os << "NSArray literal is an object with a +0 retain count";
1895    }
1896    else if (isa<ObjCDictionaryLiteral>(S)) {
1897      os << "NSDictionary literal is an object with a +0 retain count";
1898    }
1899    else if (const ObjCBoxedExpr *BL = dyn_cast<ObjCBoxedExpr>(S)) {
1900      if (isNumericLiteralExpression(BL->getSubExpr()))
1901        os << "NSNumber literal is an object with a +0 retain count";
1902      else {
1903        const ObjCInterfaceDecl *BoxClass = 0;
1904        if (const ObjCMethodDecl *Method = BL->getBoxingMethod())
1905          BoxClass = Method->getClassInterface();
1906
1907        // We should always be able to find the boxing class interface,
1908        // but consider this future-proofing.
1909        if (BoxClass)
1910          os << *BoxClass << " b";
1911        else
1912          os << "B";
1913
1914        os << "oxed expression produces an object with a +0 retain count";
1915      }
1916    }
1917    else {
1918      if (const CallExpr *CE = dyn_cast<CallExpr>(S)) {
1919        // Get the name of the callee (if it is available).
1920        SVal X = CurrSt->getSValAsScalarOrLoc(CE->getCallee(), LCtx);
1921        if (const FunctionDecl *FD = X.getAsFunctionDecl())
1922          os << "Call to function '" << *FD << '\'';
1923        else
1924          os << "function call";
1925      }
1926      else {
1927        assert(isa<ObjCMessageExpr>(S));
1928        CallEventManager &Mgr = CurrSt->getStateManager().getCallEventManager();
1929        CallEventRef<ObjCMethodCall> Call
1930          = Mgr.getObjCMethodCall(cast<ObjCMessageExpr>(S), CurrSt, LCtx);
1931
1932        switch (Call->getMessageKind()) {
1933        case OCM_Message:
1934          os << "Method";
1935          break;
1936        case OCM_PropertyAccess:
1937          os << "Property";
1938          break;
1939        case OCM_Subscript:
1940          os << "Subscript";
1941          break;
1942        }
1943      }
1944
1945      if (CurrV.getObjKind() == RetEffect::CF) {
1946        os << " returns a Core Foundation object with a ";
1947      }
1948      else {
1949        assert (CurrV.getObjKind() == RetEffect::ObjC);
1950        os << " returns an Objective-C object with a ";
1951      }
1952
1953      if (CurrV.isOwned()) {
1954        os << "+1 retain count";
1955
1956        if (GCEnabled) {
1957          assert(CurrV.getObjKind() == RetEffect::CF);
1958          os << ".  "
1959          "Core Foundation objects are not automatically garbage collected.";
1960        }
1961      }
1962      else {
1963        assert (CurrV.isNotOwned());
1964        os << "+0 retain count";
1965      }
1966    }
1967
1968    PathDiagnosticLocation Pos(S, BRC.getSourceManager(),
1969                                  N->getLocationContext());
1970    return new PathDiagnosticEventPiece(Pos, os.str());
1971  }
1972
1973  // Gather up the effects that were performed on the object at this
1974  // program point
1975  SmallVector<ArgEffect, 2> AEffects;
1976
1977  const ExplodedNode *OrigNode = BRC.getNodeResolver().getOriginalNode(N);
1978  if (const RetainSummary *Summ = SummaryLog.lookup(OrigNode)) {
1979    // We only have summaries attached to nodes after evaluating CallExpr and
1980    // ObjCMessageExprs.
1981    const Stmt *S = cast<StmtPoint>(N->getLocation()).getStmt();
1982
1983    if (const CallExpr *CE = dyn_cast<CallExpr>(S)) {
1984      // Iterate through the parameter expressions and see if the symbol
1985      // was ever passed as an argument.
1986      unsigned i = 0;
1987
1988      for (CallExpr::const_arg_iterator AI=CE->arg_begin(), AE=CE->arg_end();
1989           AI!=AE; ++AI, ++i) {
1990
1991        // Retrieve the value of the argument.  Is it the symbol
1992        // we are interested in?
1993        if (CurrSt->getSValAsScalarOrLoc(*AI, LCtx).getAsLocSymbol() != Sym)
1994          continue;
1995
1996        // We have an argument.  Get the effect!
1997        AEffects.push_back(Summ->getArg(i));
1998      }
1999    }
2000    else if (const ObjCMessageExpr *ME = dyn_cast<ObjCMessageExpr>(S)) {
2001      if (const Expr *receiver = ME->getInstanceReceiver())
2002        if (CurrSt->getSValAsScalarOrLoc(receiver, LCtx)
2003              .getAsLocSymbol() == Sym) {
2004          // The symbol we are tracking is the receiver.
2005          AEffects.push_back(Summ->getReceiverEffect());
2006        }
2007    }
2008  }
2009
2010  do {
2011    // Get the previous type state.
2012    RefVal PrevV = *PrevT;
2013
2014    // Specially handle -dealloc.
2015    if (!GCEnabled && contains(AEffects, Dealloc)) {
2016      // Determine if the object's reference count was pushed to zero.
2017      assert(!(PrevV == CurrV) && "The typestate *must* have changed.");
2018      // We may not have transitioned to 'release' if we hit an error.
2019      // This case is handled elsewhere.
2020      if (CurrV.getKind() == RefVal::Released) {
2021        assert(CurrV.getCombinedCounts() == 0);
2022        os << "Object released by directly sending the '-dealloc' message";
2023        break;
2024      }
2025    }
2026
2027    // Specially handle CFMakeCollectable and friends.
2028    if (contains(AEffects, MakeCollectable)) {
2029      // Get the name of the function.
2030      const Stmt *S = cast<StmtPoint>(N->getLocation()).getStmt();
2031      SVal X =
2032        CurrSt->getSValAsScalarOrLoc(cast<CallExpr>(S)->getCallee(), LCtx);
2033      const FunctionDecl *FD = X.getAsFunctionDecl();
2034
2035      if (GCEnabled) {
2036        // Determine if the object's reference count was pushed to zero.
2037        assert(!(PrevV == CurrV) && "The typestate *must* have changed.");
2038
2039        os << "In GC mode a call to '" << *FD
2040        <<  "' decrements an object's retain count and registers the "
2041        "object with the garbage collector. ";
2042
2043        if (CurrV.getKind() == RefVal::Released) {
2044          assert(CurrV.getCount() == 0);
2045          os << "Since it now has a 0 retain count the object can be "
2046          "automatically collected by the garbage collector.";
2047        }
2048        else
2049          os << "An object must have a 0 retain count to be garbage collected. "
2050          "After this call its retain count is +" << CurrV.getCount()
2051          << '.';
2052      }
2053      else
2054        os << "When GC is not enabled a call to '" << *FD
2055        << "' has no effect on its argument.";
2056
2057      // Nothing more to say.
2058      break;
2059    }
2060
2061    // Determine if the typestate has changed.
2062    if (!(PrevV == CurrV))
2063      switch (CurrV.getKind()) {
2064        case RefVal::Owned:
2065        case RefVal::NotOwned:
2066
2067          if (PrevV.getCount() == CurrV.getCount()) {
2068            // Did an autorelease message get sent?
2069            if (PrevV.getAutoreleaseCount() == CurrV.getAutoreleaseCount())
2070              return 0;
2071
2072            assert(PrevV.getAutoreleaseCount() < CurrV.getAutoreleaseCount());
2073            os << "Object sent -autorelease message";
2074            break;
2075          }
2076
2077          if (PrevV.getCount() > CurrV.getCount())
2078            os << "Reference count decremented.";
2079          else
2080            os << "Reference count incremented.";
2081
2082          if (unsigned Count = CurrV.getCount())
2083            os << " The object now has a +" << Count << " retain count.";
2084
2085          if (PrevV.getKind() == RefVal::Released) {
2086            assert(GCEnabled && CurrV.getCount() > 0);
2087            os << " The object is not eligible for garbage collection until "
2088                  "the retain count reaches 0 again.";
2089          }
2090
2091          break;
2092
2093        case RefVal::Released:
2094          os << "Object released.";
2095          break;
2096
2097        case RefVal::ReturnedOwned:
2098          // Autoreleases can be applied after marking a node ReturnedOwned.
2099          if (CurrV.getAutoreleaseCount())
2100            return NULL;
2101
2102          os << "Object returned to caller as an owning reference (single "
2103                "retain count transferred to caller)";
2104          break;
2105
2106        case RefVal::ReturnedNotOwned:
2107          os << "Object returned to caller with a +0 retain count";
2108          break;
2109
2110        default:
2111          return NULL;
2112      }
2113
2114    // Emit any remaining diagnostics for the argument effects (if any).
2115    for (SmallVectorImpl<ArgEffect>::iterator I=AEffects.begin(),
2116         E=AEffects.end(); I != E; ++I) {
2117
2118      // A bunch of things have alternate behavior under GC.
2119      if (GCEnabled)
2120        switch (*I) {
2121          default: break;
2122          case Autorelease:
2123            os << "In GC mode an 'autorelease' has no effect.";
2124            continue;
2125          case IncRefMsg:
2126            os << "In GC mode the 'retain' message has no effect.";
2127            continue;
2128          case DecRefMsg:
2129            os << "In GC mode the 'release' message has no effect.";
2130            continue;
2131        }
2132    }
2133  } while (0);
2134
2135  if (os.str().empty())
2136    return 0; // We have nothing to say!
2137
2138  const Stmt *S = cast<StmtPoint>(N->getLocation()).getStmt();
2139  PathDiagnosticLocation Pos(S, BRC.getSourceManager(),
2140                                N->getLocationContext());
2141  PathDiagnosticPiece *P = new PathDiagnosticEventPiece(Pos, os.str());
2142
2143  // Add the range by scanning the children of the statement for any bindings
2144  // to Sym.
2145  for (Stmt::const_child_iterator I = S->child_begin(), E = S->child_end();
2146       I!=E; ++I)
2147    if (const Expr *Exp = dyn_cast_or_null<Expr>(*I))
2148      if (CurrSt->getSValAsScalarOrLoc(Exp, LCtx).getAsLocSymbol() == Sym) {
2149        P->addRange(Exp->getSourceRange());
2150        break;
2151      }
2152
2153  return P;
2154}
2155
2156// Find the first node in the current function context that referred to the
2157// tracked symbol and the memory location that value was stored to. Note, the
2158// value is only reported if the allocation occurred in the same function as
2159// the leak.
2160static std::pair<const ExplodedNode*,const MemRegion*>
2161GetAllocationSite(ProgramStateManager& StateMgr, const ExplodedNode *N,
2162                  SymbolRef Sym) {
2163  const ExplodedNode *Last = N;
2164  const MemRegion* FirstBinding = 0;
2165  const LocationContext *LeakContext = N->getLocationContext();
2166
2167  while (N) {
2168    ProgramStateRef St = N->getState();
2169
2170    if (!getRefBinding(St, Sym))
2171      break;
2172
2173    StoreManager::FindUniqueBinding FB(Sym);
2174    StateMgr.iterBindings(St, FB);
2175    if (FB) FirstBinding = FB.getRegion();
2176
2177    // Allocation node, is the last node in the current context in which the
2178    // symbol was tracked.
2179    if (N->getLocationContext() == LeakContext)
2180      Last = N;
2181
2182    N = N->pred_empty() ? NULL : *(N->pred_begin());
2183  }
2184
2185  // If allocation happened in a function different from the leak node context,
2186  // do not report the binding.
2187  assert(N && "Could not find allocation node");
2188  if (N->getLocationContext() != LeakContext) {
2189    FirstBinding = 0;
2190  }
2191
2192  return std::make_pair(Last, FirstBinding);
2193}
2194
2195PathDiagnosticPiece*
2196CFRefReportVisitor::getEndPath(BugReporterContext &BRC,
2197                               const ExplodedNode *EndN,
2198                               BugReport &BR) {
2199  BR.markInteresting(Sym);
2200  return BugReporterVisitor::getDefaultEndPath(BRC, EndN, BR);
2201}
2202
2203PathDiagnosticPiece*
2204CFRefLeakReportVisitor::getEndPath(BugReporterContext &BRC,
2205                                   const ExplodedNode *EndN,
2206                                   BugReport &BR) {
2207
2208  // Tell the BugReporterContext to report cases when the tracked symbol is
2209  // assigned to different variables, etc.
2210  BR.markInteresting(Sym);
2211
2212  // We are reporting a leak.  Walk up the graph to get to the first node where
2213  // the symbol appeared, and also get the first VarDecl that tracked object
2214  // is stored to.
2215  const ExplodedNode *AllocNode = 0;
2216  const MemRegion* FirstBinding = 0;
2217
2218  llvm::tie(AllocNode, FirstBinding) =
2219    GetAllocationSite(BRC.getStateManager(), EndN, Sym);
2220
2221  SourceManager& SM = BRC.getSourceManager();
2222
2223  // Compute an actual location for the leak.  Sometimes a leak doesn't
2224  // occur at an actual statement (e.g., transition between blocks; end
2225  // of function) so we need to walk the graph and compute a real location.
2226  const ExplodedNode *LeakN = EndN;
2227  PathDiagnosticLocation L = PathDiagnosticLocation::createEndOfPath(LeakN, SM);
2228
2229  std::string sbuf;
2230  llvm::raw_string_ostream os(sbuf);
2231
2232  os << "Object leaked: ";
2233
2234  if (FirstBinding) {
2235    os << "object allocated and stored into '"
2236       << FirstBinding->getString() << '\'';
2237  }
2238  else
2239    os << "allocated object";
2240
2241  // Get the retain count.
2242  const RefVal* RV = getRefBinding(EndN->getState(), Sym);
2243  assert(RV);
2244
2245  if (RV->getKind() == RefVal::ErrorLeakReturned) {
2246    // FIXME: Per comments in rdar://6320065, "create" only applies to CF
2247    // objects.  Only "copy", "alloc", "retain" and "new" transfer ownership
2248    // to the caller for NS objects.
2249    const Decl *D = &EndN->getCodeDecl();
2250
2251    os << (isa<ObjCMethodDecl>(D) ? " is returned from a method "
2252                                  : " is returned from a function ");
2253
2254    if (D->getAttr<CFReturnsNotRetainedAttr>())
2255      os << "that is annotated as CF_RETURNS_NOT_RETAINED";
2256    else if (D->getAttr<NSReturnsNotRetainedAttr>())
2257      os << "that is annotated as NS_RETURNS_NOT_RETAINED";
2258    else {
2259      if (const ObjCMethodDecl *MD = dyn_cast<ObjCMethodDecl>(D)) {
2260        os << "whose name ('" << MD->getSelector().getAsString()
2261           << "') does not start with 'copy', 'mutableCopy', 'alloc' or 'new'."
2262              "  This violates the naming convention rules"
2263              " given in the Memory Management Guide for Cocoa";
2264      }
2265      else {
2266        const FunctionDecl *FD = cast<FunctionDecl>(D);
2267        os << "whose name ('" << *FD
2268           << "') does not contain 'Copy' or 'Create'.  This violates the naming"
2269              " convention rules given in the Memory Management Guide for Core"
2270              " Foundation";
2271      }
2272    }
2273  }
2274  else if (RV->getKind() == RefVal::ErrorGCLeakReturned) {
2275    ObjCMethodDecl &MD = cast<ObjCMethodDecl>(EndN->getCodeDecl());
2276    os << " and returned from method '" << MD.getSelector().getAsString()
2277       << "' is potentially leaked when using garbage collection.  Callers "
2278          "of this method do not expect a returned object with a +1 retain "
2279          "count since they expect the object to be managed by the garbage "
2280          "collector";
2281  }
2282  else
2283    os << " is not referenced later in this execution path and has a retain "
2284          "count of +" << RV->getCount();
2285
2286  return new PathDiagnosticEventPiece(L, os.str());
2287}
2288
2289CFRefLeakReport::CFRefLeakReport(CFRefBug &D, const LangOptions &LOpts,
2290                                 bool GCEnabled, const SummaryLogTy &Log,
2291                                 ExplodedNode *n, SymbolRef sym,
2292                                 CheckerContext &Ctx)
2293: CFRefReport(D, LOpts, GCEnabled, Log, n, sym, false) {
2294
2295  // Most bug reports are cached at the location where they occurred.
2296  // With leaks, we want to unique them by the location where they were
2297  // allocated, and only report a single path.  To do this, we need to find
2298  // the allocation site of a piece of tracked memory, which we do via a
2299  // call to GetAllocationSite.  This will walk the ExplodedGraph backwards.
2300  // Note that this is *not* the trimmed graph; we are guaranteed, however,
2301  // that all ancestor nodes that represent the allocation site have the
2302  // same SourceLocation.
2303  const ExplodedNode *AllocNode = 0;
2304
2305  const SourceManager& SMgr = Ctx.getSourceManager();
2306
2307  llvm::tie(AllocNode, AllocBinding) =  // Set AllocBinding.
2308    GetAllocationSite(Ctx.getStateManager(), getErrorNode(), sym);
2309
2310  // Get the SourceLocation for the allocation site.
2311  // FIXME: This will crash the analyzer if an allocation comes from an
2312  // implicit call. (Currently there are no such allocations in Cocoa, though.)
2313  const Stmt *AllocStmt;
2314  ProgramPoint P = AllocNode->getLocation();
2315  if (CallExitEnd *Exit = dyn_cast<CallExitEnd>(&P))
2316    AllocStmt = Exit->getCalleeContext()->getCallSite();
2317  else
2318    AllocStmt = cast<PostStmt>(P).getStmt();
2319  assert(AllocStmt && "All allocations must come from explicit calls");
2320  Location = PathDiagnosticLocation::createBegin(AllocStmt, SMgr,
2321                                                  n->getLocationContext());
2322  // Fill in the description of the bug.
2323  Description.clear();
2324  llvm::raw_string_ostream os(Description);
2325  os << "Potential leak ";
2326  if (GCEnabled)
2327    os << "(when using garbage collection) ";
2328  os << "of an object";
2329
2330  // FIXME: AllocBinding doesn't get populated for RegionStore yet.
2331  if (AllocBinding)
2332    os << " stored into '" << AllocBinding->getString() << '\'';
2333
2334  addVisitor(new CFRefLeakReportVisitor(sym, GCEnabled, Log));
2335}
2336
2337//===----------------------------------------------------------------------===//
2338// Main checker logic.
2339//===----------------------------------------------------------------------===//
2340
2341namespace {
2342class RetainCountChecker
2343  : public Checker< check::Bind,
2344                    check::DeadSymbols,
2345                    check::EndAnalysis,
2346                    check::EndFunction,
2347                    check::PostStmt<BlockExpr>,
2348                    check::PostStmt<CastExpr>,
2349                    check::PostStmt<ObjCArrayLiteral>,
2350                    check::PostStmt<ObjCDictionaryLiteral>,
2351                    check::PostStmt<ObjCBoxedExpr>,
2352                    check::PostCall,
2353                    check::PreStmt<ReturnStmt>,
2354                    check::RegionChanges,
2355                    eval::Assume,
2356                    eval::Call > {
2357  mutable OwningPtr<CFRefBug> useAfterRelease, releaseNotOwned;
2358  mutable OwningPtr<CFRefBug> deallocGC, deallocNotOwned;
2359  mutable OwningPtr<CFRefBug> overAutorelease, returnNotOwnedForOwned;
2360  mutable OwningPtr<CFRefBug> leakWithinFunction, leakAtReturn;
2361  mutable OwningPtr<CFRefBug> leakWithinFunctionGC, leakAtReturnGC;
2362
2363  typedef llvm::DenseMap<SymbolRef, const SimpleProgramPointTag *> SymbolTagMap;
2364
2365  // This map is only used to ensure proper deletion of any allocated tags.
2366  mutable SymbolTagMap DeadSymbolTags;
2367
2368  mutable OwningPtr<RetainSummaryManager> Summaries;
2369  mutable OwningPtr<RetainSummaryManager> SummariesGC;
2370  mutable SummaryLogTy SummaryLog;
2371  mutable bool ShouldResetSummaryLog;
2372
2373public:
2374  RetainCountChecker() : ShouldResetSummaryLog(false) {}
2375
2376  virtual ~RetainCountChecker() {
2377    DeleteContainerSeconds(DeadSymbolTags);
2378  }
2379
2380  void checkEndAnalysis(ExplodedGraph &G, BugReporter &BR,
2381                        ExprEngine &Eng) const {
2382    // FIXME: This is a hack to make sure the summary log gets cleared between
2383    // analyses of different code bodies.
2384    //
2385    // Why is this necessary? Because a checker's lifetime is tied to a
2386    // translation unit, but an ExplodedGraph's lifetime is just a code body.
2387    // Once in a blue moon, a new ExplodedNode will have the same address as an
2388    // old one with an associated summary, and the bug report visitor gets very
2389    // confused. (To make things worse, the summary lifetime is currently also
2390    // tied to a code body, so we get a crash instead of incorrect results.)
2391    //
2392    // Why is this a bad solution? Because if the lifetime of the ExplodedGraph
2393    // changes, things will start going wrong again. Really the lifetime of this
2394    // log needs to be tied to either the specific nodes in it or the entire
2395    // ExplodedGraph, not to a specific part of the code being analyzed.
2396    //
2397    // (Also, having stateful local data means that the same checker can't be
2398    // used from multiple threads, but a lot of checkers have incorrect
2399    // assumptions about that anyway. So that wasn't a priority at the time of
2400    // this fix.)
2401    //
2402    // This happens at the end of analysis, but bug reports are emitted /after/
2403    // this point. So we can't just clear the summary log now. Instead, we mark
2404    // that the next time we access the summary log, it should be cleared.
2405
2406    // If we never reset the summary log during /this/ code body analysis,
2407    // there were no new summaries. There might still have been summaries from
2408    // the /last/ analysis, so clear them out to make sure the bug report
2409    // visitors don't get confused.
2410    if (ShouldResetSummaryLog)
2411      SummaryLog.clear();
2412
2413    ShouldResetSummaryLog = !SummaryLog.empty();
2414  }
2415
2416  CFRefBug *getLeakWithinFunctionBug(const LangOptions &LOpts,
2417                                     bool GCEnabled) const {
2418    if (GCEnabled) {
2419      if (!leakWithinFunctionGC)
2420        leakWithinFunctionGC.reset(new Leak("Leak of object when using "
2421                                             "garbage collection"));
2422      return leakWithinFunctionGC.get();
2423    } else {
2424      if (!leakWithinFunction) {
2425        if (LOpts.getGC() == LangOptions::HybridGC) {
2426          leakWithinFunction.reset(new Leak("Leak of object when not using "
2427                                            "garbage collection (GC) in "
2428                                            "dual GC/non-GC code"));
2429        } else {
2430          leakWithinFunction.reset(new Leak("Leak"));
2431        }
2432      }
2433      return leakWithinFunction.get();
2434    }
2435  }
2436
2437  CFRefBug *getLeakAtReturnBug(const LangOptions &LOpts, bool GCEnabled) const {
2438    if (GCEnabled) {
2439      if (!leakAtReturnGC)
2440        leakAtReturnGC.reset(new Leak("Leak of returned object when using "
2441                                      "garbage collection"));
2442      return leakAtReturnGC.get();
2443    } else {
2444      if (!leakAtReturn) {
2445        if (LOpts.getGC() == LangOptions::HybridGC) {
2446          leakAtReturn.reset(new Leak("Leak of returned object when not using "
2447                                      "garbage collection (GC) in dual "
2448                                      "GC/non-GC code"));
2449        } else {
2450          leakAtReturn.reset(new Leak("Leak of returned object"));
2451        }
2452      }
2453      return leakAtReturn.get();
2454    }
2455  }
2456
2457  RetainSummaryManager &getSummaryManager(ASTContext &Ctx,
2458                                          bool GCEnabled) const {
2459    // FIXME: We don't support ARC being turned on and off during one analysis.
2460    // (nor, for that matter, do we support changing ASTContexts)
2461    bool ARCEnabled = (bool)Ctx.getLangOpts().ObjCAutoRefCount;
2462    if (GCEnabled) {
2463      if (!SummariesGC)
2464        SummariesGC.reset(new RetainSummaryManager(Ctx, true, ARCEnabled));
2465      else
2466        assert(SummariesGC->isARCEnabled() == ARCEnabled);
2467      return *SummariesGC;
2468    } else {
2469      if (!Summaries)
2470        Summaries.reset(new RetainSummaryManager(Ctx, false, ARCEnabled));
2471      else
2472        assert(Summaries->isARCEnabled() == ARCEnabled);
2473      return *Summaries;
2474    }
2475  }
2476
2477  RetainSummaryManager &getSummaryManager(CheckerContext &C) const {
2478    return getSummaryManager(C.getASTContext(), C.isObjCGCEnabled());
2479  }
2480
2481  void printState(raw_ostream &Out, ProgramStateRef State,
2482                  const char *NL, const char *Sep) const;
2483
2484  void checkBind(SVal loc, SVal val, const Stmt *S, CheckerContext &C) const;
2485  void checkPostStmt(const BlockExpr *BE, CheckerContext &C) const;
2486  void checkPostStmt(const CastExpr *CE, CheckerContext &C) const;
2487
2488  void checkPostStmt(const ObjCArrayLiteral *AL, CheckerContext &C) const;
2489  void checkPostStmt(const ObjCDictionaryLiteral *DL, CheckerContext &C) const;
2490  void checkPostStmt(const ObjCBoxedExpr *BE, CheckerContext &C) const;
2491
2492  void checkPostCall(const CallEvent &Call, CheckerContext &C) const;
2493
2494  void checkSummary(const RetainSummary &Summ, const CallEvent &Call,
2495                    CheckerContext &C) const;
2496
2497  void processSummaryOfInlined(const RetainSummary &Summ,
2498                               const CallEvent &Call,
2499                               CheckerContext &C) const;
2500
2501  bool evalCall(const CallExpr *CE, CheckerContext &C) const;
2502
2503  ProgramStateRef evalAssume(ProgramStateRef state, SVal Cond,
2504                                 bool Assumption) const;
2505
2506  ProgramStateRef
2507  checkRegionChanges(ProgramStateRef state,
2508                     const InvalidatedSymbols *invalidated,
2509                     ArrayRef<const MemRegion *> ExplicitRegions,
2510                     ArrayRef<const MemRegion *> Regions,
2511                     const CallEvent *Call) const;
2512
2513  bool wantsRegionChangeUpdate(ProgramStateRef state) const {
2514    return true;
2515  }
2516
2517  void checkPreStmt(const ReturnStmt *S, CheckerContext &C) const;
2518  void checkReturnWithRetEffect(const ReturnStmt *S, CheckerContext &C,
2519                                ExplodedNode *Pred, RetEffect RE, RefVal X,
2520                                SymbolRef Sym, ProgramStateRef state) const;
2521
2522  void checkDeadSymbols(SymbolReaper &SymReaper, CheckerContext &C) const;
2523  void checkEndFunction(CheckerContext &C) const;
2524
2525  ProgramStateRef updateSymbol(ProgramStateRef state, SymbolRef sym,
2526                               RefVal V, ArgEffect E, RefVal::Kind &hasErr,
2527                               CheckerContext &C) const;
2528
2529  void processNonLeakError(ProgramStateRef St, SourceRange ErrorRange,
2530                           RefVal::Kind ErrorKind, SymbolRef Sym,
2531                           CheckerContext &C) const;
2532
2533  void processObjCLiterals(CheckerContext &C, const Expr *Ex) const;
2534
2535  const ProgramPointTag *getDeadSymbolTag(SymbolRef sym) const;
2536
2537  ProgramStateRef handleSymbolDeath(ProgramStateRef state,
2538                                    SymbolRef sid, RefVal V,
2539                                    SmallVectorImpl<SymbolRef> &Leaked) const;
2540
2541  ProgramStateRef
2542  handleAutoreleaseCounts(ProgramStateRef state, ExplodedNode *Pred,
2543                          const ProgramPointTag *Tag, CheckerContext &Ctx,
2544                          SymbolRef Sym, RefVal V) const;
2545
2546  ExplodedNode *processLeaks(ProgramStateRef state,
2547                             SmallVectorImpl<SymbolRef> &Leaked,
2548                             CheckerContext &Ctx,
2549                             ExplodedNode *Pred = 0) const;
2550};
2551} // end anonymous namespace
2552
2553namespace {
2554class StopTrackingCallback : public SymbolVisitor {
2555  ProgramStateRef state;
2556public:
2557  StopTrackingCallback(ProgramStateRef st) : state(st) {}
2558  ProgramStateRef getState() const { return state; }
2559
2560  bool VisitSymbol(SymbolRef sym) {
2561    state = state->remove<RefBindings>(sym);
2562    return true;
2563  }
2564};
2565} // end anonymous namespace
2566
2567//===----------------------------------------------------------------------===//
2568// Handle statements that may have an effect on refcounts.
2569//===----------------------------------------------------------------------===//
2570
2571void RetainCountChecker::checkPostStmt(const BlockExpr *BE,
2572                                       CheckerContext &C) const {
2573
2574  // Scan the BlockDecRefExprs for any object the retain count checker
2575  // may be tracking.
2576  if (!BE->getBlockDecl()->hasCaptures())
2577    return;
2578
2579  ProgramStateRef state = C.getState();
2580  const BlockDataRegion *R =
2581    cast<BlockDataRegion>(state->getSVal(BE,
2582                                         C.getLocationContext()).getAsRegion());
2583
2584  BlockDataRegion::referenced_vars_iterator I = R->referenced_vars_begin(),
2585                                            E = R->referenced_vars_end();
2586
2587  if (I == E)
2588    return;
2589
2590  // FIXME: For now we invalidate the tracking of all symbols passed to blocks
2591  // via captured variables, even though captured variables result in a copy
2592  // and in implicit increment/decrement of a retain count.
2593  SmallVector<const MemRegion*, 10> Regions;
2594  const LocationContext *LC = C.getLocationContext();
2595  MemRegionManager &MemMgr = C.getSValBuilder().getRegionManager();
2596
2597  for ( ; I != E; ++I) {
2598    const VarRegion *VR = I.getCapturedRegion();
2599    if (VR->getSuperRegion() == R) {
2600      VR = MemMgr.getVarRegion(VR->getDecl(), LC);
2601    }
2602    Regions.push_back(VR);
2603  }
2604
2605  state =
2606    state->scanReachableSymbols<StopTrackingCallback>(Regions.data(),
2607                                    Regions.data() + Regions.size()).getState();
2608  C.addTransition(state);
2609}
2610
2611void RetainCountChecker::checkPostStmt(const CastExpr *CE,
2612                                       CheckerContext &C) const {
2613  const ObjCBridgedCastExpr *BE = dyn_cast<ObjCBridgedCastExpr>(CE);
2614  if (!BE)
2615    return;
2616
2617  ArgEffect AE = IncRef;
2618
2619  switch (BE->getBridgeKind()) {
2620    case clang::OBC_Bridge:
2621      // Do nothing.
2622      return;
2623    case clang::OBC_BridgeRetained:
2624      AE = IncRef;
2625      break;
2626    case clang::OBC_BridgeTransfer:
2627      AE = DecRefBridgedTransfered;
2628      break;
2629  }
2630
2631  ProgramStateRef state = C.getState();
2632  SymbolRef Sym = state->getSVal(CE, C.getLocationContext()).getAsLocSymbol();
2633  if (!Sym)
2634    return;
2635  const RefVal* T = getRefBinding(state, Sym);
2636  if (!T)
2637    return;
2638
2639  RefVal::Kind hasErr = (RefVal::Kind) 0;
2640  state = updateSymbol(state, Sym, *T, AE, hasErr, C);
2641
2642  if (hasErr) {
2643    // FIXME: If we get an error during a bridge cast, should we report it?
2644    // Should we assert that there is no error?
2645    return;
2646  }
2647
2648  C.addTransition(state);
2649}
2650
2651void RetainCountChecker::processObjCLiterals(CheckerContext &C,
2652                                             const Expr *Ex) const {
2653  ProgramStateRef state = C.getState();
2654  const ExplodedNode *pred = C.getPredecessor();
2655  for (Stmt::const_child_iterator it = Ex->child_begin(), et = Ex->child_end() ;
2656       it != et ; ++it) {
2657    const Stmt *child = *it;
2658    SVal V = state->getSVal(child, pred->getLocationContext());
2659    if (SymbolRef sym = V.getAsSymbol())
2660      if (const RefVal* T = getRefBinding(state, sym)) {
2661        RefVal::Kind hasErr = (RefVal::Kind) 0;
2662        state = updateSymbol(state, sym, *T, MayEscape, hasErr, C);
2663        if (hasErr) {
2664          processNonLeakError(state, child->getSourceRange(), hasErr, sym, C);
2665          return;
2666        }
2667      }
2668  }
2669
2670  // Return the object as autoreleased.
2671  //  RetEffect RE = RetEffect::MakeNotOwned(RetEffect::ObjC);
2672  if (SymbolRef sym =
2673        state->getSVal(Ex, pred->getLocationContext()).getAsSymbol()) {
2674    QualType ResultTy = Ex->getType();
2675    state = setRefBinding(state, sym,
2676                          RefVal::makeNotOwned(RetEffect::ObjC, ResultTy));
2677  }
2678
2679  C.addTransition(state);
2680}
2681
2682void RetainCountChecker::checkPostStmt(const ObjCArrayLiteral *AL,
2683                                       CheckerContext &C) const {
2684  // Apply the 'MayEscape' to all values.
2685  processObjCLiterals(C, AL);
2686}
2687
2688void RetainCountChecker::checkPostStmt(const ObjCDictionaryLiteral *DL,
2689                                       CheckerContext &C) const {
2690  // Apply the 'MayEscape' to all keys and values.
2691  processObjCLiterals(C, DL);
2692}
2693
2694void RetainCountChecker::checkPostStmt(const ObjCBoxedExpr *Ex,
2695                                       CheckerContext &C) const {
2696  const ExplodedNode *Pred = C.getPredecessor();
2697  const LocationContext *LCtx = Pred->getLocationContext();
2698  ProgramStateRef State = Pred->getState();
2699
2700  if (SymbolRef Sym = State->getSVal(Ex, LCtx).getAsSymbol()) {
2701    QualType ResultTy = Ex->getType();
2702    State = setRefBinding(State, Sym,
2703                          RefVal::makeNotOwned(RetEffect::ObjC, ResultTy));
2704  }
2705
2706  C.addTransition(State);
2707}
2708
2709void RetainCountChecker::checkPostCall(const CallEvent &Call,
2710                                       CheckerContext &C) const {
2711  RetainSummaryManager &Summaries = getSummaryManager(C);
2712  const RetainSummary *Summ = Summaries.getSummary(Call, C.getState());
2713
2714  if (C.wasInlined) {
2715    processSummaryOfInlined(*Summ, Call, C);
2716    return;
2717  }
2718  checkSummary(*Summ, Call, C);
2719}
2720
2721/// GetReturnType - Used to get the return type of a message expression or
2722///  function call with the intention of affixing that type to a tracked symbol.
2723///  While the return type can be queried directly from RetEx, when
2724///  invoking class methods we augment to the return type to be that of
2725///  a pointer to the class (as opposed it just being id).
2726// FIXME: We may be able to do this with related result types instead.
2727// This function is probably overestimating.
2728static QualType GetReturnType(const Expr *RetE, ASTContext &Ctx) {
2729  QualType RetTy = RetE->getType();
2730  // If RetE is not a message expression just return its type.
2731  // If RetE is a message expression, return its types if it is something
2732  /// more specific than id.
2733  if (const ObjCMessageExpr *ME = dyn_cast<ObjCMessageExpr>(RetE))
2734    if (const ObjCObjectPointerType *PT = RetTy->getAs<ObjCObjectPointerType>())
2735      if (PT->isObjCQualifiedIdType() || PT->isObjCIdType() ||
2736          PT->isObjCClassType()) {
2737        // At this point we know the return type of the message expression is
2738        // id, id<...>, or Class. If we have an ObjCInterfaceDecl, we know this
2739        // is a call to a class method whose type we can resolve.  In such
2740        // cases, promote the return type to XXX* (where XXX is the class).
2741        const ObjCInterfaceDecl *D = ME->getReceiverInterface();
2742        return !D ? RetTy :
2743                    Ctx.getObjCObjectPointerType(Ctx.getObjCInterfaceType(D));
2744      }
2745
2746  return RetTy;
2747}
2748
2749// We don't always get the exact modeling of the function with regards to the
2750// retain count checker even when the function is inlined. For example, we need
2751// to stop tracking the symbols which were marked with StopTrackingHard.
2752void RetainCountChecker::processSummaryOfInlined(const RetainSummary &Summ,
2753                                                 const CallEvent &CallOrMsg,
2754                                                 CheckerContext &C) const {
2755  ProgramStateRef state = C.getState();
2756
2757  // Evaluate the effect of the arguments.
2758  for (unsigned idx = 0, e = CallOrMsg.getNumArgs(); idx != e; ++idx) {
2759    if (Summ.getArg(idx) == StopTrackingHard) {
2760      SVal V = CallOrMsg.getArgSVal(idx);
2761      if (SymbolRef Sym = V.getAsLocSymbol()) {
2762        state = removeRefBinding(state, Sym);
2763      }
2764    }
2765  }
2766
2767  // Evaluate the effect on the message receiver.
2768  const ObjCMethodCall *MsgInvocation = dyn_cast<ObjCMethodCall>(&CallOrMsg);
2769  if (MsgInvocation) {
2770    if (SymbolRef Sym = MsgInvocation->getReceiverSVal().getAsLocSymbol()) {
2771      if (Summ.getReceiverEffect() == StopTrackingHard) {
2772        state = removeRefBinding(state, Sym);
2773      }
2774    }
2775  }
2776
2777  // Consult the summary for the return value.
2778  RetEffect RE = Summ.getRetEffect();
2779  if (RE.getKind() == RetEffect::NoRetHard) {
2780    SymbolRef Sym = CallOrMsg.getReturnValue().getAsSymbol();
2781    if (Sym)
2782      state = removeRefBinding(state, Sym);
2783  }
2784
2785  C.addTransition(state);
2786}
2787
2788void RetainCountChecker::checkSummary(const RetainSummary &Summ,
2789                                      const CallEvent &CallOrMsg,
2790                                      CheckerContext &C) const {
2791  ProgramStateRef state = C.getState();
2792
2793  // Evaluate the effect of the arguments.
2794  RefVal::Kind hasErr = (RefVal::Kind) 0;
2795  SourceRange ErrorRange;
2796  SymbolRef ErrorSym = 0;
2797
2798  for (unsigned idx = 0, e = CallOrMsg.getNumArgs(); idx != e; ++idx) {
2799    SVal V = CallOrMsg.getArgSVal(idx);
2800
2801    if (SymbolRef Sym = V.getAsLocSymbol()) {
2802      if (const RefVal *T = getRefBinding(state, Sym)) {
2803        state = updateSymbol(state, Sym, *T, Summ.getArg(idx), hasErr, C);
2804        if (hasErr) {
2805          ErrorRange = CallOrMsg.getArgSourceRange(idx);
2806          ErrorSym = Sym;
2807          break;
2808        }
2809      }
2810    }
2811  }
2812
2813  // Evaluate the effect on the message receiver.
2814  bool ReceiverIsTracked = false;
2815  if (!hasErr) {
2816    const ObjCMethodCall *MsgInvocation = dyn_cast<ObjCMethodCall>(&CallOrMsg);
2817    if (MsgInvocation) {
2818      if (SymbolRef Sym = MsgInvocation->getReceiverSVal().getAsLocSymbol()) {
2819        if (const RefVal *T = getRefBinding(state, Sym)) {
2820          ReceiverIsTracked = true;
2821          state = updateSymbol(state, Sym, *T, Summ.getReceiverEffect(),
2822                                 hasErr, C);
2823          if (hasErr) {
2824            ErrorRange = MsgInvocation->getOriginExpr()->getReceiverRange();
2825            ErrorSym = Sym;
2826          }
2827        }
2828      }
2829    }
2830  }
2831
2832  // Process any errors.
2833  if (hasErr) {
2834    processNonLeakError(state, ErrorRange, hasErr, ErrorSym, C);
2835    return;
2836  }
2837
2838  // Consult the summary for the return value.
2839  RetEffect RE = Summ.getRetEffect();
2840
2841  if (RE.getKind() == RetEffect::OwnedWhenTrackedReceiver) {
2842    if (ReceiverIsTracked)
2843      RE = getSummaryManager(C).getObjAllocRetEffect();
2844    else
2845      RE = RetEffect::MakeNoRet();
2846  }
2847
2848  switch (RE.getKind()) {
2849    default:
2850      llvm_unreachable("Unhandled RetEffect.");
2851
2852    case RetEffect::NoRet:
2853    case RetEffect::NoRetHard:
2854      // No work necessary.
2855      break;
2856
2857    case RetEffect::OwnedAllocatedSymbol:
2858    case RetEffect::OwnedSymbol: {
2859      SymbolRef Sym = CallOrMsg.getReturnValue().getAsSymbol();
2860      if (!Sym)
2861        break;
2862
2863      // Use the result type from the CallEvent as it automatically adjusts
2864      // for methods/functions that return references.
2865      QualType ResultTy = CallOrMsg.getResultType();
2866      state = setRefBinding(state, Sym, RefVal::makeOwned(RE.getObjKind(),
2867                                                          ResultTy));
2868
2869      // FIXME: Add a flag to the checker where allocations are assumed to
2870      // *not* fail.
2871      break;
2872    }
2873
2874    case RetEffect::GCNotOwnedSymbol:
2875    case RetEffect::ARCNotOwnedSymbol:
2876    case RetEffect::NotOwnedSymbol: {
2877      const Expr *Ex = CallOrMsg.getOriginExpr();
2878      SymbolRef Sym = CallOrMsg.getReturnValue().getAsSymbol();
2879      if (!Sym)
2880        break;
2881      assert(Ex);
2882      // Use GetReturnType in order to give [NSFoo alloc] the type NSFoo *.
2883      QualType ResultTy = GetReturnType(Ex, C.getASTContext());
2884      state = setRefBinding(state, Sym, RefVal::makeNotOwned(RE.getObjKind(),
2885                                                             ResultTy));
2886      break;
2887    }
2888  }
2889
2890  // This check is actually necessary; otherwise the statement builder thinks
2891  // we've hit a previously-found path.
2892  // Normally addTransition takes care of this, but we want the node pointer.
2893  ExplodedNode *NewNode;
2894  if (state == C.getState()) {
2895    NewNode = C.getPredecessor();
2896  } else {
2897    NewNode = C.addTransition(state);
2898  }
2899
2900  // Annotate the node with summary we used.
2901  if (NewNode) {
2902    // FIXME: This is ugly. See checkEndAnalysis for why it's necessary.
2903    if (ShouldResetSummaryLog) {
2904      SummaryLog.clear();
2905      ShouldResetSummaryLog = false;
2906    }
2907    SummaryLog[NewNode] = &Summ;
2908  }
2909}
2910
2911
2912ProgramStateRef
2913RetainCountChecker::updateSymbol(ProgramStateRef state, SymbolRef sym,
2914                                 RefVal V, ArgEffect E, RefVal::Kind &hasErr,
2915                                 CheckerContext &C) const {
2916  // In GC mode [... release] and [... retain] do nothing.
2917  // In ARC mode they shouldn't exist at all, but we just ignore them.
2918  bool IgnoreRetainMsg = C.isObjCGCEnabled();
2919  if (!IgnoreRetainMsg)
2920    IgnoreRetainMsg = (bool)C.getASTContext().getLangOpts().ObjCAutoRefCount;
2921
2922  switch (E) {
2923  default:
2924    break;
2925  case IncRefMsg:
2926    E = IgnoreRetainMsg ? DoNothing : IncRef;
2927    break;
2928  case DecRefMsg:
2929    E = IgnoreRetainMsg ? DoNothing : DecRef;
2930    break;
2931  case DecRefMsgAndStopTrackingHard:
2932    E = IgnoreRetainMsg ? StopTracking : DecRefAndStopTrackingHard;
2933    break;
2934  case MakeCollectable:
2935    E = C.isObjCGCEnabled() ? DecRef : DoNothing;
2936    break;
2937  }
2938
2939  // Handle all use-after-releases.
2940  if (!C.isObjCGCEnabled() && V.getKind() == RefVal::Released) {
2941    V = V ^ RefVal::ErrorUseAfterRelease;
2942    hasErr = V.getKind();
2943    return setRefBinding(state, sym, V);
2944  }
2945
2946  switch (E) {
2947    case DecRefMsg:
2948    case IncRefMsg:
2949    case MakeCollectable:
2950    case DecRefMsgAndStopTrackingHard:
2951      llvm_unreachable("DecRefMsg/IncRefMsg/MakeCollectable already converted");
2952
2953    case Dealloc:
2954      // Any use of -dealloc in GC is *bad*.
2955      if (C.isObjCGCEnabled()) {
2956        V = V ^ RefVal::ErrorDeallocGC;
2957        hasErr = V.getKind();
2958        break;
2959      }
2960
2961      switch (V.getKind()) {
2962        default:
2963          llvm_unreachable("Invalid RefVal state for an explicit dealloc.");
2964        case RefVal::Owned:
2965          // The object immediately transitions to the released state.
2966          V = V ^ RefVal::Released;
2967          V.clearCounts();
2968          return setRefBinding(state, sym, V);
2969        case RefVal::NotOwned:
2970          V = V ^ RefVal::ErrorDeallocNotOwned;
2971          hasErr = V.getKind();
2972          break;
2973      }
2974      break;
2975
2976    case MayEscape:
2977      if (V.getKind() == RefVal::Owned) {
2978        V = V ^ RefVal::NotOwned;
2979        break;
2980      }
2981
2982      // Fall-through.
2983
2984    case DoNothing:
2985      return state;
2986
2987    case Autorelease:
2988      if (C.isObjCGCEnabled())
2989        return state;
2990      // Update the autorelease counts.
2991      V = V.autorelease();
2992      break;
2993
2994    case StopTracking:
2995    case StopTrackingHard:
2996      return removeRefBinding(state, sym);
2997
2998    case IncRef:
2999      switch (V.getKind()) {
3000        default:
3001          llvm_unreachable("Invalid RefVal state for a retain.");
3002        case RefVal::Owned:
3003        case RefVal::NotOwned:
3004          V = V + 1;
3005          break;
3006        case RefVal::Released:
3007          // Non-GC cases are handled above.
3008          assert(C.isObjCGCEnabled());
3009          V = (V ^ RefVal::Owned) + 1;
3010          break;
3011      }
3012      break;
3013
3014    case DecRef:
3015    case DecRefBridgedTransfered:
3016    case DecRefAndStopTrackingHard:
3017      switch (V.getKind()) {
3018        default:
3019          // case 'RefVal::Released' handled above.
3020          llvm_unreachable("Invalid RefVal state for a release.");
3021
3022        case RefVal::Owned:
3023          assert(V.getCount() > 0);
3024          if (V.getCount() == 1)
3025            V = V ^ (E == DecRefBridgedTransfered ?
3026                      RefVal::NotOwned : RefVal::Released);
3027          else if (E == DecRefAndStopTrackingHard)
3028            return removeRefBinding(state, sym);
3029
3030          V = V - 1;
3031          break;
3032
3033        case RefVal::NotOwned:
3034          if (V.getCount() > 0) {
3035            if (E == DecRefAndStopTrackingHard)
3036              return removeRefBinding(state, sym);
3037            V = V - 1;
3038          } else {
3039            V = V ^ RefVal::ErrorReleaseNotOwned;
3040            hasErr = V.getKind();
3041          }
3042          break;
3043
3044        case RefVal::Released:
3045          // Non-GC cases are handled above.
3046          assert(C.isObjCGCEnabled());
3047          V = V ^ RefVal::ErrorUseAfterRelease;
3048          hasErr = V.getKind();
3049          break;
3050      }
3051      break;
3052  }
3053  return setRefBinding(state, sym, V);
3054}
3055
3056void RetainCountChecker::processNonLeakError(ProgramStateRef St,
3057                                             SourceRange ErrorRange,
3058                                             RefVal::Kind ErrorKind,
3059                                             SymbolRef Sym,
3060                                             CheckerContext &C) const {
3061  ExplodedNode *N = C.generateSink(St);
3062  if (!N)
3063    return;
3064
3065  CFRefBug *BT;
3066  switch (ErrorKind) {
3067    default:
3068      llvm_unreachable("Unhandled error.");
3069    case RefVal::ErrorUseAfterRelease:
3070      if (!useAfterRelease)
3071        useAfterRelease.reset(new UseAfterRelease());
3072      BT = &*useAfterRelease;
3073      break;
3074    case RefVal::ErrorReleaseNotOwned:
3075      if (!releaseNotOwned)
3076        releaseNotOwned.reset(new BadRelease());
3077      BT = &*releaseNotOwned;
3078      break;
3079    case RefVal::ErrorDeallocGC:
3080      if (!deallocGC)
3081        deallocGC.reset(new DeallocGC());
3082      BT = &*deallocGC;
3083      break;
3084    case RefVal::ErrorDeallocNotOwned:
3085      if (!deallocNotOwned)
3086        deallocNotOwned.reset(new DeallocNotOwned());
3087      BT = &*deallocNotOwned;
3088      break;
3089  }
3090
3091  assert(BT);
3092  CFRefReport *report = new CFRefReport(*BT, C.getASTContext().getLangOpts(),
3093                                        C.isObjCGCEnabled(), SummaryLog,
3094                                        N, Sym);
3095  report->addRange(ErrorRange);
3096  C.emitReport(report);
3097}
3098
3099//===----------------------------------------------------------------------===//
3100// Handle the return values of retain-count-related functions.
3101//===----------------------------------------------------------------------===//
3102
3103bool RetainCountChecker::evalCall(const CallExpr *CE, CheckerContext &C) const {
3104  // Get the callee. We're only interested in simple C functions.
3105  ProgramStateRef state = C.getState();
3106  const FunctionDecl *FD = C.getCalleeDecl(CE);
3107  if (!FD)
3108    return false;
3109
3110  IdentifierInfo *II = FD->getIdentifier();
3111  if (!II)
3112    return false;
3113
3114  // For now, we're only handling the functions that return aliases of their
3115  // arguments: CFRetain and CFMakeCollectable (and their families).
3116  // Eventually we should add other functions we can model entirely,
3117  // such as CFRelease, which don't invalidate their arguments or globals.
3118  if (CE->getNumArgs() != 1)
3119    return false;
3120
3121  // Get the name of the function.
3122  StringRef FName = II->getName();
3123  FName = FName.substr(FName.find_first_not_of('_'));
3124
3125  // See if it's one of the specific functions we know how to eval.
3126  bool canEval = false;
3127
3128  QualType ResultTy = CE->getCallReturnType();
3129  if (ResultTy->isObjCIdType()) {
3130    // Handle: id NSMakeCollectable(CFTypeRef)
3131    canEval = II->isStr("NSMakeCollectable");
3132  } else if (ResultTy->isPointerType()) {
3133    // Handle: (CF|CG)Retain
3134    //         CFMakeCollectable
3135    // It's okay to be a little sloppy here (CGMakeCollectable doesn't exist).
3136    if (cocoa::isRefType(ResultTy, "CF", FName) ||
3137        cocoa::isRefType(ResultTy, "CG", FName)) {
3138      canEval = isRetain(FD, FName) || isMakeCollectable(FD, FName);
3139    }
3140  }
3141
3142  if (!canEval)
3143    return false;
3144
3145  // Bind the return value.
3146  const LocationContext *LCtx = C.getLocationContext();
3147  SVal RetVal = state->getSVal(CE->getArg(0), LCtx);
3148  if (RetVal.isUnknown()) {
3149    // If the receiver is unknown, conjure a return value.
3150    SValBuilder &SVB = C.getSValBuilder();
3151    RetVal = SVB.conjureSymbolVal(0, CE, LCtx, ResultTy, C.blockCount());
3152  }
3153  state = state->BindExpr(CE, LCtx, RetVal, false);
3154
3155  // FIXME: This should not be necessary, but otherwise the argument seems to be
3156  // considered alive during the next statement.
3157  if (const MemRegion *ArgRegion = RetVal.getAsRegion()) {
3158    // Save the refcount status of the argument.
3159    SymbolRef Sym = RetVal.getAsLocSymbol();
3160    const RefVal *Binding = 0;
3161    if (Sym)
3162      Binding = getRefBinding(state, Sym);
3163
3164    // Invalidate the argument region.
3165    state = state->invalidateRegions(ArgRegion, CE, C.blockCount(), LCtx,
3166                                     /*CausesPointerEscape*/ false);
3167
3168    // Restore the refcount status of the argument.
3169    if (Binding)
3170      state = setRefBinding(state, Sym, *Binding);
3171  }
3172
3173  C.addTransition(state);
3174  return true;
3175}
3176
3177//===----------------------------------------------------------------------===//
3178// Handle return statements.
3179//===----------------------------------------------------------------------===//
3180
3181void RetainCountChecker::checkPreStmt(const ReturnStmt *S,
3182                                      CheckerContext &C) const {
3183
3184  // Only adjust the reference count if this is the top-level call frame,
3185  // and not the result of inlining.  In the future, we should do
3186  // better checking even for inlined calls, and see if they match
3187  // with their expected semantics (e.g., the method should return a retained
3188  // object, etc.).
3189  if (!C.inTopFrame())
3190    return;
3191
3192  const Expr *RetE = S->getRetValue();
3193  if (!RetE)
3194    return;
3195
3196  ProgramStateRef state = C.getState();
3197  SymbolRef Sym =
3198    state->getSValAsScalarOrLoc(RetE, C.getLocationContext()).getAsLocSymbol();
3199  if (!Sym)
3200    return;
3201
3202  // Get the reference count binding (if any).
3203  const RefVal *T = getRefBinding(state, Sym);
3204  if (!T)
3205    return;
3206
3207  // Change the reference count.
3208  RefVal X = *T;
3209
3210  switch (X.getKind()) {
3211    case RefVal::Owned: {
3212      unsigned cnt = X.getCount();
3213      assert(cnt > 0);
3214      X.setCount(cnt - 1);
3215      X = X ^ RefVal::ReturnedOwned;
3216      break;
3217    }
3218
3219    case RefVal::NotOwned: {
3220      unsigned cnt = X.getCount();
3221      if (cnt) {
3222        X.setCount(cnt - 1);
3223        X = X ^ RefVal::ReturnedOwned;
3224      }
3225      else {
3226        X = X ^ RefVal::ReturnedNotOwned;
3227      }
3228      break;
3229    }
3230
3231    default:
3232      return;
3233  }
3234
3235  // Update the binding.
3236  state = setRefBinding(state, Sym, X);
3237  ExplodedNode *Pred = C.addTransition(state);
3238
3239  // At this point we have updated the state properly.
3240  // Everything after this is merely checking to see if the return value has
3241  // been over- or under-retained.
3242
3243  // Did we cache out?
3244  if (!Pred)
3245    return;
3246
3247  // Update the autorelease counts.
3248  static SimpleProgramPointTag
3249         AutoreleaseTag("RetainCountChecker : Autorelease");
3250  state = handleAutoreleaseCounts(state, Pred, &AutoreleaseTag, C, Sym, X);
3251
3252  // Did we cache out?
3253  if (!state)
3254    return;
3255
3256  // Get the updated binding.
3257  T = getRefBinding(state, Sym);
3258  assert(T);
3259  X = *T;
3260
3261  // Consult the summary of the enclosing method.
3262  RetainSummaryManager &Summaries = getSummaryManager(C);
3263  const Decl *CD = &Pred->getCodeDecl();
3264  RetEffect RE = RetEffect::MakeNoRet();
3265
3266  // FIXME: What is the convention for blocks? Is there one?
3267  if (const ObjCMethodDecl *MD = dyn_cast<ObjCMethodDecl>(CD)) {
3268    const RetainSummary *Summ = Summaries.getMethodSummary(MD);
3269    RE = Summ->getRetEffect();
3270  } else if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(CD)) {
3271    if (!isa<CXXMethodDecl>(FD)) {
3272      const RetainSummary *Summ = Summaries.getFunctionSummary(FD);
3273      RE = Summ->getRetEffect();
3274    }
3275  }
3276
3277  checkReturnWithRetEffect(S, C, Pred, RE, X, Sym, state);
3278}
3279
3280void RetainCountChecker::checkReturnWithRetEffect(const ReturnStmt *S,
3281                                                  CheckerContext &C,
3282                                                  ExplodedNode *Pred,
3283                                                  RetEffect RE, RefVal X,
3284                                                  SymbolRef Sym,
3285                                              ProgramStateRef state) const {
3286  // Any leaks or other errors?
3287  if (X.isReturnedOwned() && X.getCount() == 0) {
3288    if (RE.getKind() != RetEffect::NoRet) {
3289      bool hasError = false;
3290      if (C.isObjCGCEnabled() && RE.getObjKind() == RetEffect::ObjC) {
3291        // Things are more complicated with garbage collection.  If the
3292        // returned object is suppose to be an Objective-C object, we have
3293        // a leak (as the caller expects a GC'ed object) because no
3294        // method should return ownership unless it returns a CF object.
3295        hasError = true;
3296        X = X ^ RefVal::ErrorGCLeakReturned;
3297      }
3298      else if (!RE.isOwned()) {
3299        // Either we are using GC and the returned object is a CF type
3300        // or we aren't using GC.  In either case, we expect that the
3301        // enclosing method is expected to return ownership.
3302        hasError = true;
3303        X = X ^ RefVal::ErrorLeakReturned;
3304      }
3305
3306      if (hasError) {
3307        // Generate an error node.
3308        state = setRefBinding(state, Sym, X);
3309
3310        static SimpleProgramPointTag
3311               ReturnOwnLeakTag("RetainCountChecker : ReturnsOwnLeak");
3312        ExplodedNode *N = C.addTransition(state, Pred, &ReturnOwnLeakTag);
3313        if (N) {
3314          const LangOptions &LOpts = C.getASTContext().getLangOpts();
3315          bool GCEnabled = C.isObjCGCEnabled();
3316          CFRefReport *report =
3317            new CFRefLeakReport(*getLeakAtReturnBug(LOpts, GCEnabled),
3318                                LOpts, GCEnabled, SummaryLog,
3319                                N, Sym, C);
3320          C.emitReport(report);
3321        }
3322      }
3323    }
3324  } else if (X.isReturnedNotOwned()) {
3325    if (RE.isOwned()) {
3326      // Trying to return a not owned object to a caller expecting an
3327      // owned object.
3328      state = setRefBinding(state, Sym, X ^ RefVal::ErrorReturnedNotOwned);
3329
3330      static SimpleProgramPointTag
3331             ReturnNotOwnedTag("RetainCountChecker : ReturnNotOwnedForOwned");
3332      ExplodedNode *N = C.addTransition(state, Pred, &ReturnNotOwnedTag);
3333      if (N) {
3334        if (!returnNotOwnedForOwned)
3335          returnNotOwnedForOwned.reset(new ReturnedNotOwnedForOwned());
3336
3337        CFRefReport *report =
3338            new CFRefReport(*returnNotOwnedForOwned,
3339                            C.getASTContext().getLangOpts(),
3340                            C.isObjCGCEnabled(), SummaryLog, N, Sym);
3341        C.emitReport(report);
3342      }
3343    }
3344  }
3345}
3346
3347//===----------------------------------------------------------------------===//
3348// Check various ways a symbol can be invalidated.
3349//===----------------------------------------------------------------------===//
3350
3351void RetainCountChecker::checkBind(SVal loc, SVal val, const Stmt *S,
3352                                   CheckerContext &C) const {
3353  // Are we storing to something that causes the value to "escape"?
3354  bool escapes = true;
3355
3356  // A value escapes in three possible cases (this may change):
3357  //
3358  // (1) we are binding to something that is not a memory region.
3359  // (2) we are binding to a memregion that does not have stack storage
3360  // (3) we are binding to a memregion with stack storage that the store
3361  //     does not understand.
3362  ProgramStateRef state = C.getState();
3363
3364  if (llvm::Optional<loc::MemRegionVal> regionLoc =
3365          loc.getAs<loc::MemRegionVal>()) {
3366    escapes = !regionLoc->getRegion()->hasStackStorage();
3367
3368    if (!escapes) {
3369      // To test (3), generate a new state with the binding added.  If it is
3370      // the same state, then it escapes (since the store cannot represent
3371      // the binding).
3372      // Do this only if we know that the store is not supposed to generate the
3373      // same state.
3374      SVal StoredVal = state->getSVal(regionLoc->getRegion());
3375      if (StoredVal != val)
3376        escapes = (state == (state->bindLoc(*regionLoc, val)));
3377    }
3378    if (!escapes) {
3379      // Case 4: We do not currently model what happens when a symbol is
3380      // assigned to a struct field, so be conservative here and let the symbol
3381      // go. TODO: This could definitely be improved upon.
3382      escapes = !isa<VarRegion>(regionLoc->getRegion());
3383    }
3384  }
3385
3386  // If our store can represent the binding and we aren't storing to something
3387  // that doesn't have local storage then just return and have the simulation
3388  // state continue as is.
3389  if (!escapes)
3390      return;
3391
3392  // Otherwise, find all symbols referenced by 'val' that we are tracking
3393  // and stop tracking them.
3394  state = state->scanReachableSymbols<StopTrackingCallback>(val).getState();
3395  C.addTransition(state);
3396}
3397
3398ProgramStateRef RetainCountChecker::evalAssume(ProgramStateRef state,
3399                                                   SVal Cond,
3400                                                   bool Assumption) const {
3401
3402  // FIXME: We may add to the interface of evalAssume the list of symbols
3403  //  whose assumptions have changed.  For now we just iterate through the
3404  //  bindings and check if any of the tracked symbols are NULL.  This isn't
3405  //  too bad since the number of symbols we will track in practice are
3406  //  probably small and evalAssume is only called at branches and a few
3407  //  other places.
3408  RefBindingsTy B = state->get<RefBindings>();
3409
3410  if (B.isEmpty())
3411    return state;
3412
3413  bool changed = false;
3414  RefBindingsTy::Factory &RefBFactory = state->get_context<RefBindings>();
3415
3416  for (RefBindingsTy::iterator I = B.begin(), E = B.end(); I != E; ++I) {
3417    // Check if the symbol is null stop tracking the symbol.
3418    ConstraintManager &CMgr = state->getConstraintManager();
3419    ConditionTruthVal AllocFailed = CMgr.isNull(state, I.getKey());
3420    if (AllocFailed.isConstrainedTrue()) {
3421      changed = true;
3422      B = RefBFactory.remove(B, I.getKey());
3423    }
3424  }
3425
3426  if (changed)
3427    state = state->set<RefBindings>(B);
3428
3429  return state;
3430}
3431
3432ProgramStateRef
3433RetainCountChecker::checkRegionChanges(ProgramStateRef state,
3434                                    const InvalidatedSymbols *invalidated,
3435                                    ArrayRef<const MemRegion *> ExplicitRegions,
3436                                    ArrayRef<const MemRegion *> Regions,
3437                                    const CallEvent *Call) const {
3438  if (!invalidated)
3439    return state;
3440
3441  llvm::SmallPtrSet<SymbolRef, 8> WhitelistedSymbols;
3442  for (ArrayRef<const MemRegion *>::iterator I = ExplicitRegions.begin(),
3443       E = ExplicitRegions.end(); I != E; ++I) {
3444    if (const SymbolicRegion *SR = (*I)->StripCasts()->getAs<SymbolicRegion>())
3445      WhitelistedSymbols.insert(SR->getSymbol());
3446  }
3447
3448  for (InvalidatedSymbols::const_iterator I=invalidated->begin(),
3449       E = invalidated->end(); I!=E; ++I) {
3450    SymbolRef sym = *I;
3451    if (WhitelistedSymbols.count(sym))
3452      continue;
3453    // Remove any existing reference-count binding.
3454    state = removeRefBinding(state, sym);
3455  }
3456  return state;
3457}
3458
3459//===----------------------------------------------------------------------===//
3460// Handle dead symbols and end-of-path.
3461//===----------------------------------------------------------------------===//
3462
3463ProgramStateRef
3464RetainCountChecker::handleAutoreleaseCounts(ProgramStateRef state,
3465                                            ExplodedNode *Pred,
3466                                            const ProgramPointTag *Tag,
3467                                            CheckerContext &Ctx,
3468                                            SymbolRef Sym, RefVal V) const {
3469  unsigned ACnt = V.getAutoreleaseCount();
3470
3471  // No autorelease counts?  Nothing to be done.
3472  if (!ACnt)
3473    return state;
3474
3475  assert(!Ctx.isObjCGCEnabled() && "Autorelease counts in GC mode?");
3476  unsigned Cnt = V.getCount();
3477
3478  // FIXME: Handle sending 'autorelease' to already released object.
3479
3480  if (V.getKind() == RefVal::ReturnedOwned)
3481    ++Cnt;
3482
3483  if (ACnt <= Cnt) {
3484    if (ACnt == Cnt) {
3485      V.clearCounts();
3486      if (V.getKind() == RefVal::ReturnedOwned)
3487        V = V ^ RefVal::ReturnedNotOwned;
3488      else
3489        V = V ^ RefVal::NotOwned;
3490    } else {
3491      V.setCount(V.getCount() - ACnt);
3492      V.setAutoreleaseCount(0);
3493    }
3494    return setRefBinding(state, Sym, V);
3495  }
3496
3497  // Woah!  More autorelease counts then retain counts left.
3498  // Emit hard error.
3499  V = V ^ RefVal::ErrorOverAutorelease;
3500  state = setRefBinding(state, Sym, V);
3501
3502  ExplodedNode *N = Ctx.generateSink(state, Pred, Tag);
3503  if (N) {
3504    SmallString<128> sbuf;
3505    llvm::raw_svector_ostream os(sbuf);
3506    os << "Object over-autoreleased: object was sent -autorelease ";
3507    if (V.getAutoreleaseCount() > 1)
3508      os << V.getAutoreleaseCount() << " times ";
3509    os << "but the object has a +" << V.getCount() << " retain count";
3510
3511    if (!overAutorelease)
3512      overAutorelease.reset(new OverAutorelease());
3513
3514    const LangOptions &LOpts = Ctx.getASTContext().getLangOpts();
3515    CFRefReport *report =
3516      new CFRefReport(*overAutorelease, LOpts, /* GCEnabled = */ false,
3517                      SummaryLog, N, Sym, os.str());
3518    Ctx.emitReport(report);
3519  }
3520
3521  return 0;
3522}
3523
3524ProgramStateRef
3525RetainCountChecker::handleSymbolDeath(ProgramStateRef state,
3526                                      SymbolRef sid, RefVal V,
3527                                    SmallVectorImpl<SymbolRef> &Leaked) const {
3528  bool hasLeak = false;
3529  if (V.isOwned())
3530    hasLeak = true;
3531  else if (V.isNotOwned() || V.isReturnedOwned())
3532    hasLeak = (V.getCount() > 0);
3533
3534  if (!hasLeak)
3535    return removeRefBinding(state, sid);
3536
3537  Leaked.push_back(sid);
3538  return setRefBinding(state, sid, V ^ RefVal::ErrorLeak);
3539}
3540
3541ExplodedNode *
3542RetainCountChecker::processLeaks(ProgramStateRef state,
3543                                 SmallVectorImpl<SymbolRef> &Leaked,
3544                                 CheckerContext &Ctx,
3545                                 ExplodedNode *Pred) const {
3546  // Generate an intermediate node representing the leak point.
3547  ExplodedNode *N = Ctx.addTransition(state, Pred);
3548
3549  if (N) {
3550    for (SmallVectorImpl<SymbolRef>::iterator
3551         I = Leaked.begin(), E = Leaked.end(); I != E; ++I) {
3552
3553      const LangOptions &LOpts = Ctx.getASTContext().getLangOpts();
3554      bool GCEnabled = Ctx.isObjCGCEnabled();
3555      CFRefBug *BT = Pred ? getLeakWithinFunctionBug(LOpts, GCEnabled)
3556                          : getLeakAtReturnBug(LOpts, GCEnabled);
3557      assert(BT && "BugType not initialized.");
3558
3559      CFRefLeakReport *report = new CFRefLeakReport(*BT, LOpts, GCEnabled,
3560                                                    SummaryLog, N, *I, Ctx);
3561      Ctx.emitReport(report);
3562    }
3563  }
3564
3565  return N;
3566}
3567
3568void RetainCountChecker::checkEndFunction(CheckerContext &Ctx) const {
3569  ProgramStateRef state = Ctx.getState();
3570  RefBindingsTy B = state->get<RefBindings>();
3571  ExplodedNode *Pred = Ctx.getPredecessor();
3572
3573  for (RefBindingsTy::iterator I = B.begin(), E = B.end(); I != E; ++I) {
3574    state = handleAutoreleaseCounts(state, Pred, /*Tag=*/0, Ctx,
3575                                    I->first, I->second);
3576    if (!state)
3577      return;
3578  }
3579
3580  // If the current LocationContext has a parent, don't check for leaks.
3581  // We will do that later.
3582  // FIXME: we should instead check for imbalances of the retain/releases,
3583  // and suggest annotations.
3584  if (Ctx.getLocationContext()->getParent())
3585    return;
3586
3587  B = state->get<RefBindings>();
3588  SmallVector<SymbolRef, 10> Leaked;
3589
3590  for (RefBindingsTy::iterator I = B.begin(), E = B.end(); I != E; ++I)
3591    state = handleSymbolDeath(state, I->first, I->second, Leaked);
3592
3593  processLeaks(state, Leaked, Ctx, Pred);
3594}
3595
3596const ProgramPointTag *
3597RetainCountChecker::getDeadSymbolTag(SymbolRef sym) const {
3598  const SimpleProgramPointTag *&tag = DeadSymbolTags[sym];
3599  if (!tag) {
3600    SmallString<64> buf;
3601    llvm::raw_svector_ostream out(buf);
3602    out << "RetainCountChecker : Dead Symbol : ";
3603    sym->dumpToStream(out);
3604    tag = new SimpleProgramPointTag(out.str());
3605  }
3606  return tag;
3607}
3608
3609void RetainCountChecker::checkDeadSymbols(SymbolReaper &SymReaper,
3610                                          CheckerContext &C) const {
3611  ExplodedNode *Pred = C.getPredecessor();
3612
3613  ProgramStateRef state = C.getState();
3614  RefBindingsTy B = state->get<RefBindings>();
3615  SmallVector<SymbolRef, 10> Leaked;
3616
3617  // Update counts from autorelease pools
3618  for (SymbolReaper::dead_iterator I = SymReaper.dead_begin(),
3619       E = SymReaper.dead_end(); I != E; ++I) {
3620    SymbolRef Sym = *I;
3621    if (const RefVal *T = B.lookup(Sym)){
3622      // Use the symbol as the tag.
3623      // FIXME: This might not be as unique as we would like.
3624      const ProgramPointTag *Tag = getDeadSymbolTag(Sym);
3625      state = handleAutoreleaseCounts(state, Pred, Tag, C, Sym, *T);
3626      if (!state)
3627        return;
3628
3629      // Fetch the new reference count from the state, and use it to handle
3630      // this symbol.
3631      state = handleSymbolDeath(state, *I, *getRefBinding(state, Sym), Leaked);
3632    }
3633  }
3634
3635  if (Leaked.empty()) {
3636    C.addTransition(state);
3637    return;
3638  }
3639
3640  Pred = processLeaks(state, Leaked, C, Pred);
3641
3642  // Did we cache out?
3643  if (!Pred)
3644    return;
3645
3646  // Now generate a new node that nukes the old bindings.
3647  // The only bindings left at this point are the leaked symbols.
3648  RefBindingsTy::Factory &F = state->get_context<RefBindings>();
3649  B = state->get<RefBindings>();
3650
3651  for (SmallVectorImpl<SymbolRef>::iterator I = Leaked.begin(),
3652                                            E = Leaked.end();
3653       I != E; ++I)
3654    B = F.remove(B, *I);
3655
3656  state = state->set<RefBindings>(B);
3657  C.addTransition(state, Pred);
3658}
3659
3660void RetainCountChecker::printState(raw_ostream &Out, ProgramStateRef State,
3661                                    const char *NL, const char *Sep) const {
3662
3663  RefBindingsTy B = State->get<RefBindings>();
3664
3665  if (!B.isEmpty())
3666    Out << Sep << NL;
3667
3668  for (RefBindingsTy::iterator I = B.begin(), E = B.end(); I != E; ++I) {
3669    Out << I->first << " : ";
3670    I->second.print(Out);
3671    Out << NL;
3672  }
3673}
3674
3675//===----------------------------------------------------------------------===//
3676// Checker registration.
3677//===----------------------------------------------------------------------===//
3678
3679void ento::registerRetainCountChecker(CheckerManager &Mgr) {
3680  Mgr.registerChecker<RetainCountChecker>();
3681}
3682
3683