clang 22.0.0git
RetainSummaryManager.cpp
Go to the documentation of this file.
1//== RetainSummaryManager.cpp - Summaries for reference counting --*- C++ -*--//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// This file defines summaries implementation for retain counting, which
10// implements a reference count checker for Core Foundation, Cocoa
11// and OSObject (on Mac OS X).
12//
13//===----------------------------------------------------------------------===//
14
16#include "clang/AST/Attr.h"
17#include "clang/AST/DeclCXX.h"
18#include "clang/AST/DeclObjC.h"
21#include <optional>
22
23using namespace clang;
24using namespace ento;
25
26template <class T>
27constexpr static bool isOneOf() {
28 return false;
29}
30
31/// Helper function to check whether the class is one of the
32/// rest of varargs.
33template <class T, class P, class... ToCompare>
34constexpr static bool isOneOf() {
35 return std::is_same_v<T, P> || isOneOf<T, ToCompare...>();
36}
37
38namespace {
39
40/// Fake attribute class for RC* attributes.
41struct GeneralizedReturnsRetainedAttr {
42 static bool classof(const Attr *A) {
43 if (auto AA = dyn_cast<AnnotateAttr>(A))
44 return AA->getAnnotation() == "rc_ownership_returns_retained";
45 return false;
46 }
47};
48
49struct GeneralizedReturnsNotRetainedAttr {
50 static bool classof(const Attr *A) {
51 if (auto AA = dyn_cast<AnnotateAttr>(A))
52 return AA->getAnnotation() == "rc_ownership_returns_not_retained";
53 return false;
54 }
55};
56
57struct GeneralizedConsumedAttr {
58 static bool classof(const Attr *A) {
59 if (auto AA = dyn_cast<AnnotateAttr>(A))
60 return AA->getAnnotation() == "rc_ownership_consumed";
61 return false;
62 }
63};
64
65}
66
67template <class T>
68std::optional<ObjKind> RetainSummaryManager::hasAnyEnabledAttrOf(const Decl *D,
69 QualType QT) {
70 ObjKind K;
71 if (isOneOf<T, CFConsumedAttr, CFReturnsRetainedAttr,
72 CFReturnsNotRetainedAttr>()) {
73 if (!TrackObjCAndCFObjects)
74 return std::nullopt;
75
76 K = ObjKind::CF;
77 } else if (isOneOf<T, NSConsumedAttr, NSConsumesSelfAttr,
78 NSReturnsAutoreleasedAttr, NSReturnsRetainedAttr,
79 NSReturnsNotRetainedAttr, NSConsumesSelfAttr>()) {
80
81 if (!TrackObjCAndCFObjects)
82 return std::nullopt;
83
84 if (isOneOf<T, NSReturnsRetainedAttr, NSReturnsAutoreleasedAttr,
85 NSReturnsNotRetainedAttr>() &&
87 return std::nullopt;
88 K = ObjKind::ObjC;
89 } else if (isOneOf<T, OSConsumedAttr, OSConsumesThisAttr,
90 OSReturnsNotRetainedAttr, OSReturnsRetainedAttr,
91 OSReturnsRetainedOnZeroAttr,
92 OSReturnsRetainedOnNonZeroAttr>()) {
93 if (!TrackOSObjects)
94 return std::nullopt;
95 K = ObjKind::OS;
96 } else if (isOneOf<T, GeneralizedReturnsNotRetainedAttr,
97 GeneralizedReturnsRetainedAttr,
98 GeneralizedConsumedAttr>()) {
100 } else {
101 llvm_unreachable("Unexpected attribute");
102 }
103 if (D->hasAttr<T>())
104 return K;
105 return std::nullopt;
106}
107
108template <class T1, class T2, class... Others>
109std::optional<ObjKind> RetainSummaryManager::hasAnyEnabledAttrOf(const Decl *D,
110 QualType QT) {
111 if (auto Out = hasAnyEnabledAttrOf<T1>(D, QT))
112 return Out;
113 return hasAnyEnabledAttrOf<T2, Others...>(D, QT);
114}
115
116const RetainSummary *
117RetainSummaryManager::getPersistentSummary(const RetainSummary &OldSumm) {
118 // Unique "simple" summaries -- those without ArgEffects.
119 if (OldSumm.isSimple()) {
120 ::llvm::FoldingSetNodeID ID;
121 OldSumm.Profile(ID);
122
123 void *Pos;
124 CachedSummaryNode *N = SimpleSummaries.FindNodeOrInsertPos(ID, Pos);
125
126 if (!N) {
127 N = (CachedSummaryNode *) BPAlloc.Allocate<CachedSummaryNode>();
128 new (N) CachedSummaryNode(OldSumm);
129 SimpleSummaries.InsertNode(N, Pos);
130 }
131
132 return &N->getValue();
133 }
134
135 RetainSummary *Summ = (RetainSummary *) BPAlloc.Allocate<RetainSummary>();
136 new (Summ) RetainSummary(OldSumm);
137 return Summ;
138}
139
140static bool isSubclass(const Decl *D,
141 StringRef ClassName) {
142 using namespace ast_matchers;
143 DeclarationMatcher SubclassM =
144 cxxRecordDecl(isSameOrDerivedFrom(std::string(ClassName)));
145 return !(match(SubclassM, *D, D->getASTContext()).empty());
146}
147
148static bool isExactClass(const Decl *D, StringRef ClassName) {
149 using namespace ast_matchers;
150 DeclarationMatcher sameClassM = cxxRecordDecl(hasName(ClassName));
151 return !(match(sameClassM, *D, D->getASTContext()).empty());
152}
153
154static bool isOSObjectSubclass(const Decl *D) {
155 return D && isSubclass(D, "OSMetaClassBase") &&
156 !isExactClass(D, "OSMetaClass");
157}
158
159static bool isOSObjectDynamicCast(StringRef S) { return S == "safeMetaCast"; }
160
161static bool isOSObjectRequiredCast(StringRef S) {
162 return S == "requiredMetaCast";
163}
164
165static bool isOSObjectThisCast(StringRef S) {
166 return S == "metaCast";
167}
168
169
170static bool isOSObjectPtr(QualType QT) {
172}
173
174static bool isISLObjectRef(QualType Ty) {
175 return StringRef(Ty.getAsString()).starts_with("isl_");
176}
177
178static bool isOSIteratorSubclass(const Decl *D) {
179 return isSubclass(D, "OSIterator");
180}
181
182static bool hasRCAnnotation(const Decl *D, StringRef rcAnnotation) {
183 for (const auto *Ann : D->specific_attrs<AnnotateAttr>()) {
184 if (Ann->getAnnotation() == rcAnnotation)
185 return true;
186 }
187 return false;
188}
189
190static bool isRetain(const FunctionDecl *FD, StringRef FName) {
191 return FName.starts_with_insensitive("retain") ||
192 FName.ends_with_insensitive("retain");
193}
194
195static bool isRelease(const FunctionDecl *FD, StringRef FName) {
196 return FName.starts_with_insensitive("release") ||
197 FName.ends_with_insensitive("release");
198}
199
200static bool isAutorelease(const FunctionDecl *FD, StringRef FName) {
201 return FName.starts_with_insensitive("autorelease") ||
202 FName.ends_with_insensitive("autorelease");
203}
204
205static bool isMakeCollectable(StringRef FName) {
206 return FName.contains_insensitive("MakeCollectable");
207}
208
209/// A function is OSObject related if it is declared on a subclass
210/// of OSObject, or any of the parameters is a subclass of an OSObject.
211static bool isOSObjectRelated(const CXXMethodDecl *MD) {
212 if (isOSObjectSubclass(MD->getParent()))
213 return true;
214
215 for (ParmVarDecl *Param : MD->parameters()) {
216 QualType PT = Param->getType()->getPointeeType();
217 if (!PT.isNull())
218 if (CXXRecordDecl *RD = PT->getAsCXXRecordDecl())
219 if (isOSObjectSubclass(RD))
220 return true;
221 }
222
223 return false;
224}
225
226bool
228 QT = QT.getCanonicalType();
229 const auto *RD = QT->getAsCXXRecordDecl();
230 if (!RD)
231 return false;
232 const IdentifierInfo *II = RD->getIdentifier();
233 if (II && II->getName() == "smart_ptr")
234 if (const auto *ND = dyn_cast<NamespaceDecl>(RD->getDeclContext()))
235 if (ND->getNameAsString() == "os")
236 return true;
237 return false;
238}
239
240const RetainSummary *
241RetainSummaryManager::getSummaryForOSObject(const FunctionDecl *FD,
242 StringRef FName, QualType RetTy) {
243 assert(TrackOSObjects &&
244 "Requesting a summary for an OSObject but OSObjects are not tracked");
245
246 if (RetTy->isPointerType()) {
247 const CXXRecordDecl *PD = RetTy->getPointeeType()->getAsCXXRecordDecl();
248 if (PD && isOSObjectSubclass(PD)) {
249 if (isOSObjectDynamicCast(FName) || isOSObjectRequiredCast(FName) ||
250 isOSObjectThisCast(FName))
251 return getDefaultSummary();
252
253 // TODO: Add support for the slightly common *Matching(table) idiom.
254 // Cf. IOService::nameMatching() etc. - these function have an unusual
255 // contract of returning at +0 or +1 depending on their last argument.
256 if (FName.ends_with("Matching")) {
257 return getPersistentStopSummary();
258 }
259
260 // All objects returned with functions *not* starting with 'get',
261 // or iterators, are returned at +1.
262 if ((!FName.starts_with("get") && !FName.starts_with("Get")) ||
264 return getOSSummaryCreateRule(FD);
265 } else {
266 return getOSSummaryGetRule(FD);
267 }
268 }
269 }
270
271 if (const auto *MD = dyn_cast<CXXMethodDecl>(FD)) {
272 const CXXRecordDecl *Parent = MD->getParent();
274 if (FName == "release" || FName == "taggedRelease")
275 return getOSSummaryReleaseRule(FD);
276
277 if (FName == "retain" || FName == "taggedRetain")
278 return getOSSummaryRetainRule(FD);
279
280 if (FName == "free")
281 return getOSSummaryFreeRule(FD);
282
283 if (MD->getOverloadedOperator() == OO_New)
284 return getOSSummaryCreateRule(MD);
285 }
286 }
287
288 return nullptr;
289}
290
291const RetainSummary *RetainSummaryManager::getSummaryForObjCOrCFObject(
292 const FunctionDecl *FD,
293 StringRef FName,
294 QualType RetTy,
295 const FunctionType *FT,
296 bool &AllowAnnotations) {
297
298 ArgEffects ScratchArgs(AF.getEmptyMap());
299
300 std::string RetTyName = RetTy.getAsString();
301 if (FName == "pthread_create" || FName == "pthread_setspecific") {
302 // It's not uncommon to pass a tracked object into the thread
303 // as 'void *arg', and then release it inside the thread.
304 // FIXME: We could build a much more precise model for these functions.
305 return getPersistentStopSummary();
306 } else if(FName == "NSMakeCollectable") {
307 // Handle: id NSMakeCollectable(CFTypeRef)
308 AllowAnnotations = false;
309 return RetTy->isObjCIdType() ? getUnarySummary(FT, DoNothing)
310 : getPersistentStopSummary();
311 } else if (FName == "CMBufferQueueDequeueAndRetain" ||
312 FName == "CMBufferQueueDequeueIfDataReadyAndRetain") {
313 // These API functions are known to NOT act as a CFRetain wrapper.
314 // They simply make a new object owned by the caller.
315 return getPersistentSummary(RetEffect::MakeOwned(ObjKind::CF),
316 ScratchArgs,
319 } else if (FName == "CFPlugInInstanceCreate") {
320 return getPersistentSummary(RetEffect::MakeNoRet(), ScratchArgs);
321 } else if (FName == "IORegistryEntrySearchCFProperty" ||
322 (RetTyName == "CFMutableDictionaryRef" &&
323 (FName == "IOBSDNameMatching" || FName == "IOServiceMatching" ||
324 FName == "IOServiceNameMatching" ||
325 FName == "IORegistryEntryIDMatching" ||
326 FName == "IOOpenFirmwarePathMatching"))) {
327 // Yes, these IOKit functions return CF objects.
328 // They also violate the CF naming convention.
329 return getPersistentSummary(RetEffect::MakeOwned(ObjKind::CF), ScratchArgs,
331 } else if (FName == "IOServiceGetMatchingService" ||
332 FName == "IOServiceGetMatchingServices") {
333 // These IOKit functions accept CF objects as arguments.
334 // They also consume them without an appropriate annotation.
335 ScratchArgs = AF.add(ScratchArgs, 1, ArgEffect(DecRef, ObjKind::CF));
336 return getPersistentSummary(RetEffect::MakeNoRet(),
337 ScratchArgs,
339 } else if (FName == "IOServiceAddNotification" ||
340 FName == "IOServiceAddMatchingNotification") {
341 // More IOKit functions suddenly accepting (and even more suddenly,
342 // consuming) CF objects.
343 ScratchArgs = AF.add(ScratchArgs, 2, ArgEffect(DecRef, ObjKind::CF));
344 return getPersistentSummary(RetEffect::MakeNoRet(),
345 ScratchArgs,
347 } else if (FName == "CVPixelBufferCreateWithBytes") {
348 // Eventually this can be improved by recognizing that the pixel
349 // buffer passed to CVPixelBufferCreateWithBytes is released via
350 // a callback and doing full IPA to make sure this is done correctly.
351 // Note that it's passed as a 'void *', so it's hard to annotate.
352 // FIXME: This function also has an out parameter that returns an
353 // allocated object.
354 ScratchArgs = AF.add(ScratchArgs, 7, ArgEffect(StopTracking));
355 return getPersistentSummary(RetEffect::MakeNoRet(),
356 ScratchArgs,
358 } else if (FName == "CGBitmapContextCreateWithData") {
359 // This is similar to the CVPixelBufferCreateWithBytes situation above.
360 // Eventually this can be improved by recognizing that 'releaseInfo'
361 // passed to CGBitmapContextCreateWithData is released via
362 // a callback and doing full IPA to make sure this is done correctly.
363 ScratchArgs = AF.add(ScratchArgs, 8, ArgEffect(ArgEffect(StopTracking)));
364 return getPersistentSummary(RetEffect::MakeOwned(ObjKind::CF), ScratchArgs,
366 } else if (FName == "CVPixelBufferCreateWithPlanarBytes") {
367 // Same as CVPixelBufferCreateWithBytes, just more arguments.
368 ScratchArgs = AF.add(ScratchArgs, 12, ArgEffect(StopTracking));
369 return getPersistentSummary(RetEffect::MakeNoRet(),
370 ScratchArgs,
372 } else if (FName == "VTCompressionSessionEncodeFrame" ||
373 FName == "VTCompressionSessionEncodeMultiImageFrame") {
374 // The context argument passed to VTCompressionSessionEncodeFrame() et.al.
375 // is passed to the callback specified when creating the session
376 // (e.g. with VTCompressionSessionCreate()) which can release it.
377 // To account for this possibility, conservatively stop tracking
378 // the context.
379 ScratchArgs = AF.add(ScratchArgs, 5, ArgEffect(StopTracking));
380 return getPersistentSummary(RetEffect::MakeNoRet(),
381 ScratchArgs,
383 } else if (FName == "dispatch_set_context" ||
384 FName == "xpc_connection_set_context") {
385 // The analyzer currently doesn't have a good way to reason about
386 // dispatch_set_finalizer_f() which typically cleans up the context.
387 // If we pass a context object that is memory managed, stop tracking it.
388 // Same with xpc_connection_set_finalizer_f().
389 ScratchArgs = AF.add(ScratchArgs, 1, ArgEffect(StopTracking));
390 return getPersistentSummary(RetEffect::MakeNoRet(),
391 ScratchArgs,
393 } else if (FName.starts_with("NSLog")) {
394 return getDoNothingSummary();
395 } else if (FName.starts_with("NS") && FName.contains("Insert")) {
396 // Allowlist NSXXInsertXX, for example NSMapInsertIfAbsent, since they can
397 // be deallocated by NSMapRemove.
398 ScratchArgs = AF.add(ScratchArgs, 1, ArgEffect(StopTracking));
399 ScratchArgs = AF.add(ScratchArgs, 2, ArgEffect(StopTracking));
400 return getPersistentSummary(RetEffect::MakeNoRet(),
401 ScratchArgs, ArgEffect(DoNothing),
403 }
404
405 if (RetTy->isPointerType()) {
406
407 // For CoreFoundation ('CF') types.
408 if (cocoa::isRefType(RetTy, "CF", FName)) {
409 if (isRetain(FD, FName)) {
410 // CFRetain isn't supposed to be annotated. However, this may as
411 // well be a user-made "safe" CFRetain function that is incorrectly
412 // annotated as cf_returns_retained due to lack of better options.
413 // We want to ignore such annotation.
414 AllowAnnotations = false;
415
416 return getUnarySummary(FT, IncRef);
417 } else if (isAutorelease(FD, FName)) {
418 // The headers use cf_consumed, but we can fully model CFAutorelease
419 // ourselves.
420 AllowAnnotations = false;
421
422 return getUnarySummary(FT, Autorelease);
423 } else if (isMakeCollectable(FName)) {
424 AllowAnnotations = false;
425 return getUnarySummary(FT, DoNothing);
426 } else {
427 return getCFCreateGetRuleSummary(FD);
428 }
429 }
430
431 // For CoreGraphics ('CG') and CoreVideo ('CV') types.
432 if (cocoa::isRefType(RetTy, "CG", FName) ||
433 cocoa::isRefType(RetTy, "CV", FName)) {
434 if (isRetain(FD, FName))
435 return getUnarySummary(FT, IncRef);
436 else
437 return getCFCreateGetRuleSummary(FD);
438 }
439
440 // For all other CF-style types, use the Create/Get
441 // rule for summaries but don't support Retain functions
442 // with framework-specific prefixes.
444 return getCFCreateGetRuleSummary(FD);
445 }
446
447 if (FD->hasAttr<CFAuditedTransferAttr>()) {
448 return getCFCreateGetRuleSummary(FD);
449 }
450 }
451
452 // Check for release functions, the only kind of functions that we care
453 // about that don't return a pointer type.
454 if (FName.starts_with("CG") || FName.starts_with("CF")) {
455 // Test for 'CGCF'.
456 FName = FName.substr(FName.starts_with("CGCF") ? 4 : 2);
457
458 if (isRelease(FD, FName))
459 return getUnarySummary(FT, DecRef);
460 else {
461 assert(ScratchArgs.isEmpty());
462 // Remaining CoreFoundation and CoreGraphics functions.
463 // We use to assume that they all strictly followed the ownership idiom
464 // and that ownership cannot be transferred. While this is technically
465 // correct, many methods allow a tracked object to escape. For example:
466 //
467 // CFMutableDictionaryRef x = CFDictionaryCreateMutable(...);
468 // CFDictionaryAddValue(y, key, x);
469 // CFRelease(x);
470 // ... it is okay to use 'x' since 'y' has a reference to it
471 //
472 // We handle this and similar cases with the follow heuristic. If the
473 // function name contains "InsertValue", "SetValue", "AddValue",
474 // "AppendValue", or "SetAttribute", then we assume that arguments may
475 // "escape." This means that something else holds on to the object,
476 // allowing it be used even after its local retain count drops to 0.
478 (StrInStrNoCase(FName, "InsertValue") != StringRef::npos ||
479 StrInStrNoCase(FName, "AddValue") != StringRef::npos ||
480 StrInStrNoCase(FName, "SetValue") != StringRef::npos ||
481 StrInStrNoCase(FName, "AppendValue") != StringRef::npos ||
482 StrInStrNoCase(FName, "SetAttribute") != StringRef::npos)
483 ? MayEscape
484 : DoNothing;
485
486 return getPersistentSummary(RetEffect::MakeNoRet(), ScratchArgs,
488 }
489 }
490
491 return nullptr;
492}
493
494const RetainSummary *
495RetainSummaryManager::generateSummary(const FunctionDecl *FD,
496 bool &AllowAnnotations) {
497 // We generate "stop" summaries for implicitly defined functions.
498 if (FD->isImplicit())
499 return getPersistentStopSummary();
500
501 const IdentifierInfo *II = FD->getIdentifier();
502
503 StringRef FName = II ? II->getName() : "";
504
505 // Strip away preceding '_'. Doing this here will effect all the checks
506 // down below.
507 FName = FName.substr(FName.find_first_not_of('_'));
508
509 // Inspect the result type. Strip away any typedefs.
510 const auto *FT = FD->getType()->castAs<FunctionType>();
511 QualType RetTy = FT->getReturnType();
512
513 if (TrackOSObjects)
514 if (const RetainSummary *S = getSummaryForOSObject(FD, FName, RetTy))
515 return S;
516
517 if (const auto *MD = dyn_cast<CXXMethodDecl>(FD))
518 if (!isOSObjectRelated(MD))
519 return getPersistentSummary(RetEffect::MakeNoRet(),
520 ArgEffects(AF.getEmptyMap()),
524
525 if (TrackObjCAndCFObjects)
526 if (const RetainSummary *S =
527 getSummaryForObjCOrCFObject(FD, FName, RetTy, FT, AllowAnnotations))
528 return S;
529
530 return getDefaultSummary();
531}
532
533const RetainSummary *
534RetainSummaryManager::getFunctionSummary(const FunctionDecl *FD) {
535 // If we don't know what function we're calling, use our default summary.
536 if (!FD)
537 return getDefaultSummary();
538
539 // Look up a summary in our cache of FunctionDecls -> Summaries.
540 FuncSummariesTy::iterator I = FuncSummaries.find(FD);
541 if (I != FuncSummaries.end())
542 return I->second;
543
544 // No summary? Generate one.
545 bool AllowAnnotations = true;
546 const RetainSummary *S = generateSummary(FD, AllowAnnotations);
547
548 // Annotations override defaults.
549 if (AllowAnnotations)
550 updateSummaryFromAnnotations(S, FD);
551
552 FuncSummaries[FD] = S;
553 return S;
554}
555
556//===----------------------------------------------------------------------===//
557// Summary creation for functions (largely uses of Core Foundation).
558//===----------------------------------------------------------------------===//
559
561 switch (E.getKind()) {
562 case DoNothing:
563 case Autorelease:
565 case IncRef:
570 case MayEscape:
571 case StopTracking:
572 case StopTrackingHard:
573 return E.withKind(StopTrackingHard);
574 case DecRef:
576 return E.withKind(DecRefAndStopTrackingHard);
577 case Dealloc:
578 return E.withKind(Dealloc);
579 }
580
581 llvm_unreachable("Unknown ArgEffect kind");
582}
583
584const RetainSummary *
585RetainSummaryManager::updateSummaryForNonZeroCallbackArg(const RetainSummary *S,
586 AnyCall &C) {
587 ArgEffect RecEffect = getStopTrackingHardEquivalent(S->getReceiverEffect());
588 ArgEffect DefEffect = getStopTrackingHardEquivalent(S->getDefaultArgEffect());
589
590 ArgEffects ScratchArgs(AF.getEmptyMap());
591 ArgEffects CustomArgEffects = S->getArgEffects();
592 for (ArgEffects::iterator I = CustomArgEffects.begin(),
593 E = CustomArgEffects.end();
594 I != E; ++I) {
595 ArgEffect Translated = getStopTrackingHardEquivalent(I->second);
596 if (Translated.getKind() != DefEffect.getKind())
597 ScratchArgs = AF.add(ScratchArgs, I->first, Translated);
598 }
599
601
602 // Special cases where the callback argument CANNOT free the return value.
603 // This can generally only happen if we know that the callback will only be
604 // called when the return value is already being deallocated.
605 if (const IdentifierInfo *Name = C.getIdentifier()) {
606 // When the CGBitmapContext is deallocated, the callback here will free
607 // the associated data buffer.
608 // The callback in dispatch_data_create frees the buffer, but not
609 // the data object.
610 if (Name->isStr("CGBitmapContextCreateWithData") ||
611 Name->isStr("dispatch_data_create"))
612 RE = S->getRetEffect();
613 }
614
615 return getPersistentSummary(RE, ScratchArgs, RecEffect, DefEffect);
616}
617
618void RetainSummaryManager::updateSummaryForReceiverUnconsumedSelf(
619 const RetainSummary *&S) {
620
622
623 Template->setReceiverEffect(ArgEffect(DoNothing));
624 Template->setRetEffect(RetEffect::MakeNoRet());
625}
626
627
628void RetainSummaryManager::updateSummaryForArgumentTypes(
629 const AnyCall &C, const RetainSummary *&RS) {
631
632 unsigned parm_idx = 0;
633 for (auto pi = C.param_begin(), pe = C.param_end(); pi != pe;
634 ++pi, ++parm_idx) {
635 QualType QT = (*pi)->getType();
636
637 // Skip already created values.
638 if (RS->getArgEffects().contains(parm_idx))
639 continue;
640
642
643 if (isISLObjectRef(QT)) {
645 } else if (isOSObjectPtr(QT)) {
646 K = ObjKind::OS;
647 } else if (cocoa::isCocoaObjectRef(QT)) {
648 K = ObjKind::ObjC;
649 } else if (coreFoundation::isCFObjectRef(QT)) {
650 K = ObjKind::CF;
651 }
652
653 if (K != ObjKind::AnyObj)
654 Template->addArg(AF, parm_idx,
655 ArgEffect(RS->getDefaultArgEffect().getKind(), K));
656 }
657}
658
659const RetainSummary *
661 bool HasNonZeroCallbackArg,
662 bool IsReceiverUnconsumedSelf,
663 QualType ReceiverType) {
664 const RetainSummary *Summ;
665 switch (C.getKind()) {
671 Summ = getFunctionSummary(cast_or_null<FunctionDecl>(C.getDecl()));
672 break;
673 case AnyCall::Block:
675 // FIXME: These calls are currently unsupported.
676 return getPersistentStopSummary();
677 case AnyCall::ObjCMethod: {
678 const auto *ME = cast_or_null<ObjCMessageExpr>(C.getExpr());
679 if (!ME) {
680 Summ = getMethodSummary(cast<ObjCMethodDecl>(C.getDecl()));
681 } else if (ME->isInstanceMessage()) {
682 Summ = getInstanceMethodSummary(ME, ReceiverType);
683 } else {
684 Summ = getClassMethodSummary(ME);
685 }
686 break;
687 }
688 }
689
690 if (HasNonZeroCallbackArg)
691 Summ = updateSummaryForNonZeroCallbackArg(Summ, C);
692
693 if (IsReceiverUnconsumedSelf)
694 updateSummaryForReceiverUnconsumedSelf(Summ);
695
696 updateSummaryForArgumentTypes(C, Summ);
697
698 assert(Summ && "Unknown call type?");
699 return Summ;
700}
701
702
703const RetainSummary *
704RetainSummaryManager::getCFCreateGetRuleSummary(const FunctionDecl *FD) {
706 return getCFSummaryCreateRule(FD);
707
708 return getCFSummaryGetRule(FD);
709}
710
712 const Decl *FD) {
713 return hasRCAnnotation(FD, "rc_ownership_trusted_implementation");
714}
715
716std::optional<RetainSummaryManager::BehaviorSummary>
718 bool &hasTrustedImplementationAnnotation) {
719
720 IdentifierInfo *II = FD->getIdentifier();
721 if (!II)
722 return std::nullopt;
723
724 StringRef FName = II->getName();
725 FName = FName.substr(FName.find_first_not_of('_'));
726
727 QualType ResultTy = CE->getCallReturnType(Ctx);
728 if (ResultTy->isObjCIdType()) {
729 if (II->isStr("NSMakeCollectable"))
731 } else if (ResultTy->isPointerType()) {
732 // Handle: (CF|CG|CV)Retain
733 // CFAutorelease
734 // It's okay to be a little sloppy here.
735 if (FName == "CMBufferQueueDequeueAndRetain" ||
736 FName == "CMBufferQueueDequeueIfDataReadyAndRetain") {
737 // These API functions are known to NOT act as a CFRetain wrapper.
738 // They simply make a new object owned by the caller.
739 return std::nullopt;
740 }
741 if (CE->getNumArgs() == 1 &&
742 (cocoa::isRefType(ResultTy, "CF", FName) ||
743 cocoa::isRefType(ResultTy, "CG", FName) ||
744 cocoa::isRefType(ResultTy, "CV", FName)) &&
745 (isRetain(FD, FName) || isAutorelease(FD, FName) ||
746 isMakeCollectable(FName)))
748
749 // safeMetaCast is called by OSDynamicCast.
750 // We assume that OSDynamicCast is either an identity (cast is OK,
751 // the input was non-zero),
752 // or that it returns zero (when the cast failed, or the input
753 // was zero).
754 if (TrackOSObjects) {
755 if (isOSObjectDynamicCast(FName) && FD->param_size() >= 1) {
757 } else if (isOSObjectRequiredCast(FName) && FD->param_size() >= 1) {
759 } else if (isOSObjectThisCast(FName) && isa<CXXMethodDecl>(FD) &&
760 !cast<CXXMethodDecl>(FD)->isStatic()) {
762 }
763 }
764
765 const FunctionDecl* FDD = FD->getDefinition();
767 hasTrustedImplementationAnnotation = true;
769 }
770 }
771
772 if (const auto *MD = dyn_cast<CXXMethodDecl>(FD)) {
773 const CXXRecordDecl *Parent = MD->getParent();
774 if (TrackOSObjects && Parent && isOSObjectSubclass(Parent))
775 if (FName == "release" || FName == "retain")
777 }
778
779 return std::nullopt;
780}
781
782const RetainSummary *
783RetainSummaryManager::getUnarySummary(const FunctionType* FT,
784 ArgEffectKind AE) {
785
786 // Unary functions have no arg effects by definition.
787 ArgEffects ScratchArgs(AF.getEmptyMap());
788
789 // Verify that this is *really* a unary function. This can
790 // happen if people do weird things.
791 const FunctionProtoType* FTP = dyn_cast<FunctionProtoType>(FT);
792 if (!FTP || FTP->getNumParams() != 1)
793 return getPersistentStopSummary();
794
795 ArgEffect Effect(AE, ObjKind::CF);
796
797 ScratchArgs = AF.add(ScratchArgs, 0, Effect);
798 return getPersistentSummary(RetEffect::MakeNoRet(),
799 ScratchArgs,
801}
802
803const RetainSummary *
804RetainSummaryManager::getOSSummaryRetainRule(const FunctionDecl *FD) {
805 return getPersistentSummary(RetEffect::MakeNoRet(),
806 AF.getEmptyMap(),
807 /*ReceiverEff=*/ArgEffect(DoNothing),
808 /*DefaultEff=*/ArgEffect(DoNothing),
809 /*ThisEff=*/ArgEffect(IncRef, ObjKind::OS));
810}
811
812const RetainSummary *
813RetainSummaryManager::getOSSummaryReleaseRule(const FunctionDecl *FD) {
814 return getPersistentSummary(RetEffect::MakeNoRet(),
815 AF.getEmptyMap(),
816 /*ReceiverEff=*/ArgEffect(DoNothing),
817 /*DefaultEff=*/ArgEffect(DoNothing),
818 /*ThisEff=*/ArgEffect(DecRef, ObjKind::OS));
819}
820
821const RetainSummary *
822RetainSummaryManager::getOSSummaryFreeRule(const FunctionDecl *FD) {
823 return getPersistentSummary(RetEffect::MakeNoRet(),
824 AF.getEmptyMap(),
825 /*ReceiverEff=*/ArgEffect(DoNothing),
826 /*DefaultEff=*/ArgEffect(DoNothing),
827 /*ThisEff=*/ArgEffect(Dealloc, ObjKind::OS));
828}
829
830const RetainSummary *
831RetainSummaryManager::getOSSummaryCreateRule(const FunctionDecl *FD) {
832 return getPersistentSummary(RetEffect::MakeOwned(ObjKind::OS),
833 AF.getEmptyMap());
834}
835
836const RetainSummary *
837RetainSummaryManager::getOSSummaryGetRule(const FunctionDecl *FD) {
838 return getPersistentSummary(RetEffect::MakeNotOwned(ObjKind::OS),
839 AF.getEmptyMap());
840}
841
842const RetainSummary *
843RetainSummaryManager::getCFSummaryCreateRule(const FunctionDecl *FD) {
844 return getPersistentSummary(RetEffect::MakeOwned(ObjKind::CF),
845 ArgEffects(AF.getEmptyMap()));
846}
847
848const RetainSummary *
849RetainSummaryManager::getCFSummaryGetRule(const FunctionDecl *FD) {
850 return getPersistentSummary(RetEffect::MakeNotOwned(ObjKind::CF),
851 ArgEffects(AF.getEmptyMap()),
853}
854
855
856
857
858//===----------------------------------------------------------------------===//
859// Summary creation for Selectors.
860//===----------------------------------------------------------------------===//
861
862std::optional<RetEffect>
863RetainSummaryManager::getRetEffectFromAnnotations(QualType RetTy,
864 const Decl *D) {
865 if (hasAnyEnabledAttrOf<NSReturnsRetainedAttr>(D, RetTy))
866 return ObjCAllocRetE;
867
868 if (auto K = hasAnyEnabledAttrOf<CFReturnsRetainedAttr, OSReturnsRetainedAttr,
869 GeneralizedReturnsRetainedAttr>(D, RetTy))
870 return RetEffect::MakeOwned(*K);
871
872 if (auto K = hasAnyEnabledAttrOf<
873 CFReturnsNotRetainedAttr, OSReturnsNotRetainedAttr,
874 GeneralizedReturnsNotRetainedAttr, NSReturnsNotRetainedAttr,
875 NSReturnsAutoreleasedAttr>(D, RetTy))
876 return RetEffect::MakeNotOwned(*K);
877
878 if (const auto *MD = dyn_cast<CXXMethodDecl>(D))
879 for (const auto *PD : MD->overridden_methods())
880 if (auto RE = getRetEffectFromAnnotations(RetTy, PD))
881 return RE;
882
883 return std::nullopt;
884}
885
886/// \return Whether the chain of typedefs starting from @c QT
887/// has a typedef with a given name @c Name.
889 StringRef Name) {
890 while (auto *T = QT->getAs<TypedefType>()) {
891 const auto &Context = T->getDecl()->getASTContext();
892 if (T->getDecl()->getIdentifier() == &Context.Idents.get(Name))
893 return true;
894 QT = T->getDecl()->getUnderlyingType();
895 }
896 return false;
897}
898
900 if (const auto *FD = dyn_cast<FunctionDecl>(ND)) {
901 return FD->getReturnType();
902 } else if (const auto *MD = dyn_cast<ObjCMethodDecl>(ND)) {
903 return MD->getReturnType();
904 } else {
905 llvm_unreachable("Unexpected decl");
906 }
907}
908
909bool RetainSummaryManager::applyParamAnnotationEffect(
910 const ParmVarDecl *pd, unsigned parm_idx, const NamedDecl *FD,
912 QualType QT = pd->getType();
913 if (auto K =
914 hasAnyEnabledAttrOf<NSConsumedAttr, CFConsumedAttr, OSConsumedAttr,
915 GeneralizedConsumedAttr>(pd, QT)) {
916 Template->addArg(AF, parm_idx, ArgEffect(DecRef, *K));
917 return true;
918 } else if (auto K = hasAnyEnabledAttrOf<
919 CFReturnsRetainedAttr, OSReturnsRetainedAttr,
920 OSReturnsRetainedOnNonZeroAttr, OSReturnsRetainedOnZeroAttr,
921 GeneralizedReturnsRetainedAttr>(pd, QT)) {
922
923 // For OSObjects, we try to guess whether the object is created based
924 // on the return value.
925 if (K == ObjKind::OS) {
927
928 bool HasRetainedOnZero = pd->hasAttr<OSReturnsRetainedOnZeroAttr>();
929 bool HasRetainedOnNonZero = pd->hasAttr<OSReturnsRetainedOnNonZeroAttr>();
930
931 // The usual convention is to create an object on non-zero return, but
932 // it's reverted if the typedef chain has a typedef kern_return_t,
933 // because kReturnSuccess constant is defined as zero.
934 // The convention can be overwritten by custom attributes.
935 bool SuccessOnZero =
936 HasRetainedOnZero ||
937 (hasTypedefNamed(QT, "kern_return_t") && !HasRetainedOnNonZero);
938 bool ShouldSplit = !QT.isNull() && !QT->isVoidType();
940 if (ShouldSplit && SuccessOnZero) {
942 } else if (ShouldSplit && (!SuccessOnZero || HasRetainedOnNonZero)) {
944 }
945 Template->addArg(AF, parm_idx, ArgEffect(AK, ObjKind::OS));
946 }
947
948 // For others:
949 // Do nothing. Retained out parameters will either point to a +1 reference
950 // or NULL, but the way you check for failure differs depending on the
951 // API. Consequently, we don't have a good way to track them yet.
952 return true;
953 } else if (auto K = hasAnyEnabledAttrOf<CFReturnsNotRetainedAttr,
954 OSReturnsNotRetainedAttr,
955 GeneralizedReturnsNotRetainedAttr>(
956 pd, QT)) {
957 Template->addArg(AF, parm_idx, ArgEffect(UnretainedOutParameter, *K));
958 return true;
959 }
960
961 if (const auto *MD = dyn_cast<CXXMethodDecl>(FD)) {
962 for (const auto *OD : MD->overridden_methods()) {
963 const ParmVarDecl *OP = OD->parameters()[parm_idx];
964 if (applyParamAnnotationEffect(OP, parm_idx, OD, Template))
965 return true;
966 }
967 }
968
969 return false;
970}
971
972void
973RetainSummaryManager::updateSummaryFromAnnotations(const RetainSummary *&Summ,
974 const FunctionDecl *FD) {
975 if (!FD)
976 return;
977
978 assert(Summ && "Must have a summary to add annotations to.");
979 RetainSummaryTemplate Template(Summ, *this);
980
981 // Effects on the parameters.
982 unsigned parm_idx = 0;
983 for (auto pi = FD->param_begin(),
984 pe = FD->param_end(); pi != pe; ++pi, ++parm_idx)
985 applyParamAnnotationEffect(*pi, parm_idx, FD, Template);
986
987 QualType RetTy = FD->getReturnType();
988 if (std::optional<RetEffect> RetE = getRetEffectFromAnnotations(RetTy, FD))
989 Template->setRetEffect(*RetE);
990
991 if (hasAnyEnabledAttrOf<OSConsumesThisAttr>(FD, RetTy))
992 Template->setThisEffect(ArgEffect(DecRef, ObjKind::OS));
993}
994
995void
996RetainSummaryManager::updateSummaryFromAnnotations(const RetainSummary *&Summ,
997 const ObjCMethodDecl *MD) {
998 if (!MD)
999 return;
1000
1001 assert(Summ && "Must have a valid summary to add annotations to");
1002 RetainSummaryTemplate Template(Summ, *this);
1003
1004 // Effects on the receiver.
1005 if (hasAnyEnabledAttrOf<NSConsumesSelfAttr>(MD, MD->getReturnType()))
1006 Template->setReceiverEffect(ArgEffect(DecRef, ObjKind::ObjC));
1007
1008 // Effects on the parameters.
1009 unsigned parm_idx = 0;
1010 for (auto pi = MD->param_begin(), pe = MD->param_end(); pi != pe;
1011 ++pi, ++parm_idx)
1012 applyParamAnnotationEffect(*pi, parm_idx, MD, Template);
1013
1014 QualType RetTy = MD->getReturnType();
1015 if (std::optional<RetEffect> RetE = getRetEffectFromAnnotations(RetTy, MD))
1016 Template->setRetEffect(*RetE);
1017}
1018
1019const RetainSummary *
1020RetainSummaryManager::getStandardMethodSummary(const ObjCMethodDecl *MD,
1021 Selector S, QualType RetTy) {
1022 // Any special effects?
1024 RetEffect ResultEff = RetEffect::MakeNoRet();
1025
1026 // Check the method family, and apply any default annotations.
1027 switch (MD ? MD->getMethodFamily() : S.getMethodFamily()) {
1028 case OMF_None:
1029 case OMF_initialize:
1031 // Assume all Objective-C methods follow Cocoa Memory Management rules.
1032 // FIXME: Does the non-threaded performSelector family really belong here?
1033 // The selector could be, say, @selector(copy).
1034 if (cocoa::isCocoaObjectRef(RetTy))
1036 else if (coreFoundation::isCFObjectRef(RetTy)) {
1037 // ObjCMethodDecl currently doesn't consider CF objects as valid return
1038 // values for alloc, new, copy, or mutableCopy, so we have to
1039 // double-check with the selector. This is ugly, but there aren't that
1040 // many Objective-C methods that return CF objects, right?
1041 if (MD) {
1042 switch (S.getMethodFamily()) {
1043 case OMF_alloc:
1044 case OMF_new:
1045 case OMF_copy:
1046 case OMF_mutableCopy:
1047 ResultEff = RetEffect::MakeOwned(ObjKind::CF);
1048 break;
1049 default:
1051 break;
1052 }
1053 } else {
1055 }
1056 }
1057 break;
1058 case OMF_init:
1059 ResultEff = ObjCInitRetE;
1060 ReceiverEff = ArgEffect(DecRef, ObjKind::ObjC);
1061 break;
1062 case OMF_alloc:
1063 case OMF_new:
1064 case OMF_copy:
1065 case OMF_mutableCopy:
1066 if (cocoa::isCocoaObjectRef(RetTy))
1067 ResultEff = ObjCAllocRetE;
1068 else if (coreFoundation::isCFObjectRef(RetTy))
1069 ResultEff = RetEffect::MakeOwned(ObjKind::CF);
1070 break;
1071 case OMF_autorelease:
1072 ReceiverEff = ArgEffect(Autorelease, ObjKind::ObjC);
1073 break;
1074 case OMF_retain:
1075 ReceiverEff = ArgEffect(IncRef, ObjKind::ObjC);
1076 break;
1077 case OMF_release:
1078 ReceiverEff = ArgEffect(DecRef, ObjKind::ObjC);
1079 break;
1080 case OMF_dealloc:
1081 ReceiverEff = ArgEffect(Dealloc, ObjKind::ObjC);
1082 break;
1083 case OMF_self:
1084 // -self is handled specially by the ExprEngine to propagate the receiver.
1085 break;
1086 case OMF_retainCount:
1087 case OMF_finalize:
1088 // These methods don't return objects.
1089 break;
1090 }
1091
1092 // If one of the arguments in the selector has the keyword 'delegate' we
1093 // should stop tracking the reference count for the receiver. This is
1094 // because the reference count is quite possibly handled by a delegate
1095 // method.
1096 if (S.isKeywordSelector()) {
1097 for (unsigned i = 0, e = S.getNumArgs(); i != e; ++i) {
1098 StringRef Slot = S.getNameForSlot(i);
1099 if (Slot.ends_with_insensitive("delegate")) {
1100 if (ResultEff == ObjCInitRetE)
1101 ResultEff = RetEffect::MakeNoRetHard();
1102 else
1104 }
1105 }
1106 }
1107
1108 if (ReceiverEff.getKind() == DoNothing &&
1109 ResultEff.getKind() == RetEffect::NoRet)
1110 return getDefaultSummary();
1111
1112 return getPersistentSummary(ResultEff, ArgEffects(AF.getEmptyMap()),
1113 ArgEffect(ReceiverEff), ArgEffect(MayEscape));
1114}
1115
1116const RetainSummary *
1117RetainSummaryManager::getClassMethodSummary(const ObjCMessageExpr *ME) {
1118 assert(!ME->isInstanceMessage());
1120
1121 return getMethodSummary(ME->getSelector(), Class, ME->getMethodDecl(),
1122 ME->getType(), ObjCClassMethodSummaries);
1123}
1124
1125const RetainSummary *RetainSummaryManager::getInstanceMethodSummary(
1126 const ObjCMessageExpr *ME,
1127 QualType ReceiverType) {
1128 const ObjCInterfaceDecl *ReceiverClass = nullptr;
1129
1130 // We do better tracking of the type of the object than the core ExprEngine.
1131 // See if we have its type in our private state.
1132 if (!ReceiverType.isNull())
1133 if (const auto *PT = ReceiverType->getAs<ObjCObjectPointerType>())
1134 ReceiverClass = PT->getInterfaceDecl();
1135
1136 // If we don't know what kind of object this is, fall back to its static type.
1137 if (!ReceiverClass)
1138 ReceiverClass = ME->getReceiverInterface();
1139
1140 // FIXME: The receiver could be a reference to a class, meaning that
1141 // we should use the class method.
1142 // id x = [NSObject class];
1143 // [x performSelector:... withObject:... afterDelay:...];
1144 Selector S = ME->getSelector();
1145 const ObjCMethodDecl *Method = ME->getMethodDecl();
1146 if (!Method && ReceiverClass)
1147 Method = ReceiverClass->getInstanceMethod(S);
1148
1149 return getMethodSummary(S, ReceiverClass, Method, ME->getType(),
1150 ObjCMethodSummaries);
1151}
1152
1153const RetainSummary *
1154RetainSummaryManager::getMethodSummary(Selector S,
1155 const ObjCInterfaceDecl *ID,
1156 const ObjCMethodDecl *MD, QualType RetTy,
1157 ObjCMethodSummariesTy &CachedSummaries) {
1158
1159 // Objective-C method summaries are only applicable to ObjC and CF objects.
1160 if (!TrackObjCAndCFObjects)
1161 return getDefaultSummary();
1162
1163 // Look up a summary in our summary cache.
1164 const RetainSummary *Summ = CachedSummaries.find(ID, S);
1165
1166 if (!Summ) {
1167 Summ = getStandardMethodSummary(MD, S, RetTy);
1168
1169 // Annotations override defaults.
1170 updateSummaryFromAnnotations(Summ, MD);
1171
1172 // Memoize the summary.
1173 CachedSummaries[ObjCSummaryKey(ID, S)] = Summ;
1174 }
1175
1176 return Summ;
1177}
1178
1179void RetainSummaryManager::InitializeClassMethodSummaries() {
1180 ArgEffects ScratchArgs = AF.getEmptyMap();
1181
1182 // Create the [NSAssertionHandler currentHander] summary.
1183 addClassMethSummary("NSAssertionHandler", "currentHandler",
1184 getPersistentSummary(RetEffect::MakeNotOwned(ObjKind::ObjC),
1185 ScratchArgs));
1186
1187 // Create the [NSAutoreleasePool addObject:] summary.
1188 ScratchArgs = AF.add(ScratchArgs, 0, ArgEffect(Autorelease));
1189 addClassMethSummary("NSAutoreleasePool", "addObject",
1190 getPersistentSummary(RetEffect::MakeNoRet(), ScratchArgs,
1193}
1194
1195void RetainSummaryManager::InitializeMethodSummaries() {
1196
1197 ArgEffects ScratchArgs = AF.getEmptyMap();
1198 // Create the "init" selector. It just acts as a pass-through for the
1199 // receiver.
1200 const RetainSummary *InitSumm = getPersistentSummary(
1201 ObjCInitRetE, ScratchArgs, ArgEffect(DecRef, ObjKind::ObjC));
1202 addNSObjectMethSummary(GetNullarySelector("init", Ctx), InitSumm);
1203
1204 // awakeAfterUsingCoder: behaves basically like an 'init' method. It
1205 // claims the receiver and returns a retained object.
1206 addNSObjectMethSummary(GetUnarySelector("awakeAfterUsingCoder", Ctx),
1207 InitSumm);
1208
1209 // The next methods are allocators.
1210 const RetainSummary *AllocSumm = getPersistentSummary(ObjCAllocRetE,
1211 ScratchArgs);
1212 const RetainSummary *CFAllocSumm =
1213 getPersistentSummary(RetEffect::MakeOwned(ObjKind::CF), ScratchArgs);
1214
1215 // Create the "retain" selector.
1217 const RetainSummary *Summ = getPersistentSummary(
1218 NoRet, ScratchArgs, ArgEffect(IncRef, ObjKind::ObjC));
1219 addNSObjectMethSummary(GetNullarySelector("retain", Ctx), Summ);
1220
1221 // Create the "release" selector.
1222 Summ = getPersistentSummary(NoRet, ScratchArgs,
1224 addNSObjectMethSummary(GetNullarySelector("release", Ctx), Summ);
1225
1226 // Create the -dealloc summary.
1227 Summ = getPersistentSummary(NoRet, ScratchArgs, ArgEffect(Dealloc,
1228 ObjKind::ObjC));
1229 addNSObjectMethSummary(GetNullarySelector("dealloc", Ctx), Summ);
1230
1231 // Create the "autorelease" selector.
1232 Summ = getPersistentSummary(NoRet, ScratchArgs, ArgEffect(Autorelease,
1233 ObjKind::ObjC));
1234 addNSObjectMethSummary(GetNullarySelector("autorelease", Ctx), Summ);
1235
1236 // For NSWindow, allocated objects are (initially) self-owned.
1237 // FIXME: For now we opt for false negatives with NSWindow, as these objects
1238 // self-own themselves. However, they only do this once they are displayed.
1239 // Thus, we need to track an NSWindow's display status.
1240 const RetainSummary *NoTrackYet =
1241 getPersistentSummary(RetEffect::MakeNoRet(), ScratchArgs,
1243
1244 addClassMethSummary("NSWindow", "alloc", NoTrackYet);
1245
1246 // For NSPanel (which subclasses NSWindow), allocated objects are not
1247 // self-owned.
1248 // FIXME: For now we don't track NSPanels. object for the same reason
1249 // as for NSWindow objects.
1250 addClassMethSummary("NSPanel", "alloc", NoTrackYet);
1251
1252 // For NSNull, objects returned by +null are singletons that ignore
1253 // retain/release semantics. Just don't track them.
1254 addClassMethSummary("NSNull", "null", NoTrackYet);
1255
1256 // Don't track allocated autorelease pools, as it is okay to prematurely
1257 // exit a method.
1258 addClassMethSummary("NSAutoreleasePool", "alloc", NoTrackYet);
1259 addClassMethSummary("NSAutoreleasePool", "allocWithZone", NoTrackYet, false);
1260 addClassMethSummary("NSAutoreleasePool", "new", NoTrackYet);
1261
1262 // Create summaries QCRenderer/QCView -createSnapShotImageOfType:
1263 addInstMethSummary("QCRenderer", AllocSumm, "createSnapshotImageOfType");
1264 addInstMethSummary("QCView", AllocSumm, "createSnapshotImageOfType");
1265
1266 // Create summaries for CIContext, 'createCGImage' and
1267 // 'createCGLayerWithSize'. These objects are CF objects, and are not
1268 // automatically garbage collected.
1269 addInstMethSummary("CIContext", CFAllocSumm, "createCGImage", "fromRect");
1270 addInstMethSummary("CIContext", CFAllocSumm, "createCGImage", "fromRect",
1271 "format", "colorSpace");
1272 addInstMethSummary("CIContext", CFAllocSumm, "createCGLayerWithSize", "info");
1273}
1274
1275const RetainSummary *
1276RetainSummaryManager::getMethodSummary(const ObjCMethodDecl *MD) {
1277 const ObjCInterfaceDecl *ID = MD->getClassInterface();
1278 Selector S = MD->getSelector();
1279 QualType ResultTy = MD->getReturnType();
1280
1281 ObjCMethodSummariesTy *CachedSummaries;
1282 if (MD->isInstanceMethod())
1283 CachedSummaries = &ObjCMethodSummaries;
1284 else
1285 CachedSummaries = &ObjCClassMethodSummaries;
1286
1287 return getMethodSummary(S, ID, MD, ResultTy, *CachedSummaries);
1288}
NodeId Parent
Definition: ASTDiff.cpp:191
StringRef P
const Decl * D
Expr * E
Defines the C++ Decl subclasses, other than those for templates (found in DeclTemplate....
static bool isSubclass(const ObjCInterfaceDecl *Class, const IdentifierInfo *II)
static bool isOSObjectRelated(const CXXMethodDecl *MD)
A function is OSObject related if it is declared on a subclass of OSObject, or any of the parameters ...
static bool isISLObjectRef(QualType Ty)
static bool isRelease(const FunctionDecl *FD, StringRef FName)
static bool hasTypedefNamed(QualType QT, StringRef Name)
static bool isOSObjectRequiredCast(StringRef S)
static ArgEffect getStopTrackingHardEquivalent(ArgEffect E)
static constexpr bool isOneOf()
static bool isOSIteratorSubclass(const Decl *D)
static QualType getCallableReturnType(const NamedDecl *ND)
static bool isAutorelease(const FunctionDecl *FD, StringRef FName)
static bool isExactClass(const Decl *D, StringRef ClassName)
static bool isOSObjectPtr(QualType QT)
static bool hasRCAnnotation(const Decl *D, StringRef rcAnnotation)
static bool isOSObjectSubclass(const Decl *D)
static bool isOSObjectThisCast(StringRef S)
static bool isMakeCollectable(StringRef FName)
static bool isOSObjectDynamicCast(StringRef S)
static bool isRetain(const FunctionDecl *FD, StringRef FName)
IdentifierTable & Idents
Definition: ASTContext.h:740
An instance of this class corresponds to a call.
Definition: AnyCall.h:26
@ Destructor
An implicit C++ destructor call (called implicitly or by operator 'delete')
Definition: AnyCall.h:40
@ ObjCMethod
A call to an Objective-C method.
Definition: AnyCall.h:33
@ Deallocator
A C++ deallocation function call (operator delete), via C++ delete-expression.
Definition: AnyCall.h:53
@ Function
A function, function pointer, or a C++ method call.
Definition: AnyCall.h:30
@ Allocator
A C++ allocation function call (operator new), via C++ new-expression.
Definition: AnyCall.h:49
@ Constructor
An implicit or explicit C++ constructor call.
Definition: AnyCall.h:43
@ InheritedConstructor
A C++ inherited constructor produced by a "using T::T" directive.
Definition: AnyCall.h:46
@ Block
A call to an Objective-C block.
Definition: AnyCall.h:36
Attr - This represents one attribute.
Definition: Attr.h:44
Represents a static or instance method of a struct/union/class.
Definition: DeclCXX.h:2129
const CXXRecordDecl * getParent() const
Return the parent of this method declaration, which is the class in which this method is defined.
Definition: DeclCXX.h:2255
Represents a C++ struct/union/class.
Definition: DeclCXX.h:258
CallExpr - Represents a function call (C99 6.5.2.2, C++ [expr.call]).
Definition: Expr.h:2879
unsigned getNumArgs() const
getNumArgs - Return the number of actual arguments to this call.
Definition: Expr.h:3070
QualType getCallReturnType(const ASTContext &Ctx) const
getCallReturnType - Get the return type of the call expr.
Definition: Expr.cpp:1599
Decl - This represents one declaration (or definition), e.g.
Definition: DeclBase.h:86
ASTContext & getASTContext() const LLVM_READONLY
Definition: DeclBase.cpp:524
bool isImplicit() const
isImplicit - Indicates whether the declaration was implicitly generated by the implementation.
Definition: DeclBase.h:593
llvm::iterator_range< specific_attr_iterator< T > > specific_attrs() const
Definition: DeclBase.h:559
bool hasAttr() const
Definition: DeclBase.h:577
QualType getType() const
Definition: Expr.h:144
Represents a function declaration or definition.
Definition: Decl.h:1999
param_iterator param_end()
Definition: Decl.h:2784
QualType getReturnType() const
Definition: Decl.h:2842
ArrayRef< ParmVarDecl * > parameters() const
Definition: Decl.h:2771
param_iterator param_begin()
Definition: Decl.h:2783
FunctionDecl * getDefinition()
Get the definition for this declaration.
Definition: Decl.h:2281
size_t param_size() const
Definition: Decl.h:2787
Represents a prototype with parameter type info, e.g.
Definition: TypeBase.h:5282
unsigned getNumParams() const
Definition: TypeBase.h:5560
FunctionType - C99 6.7.5.3 - Function Declarators.
Definition: TypeBase.h:4478
QualType getReturnType() const
Definition: TypeBase.h:4818
One of these records is kept for each identifier that is lexed.
bool isStr(const char(&Str)[StrLen]) const
Return true if this is the identifier for the specified string.
StringRef getName() const
Return the actual identifier string.
IdentifierInfo & get(StringRef Name)
Return the identifier token info for the specified named identifier.
This represents a decl that may have a name.
Definition: Decl.h:273
IdentifierInfo * getIdentifier() const
Get the identifier that names this declaration, if there is one.
Definition: Decl.h:294
ObjCMethodDecl * getInstanceMethod(Selector Sel, bool AllowHidden=false) const
Definition: DeclObjC.h:1066
Represents an ObjC class declaration.
Definition: DeclObjC.h:1154
An expression that sends a message to the given Objective-C object or class.
Definition: ExprObjC.h:940
Selector getSelector() const
Definition: ExprObjC.cpp:289
bool isInstanceMessage() const
Determine whether this is an instance message to either a computed object or to super.
Definition: ExprObjC.h:1256
ObjCInterfaceDecl * getReceiverInterface() const
Retrieve the Objective-C interface to which this message is being directed, if known.
Definition: ExprObjC.cpp:310
const ObjCMethodDecl * getMethodDecl() const
Definition: ExprObjC.h:1364
ObjCMethodDecl - Represents an instance or class method declaration.
Definition: DeclObjC.h:140
param_const_iterator param_end() const
Definition: DeclObjC.h:358
param_const_iterator param_begin() const
Definition: DeclObjC.h:354
Selector getSelector() const
Definition: DeclObjC.h:327
bool isInstanceMethod() const
Definition: DeclObjC.h:426
ObjCMethodFamily getMethodFamily() const
Determines the family of this method.
Definition: DeclObjC.cpp:1050
QualType getReturnType() const
Definition: DeclObjC.h:329
ObjCInterfaceDecl * getClassInterface()
Definition: DeclObjC.cpp:1208
Represents a pointer to an Objective C object.
Definition: TypeBase.h:7961
Represents a parameter to a function.
Definition: Decl.h:1789
A (possibly-)qualified type.
Definition: TypeBase.h:937
bool isNull() const
Return true if this QualType doesn't point to a type yet.
Definition: TypeBase.h:1004
QualType getCanonicalType() const
Definition: TypeBase.h:8395
static std::string getAsString(SplitQualType split, const PrintingPolicy &Policy)
Definition: TypeBase.h:1332
Smart pointer class that efficiently represents Objective-C method names.
bool isVoidType() const
Definition: TypeBase.h:8936
CXXRecordDecl * getAsCXXRecordDecl() const
Retrieves the CXXRecordDecl that this type refers to, either because the type is a RecordType or beca...
Definition: Type.h:26
bool isPointerType() const
Definition: TypeBase.h:8580
const T * castAs() const
Member-template castAs<specific type>.
Definition: TypeBase.h:9226
const CXXRecordDecl * getPointeeCXXRecordDecl() const
If this is a pointer or reference to a RecordType, return the CXXRecordDecl that the type refers to.
Definition: Type.cpp:1909
QualType getPointeeType() const
If this is a pointer, ObjC object pointer, or block pointer, this returns the respective pointee.
Definition: Type.cpp:752
bool isObjCIdType() const
Definition: TypeBase.h:8782
const T * getAs() const
Member-template getAs<specific type>'.
Definition: TypeBase.h:9159
QualType getType() const
Definition: Decl.h:722
An ArgEffect summarizes the retain count behavior on an argument or receiver to a function or method.
ArgEffectKind getKind() const
A key identifying a summary.
RetEffect summarizes a call's retain/release behavior with respect to its return value.
static RetEffect MakeNotOwned(ObjKind o)
static RetEffect MakeOwned(ObjKind o)
@ NoRet
Indicates that no retain count information is tracked for the return value.
static RetEffect MakeNoRet()
static RetEffect MakeNoRetHard()
bool isTrustedReferenceCountImplementation(const Decl *FD)
std::optional< BehaviorSummary > canEval(const CallExpr *CE, const FunctionDecl *FD, bool &hasTrustedImplementationAnnotation)
static bool isKnownSmartPointer(QualType QT)
const RetainSummary * getSummary(AnyCall C, bool HasNonZeroCallbackArg=false, bool IsReceiverUnconsumedSelf=false, QualType ReceiverType={})
Summary for a function with respect to ownership changes.
bool isSimple() const
A retain summary is simple if it has no ArgEffects other than the default.
void Profile(llvm::FoldingSetNodeID &ID) const
Profile this summary for inclusion in a FoldingSet.
internal::Matcher< Decl > DeclarationMatcher
Types of matchers for the top-level classes in the AST class hierarchy.
Definition: ASTMatchers.h:145
internal::Matcher< NamedDecl > hasName(StringRef Name)
Matches NamedDecl nodes that have the specified name.
Definition: ASTMatchers.h:3163
SmallVector< BoundNodes, 1 > match(MatcherT Matcher, const NodeT &Node, ASTContext &Context)
Returns the results of matching Matcher on Node.
const internal::VariadicDynCastAllOfMatcher< Decl, CXXRecordDecl > cxxRecordDecl
Matches C++ class declarations.
bool isCocoaObjectRef(QualType T)
bool isRefType(QualType RetTy, StringRef Prefix, StringRef Name=StringRef())
bool followsCreateRule(const FunctionDecl *FD)
llvm::ImmutableMap< unsigned, ArgEffect > ArgEffects
ArgEffects summarizes the effects of a function/method call on all of its arguments.
ObjKind
Determines the object kind of a tracked object.
@ OS
Indicates that the tracking object is a descendant of a referenced-counted OSObject,...
@ Generalized
Indicates that the tracked object is a generalized object.
@ CF
Indicates that the tracked object is a CF object.
@ AnyObj
Indicates that the tracked object could be a CF or Objective-C object.
@ ObjC
Indicates that the tracked object is an Objective-C object.
@ IncRef
The argument has its reference count increased by 1.
@ UnretainedOutParameter
The argument is a pointer to a retain-counted object; on exit, the new value of the pointer is a +0 v...
@ DoNothing
There is no effect.
@ RetainedOutParameter
The argument is a pointer to a retain-counted object; on exit, the new value of the pointer is a +1 v...
@ RetainedOutParameterOnZero
The argument is a pointer to a retain-counted object; on exit, the new value of the pointer is a +1 v...
@ MayEscape
The argument is treated as potentially escaping, meaning that even when its reference count hits 0 it...
@ StopTracking
All typestate tracking of the object ceases.
@ Dealloc
The argument is treated as if the referenced object was deallocated.
@ Autorelease
The argument is treated as if an -autorelease message had been sent to the referenced object.
@ RetainedOutParameterOnNonZero
The argument is a pointer to a retain-counted object; on exit, the new value of the pointer is a +1 v...
@ DecRef
The argument has its reference count decreased by 1.
@ StopTrackingHard
All typestate tracking of the object ceases.
@ DecRefAndStopTrackingHard
Performs the combined functionality of DecRef and StopTrackingHard.
@ DecRefBridgedTransferred
The argument has its reference count decreased by 1 to model a transferred bridge cast under ARC.
bool NoRet(InterpState &S, CodePtr OpPC)
Definition: Interp.h:3046
The JSON file list parser is used to communicate input to InstallAPI.
@ OMF_initialize
@ OMF_autorelease
@ OMF_mutableCopy
@ OMF_performSelector
@ OMF_None
No particular method family.
@ OMF_retainCount
Selector GetUnarySelector(StringRef name, ASTContext &Ctx)
Utility function for constructing an unary selector.
Definition: ASTContext.h:3751
@ Template
We are parsing a template declaration.
Selector GetNullarySelector(StringRef name, ASTContext &Ctx)
Utility function for constructing a nullary selector.
Definition: ASTContext.h:3745
const FunctionProtoType * T
@ Class
The "class" keyword introduces the elaborated-type-specifier.