Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 1 | //== Nullabilityhecker.cpp - Nullability checker ----------------*- 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 checker tries to find nullability violations. There are several kinds of |
| 11 | // possible violations: |
| 12 | // * Null pointer is passed to a pointer which has a _Nonnull type. |
| 13 | // * Null pointer is returned from a function which has a _Nonnull return type. |
| 14 | // * Nullable pointer is passed to a pointer which has a _Nonnull type. |
| 15 | // * Nullable pointer is returned from a function which has a _Nonnull return |
| 16 | // type. |
| 17 | // * Nullable pointer is dereferenced. |
| 18 | // |
| 19 | // This checker propagates the nullability information of the pointers and looks |
| 20 | // for the patterns that are described above. Explicit casts are trusted and are |
| 21 | // considered a way to suppress false positives for this checker. The other way |
| 22 | // to suppress warnings would be to add asserts or guarding if statements to the |
| 23 | // code. In addition to the nullability propagation this checker also uses some |
| 24 | // heuristics to suppress potential false positives. |
| 25 | // |
| 26 | //===----------------------------------------------------------------------===// |
| 27 | |
| 28 | #include "ClangSACheckers.h" |
| 29 | #include "llvm/Support/Path.h" |
| 30 | #include "clang/StaticAnalyzer/Core/BugReporter/BugType.h" |
| 31 | #include "clang/StaticAnalyzer/Core/Checker.h" |
| 32 | #include "clang/StaticAnalyzer/Core/CheckerManager.h" |
| 33 | #include "clang/StaticAnalyzer/Core/PathSensitive/CheckerContext.h" |
| 34 | #include "clang/StaticAnalyzer/Core/PathSensitive/CallEvent.h" |
| 35 | |
| 36 | using namespace clang; |
| 37 | using namespace ento; |
| 38 | |
| 39 | namespace { |
| 40 | // Do not reorder! The getMostNullable method relies on the order. |
| 41 | // Optimization: Most pointers expected to be unspecified. When a symbol has an |
| 42 | // unspecified or nonnull type non of the rules would indicate any problem for |
| 43 | // that symbol. For this reason only nullable and contradicted nullability are |
| 44 | // stored for a symbol. When a symbol is already contradicted, it can not be |
| 45 | // casted back to nullable. |
| 46 | enum class Nullability : char { |
| 47 | Contradicted, // Tracked nullability is contradicted by an explicit cast. Do |
| 48 | // not report any nullability related issue for this symbol. |
| 49 | // This nullability is propagated agressively to avoid false |
| 50 | // positive results. See the comment on getMostNullable method. |
| 51 | Nullable, |
| 52 | Unspecified, |
| 53 | Nonnull |
| 54 | }; |
| 55 | |
| 56 | /// Returns the most nullable nullability. This is used for message expressions |
| 57 | /// like [reciever method], where the nullability of this expression is either |
| 58 | /// the nullability of the receiver or the nullability of the return type of the |
| 59 | /// method, depending on which is more nullable. Contradicted is considered to |
| 60 | /// be the most nullable, to avoid false positive results. |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 61 | Nullability getMostNullable(Nullability Lhs, Nullability Rhs) { |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 62 | return static_cast<Nullability>( |
| 63 | std::min(static_cast<char>(Lhs), static_cast<char>(Rhs))); |
| 64 | } |
| 65 | |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 66 | const char *getNullabilityString(Nullability Nullab) { |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 67 | switch (Nullab) { |
| 68 | case Nullability::Contradicted: |
| 69 | return "contradicted"; |
| 70 | case Nullability::Nullable: |
| 71 | return "nullable"; |
| 72 | case Nullability::Unspecified: |
| 73 | return "unspecified"; |
| 74 | case Nullability::Nonnull: |
| 75 | return "nonnull"; |
| 76 | } |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 77 | llvm_unreachable("Unexpected enumeration."); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 78 | return ""; |
| 79 | } |
| 80 | |
| 81 | // These enums are used as an index to ErrorMessages array. |
| 82 | enum class ErrorKind : int { |
| 83 | NilAssignedToNonnull, |
| 84 | NilPassedToNonnull, |
| 85 | NilReturnedToNonnull, |
| 86 | NullableAssignedToNonnull, |
| 87 | NullableReturnedToNonnull, |
| 88 | NullableDereferenced, |
| 89 | NullablePassedToNonnull |
| 90 | }; |
| 91 | |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 92 | const char *const ErrorMessages[] = { |
| 93 | "Null is assigned to a pointer which is expected to have non-null value", |
| 94 | "Null passed to a callee that requires a non-null argument", |
| 95 | "Null is returned from a function that is expected to return a non-null " |
| 96 | "value", |
| 97 | "Nullable pointer is assigned to a pointer which is expected to have " |
| 98 | "non-null value", |
| 99 | "Nullable pointer is returned from a function that is expected to return a " |
| 100 | "non-null value", |
| 101 | "Nullable pointer is dereferenced", |
Gabor Horvath | 17dacc4 | 2015-09-11 18:41:50 +0000 | [diff] [blame] | 102 | "Nullable pointer is passed to a callee that requires a non-null argument"}; |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 103 | |
| 104 | class NullabilityChecker |
| 105 | : public Checker<check::Bind, check::PreCall, check::PreStmt<ReturnStmt>, |
| 106 | check::PostCall, check::PostStmt<ExplicitCastExpr>, |
| 107 | check::PostObjCMessage, check::DeadSymbols, |
| 108 | check::Event<ImplicitNullDerefEvent>> { |
| 109 | mutable std::unique_ptr<BugType> BT; |
| 110 | |
| 111 | public: |
| 112 | void checkBind(SVal L, SVal V, const Stmt *S, CheckerContext &C) const; |
| 113 | void checkPostStmt(const ExplicitCastExpr *CE, CheckerContext &C) const; |
| 114 | void checkPreStmt(const ReturnStmt *S, CheckerContext &C) const; |
| 115 | void checkPostObjCMessage(const ObjCMethodCall &M, CheckerContext &C) const; |
| 116 | void checkPostCall(const CallEvent &Call, CheckerContext &C) const; |
| 117 | void checkPreCall(const CallEvent &Call, CheckerContext &C) const; |
| 118 | void checkDeadSymbols(SymbolReaper &SR, CheckerContext &C) const; |
| 119 | void checkEvent(ImplicitNullDerefEvent Event) const; |
| 120 | |
| 121 | void printState(raw_ostream &Out, ProgramStateRef State, const char *NL, |
| 122 | const char *Sep) const override; |
| 123 | |
| 124 | struct NullabilityChecksFilter { |
| 125 | DefaultBool CheckNullPassedToNonnull; |
| 126 | DefaultBool CheckNullReturnedFromNonnull; |
| 127 | DefaultBool CheckNullableDereferenced; |
| 128 | DefaultBool CheckNullablePassedToNonnull; |
| 129 | DefaultBool CheckNullableReturnedFromNonnull; |
| 130 | |
| 131 | CheckName CheckNameNullPassedToNonnull; |
| 132 | CheckName CheckNameNullReturnedFromNonnull; |
| 133 | CheckName CheckNameNullableDereferenced; |
| 134 | CheckName CheckNameNullablePassedToNonnull; |
| 135 | CheckName CheckNameNullableReturnedFromNonnull; |
| 136 | }; |
| 137 | |
| 138 | NullabilityChecksFilter Filter; |
Gabor Horvath | 2930735 | 2015-09-14 18:31:34 +0000 | [diff] [blame] | 139 | // When set to false no nullability information will be tracked in |
| 140 | // NullabilityMap. It is possible to catch errors like passing a null pointer |
| 141 | // to a callee that expects nonnull argument without the information that is |
| 142 | // stroed in the NullabilityMap. This is an optimization. |
| 143 | DefaultBool NeedTracking; |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 144 | |
| 145 | private: |
| 146 | class NullabilityBugVisitor |
| 147 | : public BugReporterVisitorImpl<NullabilityBugVisitor> { |
| 148 | public: |
| 149 | NullabilityBugVisitor(const MemRegion *M) : Region(M) {} |
| 150 | |
| 151 | void Profile(llvm::FoldingSetNodeID &ID) const override { |
| 152 | static int X = 0; |
| 153 | ID.AddPointer(&X); |
| 154 | ID.AddPointer(Region); |
| 155 | } |
| 156 | |
| 157 | PathDiagnosticPiece *VisitNode(const ExplodedNode *N, |
| 158 | const ExplodedNode *PrevN, |
| 159 | BugReporterContext &BRC, |
| 160 | BugReport &BR) override; |
| 161 | |
| 162 | private: |
| 163 | // The tracked region. |
| 164 | const MemRegion *Region; |
| 165 | }; |
| 166 | |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 167 | /// When any of the nonnull arguments of the analyzed function is null, do not |
| 168 | /// report anything and turn off the check. |
| 169 | /// |
| 170 | /// When \p SuppressPath is set to true, no more bugs will be reported on this |
| 171 | /// path by this checker. |
| 172 | void reportBugIfPreconditionHolds(ErrorKind Error, ExplodedNode *N, |
| 173 | const MemRegion *Region, CheckerContext &C, |
| 174 | const Stmt *ValueExpr = nullptr, |
| 175 | bool SuppressPath = false) const; |
| 176 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 177 | void reportBug(ErrorKind Error, ExplodedNode *N, const MemRegion *Region, |
| 178 | BugReporter &BR, const Stmt *ValueExpr = nullptr) const { |
| 179 | if (!BT) |
| 180 | BT.reset(new BugType(this, "Nullability", "Memory error")); |
| 181 | const char *Msg = ErrorMessages[static_cast<int>(Error)]; |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 182 | std::unique_ptr<BugReport> R(new BugReport(*BT, Msg, N)); |
| 183 | if (Region) { |
| 184 | R->markInteresting(Region); |
| 185 | R->addVisitor(llvm::make_unique<NullabilityBugVisitor>(Region)); |
| 186 | } |
| 187 | if (ValueExpr) { |
| 188 | R->addRange(ValueExpr->getSourceRange()); |
| 189 | if (Error == ErrorKind::NilAssignedToNonnull || |
| 190 | Error == ErrorKind::NilPassedToNonnull || |
| 191 | Error == ErrorKind::NilReturnedToNonnull) |
| 192 | bugreporter::trackNullOrUndefValue(N, ValueExpr, *R); |
| 193 | } |
| 194 | BR.emitReport(std::move(R)); |
| 195 | } |
Gabor Horvath | 2930735 | 2015-09-14 18:31:34 +0000 | [diff] [blame] | 196 | |
| 197 | /// If an SVal wraps a region that should be tracked, it will return a pointer |
| 198 | /// to the wrapped region. Otherwise it will return a nullptr. |
| 199 | const SymbolicRegion *getTrackRegion(SVal Val, |
| 200 | bool CheckSuperRegion = false) const; |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 201 | }; |
| 202 | |
| 203 | class NullabilityState { |
| 204 | public: |
| 205 | NullabilityState(Nullability Nullab, const Stmt *Source = nullptr) |
| 206 | : Nullab(Nullab), Source(Source) {} |
| 207 | |
| 208 | const Stmt *getNullabilitySource() const { return Source; } |
| 209 | |
| 210 | Nullability getValue() const { return Nullab; } |
| 211 | |
| 212 | void Profile(llvm::FoldingSetNodeID &ID) const { |
| 213 | ID.AddInteger(static_cast<char>(Nullab)); |
| 214 | ID.AddPointer(Source); |
| 215 | } |
| 216 | |
| 217 | void print(raw_ostream &Out) const { |
| 218 | Out << getNullabilityString(Nullab) << "\n"; |
| 219 | } |
| 220 | |
| 221 | private: |
| 222 | Nullability Nullab; |
| 223 | // Source is the expression which determined the nullability. For example in a |
| 224 | // message like [nullable nonnull_returning] has nullable nullability, because |
| 225 | // the receiver is nullable. Here the receiver will be the source of the |
| 226 | // nullability. This is useful information when the diagnostics are generated. |
| 227 | const Stmt *Source; |
| 228 | }; |
| 229 | |
| 230 | bool operator==(NullabilityState Lhs, NullabilityState Rhs) { |
| 231 | return Lhs.getValue() == Rhs.getValue() && |
| 232 | Lhs.getNullabilitySource() == Rhs.getNullabilitySource(); |
| 233 | } |
| 234 | |
| 235 | } // end anonymous namespace |
| 236 | |
| 237 | REGISTER_MAP_WITH_PROGRAMSTATE(NullabilityMap, const MemRegion *, |
| 238 | NullabilityState) |
| 239 | |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 240 | // If the nullability precondition of a function is violated, we should not |
| 241 | // report nullability related issues on that path. For this reason once a |
| 242 | // precondition is not met on a path, this checker will be esentially turned off |
| 243 | // for the rest of the analysis. We do not want to generate a sink node however, |
| 244 | // so this checker would not lead to reduced coverage. |
| 245 | REGISTER_TRAIT_WITH_PROGRAMSTATE(PreconditionViolated, bool) |
| 246 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 247 | enum class NullConstraint { IsNull, IsNotNull, Unknown }; |
| 248 | |
| 249 | static NullConstraint getNullConstraint(DefinedOrUnknownSVal Val, |
| 250 | ProgramStateRef State) { |
| 251 | ConditionTruthVal Nullness = State->isNull(Val); |
| 252 | if (Nullness.isConstrainedFalse()) |
| 253 | return NullConstraint::IsNotNull; |
| 254 | if (Nullness.isConstrainedTrue()) |
| 255 | return NullConstraint::IsNull; |
| 256 | return NullConstraint::Unknown; |
| 257 | } |
| 258 | |
Gabor Horvath | 2930735 | 2015-09-14 18:31:34 +0000 | [diff] [blame] | 259 | const SymbolicRegion * |
| 260 | NullabilityChecker::getTrackRegion(SVal Val, bool CheckSuperRegion) const { |
| 261 | if (!NeedTracking) |
| 262 | return nullptr; |
| 263 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 264 | auto RegionSVal = Val.getAs<loc::MemRegionVal>(); |
| 265 | if (!RegionSVal) |
| 266 | return nullptr; |
| 267 | |
| 268 | const MemRegion *Region = RegionSVal->getRegion(); |
| 269 | |
| 270 | if (CheckSuperRegion) { |
| 271 | if (auto FieldReg = Region->getAs<FieldRegion>()) |
| 272 | return dyn_cast<SymbolicRegion>(FieldReg->getSuperRegion()); |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 273 | if (auto ElementReg = Region->getAs<ElementRegion>()) |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 274 | return dyn_cast<SymbolicRegion>(ElementReg->getSuperRegion()); |
| 275 | } |
| 276 | |
| 277 | return dyn_cast<SymbolicRegion>(Region); |
| 278 | } |
| 279 | |
| 280 | PathDiagnosticPiece *NullabilityChecker::NullabilityBugVisitor::VisitNode( |
| 281 | const ExplodedNode *N, const ExplodedNode *PrevN, BugReporterContext &BRC, |
| 282 | BugReport &BR) { |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 283 | ProgramStateRef State = N->getState(); |
| 284 | ProgramStateRef StatePrev = PrevN->getState(); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 285 | |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 286 | const NullabilityState *TrackedNullab = State->get<NullabilityMap>(Region); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 287 | const NullabilityState *TrackedNullabPrev = |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 288 | StatePrev->get<NullabilityMap>(Region); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 289 | if (!TrackedNullab) |
| 290 | return nullptr; |
| 291 | |
| 292 | if (TrackedNullabPrev && |
| 293 | TrackedNullabPrev->getValue() == TrackedNullab->getValue()) |
| 294 | return nullptr; |
| 295 | |
| 296 | // Retrieve the associated statement. |
| 297 | const Stmt *S = TrackedNullab->getNullabilitySource(); |
| 298 | if (!S) { |
| 299 | ProgramPoint ProgLoc = N->getLocation(); |
| 300 | if (Optional<StmtPoint> SP = ProgLoc.getAs<StmtPoint>()) { |
| 301 | S = SP->getStmt(); |
| 302 | } |
| 303 | } |
| 304 | |
| 305 | if (!S) |
| 306 | return nullptr; |
| 307 | |
| 308 | std::string InfoText = |
| 309 | (llvm::Twine("Nullability '") + |
| 310 | getNullabilityString(TrackedNullab->getValue()) + "' is infered") |
| 311 | .str(); |
| 312 | |
| 313 | // Generate the extra diagnostic. |
| 314 | PathDiagnosticLocation Pos(S, BRC.getSourceManager(), |
| 315 | N->getLocationContext()); |
| 316 | return new PathDiagnosticEventPiece(Pos, InfoText, true, nullptr); |
| 317 | } |
| 318 | |
| 319 | static Nullability getNullabilityAnnotation(QualType Type) { |
| 320 | const auto *AttrType = Type->getAs<AttributedType>(); |
| 321 | if (!AttrType) |
| 322 | return Nullability::Unspecified; |
| 323 | if (AttrType->getAttrKind() == AttributedType::attr_nullable) |
| 324 | return Nullability::Nullable; |
| 325 | else if (AttrType->getAttrKind() == AttributedType::attr_nonnull) |
| 326 | return Nullability::Nonnull; |
| 327 | return Nullability::Unspecified; |
| 328 | } |
| 329 | |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 330 | template <typename ParamVarDeclRange> |
| 331 | static bool |
| 332 | checkParamsForPreconditionViolation(const ParamVarDeclRange &Params, |
| 333 | ProgramStateRef State, |
| 334 | const LocationContext *LocCtxt) { |
| 335 | for (const auto *ParamDecl : Params) { |
| 336 | if (ParamDecl->isParameterPack()) |
| 337 | break; |
| 338 | |
| 339 | if (getNullabilityAnnotation(ParamDecl->getType()) != Nullability::Nonnull) |
| 340 | continue; |
| 341 | |
| 342 | auto RegVal = State->getLValue(ParamDecl, LocCtxt) |
| 343 | .template getAs<loc::MemRegionVal>(); |
| 344 | if (!RegVal) |
| 345 | continue; |
| 346 | |
| 347 | auto ParamValue = State->getSVal(RegVal->getRegion()) |
| 348 | .template getAs<DefinedOrUnknownSVal>(); |
| 349 | if (!ParamValue) |
| 350 | continue; |
| 351 | |
| 352 | if (getNullConstraint(*ParamValue, State) == NullConstraint::IsNull) { |
| 353 | return true; |
| 354 | } |
| 355 | } |
| 356 | return false; |
| 357 | } |
| 358 | |
| 359 | static bool checkPreconditionViolation(ProgramStateRef State, ExplodedNode *N, |
| 360 | CheckerContext &C) { |
| 361 | if (State->get<PreconditionViolated>()) |
| 362 | return true; |
| 363 | |
| 364 | const LocationContext *LocCtxt = C.getLocationContext(); |
| 365 | const Decl *D = LocCtxt->getDecl(); |
| 366 | if (!D) |
| 367 | return false; |
| 368 | |
| 369 | if (const auto *BlockD = dyn_cast<BlockDecl>(D)) { |
| 370 | if (checkParamsForPreconditionViolation(BlockD->parameters(), State, |
| 371 | LocCtxt)) { |
| 372 | if (!N->isSink()) |
| 373 | C.addTransition(State->set<PreconditionViolated>(true), N); |
| 374 | return true; |
| 375 | } |
| 376 | return false; |
| 377 | } |
| 378 | |
| 379 | if (const auto *FuncDecl = dyn_cast<FunctionDecl>(D)) { |
| 380 | if (checkParamsForPreconditionViolation(FuncDecl->parameters(), State, |
| 381 | LocCtxt)) { |
| 382 | if (!N->isSink()) |
| 383 | C.addTransition(State->set<PreconditionViolated>(true), N); |
| 384 | return true; |
| 385 | } |
| 386 | return false; |
| 387 | } |
| 388 | return false; |
| 389 | } |
| 390 | |
| 391 | void NullabilityChecker::reportBugIfPreconditionHolds( |
| 392 | ErrorKind Error, ExplodedNode *N, const MemRegion *Region, |
| 393 | CheckerContext &C, const Stmt *ValueExpr, bool SuppressPath) const { |
| 394 | ProgramStateRef OriginalState = N->getState(); |
| 395 | |
| 396 | if (checkPreconditionViolation(OriginalState, N, C)) |
| 397 | return; |
| 398 | if (SuppressPath) { |
| 399 | OriginalState = OriginalState->set<PreconditionViolated>(true); |
| 400 | N = C.addTransition(OriginalState, N); |
| 401 | } |
| 402 | |
| 403 | reportBug(Error, N, Region, C.getBugReporter(), ValueExpr); |
| 404 | } |
| 405 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 406 | /// Cleaning up the program state. |
| 407 | void NullabilityChecker::checkDeadSymbols(SymbolReaper &SR, |
| 408 | CheckerContext &C) const { |
Gabor Horvath | be87d5b | 2015-09-14 20:31:46 +0000 | [diff] [blame] | 409 | if (!SR.hasDeadSymbols()) |
| 410 | return; |
| 411 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 412 | ProgramStateRef State = C.getState(); |
| 413 | NullabilityMapTy Nullabilities = State->get<NullabilityMap>(); |
| 414 | for (NullabilityMapTy::iterator I = Nullabilities.begin(), |
| 415 | E = Nullabilities.end(); |
| 416 | I != E; ++I) { |
Gabor Horvath | be87d5b | 2015-09-14 20:31:46 +0000 | [diff] [blame] | 417 | const auto *Region = I->first->getAs<SymbolicRegion>(); |
| 418 | assert(Region && "Non-symbolic region is tracked."); |
| 419 | if (SR.isDead(Region->getSymbol())) { |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 420 | State = State->remove<NullabilityMap>(I->first); |
| 421 | } |
| 422 | } |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 423 | // When one of the nonnull arguments are constrained to be null, nullability |
| 424 | // preconditions are violated. It is not enough to check this only when we |
| 425 | // actually report an error, because at that time interesting symbols might be |
| 426 | // reaped. |
| 427 | if (checkPreconditionViolation(State, C.getPredecessor(), C)) |
| 428 | return; |
| 429 | C.addTransition(State); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 430 | } |
| 431 | |
| 432 | /// This callback triggers when a pointer is dereferenced and the analyzer does |
| 433 | /// not know anything about the value of that pointer. When that pointer is |
| 434 | /// nullable, this code emits a warning. |
| 435 | void NullabilityChecker::checkEvent(ImplicitNullDerefEvent Event) const { |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 436 | if (Event.SinkNode->getState()->get<PreconditionViolated>()) |
| 437 | return; |
| 438 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 439 | const MemRegion *Region = |
| 440 | getTrackRegion(Event.Location, /*CheckSuperregion=*/true); |
| 441 | if (!Region) |
| 442 | return; |
| 443 | |
| 444 | ProgramStateRef State = Event.SinkNode->getState(); |
| 445 | const NullabilityState *TrackedNullability = |
| 446 | State->get<NullabilityMap>(Region); |
| 447 | |
| 448 | if (!TrackedNullability) |
| 449 | return; |
| 450 | |
| 451 | if (Filter.CheckNullableDereferenced && |
| 452 | TrackedNullability->getValue() == Nullability::Nullable) { |
| 453 | BugReporter &BR = *Event.BR; |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 454 | // Do not suppress errors on defensive code paths, because dereferencing |
| 455 | // a nullable pointer is always an error. |
Gabor Horvath | 8d3ad6b | 2015-08-27 18:49:07 +0000 | [diff] [blame] | 456 | if (Event.IsDirectDereference) |
| 457 | reportBug(ErrorKind::NullableDereferenced, Event.SinkNode, Region, BR); |
| 458 | else |
| 459 | reportBug(ErrorKind::NullablePassedToNonnull, Event.SinkNode, Region, BR); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 460 | } |
| 461 | } |
| 462 | |
| 463 | /// This method check when nullable pointer or null value is returned from a |
| 464 | /// function that has nonnull return type. |
| 465 | /// |
| 466 | /// TODO: when nullability preconditons are violated, it is ok to violate the |
| 467 | /// nullability postconditons (i.e.: when one of the nonnull parameters are null |
| 468 | /// this check should not report any nullability related issue). |
| 469 | void NullabilityChecker::checkPreStmt(const ReturnStmt *S, |
| 470 | CheckerContext &C) const { |
| 471 | auto RetExpr = S->getRetValue(); |
| 472 | if (!RetExpr) |
| 473 | return; |
| 474 | |
| 475 | if (!RetExpr->getType()->isAnyPointerType()) |
| 476 | return; |
| 477 | |
| 478 | ProgramStateRef State = C.getState(); |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 479 | if (State->get<PreconditionViolated>()) |
| 480 | return; |
| 481 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 482 | auto RetSVal = |
| 483 | State->getSVal(S, C.getLocationContext()).getAs<DefinedOrUnknownSVal>(); |
| 484 | if (!RetSVal) |
| 485 | return; |
| 486 | |
| 487 | AnalysisDeclContext *DeclCtxt = |
| 488 | C.getLocationContext()->getAnalysisDeclContext(); |
| 489 | const FunctionType *FuncType = DeclCtxt->getDecl()->getFunctionType(); |
| 490 | if (!FuncType) |
| 491 | return; |
| 492 | |
| 493 | NullConstraint Nullness = getNullConstraint(*RetSVal, State); |
| 494 | |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 495 | Nullability RequiredNullability = |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 496 | getNullabilityAnnotation(FuncType->getReturnType()); |
| 497 | |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 498 | // If the returned value is null but the type of the expression |
| 499 | // generating it is nonnull then we will suppress the diagnostic. |
| 500 | // This enables explicit suppression when returning a nil literal in a |
| 501 | // function with a _Nonnull return type: |
| 502 | // return (NSString * _Nonnull)0; |
| 503 | Nullability RetExprTypeLevelNullability = |
| 504 | getNullabilityAnnotation(RetExpr->getType()); |
| 505 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 506 | if (Filter.CheckNullReturnedFromNonnull && |
| 507 | Nullness == NullConstraint::IsNull && |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 508 | RetExprTypeLevelNullability != Nullability::Nonnull && |
| 509 | RequiredNullability == Nullability::Nonnull) { |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 510 | static CheckerProgramPointTag Tag(this, "NullReturnedFromNonnull"); |
Devin Coughlin | e39bd40 | 2015-09-16 22:03:05 +0000 | [diff] [blame] | 511 | ExplodedNode *N = C.generateErrorNode(State, &Tag); |
| 512 | if (!N) |
| 513 | return; |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 514 | reportBugIfPreconditionHolds(ErrorKind::NilReturnedToNonnull, N, nullptr, C, |
| 515 | RetExpr); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 516 | return; |
| 517 | } |
| 518 | |
| 519 | const MemRegion *Region = getTrackRegion(*RetSVal); |
| 520 | if (!Region) |
| 521 | return; |
| 522 | |
| 523 | const NullabilityState *TrackedNullability = |
| 524 | State->get<NullabilityMap>(Region); |
| 525 | if (TrackedNullability) { |
| 526 | Nullability TrackedNullabValue = TrackedNullability->getValue(); |
| 527 | if (Filter.CheckNullableReturnedFromNonnull && |
| 528 | Nullness != NullConstraint::IsNotNull && |
| 529 | TrackedNullabValue == Nullability::Nullable && |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 530 | RequiredNullability == Nullability::Nonnull) { |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 531 | static CheckerProgramPointTag Tag(this, "NullableReturnedFromNonnull"); |
| 532 | ExplodedNode *N = C.addTransition(State, C.getPredecessor(), &Tag); |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 533 | reportBugIfPreconditionHolds(ErrorKind::NullableReturnedToNonnull, N, |
| 534 | Region, C); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 535 | } |
| 536 | return; |
| 537 | } |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 538 | if (RequiredNullability == Nullability::Nullable) { |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 539 | State = State->set<NullabilityMap>(Region, |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 540 | NullabilityState(RequiredNullability, |
| 541 | S)); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 542 | C.addTransition(State); |
| 543 | } |
| 544 | } |
| 545 | |
| 546 | /// This callback warns when a nullable pointer or a null value is passed to a |
| 547 | /// function that expects its argument to be nonnull. |
| 548 | void NullabilityChecker::checkPreCall(const CallEvent &Call, |
| 549 | CheckerContext &C) const { |
| 550 | if (!Call.getDecl()) |
| 551 | return; |
| 552 | |
| 553 | ProgramStateRef State = C.getState(); |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 554 | if (State->get<PreconditionViolated>()) |
| 555 | return; |
| 556 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 557 | ProgramStateRef OrigState = State; |
| 558 | |
| 559 | unsigned Idx = 0; |
| 560 | for (const ParmVarDecl *Param : Call.parameters()) { |
| 561 | if (Param->isParameterPack()) |
| 562 | break; |
| 563 | |
| 564 | const Expr *ArgExpr = nullptr; |
| 565 | if (Idx < Call.getNumArgs()) |
| 566 | ArgExpr = Call.getArgExpr(Idx); |
| 567 | auto ArgSVal = Call.getArgSVal(Idx++).getAs<DefinedOrUnknownSVal>(); |
| 568 | if (!ArgSVal) |
| 569 | continue; |
| 570 | |
| 571 | if (!Param->getType()->isAnyPointerType() && |
| 572 | !Param->getType()->isReferenceType()) |
| 573 | continue; |
| 574 | |
| 575 | NullConstraint Nullness = getNullConstraint(*ArgSVal, State); |
| 576 | |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 577 | Nullability RequiredNullability = |
| 578 | getNullabilityAnnotation(Param->getType()); |
| 579 | Nullability ArgExprTypeLevelNullability = |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 580 | getNullabilityAnnotation(ArgExpr->getType()); |
| 581 | |
| 582 | if (Filter.CheckNullPassedToNonnull && Nullness == NullConstraint::IsNull && |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 583 | ArgExprTypeLevelNullability != Nullability::Nonnull && |
| 584 | RequiredNullability == Nullability::Nonnull) { |
Devin Coughlin | e39bd40 | 2015-09-16 22:03:05 +0000 | [diff] [blame] | 585 | ExplodedNode *N = C.generateErrorNode(State); |
| 586 | if (!N) |
| 587 | return; |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 588 | reportBugIfPreconditionHolds(ErrorKind::NilPassedToNonnull, N, nullptr, C, |
| 589 | ArgExpr); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 590 | return; |
| 591 | } |
| 592 | |
| 593 | const MemRegion *Region = getTrackRegion(*ArgSVal); |
| 594 | if (!Region) |
| 595 | continue; |
| 596 | |
| 597 | const NullabilityState *TrackedNullability = |
| 598 | State->get<NullabilityMap>(Region); |
| 599 | |
| 600 | if (TrackedNullability) { |
| 601 | if (Nullness == NullConstraint::IsNotNull || |
| 602 | TrackedNullability->getValue() != Nullability::Nullable) |
| 603 | continue; |
| 604 | |
| 605 | if (Filter.CheckNullablePassedToNonnull && |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 606 | RequiredNullability == Nullability::Nonnull) { |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 607 | ExplodedNode *N = C.addTransition(State); |
| 608 | reportBugIfPreconditionHolds(ErrorKind::NullablePassedToNonnull, N, |
| 609 | Region, C, ArgExpr, /*SuppressPath=*/true); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 610 | return; |
| 611 | } |
| 612 | if (Filter.CheckNullableDereferenced && |
| 613 | Param->getType()->isReferenceType()) { |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 614 | ExplodedNode *N = C.addTransition(State); |
| 615 | reportBugIfPreconditionHolds(ErrorKind::NullableDereferenced, N, Region, |
| 616 | C, ArgExpr, /*SuppressPath=*/true); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 617 | return; |
| 618 | } |
| 619 | continue; |
| 620 | } |
| 621 | // No tracked nullability yet. |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 622 | if (ArgExprTypeLevelNullability != Nullability::Nullable) |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 623 | continue; |
| 624 | State = State->set<NullabilityMap>( |
Devin Coughlin | 755baa4 | 2015-12-29 17:40:49 +0000 | [diff] [blame^] | 625 | Region, NullabilityState(ArgExprTypeLevelNullability, ArgExpr)); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 626 | } |
| 627 | if (State != OrigState) |
| 628 | C.addTransition(State); |
| 629 | } |
| 630 | |
| 631 | /// Suppress the nullability warnings for some functions. |
| 632 | void NullabilityChecker::checkPostCall(const CallEvent &Call, |
| 633 | CheckerContext &C) const { |
| 634 | auto Decl = Call.getDecl(); |
| 635 | if (!Decl) |
| 636 | return; |
| 637 | // ObjC Messages handles in a different callback. |
| 638 | if (Call.getKind() == CE_ObjCMessage) |
| 639 | return; |
| 640 | const FunctionType *FuncType = Decl->getFunctionType(); |
| 641 | if (!FuncType) |
| 642 | return; |
| 643 | QualType ReturnType = FuncType->getReturnType(); |
| 644 | if (!ReturnType->isAnyPointerType()) |
| 645 | return; |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 646 | ProgramStateRef State = C.getState(); |
| 647 | if (State->get<PreconditionViolated>()) |
| 648 | return; |
| 649 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 650 | const MemRegion *Region = getTrackRegion(Call.getReturnValue()); |
| 651 | if (!Region) |
| 652 | return; |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 653 | |
| 654 | // CG headers are misannotated. Do not warn for symbols that are the results |
| 655 | // of CG calls. |
| 656 | const SourceManager &SM = C.getSourceManager(); |
| 657 | StringRef FilePath = SM.getFilename(SM.getSpellingLoc(Decl->getLocStart())); |
| 658 | if (llvm::sys::path::filename(FilePath).startswith("CG")) { |
| 659 | State = State->set<NullabilityMap>(Region, Nullability::Contradicted); |
| 660 | C.addTransition(State); |
| 661 | return; |
| 662 | } |
| 663 | |
| 664 | const NullabilityState *TrackedNullability = |
| 665 | State->get<NullabilityMap>(Region); |
| 666 | |
| 667 | if (!TrackedNullability && |
| 668 | getNullabilityAnnotation(ReturnType) == Nullability::Nullable) { |
| 669 | State = State->set<NullabilityMap>(Region, Nullability::Nullable); |
| 670 | C.addTransition(State); |
| 671 | } |
| 672 | } |
| 673 | |
| 674 | static Nullability getReceiverNullability(const ObjCMethodCall &M, |
| 675 | ProgramStateRef State) { |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 676 | if (M.isReceiverSelfOrSuper()) { |
| 677 | // For super and super class receivers we assume that the receiver is |
| 678 | // nonnull. |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 679 | return Nullability::Nonnull; |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 680 | } |
Gabor Horvath | 3943adb | 2015-09-11 16:29:05 +0000 | [diff] [blame] | 681 | // Otherwise look up nullability in the state. |
| 682 | SVal Receiver = M.getReceiverSVal(); |
| 683 | if (auto DefOrUnknown = Receiver.getAs<DefinedOrUnknownSVal>()) { |
| 684 | // If the receiver is constrained to be nonnull, assume that it is nonnull |
| 685 | // regardless of its type. |
| 686 | NullConstraint Nullness = getNullConstraint(*DefOrUnknown, State); |
| 687 | if (Nullness == NullConstraint::IsNotNull) |
| 688 | return Nullability::Nonnull; |
| 689 | } |
| 690 | auto ValueRegionSVal = Receiver.getAs<loc::MemRegionVal>(); |
| 691 | if (ValueRegionSVal) { |
| 692 | const MemRegion *SelfRegion = ValueRegionSVal->getRegion(); |
| 693 | assert(SelfRegion); |
| 694 | |
| 695 | const NullabilityState *TrackedSelfNullability = |
| 696 | State->get<NullabilityMap>(SelfRegion); |
| 697 | if (TrackedSelfNullability) |
| 698 | return TrackedSelfNullability->getValue(); |
| 699 | } |
| 700 | return Nullability::Unspecified; |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 701 | } |
| 702 | |
| 703 | /// Calculate the nullability of the result of a message expr based on the |
| 704 | /// nullability of the receiver, the nullability of the return value, and the |
| 705 | /// constraints. |
| 706 | void NullabilityChecker::checkPostObjCMessage(const ObjCMethodCall &M, |
| 707 | CheckerContext &C) const { |
| 708 | auto Decl = M.getDecl(); |
| 709 | if (!Decl) |
| 710 | return; |
| 711 | QualType RetType = Decl->getReturnType(); |
| 712 | if (!RetType->isAnyPointerType()) |
| 713 | return; |
| 714 | |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 715 | ProgramStateRef State = C.getState(); |
| 716 | if (State->get<PreconditionViolated>()) |
| 717 | return; |
| 718 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 719 | const MemRegion *ReturnRegion = getTrackRegion(M.getReturnValue()); |
| 720 | if (!ReturnRegion) |
| 721 | return; |
| 722 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 723 | auto Interface = Decl->getClassInterface(); |
| 724 | auto Name = Interface ? Interface->getName() : ""; |
| 725 | // In order to reduce the noise in the diagnostics generated by this checker, |
| 726 | // some framework and programming style based heuristics are used. These |
| 727 | // heuristics are for Cocoa APIs which have NS prefix. |
| 728 | if (Name.startswith("NS")) { |
| 729 | // Developers rely on dynamic invariants such as an item should be available |
| 730 | // in a collection, or a collection is not empty often. Those invariants can |
| 731 | // not be inferred by any static analysis tool. To not to bother the users |
| 732 | // with too many false positives, every item retrieval function should be |
| 733 | // ignored for collections. The instance methods of dictionaries in Cocoa |
| 734 | // are either item retrieval related or not interesting nullability wise. |
| 735 | // Using this fact, to keep the code easier to read just ignore the return |
| 736 | // value of every instance method of dictionaries. |
| 737 | if (M.isInstanceMessage() && Name.find("Dictionary") != StringRef::npos) { |
| 738 | State = |
| 739 | State->set<NullabilityMap>(ReturnRegion, Nullability::Contradicted); |
| 740 | C.addTransition(State); |
| 741 | return; |
| 742 | } |
| 743 | // For similar reasons ignore some methods of Cocoa arrays. |
| 744 | StringRef FirstSelectorSlot = M.getSelector().getNameForSlot(0); |
| 745 | if (Name.find("Array") != StringRef::npos && |
| 746 | (FirstSelectorSlot == "firstObject" || |
| 747 | FirstSelectorSlot == "lastObject")) { |
| 748 | State = |
| 749 | State->set<NullabilityMap>(ReturnRegion, Nullability::Contradicted); |
| 750 | C.addTransition(State); |
| 751 | return; |
| 752 | } |
| 753 | |
| 754 | // Encoding related methods of string should not fail when lossless |
| 755 | // encodings are used. Using lossless encodings is so frequent that ignoring |
| 756 | // this class of methods reduced the emitted diagnostics by about 30% on |
| 757 | // some projects (and all of that was false positives). |
| 758 | if (Name.find("String") != StringRef::npos) { |
| 759 | for (auto Param : M.parameters()) { |
| 760 | if (Param->getName() == "encoding") { |
| 761 | State = State->set<NullabilityMap>(ReturnRegion, |
| 762 | Nullability::Contradicted); |
| 763 | C.addTransition(State); |
| 764 | return; |
| 765 | } |
| 766 | } |
| 767 | } |
| 768 | } |
| 769 | |
| 770 | const ObjCMessageExpr *Message = M.getOriginExpr(); |
| 771 | Nullability SelfNullability = getReceiverNullability(M, State); |
| 772 | |
| 773 | const NullabilityState *NullabilityOfReturn = |
| 774 | State->get<NullabilityMap>(ReturnRegion); |
| 775 | |
| 776 | if (NullabilityOfReturn) { |
| 777 | // When we have a nullability tracked for the return value, the nullability |
| 778 | // of the expression will be the most nullable of the receiver and the |
| 779 | // return value. |
| 780 | Nullability RetValTracked = NullabilityOfReturn->getValue(); |
| 781 | Nullability ComputedNullab = |
| 782 | getMostNullable(RetValTracked, SelfNullability); |
| 783 | if (ComputedNullab != RetValTracked && |
| 784 | ComputedNullab != Nullability::Unspecified) { |
| 785 | const Stmt *NullabilitySource = |
| 786 | ComputedNullab == RetValTracked |
| 787 | ? NullabilityOfReturn->getNullabilitySource() |
| 788 | : Message->getInstanceReceiver(); |
| 789 | State = State->set<NullabilityMap>( |
| 790 | ReturnRegion, NullabilityState(ComputedNullab, NullabilitySource)); |
| 791 | C.addTransition(State); |
| 792 | } |
| 793 | return; |
| 794 | } |
| 795 | |
| 796 | // No tracked information. Use static type information for return value. |
| 797 | Nullability RetNullability = getNullabilityAnnotation(RetType); |
| 798 | |
| 799 | // Properties might be computed. For this reason the static analyzer creates a |
| 800 | // new symbol each time an unknown property is read. To avoid false pozitives |
| 801 | // do not treat unknown properties as nullable, even when they explicitly |
| 802 | // marked nullable. |
| 803 | if (M.getMessageKind() == OCM_PropertyAccess && !C.wasInlined) |
| 804 | RetNullability = Nullability::Nonnull; |
| 805 | |
| 806 | Nullability ComputedNullab = getMostNullable(RetNullability, SelfNullability); |
| 807 | if (ComputedNullab == Nullability::Nullable) { |
| 808 | const Stmt *NullabilitySource = ComputedNullab == RetNullability |
| 809 | ? Message |
| 810 | : Message->getInstanceReceiver(); |
| 811 | State = State->set<NullabilityMap>( |
| 812 | ReturnRegion, NullabilityState(ComputedNullab, NullabilitySource)); |
| 813 | C.addTransition(State); |
| 814 | } |
| 815 | } |
| 816 | |
| 817 | /// Explicit casts are trusted. If there is a disagreement in the nullability |
| 818 | /// annotations in the destination and the source or '0' is casted to nonnull |
| 819 | /// track the value as having contraditory nullability. This will allow users to |
| 820 | /// suppress warnings. |
| 821 | void NullabilityChecker::checkPostStmt(const ExplicitCastExpr *CE, |
| 822 | CheckerContext &C) const { |
| 823 | QualType OriginType = CE->getSubExpr()->getType(); |
| 824 | QualType DestType = CE->getType(); |
| 825 | if (!OriginType->isAnyPointerType()) |
| 826 | return; |
| 827 | if (!DestType->isAnyPointerType()) |
| 828 | return; |
| 829 | |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 830 | ProgramStateRef State = C.getState(); |
| 831 | if (State->get<PreconditionViolated>()) |
| 832 | return; |
| 833 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 834 | Nullability DestNullability = getNullabilityAnnotation(DestType); |
| 835 | |
| 836 | // No explicit nullability in the destination type, so this cast does not |
| 837 | // change the nullability. |
| 838 | if (DestNullability == Nullability::Unspecified) |
| 839 | return; |
| 840 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 841 | auto RegionSVal = |
| 842 | State->getSVal(CE, C.getLocationContext()).getAs<DefinedOrUnknownSVal>(); |
| 843 | const MemRegion *Region = getTrackRegion(*RegionSVal); |
| 844 | if (!Region) |
| 845 | return; |
| 846 | |
| 847 | // When 0 is converted to nonnull mark it as contradicted. |
| 848 | if (DestNullability == Nullability::Nonnull) { |
| 849 | NullConstraint Nullness = getNullConstraint(*RegionSVal, State); |
| 850 | if (Nullness == NullConstraint::IsNull) { |
| 851 | State = State->set<NullabilityMap>(Region, Nullability::Contradicted); |
| 852 | C.addTransition(State); |
| 853 | return; |
| 854 | } |
| 855 | } |
| 856 | |
| 857 | const NullabilityState *TrackedNullability = |
| 858 | State->get<NullabilityMap>(Region); |
| 859 | |
| 860 | if (!TrackedNullability) { |
| 861 | if (DestNullability != Nullability::Nullable) |
| 862 | return; |
| 863 | State = State->set<NullabilityMap>(Region, |
| 864 | NullabilityState(DestNullability, CE)); |
| 865 | C.addTransition(State); |
| 866 | return; |
| 867 | } |
| 868 | |
| 869 | if (TrackedNullability->getValue() != DestNullability && |
| 870 | TrackedNullability->getValue() != Nullability::Contradicted) { |
| 871 | State = State->set<NullabilityMap>(Region, Nullability::Contradicted); |
| 872 | C.addTransition(State); |
| 873 | } |
| 874 | } |
| 875 | |
Devin Coughlin | c198663 | 2015-11-24 19:15:11 +0000 | [diff] [blame] | 876 | /// For a given statement performing a bind, attempt to syntactically |
| 877 | /// match the expression resulting in the bound value. |
| 878 | static const Expr * matchValueExprForBind(const Stmt *S) { |
| 879 | // For `x = e` the value expression is the right-hand side. |
| 880 | if (auto *BinOp = dyn_cast<BinaryOperator>(S)) { |
| 881 | if (BinOp->getOpcode() == BO_Assign) |
| 882 | return BinOp->getRHS(); |
| 883 | } |
| 884 | |
| 885 | // For `int x = e` the value expression is the initializer. |
| 886 | if (auto *DS = dyn_cast<DeclStmt>(S)) { |
| 887 | if (DS->isSingleDecl()) { |
| 888 | auto *VD = dyn_cast<VarDecl>(DS->getSingleDecl()); |
| 889 | if (!VD) |
| 890 | return nullptr; |
| 891 | |
| 892 | if (const Expr *Init = VD->getInit()) |
| 893 | return Init; |
| 894 | } |
| 895 | } |
| 896 | |
| 897 | return nullptr; |
| 898 | } |
| 899 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 900 | /// Propagate the nullability information through binds and warn when nullable |
| 901 | /// pointer or null symbol is assigned to a pointer with a nonnull type. |
| 902 | void NullabilityChecker::checkBind(SVal L, SVal V, const Stmt *S, |
| 903 | CheckerContext &C) const { |
| 904 | const TypedValueRegion *TVR = |
| 905 | dyn_cast_or_null<TypedValueRegion>(L.getAsRegion()); |
| 906 | if (!TVR) |
| 907 | return; |
| 908 | |
| 909 | QualType LocType = TVR->getValueType(); |
| 910 | if (!LocType->isAnyPointerType()) |
| 911 | return; |
| 912 | |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 913 | ProgramStateRef State = C.getState(); |
| 914 | if (State->get<PreconditionViolated>()) |
| 915 | return; |
| 916 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 917 | auto ValDefOrUnknown = V.getAs<DefinedOrUnknownSVal>(); |
| 918 | if (!ValDefOrUnknown) |
| 919 | return; |
| 920 | |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 921 | NullConstraint RhsNullness = getNullConstraint(*ValDefOrUnknown, State); |
| 922 | |
| 923 | Nullability ValNullability = Nullability::Unspecified; |
| 924 | if (SymbolRef Sym = ValDefOrUnknown->getAsSymbol()) |
| 925 | ValNullability = getNullabilityAnnotation(Sym->getType()); |
| 926 | |
| 927 | Nullability LocNullability = getNullabilityAnnotation(LocType); |
| 928 | if (Filter.CheckNullPassedToNonnull && |
| 929 | RhsNullness == NullConstraint::IsNull && |
| 930 | ValNullability != Nullability::Nonnull && |
| 931 | LocNullability == Nullability::Nonnull) { |
| 932 | static CheckerProgramPointTag Tag(this, "NullPassedToNonnull"); |
Devin Coughlin | e39bd40 | 2015-09-16 22:03:05 +0000 | [diff] [blame] | 933 | ExplodedNode *N = C.generateErrorNode(State, &Tag); |
| 934 | if (!N) |
| 935 | return; |
Devin Coughlin | c198663 | 2015-11-24 19:15:11 +0000 | [diff] [blame] | 936 | |
| 937 | const Stmt *ValueExpr = matchValueExprForBind(S); |
| 938 | if (!ValueExpr) |
| 939 | ValueExpr = S; |
| 940 | |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 941 | reportBugIfPreconditionHolds(ErrorKind::NilAssignedToNonnull, N, nullptr, C, |
Devin Coughlin | c198663 | 2015-11-24 19:15:11 +0000 | [diff] [blame] | 942 | ValueExpr); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 943 | return; |
| 944 | } |
| 945 | // Intentionally missing case: '0' is bound to a reference. It is handled by |
| 946 | // the DereferenceChecker. |
| 947 | |
| 948 | const MemRegion *ValueRegion = getTrackRegion(*ValDefOrUnknown); |
| 949 | if (!ValueRegion) |
| 950 | return; |
| 951 | |
| 952 | const NullabilityState *TrackedNullability = |
| 953 | State->get<NullabilityMap>(ValueRegion); |
| 954 | |
| 955 | if (TrackedNullability) { |
| 956 | if (RhsNullness == NullConstraint::IsNotNull || |
| 957 | TrackedNullability->getValue() != Nullability::Nullable) |
| 958 | return; |
| 959 | if (Filter.CheckNullablePassedToNonnull && |
| 960 | LocNullability == Nullability::Nonnull) { |
| 961 | static CheckerProgramPointTag Tag(this, "NullablePassedToNonnull"); |
| 962 | ExplodedNode *N = C.addTransition(State, C.getPredecessor(), &Tag); |
Gabor Horvath | b47128a | 2015-09-03 23:16:21 +0000 | [diff] [blame] | 963 | reportBugIfPreconditionHolds(ErrorKind::NullableAssignedToNonnull, N, |
| 964 | ValueRegion, C); |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 965 | } |
| 966 | return; |
| 967 | } |
| 968 | |
| 969 | const auto *BinOp = dyn_cast<BinaryOperator>(S); |
| 970 | |
| 971 | if (ValNullability == Nullability::Nullable) { |
| 972 | // Trust the static information of the value more than the static |
| 973 | // information on the location. |
| 974 | const Stmt *NullabilitySource = BinOp ? BinOp->getRHS() : S; |
| 975 | State = State->set<NullabilityMap>( |
| 976 | ValueRegion, NullabilityState(ValNullability, NullabilitySource)); |
| 977 | C.addTransition(State); |
| 978 | return; |
| 979 | } |
| 980 | |
| 981 | if (LocNullability == Nullability::Nullable) { |
| 982 | const Stmt *NullabilitySource = BinOp ? BinOp->getLHS() : S; |
| 983 | State = State->set<NullabilityMap>( |
| 984 | ValueRegion, NullabilityState(LocNullability, NullabilitySource)); |
| 985 | C.addTransition(State); |
| 986 | } |
| 987 | } |
| 988 | |
| 989 | void NullabilityChecker::printState(raw_ostream &Out, ProgramStateRef State, |
| 990 | const char *NL, const char *Sep) const { |
| 991 | |
| 992 | NullabilityMapTy B = State->get<NullabilityMap>(); |
| 993 | |
| 994 | if (B.isEmpty()) |
| 995 | return; |
| 996 | |
| 997 | Out << Sep << NL; |
| 998 | |
| 999 | for (NullabilityMapTy::iterator I = B.begin(), E = B.end(); I != E; ++I) { |
| 1000 | Out << I->first << " : "; |
| 1001 | I->second.print(Out); |
| 1002 | Out << NL; |
| 1003 | } |
| 1004 | } |
| 1005 | |
Gabor Horvath | 2930735 | 2015-09-14 18:31:34 +0000 | [diff] [blame] | 1006 | #define REGISTER_CHECKER(name, trackingRequired) \ |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 1007 | void ento::register##name##Checker(CheckerManager &mgr) { \ |
| 1008 | NullabilityChecker *checker = mgr.registerChecker<NullabilityChecker>(); \ |
| 1009 | checker->Filter.Check##name = true; \ |
| 1010 | checker->Filter.CheckName##name = mgr.getCurrentCheckName(); \ |
Gabor Horvath | 2930735 | 2015-09-14 18:31:34 +0000 | [diff] [blame] | 1011 | checker->NeedTracking = checker->NeedTracking || trackingRequired; \ |
Gabor Horvath | 2869092 | 2015-08-26 23:17:43 +0000 | [diff] [blame] | 1012 | } |
| 1013 | |
Gabor Horvath | 2930735 | 2015-09-14 18:31:34 +0000 | [diff] [blame] | 1014 | // The checks are likely to be turned on by default and it is possible to do |
| 1015 | // them without tracking any nullability related information. As an optimization |
| 1016 | // no nullability information will be tracked when only these two checks are |
| 1017 | // enables. |
| 1018 | REGISTER_CHECKER(NullPassedToNonnull, false) |
| 1019 | REGISTER_CHECKER(NullReturnedFromNonnull, false) |
| 1020 | |
| 1021 | REGISTER_CHECKER(NullableDereferenced, true) |
| 1022 | REGISTER_CHECKER(NullablePassedToNonnull, true) |
| 1023 | REGISTER_CHECKER(NullableReturnedFromNonnull, true) |