clang 22.0.0git
LLVMConventionsChecker.cpp
Go to the documentation of this file.
1//=== LLVMConventionsChecker.cpp - Check LLVM codebase conventions ---*- 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 defines LLVMConventionsChecker, a bunch of small little checks
10// for checking specific coding conventions in the LLVM/Clang codebase.
11//
12//===----------------------------------------------------------------------===//
13
19#include "llvm/ADT/SmallString.h"
20#include "llvm/Support/raw_ostream.h"
21
22using namespace clang;
23using namespace ento;
24
25//===----------------------------------------------------------------------===//
26// Generic type checking routines.
27//===----------------------------------------------------------------------===//
28
30 const RecordType *RT = T->getAsCanonical<RecordType>();
31 if (!RT)
32 return false;
33
34 return StringRef(QualType(RT, 0).getAsString()) == "class StringRef";
35}
36
37/// Check whether the declaration is semantically inside the top-level
38/// namespace named by ns.
39static bool InNamespace(const Decl *D, StringRef NS) {
40 const NamespaceDecl *ND = dyn_cast<NamespaceDecl>(D->getDeclContext());
41 if (!ND)
42 return false;
43 const IdentifierInfo *II = ND->getIdentifier();
44 if (!II || II->getName() != NS)
45 return false;
46 return isa<TranslationUnitDecl>(ND->getDeclContext());
47}
48
49static bool IsStdString(QualType T) {
50 const TypedefType *TT = T->getAs<TypedefType>();
51 if (!TT)
52 return false;
53
54 const TypedefNameDecl *TD = TT->getDecl();
55
56 if (!TD->isInStdNamespace())
57 return false;
58
59 return TD->getName() == "string";
60}
61
62static bool IsClangType(const RecordDecl *RD) {
63 return RD->getName() == "Type" && InNamespace(RD, "clang");
64}
65
66static bool IsClangDecl(const RecordDecl *RD) {
67 return RD->getName() == "Decl" && InNamespace(RD, "clang");
68}
69
70static bool IsClangStmt(const RecordDecl *RD) {
71 return RD->getName() == "Stmt" && InNamespace(RD, "clang");
72}
73
74static bool IsClangAttr(const RecordDecl *RD) {
75 return RD->getName() == "Attr" && InNamespace(RD, "clang");
76}
77
78static bool IsStdVector(QualType T) {
80 if (!TS)
81 return false;
82
85
86 if (!TD || !InNamespace(TD, "std"))
87 return false;
88
89 return TD->getName() == "vector";
90}
91
92static bool IsSmallVector(QualType T) {
94 if (!TS)
95 return false;
96
99
100 if (!TD || !InNamespace(TD, "llvm"))
101 return false;
102
103 return TD->getName() == "SmallVector";
104}
105
106//===----------------------------------------------------------------------===//
107// CHECK: a StringRef should not be bound to a temporary std::string whose
108// lifetime is shorter than the StringRef's.
109//===----------------------------------------------------------------------===//
110
111namespace {
112class StringRefCheckerVisitor : public StmtVisitor<StringRefCheckerVisitor> {
113 const Decl *DeclWithIssue;
114 BugReporter &BR;
115 const CheckerBase *Checker;
116
117public:
118 StringRefCheckerVisitor(const Decl *declWithIssue, BugReporter &br,
119 const CheckerBase *checker)
120 : DeclWithIssue(declWithIssue), BR(br), Checker(checker) {}
121 void VisitChildren(Stmt *S) {
122 for (Stmt *Child : S->children())
123 if (Child)
124 Visit(Child);
125 }
126 void VisitStmt(Stmt *S) { VisitChildren(S); }
127 void VisitDeclStmt(DeclStmt *DS);
128private:
129 void VisitVarDecl(VarDecl *VD);
130};
131} // end anonymous namespace
132
134 const CheckerBase *Checker) {
135 StringRefCheckerVisitor walker(D, BR, Checker);
136 walker.Visit(D->getBody());
137}
138
139void StringRefCheckerVisitor::VisitDeclStmt(DeclStmt *S) {
140 VisitChildren(S);
141
142 for (auto *I : S->decls())
143 if (VarDecl *VD = dyn_cast<VarDecl>(I))
144 VisitVarDecl(VD);
145}
146
147void StringRefCheckerVisitor::VisitVarDecl(VarDecl *VD) {
148 Expr *Init = VD->getInit();
149 if (!Init)
150 return;
151
152 // Pattern match for:
153 // StringRef x = call() (where call returns std::string)
154 if (!IsLLVMStringRef(VD->getType()))
155 return;
156 ExprWithCleanups *Ex1 = dyn_cast<ExprWithCleanups>(Init);
157 if (!Ex1)
158 return;
159 CXXConstructExpr *Ex2 = dyn_cast<CXXConstructExpr>(Ex1->getSubExpr());
160 if (!Ex2 || Ex2->getNumArgs() != 1)
161 return;
162 ImplicitCastExpr *Ex3 = dyn_cast<ImplicitCastExpr>(Ex2->getArg(0));
163 if (!Ex3)
164 return;
165 CXXConstructExpr *Ex4 = dyn_cast<CXXConstructExpr>(Ex3->getSubExpr());
166 if (!Ex4 || Ex4->getNumArgs() != 1)
167 return;
168 ImplicitCastExpr *Ex5 = dyn_cast<ImplicitCastExpr>(Ex4->getArg(0));
169 if (!Ex5)
170 return;
171 CXXBindTemporaryExpr *Ex6 = dyn_cast<CXXBindTemporaryExpr>(Ex5->getSubExpr());
172 if (!Ex6 || !IsStdString(Ex6->getType()))
173 return;
174
175 // Okay, badness! Report an error.
176 const char *desc = "StringRef should not be bound to temporary "
177 "std::string that it outlives";
180 BR.EmitBasicReport(DeclWithIssue, Checker, desc, "LLVM Conventions", desc,
181 VDLoc, Init->getSourceRange());
182}
183
184//===----------------------------------------------------------------------===//
185// CHECK: Clang AST nodes should not have fields that can allocate
186// memory.
187//===----------------------------------------------------------------------===//
188
190 return IsStdVector(T) || IsStdString(T) || IsSmallVector(T);
191}
192
193// This type checking could be sped up via dynamic programming.
194static bool IsPartOfAST(const CXXRecordDecl *R) {
195 if (IsClangStmt(R) || IsClangType(R) || IsClangDecl(R) || IsClangAttr(R))
196 return true;
197
198 for (const auto &BS : R->bases())
199 if (const auto *baseD = BS.getType()->getAsCXXRecordDecl();
200 baseD && IsPartOfAST(baseD))
201 return true;
202
203 return false;
204}
205
206namespace {
207class ASTFieldVisitor {
209 const CXXRecordDecl *Root;
210 BugReporter &BR;
211 const CheckerBase *Checker;
212
213public:
214 ASTFieldVisitor(const CXXRecordDecl *root, BugReporter &br,
215 const CheckerBase *checker)
216 : Root(root), BR(br), Checker(checker) {}
217
218 void Visit(FieldDecl *D);
219 void ReportError(QualType T);
220};
221} // end anonymous namespace
222
223static void CheckASTMemory(const CXXRecordDecl *R, BugReporter &BR,
224 const CheckerBase *Checker) {
225 if (!IsPartOfAST(R))
226 return;
227
228 for (auto *I : R->fields()) {
229 ASTFieldVisitor walker(R, BR, Checker);
230 walker.Visit(I);
231 }
232}
233
234void ASTFieldVisitor::Visit(FieldDecl *D) {
235 FieldChain.push_back(D);
236
237 QualType T = D->getType();
238
239 if (AllocatesMemory(T))
240 ReportError(T);
241
242 if (const auto *RD = T->getAsRecordDecl())
243 for (auto *I : RD->fields())
244 Visit(I);
245
246 FieldChain.pop_back();
247}
248
249void ASTFieldVisitor::ReportError(QualType T) {
251 llvm::raw_svector_ostream os(buf);
252
253 os << "AST class '" << Root->getName() << "' has a field '"
254 << FieldChain.front()->getName() << "' that allocates heap memory";
255 if (FieldChain.size() > 1) {
256 os << " via the following chain: ";
257 bool isFirst = true;
258 for (SmallVectorImpl<FieldDecl*>::iterator I=FieldChain.begin(),
259 E=FieldChain.end(); I!=E; ++I) {
260 if (!isFirst)
261 os << '.';
262 else
263 isFirst = false;
264 os << (*I)->getName();
265 }
266 }
267 os << " (type " << FieldChain.back()->getType() << ")";
268
269 // Note that this will fire for every translation unit that uses this
270 // class. This is suboptimal, but at least scan-build will merge
271 // duplicate HTML reports. In the future we need a unified way of merging
272 // duplicate reports across translation units. For C++ classes we cannot
273 // just report warnings when we see an out-of-line method definition for a
274 // class, as that heuristic doesn't always work (the complete definition of
275 // the class may be in the header file, for example).
277 FieldChain.front(), BR.getSourceManager());
278 BR.EmitBasicReport(Root, Checker, "AST node allocates heap memory",
279 "LLVM Conventions", os.str(), L);
280}
281
282//===----------------------------------------------------------------------===//
283// LLVMConventionsChecker
284//===----------------------------------------------------------------------===//
285
286namespace {
287class LLVMConventionsChecker : public Checker<
288 check::ASTDecl<CXXRecordDecl>,
289 check::ASTCodeBody > {
290public:
291 void checkASTDecl(const CXXRecordDecl *R, AnalysisManager& mgr,
292 BugReporter &BR) const {
293 if (R->isCompleteDefinition())
294 CheckASTMemory(R, BR, this);
295 }
296
297 void checkASTCodeBody(const Decl *D, AnalysisManager& mgr,
298 BugReporter &BR) const {
300 }
301};
302}
303
304void ento::registerLLVMConventionsChecker(CheckerManager &mgr) {
305 mgr.registerChecker<LLVMConventionsChecker>();
306}
307
308bool ento::shouldRegisterLLVMConventionsChecker(const CheckerManager &mgr) {
309 return true;
310}
const Decl * D
Expr * E
Defines the C++ template declaration subclasses.
static bool IsStdVector(QualType T)
static bool IsClangType(const RecordDecl *RD)
static bool AllocatesMemory(QualType T)
static bool IsClangStmt(const RecordDecl *RD)
static bool InNamespace(const Decl *D, StringRef NS)
Check whether the declaration is semantically inside the top-level namespace named by ns.
static bool IsClangAttr(const RecordDecl *RD)
static bool IsStdString(QualType T)
static bool IsClangDecl(const RecordDecl *RD)
static void CheckASTMemory(const CXXRecordDecl *R, BugReporter &BR, const CheckerBase *Checker)
static bool IsPartOfAST(const CXXRecordDecl *R)
static bool IsSmallVector(QualType T)
static void CheckStringRefAssignedTemporary(const Decl *D, BugReporter &BR, const CheckerBase *Checker)
static bool IsLLVMStringRef(QualType T)
Represents binding an expression to a temporary.
Definition: ExprCXX.h:1494
Represents a call to a C++ constructor.
Definition: ExprCXX.h:1549
Expr * getArg(unsigned Arg)
Return the specified argument.
Definition: ExprCXX.h:1692
unsigned getNumArgs() const
Return the number of arguments to the constructor call.
Definition: ExprCXX.h:1689
Represents a C++ struct/union/class.
Definition: DeclCXX.h:258
base_class_range bases()
Definition: DeclCXX.h:608
Expr * getSubExpr()
Definition: Expr.h:3662
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
bool isInStdNamespace() const
Definition: DeclBase.cpp:427
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
DeclContext * getDeclContext()
Definition: DeclBase.h:448
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
QualType getType() const
Definition: Expr.h:144
Represents a member of a struct/union/class.
Definition: Decl.h:3157
const Expr * getSubExpr() const
Definition: Expr.h:1064
One of these records is kept for each identifier that is lexed.
StringRef getName() const
Return the actual identifier string.
ImplicitCastExpr - Allows us to explicitly represent implicit type conversions, which have no direct ...
Definition: Expr.h:3789
IdentifierInfo * getIdentifier() const
Get the identifier that names this declaration, if there is one.
Definition: Decl.h:294
StringRef getName() const
Get the name of identifier for this declaration as a StringRef.
Definition: Decl.h:300
Represent a C++ namespace.
Definition: Decl.h:591
A (possibly-)qualified type.
Definition: TypeBase.h:937
Represents a struct/union/class.
Definition: Decl.h:4309
field_range fields() const
Definition: Decl.h:4512
A helper class that allows the use of isa/cast/dyncast to detect TagType objects of structs/unions/cl...
Definition: TypeBase.h:6502
RetTy Visit(PTR(Stmt) S, ParamTys... P)
Definition: StmtVisitor.h:45
StmtVisitor - This class implements a simple visitor for Stmt subclasses.
Definition: StmtVisitor.h:186
Stmt - This represents one statement.
Definition: Stmt.h:85
bool isCompleteDefinition() const
Return true if this decl has its body fully specified.
Definition: Decl.h:3809
The base class of all kinds of template declarations (e.g., class, function, etc.).
Definition: DeclTemplate.h:396
Represents a C++ template name within the type system.
Definition: TemplateName.h:222
TemplateDecl * getAsTemplateDecl(bool IgnoreDeduced=false) const
Retrieve the underlying template declaration that this template name refers to, if known.
Represents a type template specialization; the template must be a class template, a type alias templa...
Definition: TypeBase.h:7290
TemplateName getTemplateName() const
Retrieve the name of the template that we are specializing.
Definition: TypeBase.h:7355
RecordDecl * getAsRecordDecl() const
Retrieves the RecordDecl this type refers to.
Definition: Type.h:41
const T * getAsCanonical() const
If this type is canonically the specified type, return its canonical type cast to that specified type...
Definition: TypeBase.h:2939
const T * getAs() const
Member-template getAs<specific type>'.
Definition: TypeBase.h:9159
Base class for declarations which introduce a typedef-name.
Definition: Decl.h:3559
TypedefNameDecl * getDecl() const
Definition: TypeBase.h:6127
QualType getType() const
Definition: Decl.h:722
Represents a variable declaration or definition.
Definition: Decl.h:925
const Expr * getInit() const
Definition: Decl.h:1367
BugReporter is a utility class for generating PathDiagnostics for analysis.
Definition: BugReporter.h:586
const SourceManager & getSourceManager()
Definition: BugReporter.h:625
void EmitBasicReport(const Decl *DeclWithIssue, const CheckerFrontend *Checker, StringRef BugName, StringRef BugCategory, StringRef BugStr, PathDiagnosticLocation Loc, ArrayRef< SourceRange > Ranges={}, ArrayRef< FixItHint > Fixits={})
The non-templated common ancestor of all the simple Checker<...> classes.
Definition: Checker.h:541
CHECKER * registerChecker(AT &&...Args)
Register a single-part checker (derived from Checker): construct its singleton instance,...
Simple checker classes that implement one frontend (i.e.
Definition: Checker.h:553
static PathDiagnosticLocation createBegin(const Decl *D, const SourceManager &SM)
Create a location for the beginning of the declaration.
The JSON file list parser is used to communicate input to InstallAPI.
const FunctionProtoType * T
llvm::StringRef getAsString(SyncScope S)
Definition: SyncScope.h:60