blob: 02393111e3cbab52254cc22c78d5d6ab3abc2c29 [file] [log] [blame]
Zhongxing Xu28a109f2009-11-08 13:10:34 +00001//==- CheckSizeofPointer.cpp - Check for sizeof on pointers ------*- C++ -*-==//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// This file defines a check for unintended use of sizeof() on pointer
11// expressions.
12//
13//===----------------------------------------------------------------------===//
14
15#include "clang/Analysis/PathSensitive/BugReporter.h"
16#include "clang/AST/StmtVisitor.h"
17#include "clang/Analysis/LocalCheckers.h"
18#include "llvm/Support/Compiler.h"
19
20using namespace clang;
21
22namespace {
23class VISIBILITY_HIDDEN WalkAST : public StmtVisitor<WalkAST> {
24 BugReporter &BR;
25
26public:
27 WalkAST(BugReporter &br) : BR(br) {}
28 void VisitSizeOfAlignOfExpr(SizeOfAlignOfExpr *E);
29 void VisitStmt(Stmt *S) { VisitChildren(S); }
30 void VisitChildren(Stmt *S);
31};
32}
33
34void WalkAST::VisitChildren(Stmt *S) {
35 for (Stmt::child_iterator I = S->child_begin(), E = S->child_end(); I!=E; ++I)
36 if (Stmt *child = *I)
37 Visit(child);
38}
39
40// CWE-467: Use of sizeof() on a Pointer Type
41void WalkAST::VisitSizeOfAlignOfExpr(SizeOfAlignOfExpr *E) {
42 if (!E->isSizeOf())
43 return;
44
45 QualType T = E->getTypeOfArgument();
46 if (T->isPointerType()) {
47 SourceRange R = E->getArgumentExpr()->getSourceRange();
48 BR.EmitBasicReport("Potential unintended use of sizeof() on pointer type",
49 "Logic",
Zhongxing Xudfed7a12009-11-09 07:29:39 +000050 "The code calls sizeof() on a pointer type. "
51 "This can produce an unexpected result.",
Zhongxing Xu28a109f2009-11-08 13:10:34 +000052 E->getLocStart(), &R, 1);
53 }
54}
55
56void clang::CheckSizeofPointer(const Decl *D, BugReporter &BR) {
57 WalkAST walker(BR);
58 walker.Visit(D->getBody());
59}