Clang Project

clang_source_code/lib/StaticAnalyzer/Checkers/MIGChecker.cpp
1//== MIGChecker.cpp - MIG calling convention checker ------------*- 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 MIGChecker, a Mach Interface Generator calling convention
10// checker. Namely, in MIG callback implementation the following rules apply:
11// - When a server routine returns an error code that represents success, it
12//   must take ownership of resources passed to it (and eventually release
13//   them).
14// - Additionally, when returning success, all out-parameters must be
15//   initialized.
16// - When it returns any other error code, it must not take ownership,
17//   because the message and its out-of-line parameters will be destroyed
18//   by the client that called the function.
19// For now we only check the last rule, as its violations lead to dangerous
20// use-after-free exploits.
21//
22//===----------------------------------------------------------------------===//
23
24#include "clang/Analysis/AnyCall.h"
25#include "clang/StaticAnalyzer/Checkers/BuiltinCheckerRegistration.h"
26#include "clang/StaticAnalyzer/Core/BugReporter/BugType.h"
27#include "clang/StaticAnalyzer/Core/Checker.h"
28#include "clang/StaticAnalyzer/Core/CheckerManager.h"
29#include "clang/StaticAnalyzer/Core/PathSensitive/CallEvent.h"
30#include "clang/StaticAnalyzer/Core/PathSensitive/CheckerContext.h"
31
32using namespace clang;
33using namespace ento;
34
35namespace {
36class MIGChecker : public Checker<check::PostCall, check::PreStmt<ReturnStmt>,
37                                  check::EndFunction> {
38  BugType BT{this"Use-after-free (MIG calling convention violation)",
39             categories::MemoryError};
40
41  // The checker knows that an out-of-line object is deallocated if it is
42  // passed as an argument to one of these functions. If this object is
43  // additionally an argument of a MIG routine, the checker keeps track of that
44  // information and issues a warning when an error is returned from the
45  // respective routine.
46  std::vector<std::pair<CallDescriptionunsigned>> Deallocators = {
47#define CALL(required_args, deallocated_arg, ...)                              \
48  {{{__VA_ARGS__}, required_args}, deallocated_arg}
49      // E.g., if the checker sees a C function 'vm_deallocate' that is
50      // defined on class 'IOUserClient' that has exactly 3 parameters, it knows
51      // that argument #1 (starting from 0, i.e. the second argument) is going
52      // to be consumed in the sense of the MIG consume-on-success convention.
53      CALL(31"vm_deallocate"),
54      CALL(31"mach_vm_deallocate"),
55      CALL(20"mig_deallocate"),
56      CALL(21"mach_port_deallocate"),
57      // E.g., if the checker sees a method 'releaseAsyncReference64()' that is
58      // defined on class 'IOUserClient' that takes exactly 1 argument, it knows
59      // that the argument is going to be consumed in the sense of the MIG
60      // consume-on-success convention.
61      CALL(10"IOUserClient""releaseAsyncReference64"),
62#undef CALL
63  };
64
65  void checkReturnAux(const ReturnStmt *RSCheckerContext &Cconst;
66
67public:
68  void checkPostCall(const CallEvent &CallCheckerContext &Cconst;
69
70  // HACK: We're making two attempts to find the bug: checkEndFunction
71  // should normally be enough but it fails when the return value is a literal
72  // that never gets put into the Environment and ends of function with multiple
73  // returns get agglutinated across returns, preventing us from obtaining
74  // the return value. The problem is similar to https://reviews.llvm.org/D25326
75  // but now we step into it in the top-level function.
76  void checkPreStmt(const ReturnStmt *RSCheckerContext &Cconst {
77    checkReturnAux(RSC);
78  }
79  void checkEndFunction(const ReturnStmt *RSCheckerContext &Cconst {
80    checkReturnAux(RSC);
81  }
82
83  class Visitor : public BugReporterVisitor {
84  public:
85    void Profile(llvm::FoldingSetNodeID &IDconst {
86      static int X = 0;
87      ID.AddPointer(&X);
88    }
89
90    std::shared_ptr<PathDiagnosticPieceVisitNode(const ExplodedNode *N,
91        BugReporterContext &BRCBugReport &R);
92  };
93};
94// end anonymous namespace
95
96// FIXME: It's a 'const ParmVarDecl *' but there's no ready-made GDM traits
97// specialization for this sort of types.
98REGISTER_TRAIT_WITH_PROGRAMSTATE(ReleasedParameter, const void *)
99
100std::shared_ptr<PathDiagnosticPiece>
101MIGChecker::Visitor::VisitNode(const ExplodedNode *NBugReporterContext &BRC,
102                               BugReport &R) {
103  const auto *NewPVD = static_cast<const ParmVarDecl *>(
104      N->getState()->get<ReleasedParameter>());
105  const auto *OldPVD = static_cast<const ParmVarDecl *>(
106      N->getFirstPred()->getState()->get<ReleasedParameter>());
107  if (OldPVD == NewPVD)
108    return nullptr;
109
110   (0) . __assert_fail ("NewPVD && \"What is deallocated cannot be un-deallocated!\"", "/home/seafit/code_projects/clang_source/clang/lib/StaticAnalyzer/Checkers/MIGChecker.cpp", 110, __PRETTY_FUNCTION__))" file_link="../../../../include/assert.h.html#88" macro="true">assert(NewPVD && "What is deallocated cannot be un-deallocated!");
111  SmallString<64Str;
112  llvm::raw_svector_ostream OS(Str);
113  OS << "Value passed through parameter '" << NewPVD->getName()
114     << "' is deallocated";
115
116  PathDiagnosticLocation Loc =
117      PathDiagnosticLocation::create(N->getLocation(), BRC.getSourceManager());
118  return std::make_shared<PathDiagnosticEventPiece>(Loc, OS.str());
119}
120
121static const ParmVarDecl *getOriginParam(SVal VCheckerContext &C) {
122  SymbolRef Sym = V.getAsSymbol();
123  if (!Sym)
124    return nullptr;
125
126  // If we optimistically assume that the MIG routine never re-uses the storage
127  // that was passed to it as arguments when it invalidates it (but at most when
128  // it assigns to parameter variables directly), this procedure correctly
129  // determines if the value was loaded from the transitive closure of MIG
130  // routine arguments in the heap.
131  while (const MemRegion *MR = Sym->getOriginRegion()) {
132    const auto *VR = dyn_cast<VarRegion>(MR);
133    if (VR && VR->hasStackParametersStorage() &&
134           VR->getStackFrame()->inTopFrame())
135      return cast<ParmVarDecl>(VR->getDecl());
136
137    const SymbolicRegion *SR = MR->getSymbolicBase();
138    if (!SR)
139      return nullptr;
140
141    Sym = SR->getSymbol();
142  }
143
144  return nullptr;
145}
146
147static bool isInMIGCall(CheckerContext &C) {
148  const LocationContext *LC = C.getLocationContext();
149  const StackFrameContext *SFC;
150  // Find the top frame.
151  while (LC) {
152    SFC = LC->getStackFrame();
153    LC = SFC->getParent();
154  }
155
156  const Decl *D = SFC->getDecl();
157
158  if (Optional<AnyCall> AC = AnyCall::forDecl(D)) {
159    // Even though there's a Sema warning when the return type of an annotated
160    // function is not a kern_return_t, this warning isn't an error, so we need
161    // an extra sanity check here.
162    // FIXME: AnyCall doesn't support blocks yet, so they remain unchecked
163    // for now.
164    if (!AC->getReturnType(C.getASTContext())
165             .getCanonicalType()->isSignedIntegerType())
166      return false;
167  }
168
169  if (D->hasAttr<MIGServerRoutineAttr>())
170    return true;
171
172  // See if there's an annotated method in the superclass.
173  if (const auto *MD = dyn_cast<CXXMethodDecl>(D))
174    for (const auto *OMD: MD->overridden_methods())
175      if (OMD->hasAttr<MIGServerRoutineAttr>())
176        return true;
177
178  return false;
179}
180
181void MIGChecker::checkPostCall(const CallEvent &CallCheckerContext &Cconst {
182  if (!isInMIGCall(C))
183    return;
184
185  auto I = std::find_if(Deallocators.begin(), Deallocators.end(),
186                        [&](const std::pair<CallDescription, unsigned> &Item) {
187                          return Call.isCalled(Item.first);
188                        });
189  if (I == Deallocators.end())
190    return;
191
192  unsigned ArgIdx = I->second;
193  SVal Arg = Call.getArgSVal(ArgIdx);
194  const ParmVarDecl *PVD = getOriginParam(ArgC);
195  if (!PVD)
196    return;
197
198  C.addTransition(C.getState()->set<ReleasedParameter>(PVD));
199}
200
201// Returns true if V can potentially represent a "successful" kern_return_t.
202static bool mayBeSuccess(SVal VCheckerContext &C) {
203  ProgramStateRef State = C.getState();
204
205  // Can V represent KERN_SUCCESS?
206  if (!State->isNull(V).isConstrainedFalse())
207    return true;
208
209  SValBuilder &SVB = C.getSValBuilder();
210  ASTContext &ACtx = C.getASTContext();
211
212  // Can V represent MIG_NO_REPLY?
213  static const int MigNoReply = -305;
214  V = SVB.evalEQ(C.getState(), VSVB.makeIntVal(MigNoReplyACtx.IntTy));
215  if (!State->isNull(V).isConstrainedTrue())
216    return true;
217
218  // If none of the above, it's definitely an error.
219  return false;
220}
221
222void MIGChecker::checkReturnAux(const ReturnStmt *RSCheckerContext &Cconst {
223  // It is very unlikely that a MIG callback will be called from anywhere
224  // within the project under analysis and the caller isn't itself a routine
225  // that follows the MIG calling convention. Therefore we're safe to believe
226  // that it's always the top frame that is of interest. There's a slight chance
227  // that the user would want to enforce the MIG calling convention upon
228  // a random routine in the middle of nowhere, but given that the convention is
229  // fairly weird and hard to follow in the first place, there's relatively
230  // little motivation to spread it this way.
231  if (!C.inTopFrame())
232    return;
233
234  if (!isInMIGCall(C))
235    return;
236
237  // We know that the function is non-void, but what if the return statement
238  // is not there in the code? It's not a compile error, we should not crash.
239  if (!RS)
240    return;
241
242  ProgramStateRef State = C.getState();
243  if (!State->get<ReleasedParameter>())
244    return;
245
246  SVal V = C.getSVal(RS);
247  if (mayBeSuccess(VC))
248    return;
249
250  ExplodedNode *N = C.generateErrorNode();
251  if (!N)
252    return;
253
254  auto R = llvm::make_unique<BugReport>(
255      BT,
256      "MIG callback fails with error after deallocating argument value. "
257      "This is a use-after-free vulnerability because the caller will try to "
258      "deallocate it again",
259      N);
260
261  R->addRange(RS->getSourceRange());
262  bugreporter::trackExpressionValue(N, RS->getRetValue(), *R, false);
263  R->addVisitor(llvm::make_unique<Visitor>());
264  C.emitReport(std::move(R));
265}
266
267void ento::registerMIGChecker(CheckerManager &Mgr) {
268  Mgr.registerChecker<MIGChecker>();
269}
270
271bool ento::shouldRegisterMIGChecker(const LangOptions &LO) {
272  return true;
273}
274