Thanks to visit codestin.com
Credit goes to clang.llvm.org

clang 22.0.0git
PtrTypesSemantics.cpp
Go to the documentation of this file.
1//=======- PtrTypesSemantics.cpp ---------------------------------*- 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#include "PtrTypesSemantics.h"
10#include "ASTUtils.h"
11#include "clang/AST/Attr.h"
13#include "clang/AST/Decl.h"
14#include "clang/AST/DeclCXX.h"
15#include "clang/AST/ExprCXX.h"
18#include <optional>
19
20using namespace clang;
21
22namespace {
23
24bool hasPublicMethodInBaseClass(const CXXRecordDecl *R, StringRef NameToMatch) {
25 assert(R);
26 assert(R->hasDefinition());
27
28 for (const CXXMethodDecl *MD : R->methods()) {
29 const auto MethodName = safeGetName(MD);
30 if (MethodName == NameToMatch && MD->getAccess() == AS_public)
31 return true;
32 }
33 return false;
34}
35
36} // namespace
37
38namespace clang {
39
40std::optional<const clang::CXXRecordDecl *>
41hasPublicMethodInBase(const CXXBaseSpecifier *Base, StringRef NameToMatch) {
42 assert(Base);
43
44 const Type *T = Base->getType().getTypePtrOrNull();
45 if (!T)
46 return std::nullopt;
47
48 const CXXRecordDecl *R = T->getAsCXXRecordDecl();
49 if (!R) {
50 auto CT = Base->getType().getCanonicalType();
51 if (auto *TST = dyn_cast<TemplateSpecializationType>(CT)) {
52 auto TmplName = TST->getTemplateName();
53 if (!TmplName.isNull()) {
54 if (auto *TD = TmplName.getAsTemplateDecl())
55 R = dyn_cast_or_null<CXXRecordDecl>(TD->getTemplatedDecl());
56 }
57 }
58 if (!R)
59 return std::nullopt;
60 }
61 if (!R->hasDefinition())
62 return std::nullopt;
63
64 return hasPublicMethodInBaseClass(R, NameToMatch) ? R : nullptr;
65}
66
67std::optional<bool> isSmartPtrCompatible(const CXXRecordDecl *R,
68 StringRef IncMethodName,
69 StringRef DecMethodName) {
70 assert(R);
71
72 R = R->getDefinition();
73 if (!R)
74 return std::nullopt;
75
76 bool hasRef = hasPublicMethodInBaseClass(R, IncMethodName);
77 bool hasDeref = hasPublicMethodInBaseClass(R, DecMethodName);
78 if (hasRef && hasDeref)
79 return true;
80
81 CXXBasePaths Paths;
82 Paths.setOrigin(const_cast<CXXRecordDecl *>(R));
83
84 bool AnyInconclusiveBase = false;
85 const auto hasPublicRefInBase = [&](const CXXBaseSpecifier *Base,
86 CXXBasePath &) {
87 auto hasRefInBase = clang::hasPublicMethodInBase(Base, IncMethodName);
88 if (!hasRefInBase) {
89 AnyInconclusiveBase = true;
90 return false;
91 }
92 return (*hasRefInBase) != nullptr;
93 };
94
95 hasRef = hasRef || R->lookupInBases(hasPublicRefInBase, Paths,
96 /*LookupInDependent =*/true);
97 if (AnyInconclusiveBase)
98 return std::nullopt;
99
100 Paths.clear();
101 const auto hasPublicDerefInBase = [&](const CXXBaseSpecifier *Base,
102 CXXBasePath &) {
103 auto hasDerefInBase = clang::hasPublicMethodInBase(Base, DecMethodName);
104 if (!hasDerefInBase) {
105 AnyInconclusiveBase = true;
106 return false;
107 }
108 return (*hasDerefInBase) != nullptr;
109 };
110 hasDeref = hasDeref || R->lookupInBases(hasPublicDerefInBase, Paths,
111 /*LookupInDependent =*/true);
112 if (AnyInconclusiveBase)
113 return std::nullopt;
114
115 return hasRef && hasDeref;
116}
117
118std::optional<bool> isRefCountable(const clang::CXXRecordDecl *R) {
119 return isSmartPtrCompatible(R, "ref", "deref");
120}
121
122std::optional<bool> isCheckedPtrCapable(const clang::CXXRecordDecl *R) {
123 return isSmartPtrCompatible(R, "incrementCheckedPtrCount",
124 "decrementCheckedPtrCount");
125}
126
127bool isRefType(const std::string &Name) {
128 return Name == "Ref" || Name == "RefAllowingPartiallyDestroyed" ||
129 Name == "RefPtr" || Name == "RefPtrAllowingPartiallyDestroyed";
130}
131
132bool isRetainPtrOrOSPtr(const std::string &Name) {
133 return Name == "RetainPtr" || Name == "RetainPtrArc" ||
134 Name == "OSObjectPtr" || Name == "OSObjectPtrArc";
135}
136
137bool isCheckedPtr(const std::string &Name) {
138 return Name == "CheckedPtr" || Name == "CheckedRef";
139}
140
141bool isSmartPtrClass(const std::string &Name) {
142 return isRefType(Name) || isCheckedPtr(Name) || isRetainPtrOrOSPtr(Name) ||
143 Name == "WeakPtr" || Name == "WeakPtrFactory" ||
144 Name == "WeakPtrFactoryWithBitField" || Name == "WeakPtrImplBase" ||
145 Name == "WeakPtrImplBaseSingleThread" || Name == "ThreadSafeWeakPtr" ||
146 Name == "ThreadSafeWeakOrStrongPtr" ||
147 Name == "ThreadSafeWeakPtrControlBlock" ||
148 Name == "ThreadSafeRefCountedAndCanMakeThreadSafeWeakPtr";
149}
150
152 assert(F);
153 const std::string &FunctionName = safeGetName(F);
154
155 return isRefType(FunctionName) || FunctionName == "adoptRef" ||
156 FunctionName == "UniqueRef" || FunctionName == "makeUniqueRef" ||
157 FunctionName == "makeUniqueRefWithoutFastMallocCheck"
158
159 || FunctionName == "String" || FunctionName == "AtomString" ||
160 FunctionName == "UniqueString"
161 // FIXME: Implement as attribute.
162 || FunctionName == "Identifier";
163}
164
166 assert(F);
167 return isCheckedPtr(safeGetName(F));
168}
169
171 const std::string &FunctionName = safeGetName(F);
172 return FunctionName == "RetainPtr" || FunctionName == "adoptNS" ||
173 FunctionName == "adoptCF" || FunctionName == "retainPtr" ||
174 FunctionName == "RetainPtrArc" || FunctionName == "adoptNSArc" ||
175 FunctionName == "adoptOSObject" || FunctionName == "adoptOSObjectArc";
176}
177
182
183template <typename Predicate>
184static bool isPtrOfType(const clang::QualType T, Predicate Pred) {
185 QualType type = T;
186 while (!type.isNull()) {
187 if (auto *SpecialT = type->getAs<TemplateSpecializationType>()) {
188 auto *Decl = SpecialT->getTemplateName().getAsTemplateDecl();
189 return Decl && Pred(Decl->getNameAsString());
190 } else if (auto *DTS = type->getAs<DeducedTemplateSpecializationType>()) {
191 auto *Decl = DTS->getTemplateName().getAsTemplateDecl();
192 return Decl && Pred(Decl->getNameAsString());
193 } else
194 break;
195 }
196 return false;
197}
198
200 return isPtrOfType(
201 T, [](auto Name) { return isRefType(Name) || isCheckedPtr(Name); });
202}
203
205 return isPtrOfType(T, [](auto Name) { return isRetainPtrOrOSPtr(Name); });
206}
207
209 return isPtrOfType(T, [](auto Name) {
210 return isRefType(Name) || isCheckedPtr(Name) || Name == "unique_ptr" ||
211 Name == "UniqueRef" || Name == "LazyUniqueRef";
212 });
213}
214
215std::optional<bool> isUncounted(const QualType T) {
216 if (auto *Subst = dyn_cast<SubstTemplateTypeParmType>(T)) {
217 if (auto *Decl = Subst->getAssociatedDecl()) {
219 return false;
220 }
221 }
222 return isUncounted(T->getAsCXXRecordDecl());
223}
224
225std::optional<bool> isUnchecked(const QualType T) {
226 if (auto *Subst = dyn_cast<SubstTemplateTypeParmType>(T)) {
227 if (auto *Decl = Subst->getAssociatedDecl()) {
229 return false;
230 }
231 }
232 return isUnchecked(T->getAsCXXRecordDecl());
233}
234
236 const TranslationUnitDecl *TUD) {
237 IsARCEnabled = TUD->getLangOpts().ObjCAutoRefCount;
238 DefaultSynthProperties = TUD->getLangOpts().ObjCDefaultSynthProperties;
239}
240
242 auto QT = TD->getUnderlyingType();
243 if (!QT->isPointerType())
244 return;
245
246 auto PointeeQT = QT->getPointeeType();
247 const RecordType *RT = PointeeQT->getAsCanonical<RecordType>();
248 if (!RT) {
249 if (TD->hasAttr<ObjCBridgeAttr>() || TD->hasAttr<ObjCBridgeMutableAttr>()) {
250 RecordlessTypes.insert(TD->getASTContext()
252 /*Qualifier=*/std::nullopt, TD)
253 .getTypePtr());
254 }
255 return;
256 }
257
258 for (auto *Redecl : RT->getOriginalDecl()->getMostRecentDecl()->redecls()) {
259 if (Redecl->getAttr<ObjCBridgeAttr>() ||
260 Redecl->getAttr<ObjCBridgeMutableAttr>()) {
261 CFPointees.insert(RT);
262 return;
263 }
264 }
265}
266
267bool RetainTypeChecker::isUnretained(const QualType QT, bool ignoreARC) {
268 if (ento::cocoa::isCocoaObjectRef(QT) && (!IsARCEnabled || ignoreARC))
269 return true;
270 if (auto *RT = dyn_cast_or_null<RecordType>(
272 return CFPointees.contains(RT);
273 return RecordlessTypes.contains(QT.getTypePtr());
274}
275
276std::optional<bool> isUnretained(const QualType T, bool IsARCEnabled) {
277 if (auto *Subst = dyn_cast<SubstTemplateTypeParmType>(T)) {
278 if (auto *Decl = Subst->getAssociatedDecl()) {
280 return false;
281 }
282 }
283 if ((ento::cocoa::isCocoaObjectRef(T) && !IsARCEnabled) ||
285 return true;
286
287 // RetainPtr strips typedef for CF*Ref. Manually check for struct __CF* types.
288 auto CanonicalType = T.getCanonicalType();
289 auto *Type = CanonicalType.getTypePtrOrNull();
290 if (!Type)
291 return false;
292 auto Pointee = Type->getPointeeType();
293 auto *PointeeType = Pointee.getTypePtrOrNull();
294 if (!PointeeType)
295 return false;
296 auto *Record = PointeeType->getAsStructureType();
297 if (!Record)
298 return false;
299 auto *Decl = Record->getOriginalDecl();
300 if (!Decl)
301 return false;
302 auto TypeName = Decl->getName();
303 return TypeName.starts_with("__CF") || TypeName.starts_with("__CG") ||
304 TypeName.starts_with("__CM");
305}
306
307std::optional<bool> isUncounted(const CXXRecordDecl* Class)
308{
309 // Keep isRefCounted first as it's cheaper.
310 if (!Class || isRefCounted(Class))
311 return false;
312
313 std::optional<bool> IsRefCountable = isRefCountable(Class);
314 if (!IsRefCountable)
315 return std::nullopt;
316
317 return (*IsRefCountable);
318}
319
320std::optional<bool> isUnchecked(const CXXRecordDecl *Class) {
321 if (!Class || isCheckedPtr(Class))
322 return false; // Cheaper than below
324}
325
326std::optional<bool> isUncountedPtr(const QualType T) {
327 if (T->isPointerType() || T->isReferenceType()) {
328 if (auto *CXXRD = T->getPointeeCXXRecordDecl())
329 return isUncounted(CXXRD);
330 }
331 return false;
332}
333
334std::optional<bool> isUncheckedPtr(const QualType T) {
335 if (T->isPointerType() || T->isReferenceType()) {
336 if (auto *CXXRD = T->getPointeeCXXRecordDecl())
337 return isUnchecked(CXXRD);
338 }
339 return false;
340}
341
342std::optional<bool> isUnsafePtr(const QualType T, bool IsArcEnabled) {
343 if (T->isPointerType() || T->isReferenceType()) {
344 if (auto *CXXRD = T->getPointeeCXXRecordDecl()) {
345 auto isUncountedPtr = isUncounted(CXXRD);
346 auto isUncheckedPtr = isUnchecked(CXXRD);
347 auto isUnretainedPtr = isUnretained(T, IsArcEnabled);
348 std::optional<bool> result;
349 if (isUncountedPtr)
350 result = *isUncountedPtr;
351 if (isUncheckedPtr)
352 result = result ? *result || *isUncheckedPtr : *isUncheckedPtr;
353 if (isUnretainedPtr)
354 result = result ? *result || *isUnretainedPtr : *isUnretainedPtr;
355 return result;
356 }
357 }
358 return false;
359}
360
361std::optional<bool> isGetterOfSafePtr(const CXXMethodDecl *M) {
362 assert(M);
363
364 if (isa<CXXMethodDecl>(M)) {
365 const CXXRecordDecl *calleeMethodsClass = M->getParent();
366 auto className = safeGetName(calleeMethodsClass);
367 auto method = safeGetName(M);
368
369 if (isCheckedPtr(className) && (method == "get" || method == "ptr"))
370 return true;
371
372 if ((isRefType(className) && (method == "get" || method == "ptr")) ||
373 ((className == "String" || className == "AtomString" ||
374 className == "AtomStringImpl" || className == "UniqueString" ||
375 className == "UniqueStringImpl" || className == "Identifier") &&
376 method == "impl"))
377 return true;
378
379 if (isRetainPtrOrOSPtr(className) && method == "get")
380 return true;
381
382 // Ref<T> -> T conversion
383 // FIXME: Currently allowing any Ref<T> -> whatever cast.
384 if (isRefType(className)) {
385 if (auto *maybeRefToRawOperator = dyn_cast<CXXConversionDecl>(M)) {
386 auto QT = maybeRefToRawOperator->getConversionType();
387 auto *T = QT.getTypePtrOrNull();
388 return T && (T->isPointerType() || T->isReferenceType());
389 }
390 }
391
392 if (isCheckedPtr(className)) {
393 if (auto *maybeRefToRawOperator = dyn_cast<CXXConversionDecl>(M)) {
394 auto QT = maybeRefToRawOperator->getConversionType();
395 auto *T = QT.getTypePtrOrNull();
396 return T && (T->isPointerType() || T->isReferenceType());
397 }
398 }
399
400 if (isRetainPtrOrOSPtr(className)) {
401 if (auto *maybeRefToRawOperator = dyn_cast<CXXConversionDecl>(M)) {
402 auto QT = maybeRefToRawOperator->getConversionType();
403 auto *T = QT.getTypePtrOrNull();
404 return T && (T->isPointerType() || T->isReferenceType() ||
405 T->isObjCObjectPointerType());
406 }
407 }
408 }
409 return false;
410}
411
413 assert(R);
414 if (auto *TmplR = R->getTemplateInstantiationPattern()) {
415 // FIXME: String/AtomString/UniqueString
416 const auto &ClassName = safeGetName(TmplR);
417 return isRefType(ClassName);
418 }
419 return false;
420}
421
423 assert(R);
424 if (auto *TmplR = R->getTemplateInstantiationPattern()) {
425 const auto &ClassName = safeGetName(TmplR);
426 return isCheckedPtr(ClassName);
427 }
428 return false;
429}
430
432 assert(R);
433 if (auto *TmplR = R->getTemplateInstantiationPattern())
434 return isRetainPtrOrOSPtr(safeGetName(TmplR));
435 return false;
436}
437
438bool isSmartPtr(const CXXRecordDecl *R) {
439 assert(R);
440 if (auto *TmplR = R->getTemplateInstantiationPattern())
441 return isSmartPtrClass(safeGetName(TmplR));
442 return false;
443}
444
446 assert(F);
447 if (isCtorOfRefCounted(F))
448 return true;
449
450 // FIXME: check # of params == 1
451 const auto FunctionName = safeGetName(F);
452 if (FunctionName == "getPtr" || FunctionName == "WeakPtr" ||
453 FunctionName == "dynamicDowncast" || FunctionName == "downcast" ||
454 FunctionName == "checkedDowncast" || FunctionName == "bit_cast" ||
455 FunctionName == "uncheckedDowncast" || FunctionName == "bitwise_cast" ||
456 FunctionName == "bridge_cast" || FunctionName == "bridge_id_cast" ||
457 FunctionName == "dynamic_cf_cast" || FunctionName == "checked_cf_cast" ||
458 FunctionName == "dynamic_objc_cast" ||
459 FunctionName == "checked_objc_cast")
460 return true;
461
462 auto ReturnType = F->getReturnType();
463 if (auto *Type = ReturnType.getTypePtrOrNull()) {
464 if (auto *AttrType = dyn_cast<AttributedType>(Type)) {
465 if (auto *Attr = AttrType->getAttr()) {
466 if (auto *AnnotateType = dyn_cast<AnnotateTypeAttr>(Attr)) {
467 if (AnnotateType->getAnnotation() == "webkit.pointerconversion")
468 return true;
469 }
470 }
471 }
472 }
473
474 return false;
475}
476
478 if (!F || !F->getDeclName().isIdentifier())
479 return false;
480 auto Name = F->getName();
481 return Name.starts_with("__builtin") || Name == "__libcpp_verbose_abort" ||
482 Name.starts_with("os_log") || Name.starts_with("_os_log");
483}
484
485bool isSingleton(const NamedDecl *F) {
486 assert(F);
487 // FIXME: check # of params == 1
488 if (auto *MethodDecl = dyn_cast<CXXMethodDecl>(F)) {
489 if (!MethodDecl->isStatic())
490 return false;
491 }
492 const auto &NameStr = safeGetName(F);
493 StringRef Name = NameStr; // FIXME: Make safeGetName return StringRef.
494 return Name == "singleton" || Name.ends_with("Singleton");
495}
496
497// We only care about statements so let's use the simple
498// (non-recursive) visitor.
500 : public ConstStmtVisitor<TrivialFunctionAnalysisVisitor, bool> {
501
502 // Returns false if at least one child is non-trivial.
503 bool VisitChildren(const Stmt *S) {
504 for (const Stmt *Child : S->children()) {
505 if (Child && !Visit(Child))
506 return false;
507 }
508
509 return true;
510 }
511
512 template <typename StmtOrDecl, typename CheckFunction>
513 bool WithCachedResult(const StmtOrDecl *S, CheckFunction Function) {
514 auto CacheIt = Cache.find(S);
515 if (CacheIt != Cache.end())
516 return CacheIt->second;
517
518 // Treat a recursive statement to be trivial until proven otherwise.
519 auto [RecursiveIt, IsNew] = RecursiveFn.insert(std::make_pair(S, true));
520 if (!IsNew)
521 return RecursiveIt->second;
522
523 bool Result = Function();
524
525 if (!Result) {
526 for (auto &It : RecursiveFn)
527 It.second = false;
528 }
529 RecursiveIt = RecursiveFn.find(S);
530 assert(RecursiveIt != RecursiveFn.end());
531 Result = RecursiveIt->second;
532 RecursiveFn.erase(RecursiveIt);
533 Cache[S] = Result;
534
535 return Result;
536 }
537
538public:
539 using CacheTy = TrivialFunctionAnalysis::CacheTy;
540
541 TrivialFunctionAnalysisVisitor(CacheTy &Cache) : Cache(Cache) {}
542
543 bool IsFunctionTrivial(const Decl *D) {
544 if (auto *FnDecl = dyn_cast<FunctionDecl>(D)) {
545 if (FnDecl->isVirtualAsWritten())
546 return false;
547 }
548 return WithCachedResult(D, [&]() {
549 if (auto *CtorDecl = dyn_cast<CXXConstructorDecl>(D)) {
550 for (auto *CtorInit : CtorDecl->inits()) {
551 if (!Visit(CtorInit->getInit()))
552 return false;
553 }
554 }
555 const Stmt *Body = D->getBody();
556 if (!Body)
557 return false;
558 return Visit(Body);
559 });
560 }
561
562 bool VisitStmt(const Stmt *S) {
563 // All statements are non-trivial unless overriden later.
564 // Don't even recurse into children by default.
565 return false;
566 }
567
569 // Ignore attributes.
570 return Visit(AS->getSubStmt());
571 }
572
574 // A compound statement is allowed as long each individual sub-statement
575 // is trivial.
576 return WithCachedResult(CS, [&]() { return VisitChildren(CS); });
577 }
578
579 bool VisitReturnStmt(const ReturnStmt *RS) {
580 // A return statement is allowed as long as the return value is trivial.
581 if (auto *RV = RS->getRetValue())
582 return Visit(RV);
583 return true;
584 }
585
586 bool VisitDeclStmt(const DeclStmt *DS) { return VisitChildren(DS); }
587 bool VisitDoStmt(const DoStmt *DS) { return VisitChildren(DS); }
588 bool VisitIfStmt(const IfStmt *IS) {
589 return WithCachedResult(IS, [&]() { return VisitChildren(IS); });
590 }
591 bool VisitForStmt(const ForStmt *FS) {
592 return WithCachedResult(FS, [&]() { return VisitChildren(FS); });
593 }
595 return WithCachedResult(FS, [&]() { return VisitChildren(FS); });
596 }
597 bool VisitWhileStmt(const WhileStmt *WS) {
598 return WithCachedResult(WS, [&]() { return VisitChildren(WS); });
599 }
600 bool VisitSwitchStmt(const SwitchStmt *SS) { return VisitChildren(SS); }
601 bool VisitCaseStmt(const CaseStmt *CS) { return VisitChildren(CS); }
602 bool VisitDefaultStmt(const DefaultStmt *DS) { return VisitChildren(DS); }
603
604 // break, continue, goto, and label statements are always trivial.
605 bool VisitBreakStmt(const BreakStmt *) { return true; }
606 bool VisitContinueStmt(const ContinueStmt *) { return true; }
607 bool VisitGotoStmt(const GotoStmt *) { return true; }
608 bool VisitLabelStmt(const LabelStmt *) { return true; }
609
611 // Unary operators are trivial if its operand is trivial except co_await.
612 return UO->getOpcode() != UO_Coawait && Visit(UO->getSubExpr());
613 }
614
616 // Binary operators are trivial if their operands are trivial.
617 return Visit(BO->getLHS()) && Visit(BO->getRHS());
618 }
619
621 // Compound assignment operator such as |= is trivial if its
622 // subexpresssions are trivial.
623 return VisitChildren(CAO);
624 }
625
627 return VisitChildren(ASE);
628 }
629
631 // Ternary operators are trivial if their conditions & values are trivial.
632 return VisitChildren(CO);
633 }
634
635 bool VisitAtomicExpr(const AtomicExpr *E) { return VisitChildren(E); }
636
638 // Any static_assert is considered trivial.
639 return true;
640 }
641
642 bool VisitCallExpr(const CallExpr *CE) {
643 if (!checkArguments(CE))
644 return false;
645
646 auto *Callee = CE->getDirectCallee();
647 if (!Callee)
648 return false;
649
650 if (isPtrConversion(Callee))
651 return true;
652
653 const auto &Name = safeGetName(Callee);
654
655 if (Callee->isInStdNamespace() &&
656 (Name == "addressof" || Name == "forward" || Name == "move"))
657 return true;
658
659 if (Name == "WTFCrashWithInfo" || Name == "WTFBreakpointTrap" ||
660 Name == "WTFReportBacktrace" ||
661 Name == "WTFCrashWithSecurityImplication" || Name == "WTFCrash" ||
662 Name == "WTFReportAssertionFailure" || Name == "isMainThread" ||
663 Name == "isMainThreadOrGCThread" || Name == "isMainRunLoop" ||
664 Name == "isWebThread" || Name == "isUIThread" ||
665 Name == "mayBeGCThread" || Name == "compilerFenceForCrash" ||
667 return true;
668
669 return IsFunctionTrivial(Callee);
670 }
671
672 bool VisitGCCAsmStmt(const GCCAsmStmt *AS) {
673 return AS->getAsmString() == "brk #0xc471";
674 }
675
676 bool
678 // Non-type template paramter is compile time constant and trivial.
679 return true;
680 }
681
683 return VisitChildren(E);
684 }
685
687 // A predefined identifier such as "func" is considered trivial.
688 return true;
689 }
690
692 // offsetof(T, D) is considered trivial.
693 return true;
694 }
695
697 if (!checkArguments(MCE))
698 return false;
699
700 bool TrivialThis = Visit(MCE->getImplicitObjectArgument());
701 if (!TrivialThis)
702 return false;
703
704 auto *Callee = MCE->getMethodDecl();
705 if (!Callee)
706 return false;
707
708 auto Name = safeGetName(Callee);
709 if (Name == "ref" || Name == "incrementCheckedPtrCount")
710 return true;
711
712 std::optional<bool> IsGetterOfRefCounted = isGetterOfSafePtr(Callee);
713 if (IsGetterOfRefCounted && *IsGetterOfRefCounted)
714 return true;
715
716 // Recursively descend into the callee to confirm that it's trivial as well.
717 return IsFunctionTrivial(Callee);
718 }
719
721 if (!checkArguments(OCE))
722 return false;
723 auto *Callee = OCE->getCalleeDecl();
724 if (!Callee)
725 return false;
726 // Recursively descend into the callee to confirm that it's trivial as well.
727 return IsFunctionTrivial(Callee);
728 }
729
731 if (auto *Expr = E->getExpr()) {
732 if (!Visit(Expr))
733 return false;
734 }
735 return true;
736 }
737
738 bool checkArguments(const CallExpr *CE) {
739 for (const Expr *Arg : CE->arguments()) {
740 if (Arg && !Visit(Arg))
741 return false;
742 }
743 return true;
744 }
745
747 for (const Expr *Arg : CE->arguments()) {
748 if (Arg && !Visit(Arg))
749 return false;
750 }
751
752 // Recursively descend into the callee to confirm that it's trivial.
753 return IsFunctionTrivial(CE->getConstructor());
754 }
755
759
760 bool VisitCXXNewExpr(const CXXNewExpr *NE) { return VisitChildren(NE); }
761
763 return Visit(ICE->getSubExpr());
764 }
765
767 return Visit(ECE->getSubExpr());
768 }
769
771 return Visit(VMT->getSubExpr());
772 }
773
775 if (auto *Temp = BTE->getTemporary()) {
776 if (!TrivialFunctionAnalysis::isTrivialImpl(Temp->getDestructor(), Cache))
777 return false;
778 }
779 return Visit(BTE->getSubExpr());
780 }
781
783 return Visit(AILE->getCommonExpr()) && Visit(AILE->getSubExpr());
784 }
785
787 return true; // The current array index in VisitArrayInitLoopExpr is always
788 // trivial.
789 }
790
792 return Visit(OVE->getSourceExpr());
793 }
794
796 return Visit(EWC->getSubExpr());
797 }
798
799 bool VisitParenExpr(const ParenExpr *PE) { return Visit(PE->getSubExpr()); }
800
802 for (const Expr *Child : ILE->inits()) {
803 if (Child && !Visit(Child))
804 return false;
805 }
806 return true;
807 }
808
809 bool VisitMemberExpr(const MemberExpr *ME) {
810 // Field access is allowed but the base pointer may itself be non-trivial.
811 return Visit(ME->getBase());
812 }
813
814 bool VisitCXXThisExpr(const CXXThisExpr *CTE) {
815 // The expression 'this' is always trivial, be it explicit or implicit.
816 return true;
817 }
818
820 // nullptr is trivial.
821 return true;
822 }
823
824 bool VisitDeclRefExpr(const DeclRefExpr *DRE) {
825 // The use of a variable is trivial.
826 return true;
827 }
828
829 // Constant literal expressions are always trivial
830 bool VisitIntegerLiteral(const IntegerLiteral *E) { return true; }
831 bool VisitFloatingLiteral(const FloatingLiteral *E) { return true; }
832 bool VisitFixedPointLiteral(const FixedPointLiteral *E) { return true; }
833 bool VisitCharacterLiteral(const CharacterLiteral *E) { return true; }
834 bool VisitStringLiteral(const StringLiteral *E) { return true; }
835 bool VisitCXXBoolLiteralExpr(const CXXBoolLiteralExpr *E) { return true; }
836
838 // Constant expressions are trivial.
839 return true;
840 }
841
843 // An implicit value initialization is trvial.
844 return true;
845 }
846
847private:
848 CacheTy &Cache;
849 CacheTy RecursiveFn;
850};
851
852bool TrivialFunctionAnalysis::isTrivialImpl(
853 const Decl *D, TrivialFunctionAnalysis::CacheTy &Cache) {
855 return V.IsFunctionTrivial(D);
856}
857
858bool TrivialFunctionAnalysis::isTrivialImpl(
859 const Stmt *S, TrivialFunctionAnalysis::CacheTy &Cache) {
861 bool Result = V.Visit(S);
862 assert(Cache.contains(S) && "Top-level statement not properly cached!");
863 return Result;
864}
865
866} // namespace clang
#define V(N, I)
Defines the C++ Decl subclasses, other than those for templates (found in DeclTemplate....
Defines the clang::Expr interface and subclasses for C++ expressions.
llvm::MachO::Record Record
Definition MachO.h:31
TypePropertyCache< Private > Cache
Definition Type.cpp:4792
QualType getTypedefType(ElaboratedTypeKeyword Keyword, NestedNameSpecifier Qualifier, const TypedefNameDecl *Decl, QualType UnderlyingType=QualType(), std::optional< bool > TypeMatchesDeclOrNone=std::nullopt) const
Return the unique reference to the type for the specified typedef-name decl.
Represents the index of the current element of an array being initialized by an ArrayInitLoopExpr.
Definition Expr.h:5955
Represents a loop initializing the elements of an array.
Definition Expr.h:5902
OpaqueValueExpr * getCommonExpr() const
Get the common subexpression shared by all initializations (the source array).
Definition Expr.h:5917
Expr * getSubExpr() const
Get the initializer to use for each array element.
Definition Expr.h:5922
ArraySubscriptExpr - [C99 6.5.2.1] Array Subscripting.
Definition Expr.h:2721
AtomicExpr - Variadic atomic builtins: __atomic_exchange, __atomic_fetch_*, __atomic_load,...
Definition Expr.h:6814
Attr - This represents one attribute.
Definition Attr.h:44
Represents an attribute applied to a statement.
Definition Stmt.h:2203
Stmt * getSubStmt()
Definition Stmt.h:2239
A builtin binary operation expression such as "x + y" or "x <= y".
Definition Expr.h:3972
Expr * getLHS() const
Definition Expr.h:4022
Expr * getRHS() const
Definition Expr.h:4024
BreakStmt - This represents a break.
Definition Stmt.h:3135
Represents a path from a specific derived class (which is not represented as part of the path) to a p...
BasePaths - Represents the set of paths from a derived class to one of its (direct or indirect) bases...
void setOrigin(const CXXRecordDecl *Rec)
void clear()
Clear the base-paths results.
Represents a base class of a C++ class.
Definition DeclCXX.h:146
Represents binding an expression to a temporary.
Definition ExprCXX.h:1494
CXXTemporary * getTemporary()
Definition ExprCXX.h:1512
const Expr * getSubExpr() const
Definition ExprCXX.h:1516
A boolean literal, per ([C++ lex.bool] Boolean literals).
Definition ExprCXX.h:723
Represents a call to a C++ constructor.
Definition ExprCXX.h:1549
arg_range arguments()
Definition ExprCXX.h:1673
CXXConstructorDecl * getConstructor() const
Get the constructor that this expression will (ultimately) call.
Definition ExprCXX.h:1612
A default argument (C++ [dcl.fct.default]).
Definition ExprCXX.h:1271
CXXForRangeStmt - This represents C++0x [stmt.ranged]'s ranged for statement, represented as 'for (ra...
Definition StmtCXX.h:135
Represents a call to an inherited base class constructor from an inheriting constructor.
Definition ExprCXX.h:1753
CXXConstructorDecl * getConstructor() const
Get the constructor that this expression will call.
Definition ExprCXX.h:1790
Represents a call to a member function that may be written either with member call syntax (e....
Definition ExprCXX.h:179
CXXMethodDecl * getMethodDecl() const
Retrieve the declaration of the called method.
Definition ExprCXX.cpp:741
Expr * getImplicitObjectArgument() const
Retrieve the implicit object argument for the member call.
Definition ExprCXX.cpp:722
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 new-expression for memory allocation and constructor calls, e.g: "new CXXNewExpr(foo)".
Definition ExprCXX.h:2349
The null pointer literal (C++11 [lex.nullptr])
Definition ExprCXX.h:768
A call to an overloaded operator written using operator syntax.
Definition ExprCXX.h:84
Represents a C++ struct/union/class.
Definition DeclCXX.h:258
method_range methods() const
Definition DeclCXX.h:650
CXXRecordDecl * getDefinition() const
Definition DeclCXX.h:548
const CXXRecordDecl * getTemplateInstantiationPattern() const
Retrieve the record declaration from which this record could be instantiated.
Definition DeclCXX.cpp:2075
bool lookupInBases(BaseMatchesCallback BaseMatches, CXXBasePaths &Paths, bool LookupInDependent=false) const
Look for entities within the base classes of this C++ class, transitively searching all base class su...
bool hasDefinition() const
Definition DeclCXX.h:561
Represents the this expression in C++.
Definition ExprCXX.h:1155
CallExpr - Represents a function call (C99 6.5.2.2, C++ [expr.call]).
Definition Expr.h:2877
FunctionDecl * getDirectCallee()
If the callee is a FunctionDecl, return it. Otherwise return null.
Definition Expr.h:3060
arg_range arguments()
Definition Expr.h:3129
Decl * getCalleeDecl()
Definition Expr.h:3054
CaseStmt - Represent a case statement.
Definition Stmt.h:1920
Expr * getSubExpr()
Definition Expr.h:3660
CompoundAssignOperator - For compound assignments (e.g.
Definition Expr.h:4234
CompoundStmt - This represents a group of statements like { stmt stmt }.
Definition Stmt.h:1720
ConditionalOperator - The ?
Definition Expr.h:4325
ConstStmtVisitor - This class implements a simple visitor for Stmt subclasses.
ConstantExpr - An expression that occurs in a constant context and optionally the result of evaluatin...
Definition Expr.h:1082
ContinueStmt - This represents a continue.
Definition Stmt.h:3119
A reference to a declared variable, function, enum, etc.
Definition Expr.h:1270
DeclStmt - Adaptor class for mixing declarations with statements and expressions.
Definition Stmt.h:1611
Decl - This represents one declaration (or definition), e.g.
Definition DeclBase.h:86
ASTContext & getASTContext() const LLVM_READONLY
Definition DeclBase.cpp:524
virtual Stmt * getBody() const
getBody - If this Decl represents a declaration for a body of code, such as a function or method defi...
Definition DeclBase.h:1087
bool hasAttr() const
Definition DeclBase.h:577
const LangOptions & getLangOpts() const LLVM_READONLY
Helper to get the language options from the ASTContext.
Definition DeclBase.cpp:530
bool isIdentifier() const
Predicate functions for querying what type of name this is.
DoStmt - This represents a 'do/while' stmt.
Definition Stmt.h:2832
ExplicitCastExpr - An explicit cast written in the source code.
Definition Expr.h:3862
Represents an expression – generally a full-expression – that introduces cleanups to be run at the en...
Definition ExprCXX.h:3655
This represents one expression.
Definition Expr.h:112
ForStmt - This represents a 'for (init;cond;inc)' stmt.
Definition Stmt.h:2888
const Expr * getSubExpr() const
Definition Expr.h:1062
Represents a function declaration or definition.
Definition Decl.h:1999
QualType getReturnType() const
Definition Decl.h:2842
This represents a GCC inline-assembly statement extension.
Definition Stmt.h:3395
std::string getAsmString() const
Definition Stmt.cpp:532
GotoStmt - This represents a direct goto.
Definition Stmt.h:2969
IfStmt - This represents an if/then/else.
Definition Stmt.h:2259
ImplicitCastExpr - Allows us to explicitly represent implicit type conversions, which have no direct ...
Definition Expr.h:3787
Represents an implicitly-generated value initialization of an object of a given type.
Definition Expr.h:5991
Describes an C or C++ initializer list.
Definition Expr.h:5233
ArrayRef< Expr * > inits()
Definition Expr.h:5283
LabelStmt - Represents a label, which has a substatement.
Definition Stmt.h:2146
Represents a prvalue temporary that is written into memory so that a reference can bind to it.
Definition ExprCXX.h:4914
Expr * getSubExpr() const
Retrieve the temporary-generating subexpression whose value will be materialized into a glvalue.
Definition ExprCXX.h:4931
MemberExpr - [C99 6.5.2.3] Structure and Union Members.
Definition Expr.h:3298
Expr * getBase() const
Definition Expr.h:3375
This represents a decl that may have a name.
Definition Decl.h:273
StringRef getName() const
Get the name of identifier for this declaration as a StringRef.
Definition Decl.h:300
DeclarationName getDeclName() const
Get the actual, stored name of the declaration, which may be a special name.
Definition Decl.h:339
OffsetOfExpr - [C99 7.17] - This represents an expression of the form offsetof(record-type,...
Definition Expr.h:2527
OpaqueValueExpr - An expression referring to an opaque object of a fixed type and value class.
Definition Expr.h:1178
Expr * getSourceExpr() const
The source expression of an opaque value expression is the expression which originally generated the ...
Definition Expr.h:1228
ParenExpr - This represents a parenthesized expression, e.g.
Definition Expr.h:2182
const Expr * getSubExpr() const
Definition Expr.h:2199
[C99 6.4.2.2] - A predefined identifier such as func.
Definition Expr.h:2005
A (possibly-)qualified type.
Definition TypeBase.h:937
const Type * getTypePtr() const
Retrieves a pointer to the underlying (unqualified) type.
Definition TypeBase.h:8285
QualType getCanonicalType() const
Definition TypeBase.h:8337
const Type * getTypePtrOrNull() const
Definition TypeBase.h:8289
bool isUnretained(const QualType, bool ignoreARC=false)
void visitTranslationUnitDecl(const TranslationUnitDecl *)
void visitTypedef(const TypedefDecl *)
ReturnStmt - This represents a return, optionally of an expression: return; return 4;.
Definition Stmt.h:3160
Expr * getRetValue()
Definition Stmt.h:3187
Represents a C++11 static_assert declaration.
Definition DeclCXX.h:4136
Stmt - This represents one statement.
Definition Stmt.h:85
child_range children()
Definition Stmt.cpp:295
StringLiteral - This represents a string literal expression, e.g.
Definition Expr.h:1799
Represents a reference to a non-type template parameter that has been substituted with a template arg...
Definition ExprCXX.h:4658
SwitchStmt - This represents a 'switch' stmt.
Definition Stmt.h:2509
The top declaration context.
Definition Decl.h:104
bool VisitMemberExpr(const MemberExpr *ME)
bool VisitStringLiteral(const StringLiteral *E)
bool VisitStaticAssertDecl(const StaticAssertDecl *SAD)
bool VisitCXXBindTemporaryExpr(const CXXBindTemporaryExpr *BTE)
bool VisitCXXThisExpr(const CXXThisExpr *CTE)
bool VisitUnaryOperator(const UnaryOperator *UO)
bool VisitArrayInitLoopExpr(const ArrayInitLoopExpr *AILE)
bool VisitPredefinedExpr(const PredefinedExpr *E)
bool VisitContinueStmt(const ContinueStmt *)
bool VisitSwitchStmt(const SwitchStmt *SS)
bool VisitGCCAsmStmt(const GCCAsmStmt *AS)
bool VisitCompoundAssignOperator(const CompoundAssignOperator *CAO)
bool VisitCXXDefaultArgExpr(const CXXDefaultArgExpr *E)
bool VisitFixedPointLiteral(const FixedPointLiteral *E)
bool VisitDeclRefExpr(const DeclRefExpr *DRE)
bool VisitIntegerLiteral(const IntegerLiteral *E)
bool VisitMaterializeTemporaryExpr(const MaterializeTemporaryExpr *VMT)
bool VisitCXXInheritedCtorInitExpr(const CXXInheritedCtorInitExpr *E)
bool VisitFloatingLiteral(const FloatingLiteral *E)
TrivialFunctionAnalysis::CacheTy CacheTy
bool VisitConditionalOperator(const ConditionalOperator *CO)
bool VisitSubstNonTypeTemplateParmExpr(const SubstNonTypeTemplateParmExpr *E)
bool VisitCompoundStmt(const CompoundStmt *CS)
bool VisitImplicitValueInitExpr(const ImplicitValueInitExpr *IVIE)
bool VisitConstantExpr(const ConstantExpr *CE)
bool VisitImplicitCastExpr(const ImplicitCastExpr *ICE)
bool VisitCXXOperatorCallExpr(const CXXOperatorCallExpr *OCE)
bool VisitCXXNullPtrLiteralExpr(const CXXNullPtrLiteralExpr *E)
bool VisitOpaqueValueExpr(const OpaqueValueExpr *OVE)
bool VisitExprWithCleanups(const ExprWithCleanups *EWC)
bool VisitArraySubscriptExpr(const ArraySubscriptExpr *ASE)
bool VisitCXXNewExpr(const CXXNewExpr *NE)
bool VisitBinaryOperator(const BinaryOperator *BO)
bool VisitCXXMemberCallExpr(const CXXMemberCallExpr *MCE)
bool VisitCXXForRangeStmt(const CXXForRangeStmt *FS)
bool VisitCharacterLiteral(const CharacterLiteral *E)
bool VisitInitListExpr(const InitListExpr *ILE)
bool VisitAttributedStmt(const AttributedStmt *AS)
bool VisitUnaryExprOrTypeTraitExpr(const UnaryExprOrTypeTraitExpr *E)
bool VisitCXXBoolLiteralExpr(const CXXBoolLiteralExpr *E)
bool VisitExplicitCastExpr(const ExplicitCastExpr *ECE)
bool VisitArrayInitIndexExpr(const ArrayInitIndexExpr *AIIE)
bool VisitDefaultStmt(const DefaultStmt *DS)
bool VisitOffsetOfExpr(const OffsetOfExpr *OE)
bool VisitCXXConstructExpr(const CXXConstructExpr *CE)
bool VisitReturnStmt(const ReturnStmt *RS)
The base class of the type hierarchy.
Definition TypeBase.h:1833
QualType getPointeeType() const
If this is a pointer, ObjC object pointer, or block pointer, this returns the respective pointee.
Definition Type.cpp:752
const T * getAsCanonical() const
If this type is canonically the specified type, return its canonical type cast to that specified type...
Definition TypeBase.h:2921
Represents the declaration of a typedef-name via the 'typedef' type specifier.
Definition Decl.h:3664
QualType getUnderlyingType() const
Definition Decl.h:3614
UnaryExprOrTypeTraitExpr - expression with either a type or (unevaluated) expression operand.
Definition Expr.h:2625
UnaryOperator - This represents the unary-expression's (except sizeof and alignof),...
Definition Expr.h:2244
Expr * getSubExpr() const
Definition Expr.h:2285
Opcode getOpcode() const
Definition Expr.h:2280
WhileStmt - This represents a 'while' stmt.
Definition Stmt.h:2697
const internal::VariadicAllOfMatcher< Type > type
Matches Types in the clang AST.
bool isCocoaObjectRef(QualType T)
The JSON file list parser is used to communicate input to InstallAPI.
bool isCtorOfSafePtr(const clang::FunctionDecl *F)
bool isTrivialBuiltinFunction(const FunctionDecl *F)
bool isa(CodeGen::Address addr)
Definition Address.h:330
bool isPtrConversion(const FunctionDecl *F)
std::optional< bool > isCheckedPtrCapable(const clang::CXXRecordDecl *R)
std::optional< bool > isUnchecked(const QualType T)
bool isCtorOfRefCounted(const clang::FunctionDecl *F)
bool isRefOrCheckedPtrType(const clang::QualType T)
@ AS_public
Definition Specifiers.h:124
bool isRetainPtrOrOSPtrType(const clang::QualType T)
bool isCtorOfRetainPtrOrOSPtr(const clang::FunctionDecl *F)
@ Result
The result type of a method or function.
Definition TypeBase.h:905
std::optional< bool > isUnsafePtr(const QualType T, bool IsArcEnabled)
const FunctionProtoType * T
std::optional< bool > isUnretained(const QualType T, bool IsARCEnabled)
std::optional< bool > isRefCountable(const clang::CXXRecordDecl *R)
std::optional< const clang::CXXRecordDecl * > hasPublicMethodInBase(const CXXBaseSpecifier *Base, StringRef NameToMatch)
bool isSmartPtrClass(const std::string &Name)
bool isRefCounted(const CXXRecordDecl *R)
static bool isPtrOfType(const clang::QualType T, Predicate Pred)
std::optional< bool > isSmartPtrCompatible(const CXXRecordDecl *R, StringRef IncMethodName, StringRef DecMethodName)
bool isOwnerPtrType(const clang::QualType T)
bool isSmartPtr(const CXXRecordDecl *R)
std::optional< bool > isGetterOfSafePtr(const CXXMethodDecl *M)
bool isRetainPtrOrOSPtr(const std::string &Name)
bool isRefType(const std::string &Name)
std::optional< bool > isUncountedPtr(const QualType T)
std::string safeGetName(const T *ASTNode)
Definition ASTUtils.h:90
bool isCtorOfCheckedPtr(const clang::FunctionDecl *F)
bool isSingleton(const NamedDecl *F)
bool isCheckedPtr(const std::string &Name)
@ None
No keyword precedes the qualified type name.
Definition TypeBase.h:5884
@ Class
The "class" keyword introduces the elaborated-type-specifier.
Definition TypeBase.h:5874
std::optional< bool > isUncounted(const QualType T)
std::optional< bool > isUncheckedPtr(const QualType T)