xref: /llvm-project/clang/lib/Analysis/FlowSensitive/Models/UncheckedOptionalAccessModel.cpp (revision f76f6674d8221f59f9e515e3cc03ad07fa72fe46)
1 //===-- UncheckedOptionalAccessModel.cpp ------------------------*- 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 a dataflow analysis that detects unsafe uses of optional
10 //  values.
11 //
12 //===----------------------------------------------------------------------===//
13 
14 #include "clang/Analysis/FlowSensitive/Models/UncheckedOptionalAccessModel.h"
15 #include "clang/AST/ASTContext.h"
16 #include "clang/AST/DeclCXX.h"
17 #include "clang/AST/Expr.h"
18 #include "clang/AST/ExprCXX.h"
19 #include "clang/AST/Stmt.h"
20 #include "clang/ASTMatchers/ASTMatchers.h"
21 #include "clang/ASTMatchers/ASTMatchersMacros.h"
22 #include "clang/Analysis/CFG.h"
23 #include "clang/Analysis/FlowSensitive/CFGMatchSwitch.h"
24 #include "clang/Analysis/FlowSensitive/DataflowEnvironment.h"
25 #include "clang/Analysis/FlowSensitive/Formula.h"
26 #include "clang/Analysis/FlowSensitive/NoopLattice.h"
27 #include "clang/Analysis/FlowSensitive/StorageLocation.h"
28 #include "clang/Analysis/FlowSensitive/Value.h"
29 #include "clang/Basic/SourceLocation.h"
30 #include "llvm/ADT/StringRef.h"
31 #include "llvm/Support/Casting.h"
32 #include "llvm/Support/ErrorHandling.h"
33 #include <cassert>
34 #include <memory>
35 #include <optional>
36 #include <utility>
37 #include <vector>
38 
39 namespace clang {
40 namespace dataflow {
41 
42 static bool isTopLevelNamespaceWithName(const NamespaceDecl &NS,
43                                         llvm::StringRef Name) {
44   return NS.getDeclName().isIdentifier() && NS.getName() == Name &&
45          NS.getParent() != nullptr && NS.getParent()->isTranslationUnit();
46 }
47 
48 static bool hasOptionalClassName(const CXXRecordDecl &RD) {
49   if (!RD.getDeclName().isIdentifier())
50     return false;
51 
52   if (RD.getName() == "optional") {
53     if (const auto *N = dyn_cast_or_null<NamespaceDecl>(RD.getDeclContext()))
54       return N->isStdNamespace() || isTopLevelNamespaceWithName(*N, "absl");
55     return false;
56   }
57 
58   if (RD.getName() == "Optional") {
59     // Check whether namespace is "::base" or "::folly".
60     const auto *N = dyn_cast_or_null<NamespaceDecl>(RD.getDeclContext());
61     return N != nullptr && (isTopLevelNamespaceWithName(*N, "base") ||
62                             isTopLevelNamespaceWithName(*N, "folly"));
63   }
64 
65   return false;
66 }
67 
68 namespace {
69 
70 using namespace ::clang::ast_matchers;
71 using LatticeTransferState = TransferState<NoopLattice>;
72 
73 AST_MATCHER(CXXRecordDecl, hasOptionalClassNameMatcher) {
74   return hasOptionalClassName(Node);
75 }
76 
77 DeclarationMatcher optionalClass() {
78   return classTemplateSpecializationDecl(
79       hasOptionalClassNameMatcher(),
80       hasTemplateArgument(0, refersToType(type().bind("T"))));
81 }
82 
83 auto optionalOrAliasType() {
84   return hasUnqualifiedDesugaredType(
85       recordType(hasDeclaration(optionalClass())));
86 }
87 
88 /// Matches any of the spellings of the optional types and sugar, aliases, etc.
89 auto hasOptionalType() { return hasType(optionalOrAliasType()); }
90 
91 auto isOptionalMemberCallWithNameMatcher(
92     ast_matchers::internal::Matcher<NamedDecl> matcher,
93     const std::optional<StatementMatcher> &Ignorable = std::nullopt) {
94   auto Exception = unless(Ignorable ? expr(anyOf(*Ignorable, cxxThisExpr()))
95                                     : cxxThisExpr());
96   return cxxMemberCallExpr(
97       on(expr(Exception,
98               anyOf(hasOptionalType(),
99                     hasType(pointerType(pointee(optionalOrAliasType())))))),
100       callee(cxxMethodDecl(matcher)));
101 }
102 
103 auto isOptionalOperatorCallWithName(
104     llvm::StringRef operator_name,
105     const std::optional<StatementMatcher> &Ignorable = std::nullopt) {
106   return cxxOperatorCallExpr(
107       hasOverloadedOperatorName(operator_name),
108       callee(cxxMethodDecl(ofClass(optionalClass()))),
109       Ignorable ? callExpr(unless(hasArgument(0, *Ignorable))) : callExpr());
110 }
111 
112 auto isMakeOptionalCall() {
113   return callExpr(callee(functionDecl(hasAnyName(
114                       "std::make_optional", "base::make_optional",
115                       "absl::make_optional", "folly::make_optional"))),
116                   hasOptionalType());
117 }
118 
119 auto nulloptTypeDecl() {
120   return namedDecl(hasAnyName("std::nullopt_t", "absl::nullopt_t",
121                               "base::nullopt_t", "folly::None"));
122 }
123 
124 auto hasNulloptType() { return hasType(nulloptTypeDecl()); }
125 
126 // `optional` or `nullopt_t`
127 auto hasAnyOptionalType() {
128   return hasType(hasUnqualifiedDesugaredType(
129       recordType(hasDeclaration(anyOf(nulloptTypeDecl(), optionalClass())))));
130 }
131 
132 auto inPlaceClass() {
133   return recordDecl(hasAnyName("std::in_place_t", "absl::in_place_t",
134                                "base::in_place_t", "folly::in_place_t"));
135 }
136 
137 auto isOptionalNulloptConstructor() {
138   return cxxConstructExpr(
139       hasOptionalType(),
140       hasDeclaration(cxxConstructorDecl(parameterCountIs(1),
141                                         hasParameter(0, hasNulloptType()))));
142 }
143 
144 auto isOptionalInPlaceConstructor() {
145   return cxxConstructExpr(hasOptionalType(),
146                           hasArgument(0, hasType(inPlaceClass())));
147 }
148 
149 auto isOptionalValueOrConversionConstructor() {
150   return cxxConstructExpr(
151       hasOptionalType(),
152       unless(hasDeclaration(
153           cxxConstructorDecl(anyOf(isCopyConstructor(), isMoveConstructor())))),
154       argumentCountIs(1), hasArgument(0, unless(hasNulloptType())));
155 }
156 
157 auto isOptionalValueOrConversionAssignment() {
158   return cxxOperatorCallExpr(
159       hasOverloadedOperatorName("="),
160       callee(cxxMethodDecl(ofClass(optionalClass()))),
161       unless(hasDeclaration(cxxMethodDecl(
162           anyOf(isCopyAssignmentOperator(), isMoveAssignmentOperator())))),
163       argumentCountIs(2), hasArgument(1, unless(hasNulloptType())));
164 }
165 
166 auto isNulloptConstructor() {
167   return cxxConstructExpr(hasNulloptType(), argumentCountIs(1),
168                           hasArgument(0, hasNulloptType()));
169 }
170 
171 auto isOptionalNulloptAssignment() {
172   return cxxOperatorCallExpr(hasOverloadedOperatorName("="),
173                              callee(cxxMethodDecl(ofClass(optionalClass()))),
174                              argumentCountIs(2),
175                              hasArgument(1, hasNulloptType()));
176 }
177 
178 auto isStdSwapCall() {
179   return callExpr(callee(functionDecl(hasName("std::swap"))),
180                   argumentCountIs(2), hasArgument(0, hasOptionalType()),
181                   hasArgument(1, hasOptionalType()));
182 }
183 
184 auto isStdForwardCall() {
185   return callExpr(callee(functionDecl(hasName("std::forward"))),
186                   argumentCountIs(1), hasArgument(0, hasOptionalType()));
187 }
188 
189 constexpr llvm::StringLiteral ValueOrCallID = "ValueOrCall";
190 
191 auto isValueOrStringEmptyCall() {
192   // `opt.value_or("").empty()`
193   return cxxMemberCallExpr(
194       callee(cxxMethodDecl(hasName("empty"))),
195       onImplicitObjectArgument(ignoringImplicit(
196           cxxMemberCallExpr(on(expr(unless(cxxThisExpr()))),
197                             callee(cxxMethodDecl(hasName("value_or"),
198                                                  ofClass(optionalClass()))),
199                             hasArgument(0, stringLiteral(hasSize(0))))
200               .bind(ValueOrCallID))));
201 }
202 
203 auto isValueOrNotEqX() {
204   auto ComparesToSame = [](ast_matchers::internal::Matcher<Stmt> Arg) {
205     return hasOperands(
206         ignoringImplicit(
207             cxxMemberCallExpr(on(expr(unless(cxxThisExpr()))),
208                               callee(cxxMethodDecl(hasName("value_or"),
209                                                    ofClass(optionalClass()))),
210                               hasArgument(0, Arg))
211                 .bind(ValueOrCallID)),
212         ignoringImplicit(Arg));
213   };
214 
215   // `opt.value_or(X) != X`, for X is `nullptr`, `""`, or `0`. Ideally, we'd
216   // support this pattern for any expression, but the AST does not have a
217   // generic expression comparison facility, so we specialize to common cases
218   // seen in practice.  FIXME: define a matcher that compares values across
219   // nodes, which would let us generalize this to any `X`.
220   return binaryOperation(hasOperatorName("!="),
221                          anyOf(ComparesToSame(cxxNullPtrLiteralExpr()),
222                                ComparesToSame(stringLiteral(hasSize(0))),
223                                ComparesToSame(integerLiteral(equals(0)))));
224 }
225 
226 auto isCallReturningOptional() {
227   return callExpr(hasType(qualType(anyOf(
228       optionalOrAliasType(), referenceType(pointee(optionalOrAliasType()))))));
229 }
230 
231 template <typename L, typename R>
232 auto isComparisonOperatorCall(L lhs_arg_matcher, R rhs_arg_matcher) {
233   return cxxOperatorCallExpr(
234       anyOf(hasOverloadedOperatorName("=="), hasOverloadedOperatorName("!=")),
235       argumentCountIs(2), hasArgument(0, lhs_arg_matcher),
236       hasArgument(1, rhs_arg_matcher));
237 }
238 
239 /// Ensures that `Expr` is mapped to a `BoolValue` and returns its formula.
240 const Formula &forceBoolValue(Environment &Env, const Expr &Expr) {
241   auto *Value = cast_or_null<BoolValue>(Env.getValue(Expr));
242   if (Value != nullptr)
243     return Value->formula();
244 
245   Value = &Env.makeAtomicBoolValue();
246   Env.setValueStrict(Expr, *Value);
247   return Value->formula();
248 }
249 
250 /// Sets `HasValueVal` as the symbolic value that represents the "has_value"
251 /// property of the optional value `OptionalVal`.
252 void setHasValue(Value &OptionalVal, BoolValue &HasValueVal) {
253   OptionalVal.setProperty("has_value", HasValueVal);
254 }
255 
256 /// Creates a symbolic value for an `optional` value at an existing storage
257 /// location. Uses `HasValueVal` as the symbolic value of the "has_value"
258 /// property.
259 StructValue &createOptionalValue(AggregateStorageLocation &Loc,
260                                  BoolValue &HasValueVal, Environment &Env) {
261   auto &OptionalVal = Env.create<StructValue>(Loc);
262   Env.setValue(Loc, OptionalVal);
263   setHasValue(OptionalVal, HasValueVal);
264   return OptionalVal;
265 }
266 
267 /// Returns the symbolic value that represents the "has_value" property of the
268 /// optional value `OptionalVal`. Returns null if `OptionalVal` is null.
269 BoolValue *getHasValue(Environment &Env, Value *OptionalVal) {
270   if (OptionalVal != nullptr) {
271     auto *HasValueVal =
272         cast_or_null<BoolValue>(OptionalVal->getProperty("has_value"));
273     if (HasValueVal == nullptr) {
274       HasValueVal = &Env.makeAtomicBoolValue();
275       OptionalVal->setProperty("has_value", *HasValueVal);
276     }
277     return HasValueVal;
278   }
279   return nullptr;
280 }
281 
282 /// Returns true if and only if `Type` is an optional type.
283 bool isOptionalType(QualType Type) {
284   if (!Type->isRecordType())
285     return false;
286   const CXXRecordDecl *D = Type->getAsCXXRecordDecl();
287   return D != nullptr && hasOptionalClassName(*D);
288 }
289 
290 /// Returns the number of optional wrappers in `Type`.
291 ///
292 /// For example, if `Type` is `optional<optional<int>>`, the result of this
293 /// function will be 2.
294 int countOptionalWrappers(const ASTContext &ASTCtx, QualType Type) {
295   if (!isOptionalType(Type))
296     return 0;
297   return 1 + countOptionalWrappers(
298                  ASTCtx,
299                  cast<ClassTemplateSpecializationDecl>(Type->getAsRecordDecl())
300                      ->getTemplateArgs()
301                      .get(0)
302                      .getAsType()
303                      .getDesugaredType(ASTCtx));
304 }
305 
306 /// Tries to initialize the `optional`'s value (that is, contents), and return
307 /// its location. Returns nullptr if the value can't be represented.
308 StorageLocation *maybeInitializeOptionalValueMember(QualType Q,
309                                                     Value &OptionalVal,
310                                                     Environment &Env) {
311   // The "value" property represents a synthetic field. As such, it needs
312   // `StorageLocation`, like normal fields (and other variables). So, we model
313   // it with a `PointerValue`, since that includes a storage location.  Once
314   // the property is set, it will be shared by all environments that access the
315   // `Value` representing the optional (here, `OptionalVal`).
316   if (auto *ValueProp = OptionalVal.getProperty("value")) {
317     auto *ValuePtr = clang::cast<PointerValue>(ValueProp);
318     auto &ValueLoc = ValuePtr->getPointeeLoc();
319     if (Env.getValue(ValueLoc) != nullptr)
320       return &ValueLoc;
321 
322     // The property was previously set, but the value has been lost. This can
323     // happen in various situations, for example:
324     // - Because of an environment merge (where the two environments mapped the
325     //   property to different values, which resulted in them both being
326     //   discarded).
327     // - When two blocks in the CFG, with neither a dominator of the other,
328     //   visit the same optional value. (FIXME: This is something we can and
329     //   should fix -- see also the lengthy FIXME below.)
330     // - Or even when a block is revisited during testing to collect
331     //   per-statement state.
332     // FIXME: This situation means that the optional contents are not shared
333     // between branches and the like. Practically, this lack of sharing
334     // reduces the precision of the model when the contents are relevant to
335     // the check, like another optional or a boolean that influences control
336     // flow.
337     if (ValueLoc.getType()->isRecordType()) {
338       refreshStructValue(cast<AggregateStorageLocation>(ValueLoc), Env);
339       return &ValueLoc;
340     } else {
341       auto *ValueVal = Env.createValue(ValueLoc.getType());
342       if (ValueVal == nullptr)
343         return nullptr;
344       Env.setValue(ValueLoc, *ValueVal);
345       return &ValueLoc;
346     }
347   }
348 
349   auto Ty = Q.getNonReferenceType();
350   auto &ValueLoc = Env.createObject(Ty);
351   auto &ValuePtr = Env.create<PointerValue>(ValueLoc);
352   // FIXME:
353   // The change we make to the `value` property below may become visible to
354   // other blocks that aren't successors of the current block and therefore
355   // don't see the change we made above mapping `ValueLoc` to `ValueVal`. For
356   // example:
357   //
358   //   void target(optional<int> oo, bool b) {
359   //     // `oo` is associated with a `StructValue` here, which we will call
360   //     // `OptionalVal`.
361   //
362   //     // The `has_value` property is set on `OptionalVal` (but not the
363   //     // `value` property yet).
364   //     if (!oo.has_value()) return;
365   //
366   //     if (b) {
367   //       // Let's assume we transfer the `if` branch first.
368   //       //
369   //       // This causes us to call `maybeInitializeOptionalValueMember()`,
370   //       // which causes us to set the `value` property on `OptionalVal`
371   //       // (which had not been set until this point). This `value` property
372   //       // refers to a `PointerValue`, which in turn refers to a
373   //       // StorageLocation` that is associated to an `IntegerValue`.
374   //       oo.value();
375   //     } else {
376   //       // Let's assume we transfer the `else` branch after the `if` branch.
377   //       //
378   //       // We see the `value` property that the `if` branch set on
379   //       // `OptionalVal`, but in the environment for this block, the
380   //       // `StorageLocation` in the `PointerValue` is not associated with any
381   //       // `Value`.
382   //       oo.value();
383   //     }
384   //   }
385   //
386   // This situation is currently "saved" by the code above that checks whether
387   // the `value` property is already set, and if, the `ValueLoc` is not
388   // associated with a `ValueVal`, creates a new `ValueVal`.
389   //
390   // However, what we should really do is to make sure that the change to the
391   // `value` property does not "leak" to other blocks that are not successors
392   // of this block. To do this, instead of simply setting the `value` property
393   // on the existing `OptionalVal`, we should create a new `Value` for the
394   // optional, set the property on that, and associate the storage location that
395   // is currently associated with the existing `OptionalVal` with the newly
396   // created `Value` instead.
397   OptionalVal.setProperty("value", ValuePtr);
398   return &ValueLoc;
399 }
400 
401 void initializeOptionalReference(const Expr *OptionalExpr,
402                                  const MatchFinder::MatchResult &,
403                                  LatticeTransferState &State) {
404   if (auto *OptionalVal = State.Env.getValue(*OptionalExpr)) {
405     if (OptionalVal->getProperty("has_value") == nullptr) {
406       setHasValue(*OptionalVal, State.Env.makeAtomicBoolValue());
407     }
408   }
409 }
410 
411 /// Returns true if and only if `OptionalVal` is initialized and known to be
412 /// empty in `Env`.
413 bool isEmptyOptional(const Value &OptionalVal, const Environment &Env) {
414   auto *HasValueVal =
415       cast_or_null<BoolValue>(OptionalVal.getProperty("has_value"));
416   return HasValueVal != nullptr &&
417          Env.flowConditionImplies(Env.arena().makeNot(HasValueVal->formula()));
418 }
419 
420 /// Returns true if and only if `OptionalVal` is initialized and known to be
421 /// non-empty in `Env`.
422 bool isNonEmptyOptional(const Value &OptionalVal, const Environment &Env) {
423   auto *HasValueVal =
424       cast_or_null<BoolValue>(OptionalVal.getProperty("has_value"));
425   return HasValueVal != nullptr &&
426          Env.flowConditionImplies(HasValueVal->formula());
427 }
428 
429 Value *getValueBehindPossiblePointer(const Expr &E, const Environment &Env) {
430   Value *Val = Env.getValue(E);
431   if (auto *PointerVal = dyn_cast_or_null<PointerValue>(Val))
432     return Env.getValue(PointerVal->getPointeeLoc());
433   return Val;
434 }
435 
436 void transferUnwrapCall(const Expr *UnwrapExpr, const Expr *ObjectExpr,
437                         LatticeTransferState &State) {
438   if (auto *OptionalVal =
439           getValueBehindPossiblePointer(*ObjectExpr, State.Env)) {
440     if (State.Env.getStorageLocationStrict(*UnwrapExpr) == nullptr)
441       if (auto *Loc = maybeInitializeOptionalValueMember(
442               UnwrapExpr->getType(), *OptionalVal, State.Env))
443         State.Env.setStorageLocationStrict(*UnwrapExpr, *Loc);
444   }
445 }
446 
447 void transferArrowOpCall(const Expr *UnwrapExpr, const Expr *ObjectExpr,
448                          LatticeTransferState &State) {
449   if (auto *OptionalVal =
450           getValueBehindPossiblePointer(*ObjectExpr, State.Env)) {
451     if (auto *Loc = maybeInitializeOptionalValueMember(
452             UnwrapExpr->getType()->getPointeeType(), *OptionalVal, State.Env)) {
453       State.Env.setValueStrict(*UnwrapExpr,
454                                State.Env.create<PointerValue>(*Loc));
455     }
456   }
457 }
458 
459 void transferMakeOptionalCall(const CallExpr *E,
460                               const MatchFinder::MatchResult &,
461                               LatticeTransferState &State) {
462   createOptionalValue(State.Env.getResultObjectLocation(*E),
463                       State.Env.getBoolLiteralValue(true), State.Env);
464 }
465 
466 void transferOptionalHasValueCall(const CXXMemberCallExpr *CallExpr,
467                                   const MatchFinder::MatchResult &,
468                                   LatticeTransferState &State) {
469   if (auto *HasValueVal = getHasValue(
470           State.Env, getValueBehindPossiblePointer(
471                          *CallExpr->getImplicitObjectArgument(), State.Env))) {
472     State.Env.setValueStrict(*CallExpr, *HasValueVal);
473   }
474 }
475 
476 /// `ModelPred` builds a logical formula relating the predicate in
477 /// `ValueOrPredExpr` to the optional's `has_value` property.
478 void transferValueOrImpl(
479     const clang::Expr *ValueOrPredExpr, const MatchFinder::MatchResult &Result,
480     LatticeTransferState &State,
481     const Formula &(*ModelPred)(Environment &Env, const Formula &ExprVal,
482                                 const Formula &HasValueVal)) {
483   auto &Env = State.Env;
484 
485   const auto *ObjectArgumentExpr =
486       Result.Nodes.getNodeAs<clang::CXXMemberCallExpr>(ValueOrCallID)
487           ->getImplicitObjectArgument();
488 
489   auto *HasValueVal = getHasValue(
490       State.Env, getValueBehindPossiblePointer(*ObjectArgumentExpr, State.Env));
491   if (HasValueVal == nullptr)
492     return;
493 
494   Env.addToFlowCondition(ModelPred(Env, forceBoolValue(Env, *ValueOrPredExpr),
495                                    HasValueVal->formula()));
496 }
497 
498 void transferValueOrStringEmptyCall(const clang::Expr *ComparisonExpr,
499                                     const MatchFinder::MatchResult &Result,
500                                     LatticeTransferState &State) {
501   return transferValueOrImpl(ComparisonExpr, Result, State,
502                              [](Environment &Env, const Formula &ExprVal,
503                                 const Formula &HasValueVal) -> const Formula & {
504                                auto &A = Env.arena();
505                                // If the result is *not* empty, then we know the
506                                // optional must have been holding a value. If
507                                // `ExprVal` is true, though, we don't learn
508                                // anything definite about `has_value`, so we
509                                // don't add any corresponding implications to
510                                // the flow condition.
511                                return A.makeImplies(A.makeNot(ExprVal),
512                                                     HasValueVal);
513                              });
514 }
515 
516 void transferValueOrNotEqX(const Expr *ComparisonExpr,
517                            const MatchFinder::MatchResult &Result,
518                            LatticeTransferState &State) {
519   transferValueOrImpl(ComparisonExpr, Result, State,
520                       [](Environment &Env, const Formula &ExprVal,
521                          const Formula &HasValueVal) -> const Formula & {
522                         auto &A = Env.arena();
523                         // We know that if `(opt.value_or(X) != X)` then
524                         // `opt.hasValue()`, even without knowing further
525                         // details about the contents of `opt`.
526                         return A.makeImplies(ExprVal, HasValueVal);
527                       });
528 }
529 
530 void transferCallReturningOptional(const CallExpr *E,
531                                    const MatchFinder::MatchResult &Result,
532                                    LatticeTransferState &State) {
533   if (State.Env.getValue(*E) != nullptr)
534     return;
535 
536   AggregateStorageLocation *Loc = nullptr;
537   if (E->isPRValue()) {
538     Loc = &State.Env.getResultObjectLocation(*E);
539   } else {
540     Loc = cast_or_null<AggregateStorageLocation>(
541         State.Env.getStorageLocationStrict(*E));
542     if (Loc == nullptr) {
543       Loc =
544           &cast<AggregateStorageLocation>(State.Env.createStorageLocation(*E));
545       State.Env.setStorageLocationStrict(*E, *Loc);
546     }
547   }
548 
549   createOptionalValue(*Loc, State.Env.makeAtomicBoolValue(), State.Env);
550 }
551 
552 void constructOptionalValue(const Expr &E, Environment &Env,
553                             BoolValue &HasValueVal) {
554   AggregateStorageLocation &Loc = Env.getResultObjectLocation(E);
555   Env.setValueStrict(E, createOptionalValue(Loc, HasValueVal, Env));
556 }
557 
558 /// Returns a symbolic value for the "has_value" property of an `optional<T>`
559 /// value that is constructed/assigned from a value of type `U` or `optional<U>`
560 /// where `T` is constructible from `U`.
561 BoolValue &valueOrConversionHasValue(const FunctionDecl &F, const Expr &E,
562                                      const MatchFinder::MatchResult &MatchRes,
563                                      LatticeTransferState &State) {
564   assert(F.getTemplateSpecializationArgs() != nullptr);
565   assert(F.getTemplateSpecializationArgs()->size() > 0);
566 
567   const int TemplateParamOptionalWrappersCount =
568       countOptionalWrappers(*MatchRes.Context, F.getTemplateSpecializationArgs()
569                                                    ->get(0)
570                                                    .getAsType()
571                                                    .getNonReferenceType());
572   const int ArgTypeOptionalWrappersCount = countOptionalWrappers(
573       *MatchRes.Context, E.getType().getNonReferenceType());
574 
575   // Check if this is a constructor/assignment call for `optional<T>` with
576   // argument of type `U` such that `T` is constructible from `U`.
577   if (TemplateParamOptionalWrappersCount == ArgTypeOptionalWrappersCount)
578     return State.Env.getBoolLiteralValue(true);
579 
580   // This is a constructor/assignment call for `optional<T>` with argument of
581   // type `optional<U>` such that `T` is constructible from `U`.
582   if (auto *HasValueVal = getHasValue(State.Env, State.Env.getValue(E)))
583     return *HasValueVal;
584   return State.Env.makeAtomicBoolValue();
585 }
586 
587 void transferValueOrConversionConstructor(
588     const CXXConstructExpr *E, const MatchFinder::MatchResult &MatchRes,
589     LatticeTransferState &State) {
590   assert(E->getNumArgs() > 0);
591 
592   constructOptionalValue(*E, State.Env,
593                          valueOrConversionHasValue(*E->getConstructor(),
594                                                    *E->getArg(0), MatchRes,
595                                                    State));
596 }
597 
598 void transferAssignment(const CXXOperatorCallExpr *E, BoolValue &HasValueVal,
599                         LatticeTransferState &State) {
600   assert(E->getNumArgs() > 0);
601 
602   if (auto *Loc = cast<AggregateStorageLocation>(
603           State.Env.getStorageLocationStrict(*E->getArg(0)))) {
604     createOptionalValue(*Loc, HasValueVal, State.Env);
605 
606     // Assign a storage location for the whole expression.
607     State.Env.setStorageLocationStrict(*E, *Loc);
608   }
609 }
610 
611 void transferValueOrConversionAssignment(
612     const CXXOperatorCallExpr *E, const MatchFinder::MatchResult &MatchRes,
613     LatticeTransferState &State) {
614   assert(E->getNumArgs() > 1);
615   transferAssignment(E,
616                      valueOrConversionHasValue(*E->getDirectCallee(),
617                                                *E->getArg(1), MatchRes, State),
618                      State);
619 }
620 
621 void transferNulloptAssignment(const CXXOperatorCallExpr *E,
622                                const MatchFinder::MatchResult &,
623                                LatticeTransferState &State) {
624   transferAssignment(E, State.Env.getBoolLiteralValue(false), State);
625 }
626 
627 void transferSwap(AggregateStorageLocation *Loc1,
628                   AggregateStorageLocation *Loc2, Environment &Env) {
629   // We account for cases where one or both of the optionals are not modeled,
630   // either lacking associated storage locations, or lacking values associated
631   // to such storage locations.
632 
633   if (Loc1 == nullptr) {
634     if (Loc2 != nullptr)
635       createOptionalValue(*Loc2, Env.makeAtomicBoolValue(), Env);
636     return;
637   }
638   if (Loc2 == nullptr) {
639     createOptionalValue(*Loc1, Env.makeAtomicBoolValue(), Env);
640     return;
641   }
642 
643   // Both expressions have locations, though they may not have corresponding
644   // values. In that case, we create a fresh value at this point. Note that if
645   // two branches both do this, they will not share the value, but it at least
646   // allows for local reasoning about the value. To avoid the above, we would
647   // need *lazy* value allocation.
648   // FIXME: allocate values lazily, instead of just creating a fresh value.
649   BoolValue *BoolVal1 = getHasValue(Env, Env.getValue(*Loc1));
650   if (BoolVal1 == nullptr)
651     BoolVal1 = &Env.makeAtomicBoolValue();
652 
653   BoolValue *BoolVal2 = getHasValue(Env, Env.getValue(*Loc2));
654   if (BoolVal2 == nullptr)
655     BoolVal2 = &Env.makeAtomicBoolValue();
656 
657   createOptionalValue(*Loc1, *BoolVal2, Env);
658   createOptionalValue(*Loc2, *BoolVal1, Env);
659 }
660 
661 void transferSwapCall(const CXXMemberCallExpr *E,
662                       const MatchFinder::MatchResult &,
663                       LatticeTransferState &State) {
664   assert(E->getNumArgs() == 1);
665   auto *OtherLoc = cast_or_null<AggregateStorageLocation>(
666       State.Env.getStorageLocationStrict(*E->getArg(0)));
667   transferSwap(getImplicitObjectLocation(*E, State.Env), OtherLoc, State.Env);
668 }
669 
670 void transferStdSwapCall(const CallExpr *E, const MatchFinder::MatchResult &,
671                          LatticeTransferState &State) {
672   assert(E->getNumArgs() == 2);
673   auto *Arg0Loc = cast_or_null<AggregateStorageLocation>(
674       State.Env.getStorageLocationStrict(*E->getArg(0)));
675   auto *Arg1Loc = cast_or_null<AggregateStorageLocation>(
676       State.Env.getStorageLocationStrict(*E->getArg(1)));
677   transferSwap(Arg0Loc, Arg1Loc, State.Env);
678 }
679 
680 void transferStdForwardCall(const CallExpr *E, const MatchFinder::MatchResult &,
681                             LatticeTransferState &State) {
682   assert(E->getNumArgs() == 1);
683 
684   if (auto *Loc = State.Env.getStorageLocationStrict(*E->getArg(0)))
685     State.Env.setStorageLocationStrict(*E, *Loc);
686 }
687 
688 const Formula &evaluateEquality(Arena &A, const Formula &EqVal,
689                                 const Formula &LHS, const Formula &RHS) {
690   // Logically, an optional<T> object is composed of two values - a `has_value`
691   // bit and a value of type T. Equality of optional objects compares both
692   // values. Therefore, merely comparing the `has_value` bits isn't sufficient:
693   // when two optional objects are engaged, the equality of their respective
694   // values of type T matters. Since we only track the `has_value` bits, we
695   // can't make any conclusions about equality when we know that two optional
696   // objects are engaged.
697   //
698   // We express this as two facts about the equality:
699   // a) EqVal => (LHS & RHS) v (!RHS & !LHS)
700   //    If they are equal, then either both are set or both are unset.
701   // b) (!LHS & !RHS) => EqVal
702   //    If neither is set, then they are equal.
703   // We rewrite b) as !EqVal => (LHS v RHS), for a more compact formula.
704   return A.makeAnd(
705       A.makeImplies(EqVal, A.makeOr(A.makeAnd(LHS, RHS),
706                                     A.makeAnd(A.makeNot(LHS), A.makeNot(RHS)))),
707       A.makeImplies(A.makeNot(EqVal), A.makeOr(LHS, RHS)));
708 }
709 
710 void transferOptionalAndOptionalCmp(const clang::CXXOperatorCallExpr *CmpExpr,
711                                     const MatchFinder::MatchResult &,
712                                     LatticeTransferState &State) {
713   Environment &Env = State.Env;
714   auto &A = Env.arena();
715   auto *CmpValue = &forceBoolValue(Env, *CmpExpr);
716   if (auto *LHasVal = getHasValue(Env, Env.getValue(*CmpExpr->getArg(0))))
717     if (auto *RHasVal = getHasValue(Env, Env.getValue(*CmpExpr->getArg(1)))) {
718       if (CmpExpr->getOperator() == clang::OO_ExclaimEqual)
719         CmpValue = &A.makeNot(*CmpValue);
720       Env.addToFlowCondition(evaluateEquality(A, *CmpValue, LHasVal->formula(),
721                                               RHasVal->formula()));
722     }
723 }
724 
725 void transferOptionalAndValueCmp(const clang::CXXOperatorCallExpr *CmpExpr,
726                                  const clang::Expr *E, Environment &Env) {
727   auto &A = Env.arena();
728   auto *CmpValue = &forceBoolValue(Env, *CmpExpr);
729   if (auto *HasVal = getHasValue(Env, Env.getValue(*E))) {
730     if (CmpExpr->getOperator() == clang::OO_ExclaimEqual)
731       CmpValue = &A.makeNot(*CmpValue);
732     Env.addToFlowCondition(
733         evaluateEquality(A, *CmpValue, HasVal->formula(), A.makeLiteral(true)));
734   }
735 }
736 
737 std::optional<StatementMatcher>
738 ignorableOptional(const UncheckedOptionalAccessModelOptions &Options) {
739   if (Options.IgnoreSmartPointerDereference) {
740     auto SmartPtrUse = expr(ignoringParenImpCasts(cxxOperatorCallExpr(
741         anyOf(hasOverloadedOperatorName("->"), hasOverloadedOperatorName("*")),
742         unless(hasArgument(0, expr(hasOptionalType()))))));
743     return expr(
744         anyOf(SmartPtrUse, memberExpr(hasObjectExpression(SmartPtrUse))));
745   }
746   return std::nullopt;
747 }
748 
749 StatementMatcher
750 valueCall(const std::optional<StatementMatcher> &IgnorableOptional) {
751   return isOptionalMemberCallWithNameMatcher(hasName("value"),
752                                              IgnorableOptional);
753 }
754 
755 StatementMatcher
756 valueOperatorCall(const std::optional<StatementMatcher> &IgnorableOptional) {
757   return expr(anyOf(isOptionalOperatorCallWithName("*", IgnorableOptional),
758                     isOptionalOperatorCallWithName("->", IgnorableOptional)));
759 }
760 
761 auto buildTransferMatchSwitch() {
762   // FIXME: Evaluate the efficiency of matchers. If using matchers results in a
763   // lot of duplicated work (e.g. string comparisons), consider providing APIs
764   // that avoid it through memoization.
765   return CFGMatchSwitchBuilder<LatticeTransferState>()
766       // Attach a symbolic "has_value" state to optional values that we see for
767       // the first time.
768       .CaseOfCFGStmt<Expr>(
769           expr(anyOf(declRefExpr(), memberExpr()), hasOptionalType()),
770           initializeOptionalReference)
771 
772       // make_optional
773       .CaseOfCFGStmt<CallExpr>(isMakeOptionalCall(), transferMakeOptionalCall)
774 
775       // optional::optional (in place)
776       .CaseOfCFGStmt<CXXConstructExpr>(
777           isOptionalInPlaceConstructor(),
778           [](const CXXConstructExpr *E, const MatchFinder::MatchResult &,
779              LatticeTransferState &State) {
780             constructOptionalValue(*E, State.Env,
781                                    State.Env.getBoolLiteralValue(true));
782           })
783       // nullopt_t::nullopt_t
784       .CaseOfCFGStmt<CXXConstructExpr>(
785           isNulloptConstructor(),
786           [](const CXXConstructExpr *E, const MatchFinder::MatchResult &,
787              LatticeTransferState &State) {
788             constructOptionalValue(*E, State.Env,
789                                    State.Env.getBoolLiteralValue(false));
790           })
791       // optional::optional(nullopt_t)
792       .CaseOfCFGStmt<CXXConstructExpr>(
793           isOptionalNulloptConstructor(),
794           [](const CXXConstructExpr *E, const MatchFinder::MatchResult &,
795              LatticeTransferState &State) {
796             constructOptionalValue(*E, State.Env,
797                                    State.Env.getBoolLiteralValue(false));
798           })
799       // optional::optional (value/conversion)
800       .CaseOfCFGStmt<CXXConstructExpr>(isOptionalValueOrConversionConstructor(),
801                                        transferValueOrConversionConstructor)
802 
803       // optional::operator=
804       .CaseOfCFGStmt<CXXOperatorCallExpr>(
805           isOptionalValueOrConversionAssignment(),
806           transferValueOrConversionAssignment)
807       .CaseOfCFGStmt<CXXOperatorCallExpr>(isOptionalNulloptAssignment(),
808                                           transferNulloptAssignment)
809 
810       // optional::value
811       .CaseOfCFGStmt<CXXMemberCallExpr>(
812           valueCall(std::nullopt),
813           [](const CXXMemberCallExpr *E, const MatchFinder::MatchResult &,
814              LatticeTransferState &State) {
815             transferUnwrapCall(E, E->getImplicitObjectArgument(), State);
816           })
817 
818       // optional::operator*
819       .CaseOfCFGStmt<CallExpr>(isOptionalOperatorCallWithName("*"),
820                                [](const CallExpr *E,
821                                   const MatchFinder::MatchResult &,
822                                   LatticeTransferState &State) {
823                                  transferUnwrapCall(E, E->getArg(0), State);
824                                })
825 
826       // optional::operator->
827       .CaseOfCFGStmt<CallExpr>(isOptionalOperatorCallWithName("->"),
828                                [](const CallExpr *E,
829                                   const MatchFinder::MatchResult &,
830                                   LatticeTransferState &State) {
831                                  transferArrowOpCall(E, E->getArg(0), State);
832                                })
833 
834       // optional::has_value, optional::hasValue
835       // Of the supported optionals only folly::Optional uses hasValue, but this
836       // will also pass for other types
837       .CaseOfCFGStmt<CXXMemberCallExpr>(
838           isOptionalMemberCallWithNameMatcher(
839               hasAnyName("has_value", "hasValue")),
840           transferOptionalHasValueCall)
841 
842       // optional::operator bool
843       .CaseOfCFGStmt<CXXMemberCallExpr>(
844           isOptionalMemberCallWithNameMatcher(hasName("operator bool")),
845           transferOptionalHasValueCall)
846 
847       // optional::emplace
848       .CaseOfCFGStmt<CXXMemberCallExpr>(
849           isOptionalMemberCallWithNameMatcher(hasName("emplace")),
850           [](const CXXMemberCallExpr *E, const MatchFinder::MatchResult &,
851              LatticeTransferState &State) {
852             if (AggregateStorageLocation *Loc =
853                     getImplicitObjectLocation(*E, State.Env)) {
854               createOptionalValue(*Loc, State.Env.getBoolLiteralValue(true),
855                                   State.Env);
856             }
857           })
858 
859       // optional::reset
860       .CaseOfCFGStmt<CXXMemberCallExpr>(
861           isOptionalMemberCallWithNameMatcher(hasName("reset")),
862           [](const CXXMemberCallExpr *E, const MatchFinder::MatchResult &,
863              LatticeTransferState &State) {
864             if (AggregateStorageLocation *Loc =
865                     getImplicitObjectLocation(*E, State.Env)) {
866               createOptionalValue(*Loc, State.Env.getBoolLiteralValue(false),
867                                   State.Env);
868             }
869           })
870 
871       // optional::swap
872       .CaseOfCFGStmt<CXXMemberCallExpr>(
873           isOptionalMemberCallWithNameMatcher(hasName("swap")),
874           transferSwapCall)
875 
876       // std::swap
877       .CaseOfCFGStmt<CallExpr>(isStdSwapCall(), transferStdSwapCall)
878 
879       // std::forward
880       .CaseOfCFGStmt<CallExpr>(isStdForwardCall(), transferStdForwardCall)
881 
882       // opt.value_or("").empty()
883       .CaseOfCFGStmt<Expr>(isValueOrStringEmptyCall(),
884                            transferValueOrStringEmptyCall)
885 
886       // opt.value_or(X) != X
887       .CaseOfCFGStmt<Expr>(isValueOrNotEqX(), transferValueOrNotEqX)
888 
889       // Comparisons (==, !=):
890       .CaseOfCFGStmt<CXXOperatorCallExpr>(
891           isComparisonOperatorCall(hasAnyOptionalType(), hasAnyOptionalType()),
892           transferOptionalAndOptionalCmp)
893       .CaseOfCFGStmt<CXXOperatorCallExpr>(
894           isComparisonOperatorCall(hasOptionalType(),
895                                    unless(hasAnyOptionalType())),
896           [](const clang::CXXOperatorCallExpr *Cmp,
897              const MatchFinder::MatchResult &, LatticeTransferState &State) {
898             transferOptionalAndValueCmp(Cmp, Cmp->getArg(0), State.Env);
899           })
900       .CaseOfCFGStmt<CXXOperatorCallExpr>(
901           isComparisonOperatorCall(unless(hasAnyOptionalType()),
902                                    hasOptionalType()),
903           [](const clang::CXXOperatorCallExpr *Cmp,
904              const MatchFinder::MatchResult &, LatticeTransferState &State) {
905             transferOptionalAndValueCmp(Cmp, Cmp->getArg(1), State.Env);
906           })
907 
908       // returns optional
909       .CaseOfCFGStmt<CallExpr>(isCallReturningOptional(),
910                                transferCallReturningOptional)
911 
912       .Build();
913 }
914 
915 std::vector<SourceLocation> diagnoseUnwrapCall(const Expr *ObjectExpr,
916                                                const Environment &Env) {
917   if (auto *OptionalVal = getValueBehindPossiblePointer(*ObjectExpr, Env)) {
918     auto *Prop = OptionalVal->getProperty("has_value");
919     if (auto *HasValueVal = cast_or_null<BoolValue>(Prop)) {
920       if (Env.flowConditionImplies(HasValueVal->formula()))
921         return {};
922     }
923   }
924 
925   // Record that this unwrap is *not* provably safe.
926   // FIXME: include either the name of the optional (if applicable) or a source
927   // range of the access for easier interpretation of the result.
928   return {ObjectExpr->getBeginLoc()};
929 }
930 
931 auto buildDiagnoseMatchSwitch(
932     const UncheckedOptionalAccessModelOptions &Options) {
933   // FIXME: Evaluate the efficiency of matchers. If using matchers results in a
934   // lot of duplicated work (e.g. string comparisons), consider providing APIs
935   // that avoid it through memoization.
936   auto IgnorableOptional = ignorableOptional(Options);
937   return CFGMatchSwitchBuilder<const Environment, std::vector<SourceLocation>>()
938       // optional::value
939       .CaseOfCFGStmt<CXXMemberCallExpr>(
940           valueCall(IgnorableOptional),
941           [](const CXXMemberCallExpr *E, const MatchFinder::MatchResult &,
942              const Environment &Env) {
943             return diagnoseUnwrapCall(E->getImplicitObjectArgument(), Env);
944           })
945 
946       // optional::operator*, optional::operator->
947       .CaseOfCFGStmt<CallExpr>(valueOperatorCall(IgnorableOptional),
948                                [](const CallExpr *E,
949                                   const MatchFinder::MatchResult &,
950                                   const Environment &Env) {
951                                  return diagnoseUnwrapCall(E->getArg(0), Env);
952                                })
953       .Build();
954 }
955 
956 } // namespace
957 
958 ast_matchers::DeclarationMatcher
959 UncheckedOptionalAccessModel::optionalClassDecl() {
960   return optionalClass();
961 }
962 
963 UncheckedOptionalAccessModel::UncheckedOptionalAccessModel(ASTContext &Ctx)
964     : DataflowAnalysis<UncheckedOptionalAccessModel, NoopLattice>(Ctx),
965       TransferMatchSwitch(buildTransferMatchSwitch()) {}
966 
967 void UncheckedOptionalAccessModel::transfer(const CFGElement &Elt,
968                                             NoopLattice &L, Environment &Env) {
969   LatticeTransferState State(L, Env);
970   TransferMatchSwitch(Elt, getASTContext(), State);
971 }
972 
973 ComparisonResult UncheckedOptionalAccessModel::compare(
974     QualType Type, const Value &Val1, const Environment &Env1,
975     const Value &Val2, const Environment &Env2) {
976   if (!isOptionalType(Type))
977     return ComparisonResult::Unknown;
978   bool MustNonEmpty1 = isNonEmptyOptional(Val1, Env1);
979   bool MustNonEmpty2 = isNonEmptyOptional(Val2, Env2);
980   if (MustNonEmpty1 && MustNonEmpty2)
981     return ComparisonResult::Same;
982   // If exactly one is true, then they're different, no reason to check whether
983   // they're definitely empty.
984   if (MustNonEmpty1 || MustNonEmpty2)
985     return ComparisonResult::Different;
986   // Check if they're both definitely empty.
987   return (isEmptyOptional(Val1, Env1) && isEmptyOptional(Val2, Env2))
988              ? ComparisonResult::Same
989              : ComparisonResult::Different;
990 }
991 
992 bool UncheckedOptionalAccessModel::merge(QualType Type, const Value &Val1,
993                                          const Environment &Env1,
994                                          const Value &Val2,
995                                          const Environment &Env2,
996                                          Value &MergedVal,
997                                          Environment &MergedEnv) {
998   if (!isOptionalType(Type))
999     return true;
1000   // FIXME: uses same approach as join for `BoolValues`. Requires non-const
1001   // values, though, so will require updating the interface.
1002   auto &HasValueVal = MergedEnv.makeAtomicBoolValue();
1003   bool MustNonEmpty1 = isNonEmptyOptional(Val1, Env1);
1004   bool MustNonEmpty2 = isNonEmptyOptional(Val2, Env2);
1005   if (MustNonEmpty1 && MustNonEmpty2)
1006     MergedEnv.addToFlowCondition(HasValueVal.formula());
1007   else if (
1008       // Only make the costly calls to `isEmptyOptional` if we got "unknown"
1009       // (false) for both calls to `isNonEmptyOptional`.
1010       !MustNonEmpty1 && !MustNonEmpty2 && isEmptyOptional(Val1, Env1) &&
1011       isEmptyOptional(Val2, Env2))
1012     MergedEnv.addToFlowCondition(
1013         MergedEnv.arena().makeNot(HasValueVal.formula()));
1014   setHasValue(MergedVal, HasValueVal);
1015   return true;
1016 }
1017 
1018 Value *UncheckedOptionalAccessModel::widen(QualType Type, Value &Prev,
1019                                            const Environment &PrevEnv,
1020                                            Value &Current,
1021                                            Environment &CurrentEnv) {
1022   switch (compare(Type, Prev, PrevEnv, Current, CurrentEnv)) {
1023   case ComparisonResult::Same:
1024     return &Prev;
1025   case ComparisonResult::Different:
1026     if (auto *PrevHasVal =
1027             cast_or_null<BoolValue>(Prev.getProperty("has_value"))) {
1028       if (isa<TopBoolValue>(PrevHasVal))
1029         return &Prev;
1030     }
1031     if (auto *CurrentHasVal =
1032             cast_or_null<BoolValue>(Current.getProperty("has_value"))) {
1033       if (isa<TopBoolValue>(CurrentHasVal))
1034         return &Current;
1035     }
1036     return &createOptionalValue(cast<StructValue>(Current).getAggregateLoc(),
1037                                 CurrentEnv.makeTopBoolValue(), CurrentEnv);
1038   case ComparisonResult::Unknown:
1039     return nullptr;
1040   }
1041   llvm_unreachable("all cases covered in switch");
1042 }
1043 
1044 UncheckedOptionalAccessDiagnoser::UncheckedOptionalAccessDiagnoser(
1045     UncheckedOptionalAccessModelOptions Options)
1046     : DiagnoseMatchSwitch(buildDiagnoseMatchSwitch(Options)) {}
1047 
1048 } // namespace dataflow
1049 } // namespace clang
1050