1 //===- VforkChecker.cpp -------- Vfork usage checks --------------*- 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 vfork checker which checks for dangerous uses of vfork.
10 //  Vforked process shares memory (including stack) with parent so it's
11 //  range of actions is significantly limited: can't write variables,
12 //  can't call functions not in whitelist, etc. For more details, see
13 //  http://man7.org/linux/man-pages/man2/vfork.2.html
14 //
15 //  This checker checks for prohibited constructs in vforked process.
16 //  The state transition diagram:
17 //  PARENT ---(vfork() == 0)--> CHILD
18 //                                   |
19 //                                   --(*p = ...)--> bug
20 //                                   |
21 //                                   --foo()--> bug
22 //                                   |
23 //                                   --return--> bug
24 //
25 //===----------------------------------------------------------------------===//
26 
27 #include "clang/StaticAnalyzer/Checkers/BuiltinCheckerRegistration.h"
28 #include "clang/StaticAnalyzer/Core/PathSensitive/CallEvent.h"
29 #include "clang/StaticAnalyzer/Core/PathSensitive/CheckerContext.h"
30 #include "clang/StaticAnalyzer/Core/PathSensitive/CheckerHelpers.h"
31 #include "clang/StaticAnalyzer/Core/PathSensitive/ProgramState.h"
32 #include "clang/StaticAnalyzer/Core/PathSensitive/ProgramStateTrait.h"
33 #include "clang/StaticAnalyzer/Core/PathSensitive/SymbolManager.h"
34 #include "clang/StaticAnalyzer/Core/BugReporter/BugType.h"
35 #include "clang/StaticAnalyzer/Core/Checker.h"
36 #include "clang/StaticAnalyzer/Core/CheckerManager.h"
37 #include "clang/AST/ParentMap.h"
38 
39 using namespace clang;
40 using namespace ento;
41 
42 namespace {
43 
44 class VforkChecker : public Checker<check::PreCall, check::PostCall,
45                                     check::Bind, check::PreStmt<ReturnStmt>> {
46   mutable std::unique_ptr<BuiltinBug> BT;
47   mutable llvm::SmallSet<const IdentifierInfo *, 10> VforkWhitelist;
48   mutable const IdentifierInfo *II_vfork;
49 
50   static bool isChildProcess(const ProgramStateRef State);
51 
52   bool isVforkCall(const Decl *D, CheckerContext &C) const;
53   bool isCallWhitelisted(const IdentifierInfo *II, CheckerContext &C) const;
54 
55   void reportBug(const char *What, CheckerContext &C,
56                  const char *Details = nullptr) const;
57 
58 public:
VforkChecker()59   VforkChecker() : II_vfork(nullptr) {}
60 
61   void checkPreCall(const CallEvent &Call, CheckerContext &C) const;
62   void checkPostCall(const CallEvent &Call, CheckerContext &C) const;
63   void checkBind(SVal L, SVal V, const Stmt *S, CheckerContext &C) const;
64   void checkPreStmt(const ReturnStmt *RS, CheckerContext &C) const;
65 };
66 
67 } // end anonymous namespace
68 
69 // This trait holds region of variable that is assigned with vfork's
70 // return value (this is the only region child is allowed to write).
71 // VFORK_RESULT_INVALID means that we are in parent process.
72 // VFORK_RESULT_NONE means that vfork's return value hasn't been assigned.
73 // Other values point to valid regions.
REGISTER_TRAIT_WITH_PROGRAMSTATE(VforkResultRegion,const void *)74 REGISTER_TRAIT_WITH_PROGRAMSTATE(VforkResultRegion, const void *)
75 #define VFORK_RESULT_INVALID 0
76 #define VFORK_RESULT_NONE ((void *)(uintptr_t)1)
77 
78 bool VforkChecker::isChildProcess(const ProgramStateRef State) {
79   return State->get<VforkResultRegion>() != VFORK_RESULT_INVALID;
80 }
81 
isVforkCall(const Decl * D,CheckerContext & C) const82 bool VforkChecker::isVforkCall(const Decl *D, CheckerContext &C) const {
83   auto FD = dyn_cast_or_null<FunctionDecl>(D);
84   if (!FD || !C.isCLibraryFunction(FD))
85     return false;
86 
87   if (!II_vfork) {
88     ASTContext &AC = C.getASTContext();
89     II_vfork = &AC.Idents.get("vfork");
90   }
91 
92   return FD->getIdentifier() == II_vfork;
93 }
94 
95 // Returns true iff ok to call function after successful vfork.
isCallWhitelisted(const IdentifierInfo * II,CheckerContext & C) const96 bool VforkChecker::isCallWhitelisted(const IdentifierInfo *II,
97                                  CheckerContext &C) const {
98   if (VforkWhitelist.empty()) {
99     // According to manpage.
100     const char *ids[] = {
101       "_Exit",
102       "_exit",
103       "execl",
104       "execle",
105       "execlp",
106       "execv",
107       "execve",
108       "execvp",
109       "execvpe",
110       nullptr
111     };
112 
113     ASTContext &AC = C.getASTContext();
114     for (const char **id = ids; *id; ++id)
115       VforkWhitelist.insert(&AC.Idents.get(*id));
116   }
117 
118   return VforkWhitelist.count(II);
119 }
120 
reportBug(const char * What,CheckerContext & C,const char * Details) const121 void VforkChecker::reportBug(const char *What, CheckerContext &C,
122                              const char *Details) const {
123   if (ExplodedNode *N = C.generateErrorNode(C.getState())) {
124     if (!BT)
125       BT.reset(new BuiltinBug(this,
126                               "Dangerous construct in a vforked process"));
127 
128     SmallString<256> buf;
129     llvm::raw_svector_ostream os(buf);
130 
131     os << What << " is prohibited after a successful vfork";
132 
133     if (Details)
134       os << "; " << Details;
135 
136     auto Report = std::make_unique<PathSensitiveBugReport>(*BT, os.str(), N);
137     // TODO: mark vfork call in BugReportVisitor
138     C.emitReport(std::move(Report));
139   }
140 }
141 
142 // Detect calls to vfork and split execution appropriately.
checkPostCall(const CallEvent & Call,CheckerContext & C) const143 void VforkChecker::checkPostCall(const CallEvent &Call,
144                                  CheckerContext &C) const {
145   // We can't call vfork in child so don't bother
146   // (corresponding warning has already been emitted in checkPreCall).
147   ProgramStateRef State = C.getState();
148   if (isChildProcess(State))
149     return;
150 
151   if (!isVforkCall(Call.getDecl(), C))
152     return;
153 
154   // Get return value of vfork.
155   SVal VforkRetVal = Call.getReturnValue();
156   Optional<DefinedOrUnknownSVal> DVal =
157     VforkRetVal.getAs<DefinedOrUnknownSVal>();
158   if (!DVal)
159     return;
160 
161   // Get assigned variable.
162   const ParentMap &PM = C.getLocationContext()->getParentMap();
163   const Stmt *P = PM.getParentIgnoreParenCasts(Call.getOriginExpr());
164   const VarDecl *LhsDecl;
165   std::tie(LhsDecl, std::ignore) = parseAssignment(P);
166 
167   // Get assigned memory region.
168   MemRegionManager &M = C.getStoreManager().getRegionManager();
169   const MemRegion *LhsDeclReg =
170     LhsDecl
171       ? M.getVarRegion(LhsDecl, C.getLocationContext())
172       : (const MemRegion *)VFORK_RESULT_NONE;
173 
174   // Parent branch gets nonzero return value (according to manpage).
175   ProgramStateRef ParentState, ChildState;
176   std::tie(ParentState, ChildState) = C.getState()->assume(*DVal);
177   C.addTransition(ParentState);
178   ChildState = ChildState->set<VforkResultRegion>(LhsDeclReg);
179   C.addTransition(ChildState);
180 }
181 
182 // Prohibit calls to non-whitelist functions in child process.
checkPreCall(const CallEvent & Call,CheckerContext & C) const183 void VforkChecker::checkPreCall(const CallEvent &Call,
184                                 CheckerContext &C) const {
185   ProgramStateRef State = C.getState();
186   if (isChildProcess(State)
187       && !isCallWhitelisted(Call.getCalleeIdentifier(), C))
188     reportBug("This function call", C);
189 }
190 
191 // Prohibit writes in child process (except for vfork's lhs).
checkBind(SVal L,SVal V,const Stmt * S,CheckerContext & C) const192 void VforkChecker::checkBind(SVal L, SVal V, const Stmt *S,
193                              CheckerContext &C) const {
194   ProgramStateRef State = C.getState();
195   if (!isChildProcess(State))
196     return;
197 
198   const MemRegion *VforkLhs =
199     static_cast<const MemRegion *>(State->get<VforkResultRegion>());
200   const MemRegion *MR = L.getAsRegion();
201 
202   // Child is allowed to modify only vfork's lhs.
203   if (!MR || MR == VforkLhs)
204     return;
205 
206   reportBug("This assignment", C);
207 }
208 
209 // Prohibit return from function in child process.
checkPreStmt(const ReturnStmt * RS,CheckerContext & C) const210 void VforkChecker::checkPreStmt(const ReturnStmt *RS, CheckerContext &C) const {
211   ProgramStateRef State = C.getState();
212   if (isChildProcess(State))
213     reportBug("Return", C, "call _exit() instead");
214 }
215 
registerVforkChecker(CheckerManager & mgr)216 void ento::registerVforkChecker(CheckerManager &mgr) {
217   mgr.registerChecker<VforkChecker>();
218 }
219 
shouldRegisterVforkChecker(const CheckerManager & mgr)220 bool ento::shouldRegisterVforkChecker(const CheckerManager &mgr) {
221   return true;
222 }
223