blob: f39a6947d0de44552e39364cce9b8f624f34138e [file] [log] [blame]
Luca Versari99fddff2022-05-25 10:22:32 -07001// Part of the Crubit project, under the Apache License v2.0 with LLVM
2// Exceptions. See /LICENSE for license information.
3// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
4
5#include "lifetime_analysis/analyze.h"
6
7#include <algorithm>
8#include <map>
9#include <memory>
10#include <optional>
11#include <string>
12#include <utility>
13#include <variant>
14#include <vector>
15
16#include "absl/strings/str_cat.h"
17#include "absl/strings/str_format.h"
18#include "absl/strings/str_join.h"
19#include "absl/strings/str_replace.h"
20#include "lifetime_analysis/lifetime_analysis.h"
21#include "lifetime_analysis/lifetime_lattice.h"
22#include "lifetime_analysis/object_repository.h"
23#include "lifetime_analysis/template_placeholder_support.h"
Luca Versari99fddff2022-05-25 10:22:32 -070024#include "lifetime_annotations/function_lifetimes.h"
25#include "lifetime_annotations/lifetime.h"
26#include "lifetime_annotations/lifetime_substitutions.h"
27#include "lifetime_annotations/pointee_type.h"
28#include "lifetime_annotations/type_lifetimes.h"
29#include "clang/AST/Decl.h"
30#include "clang/AST/DeclCXX.h"
31#include "clang/AST/DeclTemplate.h"
32#include "clang/AST/Expr.h"
33#include "clang/AST/ExprCXX.h"
34#include "clang/AST/Type.h"
35#include "clang/ASTMatchers/ASTMatchFinder.h"
36#include "clang/ASTMatchers/ASTMatchers.h"
37#include "clang/Analysis/CFG.h"
38#include "clang/Analysis/FlowSensitive/ControlFlowContext.h"
39#include "clang/Analysis/FlowSensitive/DataflowAnalysis.h"
40#include "clang/Analysis/FlowSensitive/DataflowEnvironment.h"
41#include "clang/Analysis/FlowSensitive/WatchedLiteralsSolver.h"
42#include "clang/Index/USRGeneration.h"
43#include "clang/Lex/Lexer.h"
44#include "llvm/ADT/ArrayRef.h"
45#include "llvm/ADT/SmallPtrSet.h"
46#include "llvm/ADT/StringRef.h"
47#include "llvm/Support/Error.h"
48
49namespace clang {
50namespace tidy {
51namespace lifetimes {
52namespace {
53
54struct VisitedCallStackEntry {
55 const clang::FunctionDecl* func;
56 bool in_cycle;
57 bool in_overrides_traversal;
58};
59
60// A map from base methods to overriding methods.
61using BaseToOverrides =
62 llvm::DenseMap<const clang::CXXMethodDecl*,
63 llvm::SmallPtrSet<const clang::CXXMethodDecl*, 2>>;
64
65// Enforce the invariant that an object of static lifetime should only point at
66// other objects of static lifetime.
Martin Brænneb9a5e0f2022-06-30 02:08:45 -070067llvm::Error PropagateStaticToPointees(LifetimeSubstitutions& subst,
68 const PointsToMap& points_to_map) {
Martin Brænnea5098e12022-07-01 06:22:28 -070069 std::vector<const Object*> pointees =
Luca Versari99fddff2022-05-25 10:22:32 -070070 points_to_map.GetAllPointersWithLifetime(Lifetime::Static());
71
Martin Brænnea5098e12022-07-01 06:22:28 -070072 llvm::DenseSet<const Object*> visited;
Luca Versari99fddff2022-05-25 10:22:32 -070073
74 while (!pointees.empty()) {
Martin Brænnea5098e12022-07-01 06:22:28 -070075 const Object* cur = pointees.back();
Luca Versari99fddff2022-05-25 10:22:32 -070076 pointees.pop_back();
77 visited.insert(cur);
Martin Brænnea5098e12022-07-01 06:22:28 -070078 if (cur->GetLifetime().IsLocal()) {
Martin Brænneb9a5e0f2022-06-30 02:08:45 -070079 return llvm::createStringError(
80 llvm::inconvertibleErrorCode(),
81 "attempted to make a pointer of static lifetime point at an object "
82 "of local lifetime");
83 }
Martin Brænnea5098e12022-07-01 06:22:28 -070084 if (cur->GetLifetime() != Lifetime::Static()) {
85 subst.Add(cur->GetLifetime(), Lifetime::Static());
Luca Versari99fddff2022-05-25 10:22:32 -070086 }
87
Martin Brænne4d8cdfd2022-07-01 06:16:36 -070088 for (const Object* pointee : points_to_map.GetPointerPointsToSet(cur)) {
Martin Brænnea5098e12022-07-01 06:22:28 -070089 if (!visited.count(pointee)) {
90 pointees.push_back(pointee);
Luca Versari99fddff2022-05-25 10:22:32 -070091 }
92 }
93 }
Martin Brænneb9a5e0f2022-06-30 02:08:45 -070094
95 return llvm::Error::success();
Luca Versari99fddff2022-05-25 10:22:32 -070096}
97
98// DO NOT use this function on untrusted input.
99// TODO(veluca): ideally, this function should be replaced with one from a
100// fuzzed library. However, as the way it is used doesn't have significant
101// security implications (its input is trusted, coming from tests, and its
102// output is unused except sometimes to produce a graphviz .dot file), and as
103// the logic for HTML escaping is simple enough, this function is reasonable to
104// use here.
105std::string EscapeHtmlChars(absl::string_view input) {
106 std::string escaped;
107 escaped.reserve(input.size());
108 for (auto c : input) {
109 switch (c) {
110 case '\'':
111 escaped += "&#39;";
112 break;
113 case '"':
114 escaped += "&quot;";
115 break;
116 case '<':
117 escaped += "&lt;";
118 break;
119 case '>':
120 escaped += "&gt;";
121 break;
122 case '&':
123 escaped += "&amp;";
124 break;
125 default:
126 escaped += c;
127 }
128 }
129 return escaped;
130}
131
Martin Brænne57e0bfa2022-07-01 13:27:14 -0700132std::string VariableLabel(absl::string_view name, const Object* object) {
Luca Versari99fddff2022-05-25 10:22:32 -0700133 return absl::StrFormat("<<b>%s</b> (%s)>", EscapeHtmlChars(name),
Martin Brænne57e0bfa2022-07-01 13:27:14 -0700134 EscapeHtmlChars(object->DebugString()));
Luca Versari99fddff2022-05-25 10:22:32 -0700135}
136
137std::string PointsToEdgesDot(const ObjectRepository& object_repository,
138 const PointsToMap& points_to_map,
139 absl::string_view name_prefix) {
140 std::vector<std::string> lines;
Martin Brænnea5098e12022-07-01 06:22:28 -0700141 llvm::DenseSet<const Object*> all_objects, var_objects;
Luca Versari99fddff2022-05-25 10:22:32 -0700142
143 for (auto [pointer, points_to_set] : points_to_map.PointerPointsTos()) {
144 all_objects.insert(pointer);
145 for (auto points_to : points_to_set) {
Martin Brænnea5098e12022-07-01 06:22:28 -0700146 all_objects.insert(points_to);
Luca Versari99fddff2022-05-25 10:22:32 -0700147 lines.push_back(absl::StrFormat(R"("%1$s%2$s" -> "%1$s%3$s")",
Martin Brænnea5098e12022-07-01 06:22:28 -0700148 name_prefix, pointer->DebugString(),
Martin Brænne4d8cdfd2022-07-01 06:16:36 -0700149 points_to->DebugString()));
Luca Versari99fddff2022-05-25 10:22:32 -0700150 }
151 }
152
153 for (auto [key, field_object] : object_repository.GetFieldObjects()) {
154 auto [struct_object, field] = key;
155 lines.push_back(absl::StrFormat(
156 R"("%1$s%2$s" -> "%1$s%3$s" [style=dashed label="%4$s"])", name_prefix,
Martin Brænne1b98ac62022-07-01 06:24:52 -0700157 struct_object->DebugString(), field_object->DebugString(),
Luca Versari99fddff2022-05-25 10:22:32 -0700158 field->getNameAsString()));
159 }
160
161 for (auto [key, base_object] : object_repository.GetBaseObjects()) {
162 auto [struct_object, base] = key;
163 lines.push_back(absl::StrFormat(
164 R"("%1$s%2$s" -> "%1$s%3$s" [style=dashed label="%4$s"])", name_prefix,
Martin Brænne1b98ac62022-07-01 06:24:52 -0700165 struct_object->DebugString(), base_object->DebugString(),
Luca Versari99fddff2022-05-25 10:22:32 -0700166 clang::QualType(base, 0).getAsString()));
167 }
168
169 if (object_repository.GetThisObject().has_value()) {
Martin Brænnea5098e12022-07-01 06:22:28 -0700170 var_objects.insert(*object_repository.GetThisObject());
Luca Versari99fddff2022-05-25 10:22:32 -0700171 lines.push_back(absl::StrFormat(
172 "\"%s%s\"[label=%s]", name_prefix,
Martin Brænned7c0d0b2022-07-01 05:43:00 -0700173 (*object_repository.GetThisObject())->DebugString(),
Martin Brænne57e0bfa2022-07-01 13:27:14 -0700174 VariableLabel("this", *object_repository.GetThisObject())));
Luca Versari99fddff2022-05-25 10:22:32 -0700175 }
176
177 for (auto [decl, object] : object_repository) {
Martin Brænnea5098e12022-07-01 06:22:28 -0700178 var_objects.insert(object);
Martin Brænnee9a4a472022-07-01 02:26:55 -0700179 lines.push_back(absl::StrFormat(
180 "\"%s%s\"[label=%s]", name_prefix, object->DebugString(),
Martin Brænne57e0bfa2022-07-01 13:27:14 -0700181 VariableLabel(decl->getNameAsString(), object)));
Luca Versari99fddff2022-05-25 10:22:32 -0700182 }
183
Martin Brænnea5098e12022-07-01 06:22:28 -0700184 var_objects.insert(object_repository.GetReturnObject());
Luca Versari99fddff2022-05-25 10:22:32 -0700185 lines.push_back(absl::StrFormat(
186 "\"%s%s\"[label=%s]", name_prefix,
Martin Brænned7c0d0b2022-07-01 05:43:00 -0700187 object_repository.GetReturnObject()->DebugString(),
Martin Brænne57e0bfa2022-07-01 13:27:14 -0700188 VariableLabel("return", object_repository.GetReturnObject())));
Luca Versari99fddff2022-05-25 10:22:32 -0700189
Martin Brænnea5098e12022-07-01 06:22:28 -0700190 for (const Object* object : all_objects) {
Luca Versari99fddff2022-05-25 10:22:32 -0700191 if (!var_objects.contains(object)) {
192 lines.push_back(absl::StrFormat(R"("%1$s%2$s"[label="%2$s"])",
Martin Brænnea5098e12022-07-01 06:22:28 -0700193 name_prefix, object->DebugString()));
Luca Versari99fddff2022-05-25 10:22:32 -0700194 }
195 }
196
197 for (auto [_, object] : object_repository.GetFieldObjects()) {
Martin Brænnea5098e12022-07-01 06:22:28 -0700198 if (!var_objects.contains(object)) {
Luca Versari99fddff2022-05-25 10:22:32 -0700199 lines.push_back(absl::StrFormat(R"("%1$s%2$s"[label="%2$s"])",
Martin Brænneb6764af2022-07-01 02:01:49 -0700200 name_prefix, object->DebugString()));
Luca Versari99fddff2022-05-25 10:22:32 -0700201 }
202 }
203
204 for (auto [_, object] : object_repository.GetBaseObjects()) {
Martin Brænnea5098e12022-07-01 06:22:28 -0700205 if (!var_objects.contains(object)) {
Luca Versari99fddff2022-05-25 10:22:32 -0700206 lines.push_back(absl::StrFormat(R"("%1$s%2$s"[label="%2$s"])",
207 name_prefix,
Martin Brænne57e0bfa2022-07-01 13:27:14 -0700208 VariableLabel("this", object)));
Luca Versari99fddff2022-05-25 10:22:32 -0700209 }
210 }
211
212 lines.push_back("");
213
214 return absl::StrJoin(lines, ";\n");
215}
216
217std::string PointsToGraphDot(const ObjectRepository& object_repository,
218 const PointsToMap& points_to_map) {
219 return absl::StrCat("digraph d {\n",
220 PointsToEdgesDot(object_repository, points_to_map, ""),
221 "}");
222}
223
Luca Versarie06f94b2022-09-02 02:44:06 -0700224std::string ConstraintsEdgesDot(const ObjectRepository& object_repository,
225 const LifetimeConstraints& constraints,
226 absl::string_view name_prefix) {
227 std::vector<std::string> lines;
228
229 llvm::DenseSet<Lifetime> all_lifetimes;
230 for (const auto& cstr : constraints.AllConstraints()) {
231 lines.push_back(absl::StrFormat(R"("%1$s%2$d" -> "%1$s%3$d")", name_prefix,
232 cstr.second.Id(), cstr.first.Id()));
233 all_lifetimes.insert(cstr.first);
234 all_lifetimes.insert(cstr.second);
235 }
236
237 for (auto lftm : all_lifetimes) {
238 lines.push_back(absl::StrFormat(R"("%s%d"[label="%s"])", name_prefix,
239 lftm.Id(), lftm.DebugString()));
240 }
241
242 return absl::StrJoin(lines, ";\n");
243}
244
245std::string ConstraintsDot(const ObjectRepository& object_repository,
246 const LifetimeConstraints& constraints) {
247 return absl::StrCat("digraph d {\n",
248 ConstraintsEdgesDot(object_repository, constraints, ""),
249 "}");
250}
251
Luca Versari99fddff2022-05-25 10:22:32 -0700252std::string CfgBlockLabel(const clang::CFGBlock* block, const clang::CFG& cfg,
253 const clang::ASTContext& ast_context) {
254 std::string block_name = absl::StrCat("B", block->getBlockID());
255 if (block == &cfg.getEntry()) {
256 absl::StrAppend(&block_name, " (ENTRY)");
257 } else if (block == &cfg.getExit()) {
258 absl::StrAppend(&block_name, " (EXIT)");
259 }
260
261 std::string label =
262 absl::StrFormat("<tr><td>%s</td></tr>", EscapeHtmlChars(block_name));
263
264 clang::SourceRange range;
265 for (const auto& element : *block) {
266 if (auto cfg_stmt = element.getAs<clang::CFGStmt>()) {
267 clang::SourceRange stmt_range = cfg_stmt->getStmt()->getSourceRange();
268 if (range.isInvalid()) {
269 range = stmt_range;
270 } else {
271 if (stmt_range.getBegin() < range.getBegin()) {
272 range.setBegin(stmt_range.getBegin());
273 }
274 if (stmt_range.getEnd() > range.getEnd()) {
275 range.setEnd(stmt_range.getEnd());
276 }
277 }
278 }
279 }
280
281 if (range.isValid()) {
282 const clang::SourceManager& source_manager = ast_context.getSourceManager();
283 clang::StringRef filename = source_manager.getFilename(range.getBegin());
284 unsigned line_begin =
285 source_manager.getSpellingLineNumber(range.getBegin());
286 unsigned col_begin =
287 source_manager.getSpellingColumnNumber(range.getBegin());
288 unsigned line_end = source_manager.getSpellingLineNumber(range.getEnd());
289 unsigned col_end = source_manager.getSpellingColumnNumber(range.getEnd());
290
291 absl::StrAppendFormat(&label, "<tr><td>%s:%u:%u-%u:%u</td></tr>",
292 EscapeHtmlChars(filename.str()), line_begin,
293 col_begin, line_end, col_end);
294
295 absl::StrAppendFormat(
296 &label, "<tr><td>%s</td></tr>",
297 EscapeHtmlChars(clang::Lexer::getSourceText(
298 clang::CharSourceRange::getTokenRange(range),
299 source_manager, ast_context.getLangOpts())
300 .str()));
301 }
302
303 return absl::StrFormat("<<table border=\"0\">%s</table>>", label);
304}
305
306std::string CreateCfgDot(
307 const clang::CFG& cfg, const clang::ASTContext& ast_context,
Googlerbad70522023-01-31 04:37:38 -0800308 const std::vector<
309 std::optional<clang::dataflow::DataflowAnalysisState<LifetimeLattice>>>&
Luca Versari99fddff2022-05-25 10:22:32 -0700310 block_to_output_state,
311 const ObjectRepository& object_repository) {
312 std::string result = "digraph d {\ncompound=true;\nedge [minlen=2];\n";
313
314 for (const clang::CFGBlock* block : cfg) {
315 unsigned id = block->getBlockID();
316
317 absl::StrAppendFormat(&result, "subgraph cluster%u {\n", id);
318
319 absl::StrAppendFormat(&result, "label=%s;\n",
320 CfgBlockLabel(block, cfg, ast_context));
321
322 absl::StrAppend(&result, "{\nrank=source;\n");
323 absl::StrAppendFormat(
324 &result,
325 "B%usource [style=\"invis\",width=0,height=0,fixedsize=true];\n", id);
326 absl::StrAppend(&result, "}\n");
327 absl::StrAppend(&result, "{\nrank=sink;\n");
328 absl::StrAppendFormat(
329 &result, "B%usink [style=\"invis\",width=0,height=0,fixedsize=true];\n",
330 id);
331 absl::StrAppend(&result, "}\n");
332
Fangrui Song3e1289b2023-06-26 14:52:01 -0700333 const auto& block_state = block_to_output_state[id];
Luca Versari99fddff2022-05-25 10:22:32 -0700334 if (block_state) {
335 auto lattice = block_state->Lattice;
336 if (!lattice.IsError()) {
337 absl::StrAppend(&result,
338 PointsToEdgesDot(object_repository, lattice.PointsTo(),
339 absl::StrCat("B", id, "_")));
Luca Versarie06f94b2022-09-02 02:44:06 -0700340 absl::StrAppend(&result, ConstraintsEdgesDot(
341 object_repository, lattice.Constraints(),
342 absl::StrCat("B", id, "_cstr_")));
Luca Versari99fddff2022-05-25 10:22:32 -0700343 }
344 }
345
346 absl::StrAppend(&result, "}\n");
347 }
348
349 for (const clang::CFGBlock* block : cfg) {
Kinuko Yasuda45fd4be2023-05-03 02:11:57 -0700350 if (!block) continue;
351 for (const auto& succ : block->succs()) {
352 if (!succ.isReachable()) continue;
Luca Versari99fddff2022-05-25 10:22:32 -0700353 absl::StrAppendFormat(
354 &result,
355 "B%1$usink -> B%2$usource [ltail=cluster%1$u,lhead=cluster%2$u];\n",
356 block->getBlockID(), succ->getBlockID());
357 }
358 }
359
360 absl::StrAppend(&result, "}");
361
362 return result;
363}
364
Luca Versari99fddff2022-05-25 10:22:32 -0700365// TODO(veluca): this really ought to happen in the dataflow framework/CFG, but
366// at the moment only the *expressions* in initializers get added, not
367// initialization itself.
Luca Versari1f9fc2e2022-08-17 07:06:00 -0700368void ExtendPointsToMapAndConstraintsWithInitializers(
Luca Versari99fddff2022-05-25 10:22:32 -0700369 const clang::CXXConstructorDecl* constructor,
Luca Versari1f9fc2e2022-08-17 07:06:00 -0700370 const ObjectRepository& object_repository, PointsToMap& points_to_map,
371 LifetimeConstraints& constraints) {
Luca Versari99fddff2022-05-25 10:22:32 -0700372 auto this_object = object_repository.GetThisObject();
373 if (!this_object.has_value()) {
374 assert(false);
375 return;
376 }
377 for (const auto* init : constructor->inits()) {
378 if (!init->isAnyMemberInitializer()) continue;
379 const clang::FieldDecl* field = init->getMember();
380 const auto* init_expr = init->getInit();
381 if (clang::isa<clang::CXXDefaultInitExpr>(init_expr)) {
382 init_expr = field->getInClassInitializer();
383 }
384 if (!IsInitExprInitializingARecordObject(init_expr)) {
385 TransferInitializer(
Martin Brænne1b98ac62022-07-01 06:24:52 -0700386 object_repository.GetFieldObject(this_object.value(), field),
Luca Versariefeaf272023-01-16 10:19:28 -0800387 field->getType(), object_repository, init_expr,
388 TargetPointeeBehavior::kKeep, points_to_map, constraints);
Luca Versari99fddff2022-05-25 10:22:32 -0700389 }
390 }
391}
392
Luca Versari7f2929c2023-01-16 10:15:54 -0800393llvm::Error ConstrainLifetimes(FunctionLifetimes& base,
394 const FunctionLifetimes& constraining) {
395 auto constraints =
396 LifetimeConstraints::ForCallableSubstitution(base, constraining);
397 return constraints.ApplyToFunctionLifetimes(base);
Luca Versari99fddff2022-05-25 10:22:32 -0700398}
399
400struct FunctionAnalysis {
401 ObjectRepository object_repository;
402 PointsToMap points_to_map;
Luca Versari1f9fc2e2022-08-17 07:06:00 -0700403 LifetimeConstraints constraints;
Luca Versari99fddff2022-05-25 10:22:32 -0700404 LifetimeSubstitutions subst;
405};
406
Martin Brænne239a2212022-06-30 07:07:27 -0700407const CXXConstructorDecl* GetDefaultConstructor(const CXXRecordDecl* record) {
408 for (const CXXConstructorDecl* ctor : record->ctors()) {
409 if (ctor->isDefaultConstructor()) {
410 return ctor;
411 }
412 }
413 return nullptr;
414}
415
416llvm::Error TransferDefaultConstructor(
Martin Brænne565b8eb2022-07-01 06:11:06 -0700417 const clang::CXXConstructorDecl* default_ctor, const Object* this_object,
Martin Brænne239a2212022-06-30 07:07:27 -0700418 ObjectRepository& object_repository, PointsToMap& points_to_map,
Luca Versari53a2f582023-01-16 10:09:29 -0800419 LifetimeConstraints& constraints, ObjectSet& single_valued_objects,
Martin Brænne239a2212022-06-30 07:07:27 -0700420 const llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>&
421 callee_lifetimes) {
422 assert(callee_lifetimes.count(default_ctor->getCanonicalDecl()));
423
424 const FunctionLifetimesOrError& ctor_lifetimes_or_error =
425 callee_lifetimes.lookup(default_ctor->getCanonicalDecl());
426 if (!std::holds_alternative<FunctionLifetimes>(ctor_lifetimes_or_error)) {
427 return llvm::createStringError(
428 llvm::inconvertibleErrorCode(),
429 absl::StrCat("No lifetimes for constructor ",
430 default_ctor->getNameAsString()));
431 }
432 const FunctionLifetimes& ctor_lifetimes =
433 std::get<FunctionLifetimes>(ctor_lifetimes_or_error);
434
Luca Versariefeaf272023-01-16 10:19:28 -0800435 // Similar to handling of constructor calls; however, this is simpler because
436 // there is only the "this" argument (as this is the default constructor).
437 // Moreover, since we don't run dataflow, we create the objects on the fly.
438 clang::QualType this_type = default_ctor->getThisType();
439 // "object" for the `this` pointer itself.
Luca Versaria12c9d52023-02-23 08:40:48 -0800440 const Object* placeholder_this_ptr_object = object_repository.CreateObject(
441 ObjectLifetimes(Lifetime::CreateVariable(),
442 ctor_lifetimes.GetThisLifetimes()),
443 points_to_map);
Luca Versariefeaf272023-01-16 10:19:28 -0800444 HandlePointsToSetExtension({placeholder_this_ptr_object}, {this_object},
445 this_type, object_repository, points_to_map,
446 constraints);
Martin Brænne239a2212022-06-30 07:07:27 -0700447 return llvm::Error::success();
448}
449
450llvm::Error AnalyzeDefaultedDefaultConstructor(
451 const clang::CXXConstructorDecl* ctor,
452 const llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>&
453 callee_lifetimes,
Luca Versari187176a2022-09-02 02:42:23 -0700454 ObjectRepository& object_repository, PointsToMap& points_to_map,
Luca Versari53a2f582023-01-16 10:09:29 -0800455 LifetimeConstraints& constraints, ObjectSet& single_valued_objects) {
Martin Brænne239a2212022-06-30 07:07:27 -0700456 assert(ctor->isDefaulted() && ctor->isDefaultConstructor());
457
Martin Brænned7c0d0b2022-07-01 05:43:00 -0700458 std::optional<const Object*> this_object_maybe =
459 object_repository.GetThisObject();
Martin Brænne239a2212022-06-30 07:07:27 -0700460 if (!this_object_maybe.has_value()) {
461 llvm::report_fatal_error("didn't find `this` object for constructor");
462 }
Martin Brænned7c0d0b2022-07-01 05:43:00 -0700463 const Object* this_object = *this_object_maybe;
Martin Brænne239a2212022-06-30 07:07:27 -0700464
465 const clang::CXXRecordDecl* record = ctor->getParent();
466 for (const CXXBaseSpecifier& base : record->bases()) {
467 if (const clang::CXXRecordDecl* base_record =
468 base.getType()->getAsCXXRecordDecl()) {
469 if (const clang::CXXConstructorDecl* base_ctor =
470 GetDefaultConstructor(base_record)) {
Martin Brænnee08ac882022-07-01 02:24:49 -0700471 const Object* base_this_object =
Martin Brænne1b98ac62022-07-01 06:24:52 -0700472 object_repository.GetBaseClassObject(this_object, base.getType());
Martin Brænne239a2212022-06-30 07:07:27 -0700473 if (llvm::Error err = TransferDefaultConstructor(
Martin Brænne565b8eb2022-07-01 06:11:06 -0700474 base_ctor, base_this_object, object_repository, points_to_map,
Luca Versari53a2f582023-01-16 10:09:29 -0800475 constraints, single_valued_objects, callee_lifetimes)) {
Martin Brænne239a2212022-06-30 07:07:27 -0700476 return err;
477 }
478 }
479 }
480 }
481 for (const clang::FieldDecl* field : record->fields()) {
482 if (const clang::CXXRecordDecl* field_record =
483 field->getType()->getAsCXXRecordDecl()) {
484 if (const clang::CXXConstructorDecl* field_ctor =
485 GetDefaultConstructor(field_record)) {
Martin Brænne46f1a572022-07-01 02:07:07 -0700486 const Object* field_this_object =
Martin Brænne1b98ac62022-07-01 06:24:52 -0700487 object_repository.GetFieldObject(this_object, field);
Martin Brænne239a2212022-06-30 07:07:27 -0700488 if (llvm::Error err = TransferDefaultConstructor(
Martin Brænne565b8eb2022-07-01 06:11:06 -0700489 field_ctor, field_this_object, object_repository, points_to_map,
Luca Versari53a2f582023-01-16 10:09:29 -0800490 constraints, single_valued_objects, callee_lifetimes)) {
Martin Brænne239a2212022-06-30 07:07:27 -0700491 return err;
492 }
493 }
494 }
495 }
496
497 return llvm::Error::success();
498}
499
Martin Brænne7438ce12022-06-30 06:24:24 -0700500llvm::Error AnalyzeDefaultedFunction(
Luca Versari99fddff2022-05-25 10:22:32 -0700501 const clang::FunctionDecl* func,
502 const llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>&
Martin Brænne239a2212022-06-30 07:07:27 -0700503 callee_lifetimes,
Luca Versari187176a2022-09-02 02:42:23 -0700504 ObjectRepository& object_repository, PointsToMap& points_to_map,
Luca Versari53a2f582023-01-16 10:09:29 -0800505 LifetimeConstraints& constraints, ObjectSet& single_valued_objects) {
Luca Versari99fddff2022-05-25 10:22:32 -0700506 assert(func->isDefaulted());
507
508 // TODO(b/230693710): Add complete support for defaulted functions.
509
510 if (const auto* ctor = clang::dyn_cast<clang::CXXConstructorDecl>(func)) {
511 if (ctor->isDefaultConstructor()) {
Luca Versari53a2f582023-01-16 10:09:29 -0800512 return AnalyzeDefaultedDefaultConstructor(
513 ctor, callee_lifetimes, object_repository, points_to_map, constraints,
514 single_valued_objects);
Luca Versari99fddff2022-05-25 10:22:32 -0700515 }
516 }
517
518 return llvm::createStringError(llvm::inconvertibleErrorCode(),
519 "unsupported type of defaulted function");
520}
521
Martin Brænne7438ce12022-06-30 06:24:24 -0700522llvm::Error AnalyzeFunctionBody(
Luca Versari99fddff2022-05-25 10:22:32 -0700523 const clang::FunctionDecl* func,
524 const llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>&
525 callee_lifetimes,
Martin Brænne7438ce12022-06-30 06:24:24 -0700526 const DiagnosticReporter& diag_reporter,
527 ObjectRepository& object_repository, PointsToMap& points_to_map,
Luca Versari1f9fc2e2022-08-17 07:06:00 -0700528 LifetimeConstraints& constraints, std::string* cfg_dot) {
Martin Brænne43b36692023-05-31 02:59:32 -0700529 auto cfctx = clang::dataflow::ControlFlowContext::build(*func);
Luca Versari99fddff2022-05-25 10:22:32 -0700530 if (!cfctx) return cfctx.takeError();
531
532 clang::dataflow::DataflowAnalysisContext analysis_context(
533 std::make_unique<clang::dataflow::WatchedLiteralsSolver>());
534 clang::dataflow::Environment environment(analysis_context);
535
Luca Versari99fddff2022-05-25 10:22:32 -0700536 LifetimeAnalysis analysis(func, object_repository, callee_lifetimes,
537 diag_reporter);
538
539 llvm::Expected<std::vector<
Googlerbad70522023-01-31 04:37:38 -0800540 std::optional<clang::dataflow::DataflowAnalysisState<LifetimeLattice>>>>
Luca Versari99fddff2022-05-25 10:22:32 -0700541 maybe_block_to_output_state =
542 clang::dataflow::runDataflowAnalysis(*cfctx, analysis, environment);
543 if (!maybe_block_to_output_state) {
544 return maybe_block_to_output_state.takeError();
545 }
546 auto& block_to_output_state = *maybe_block_to_output_state;
547
Fangrui Song3e1289b2023-06-26 14:52:01 -0700548 const auto& exit_block_state =
549 block_to_output_state[cfctx->getCFG().getExit().getBlockID()];
Dmitri Gribenko57ddcf92022-07-20 10:24:33 -0700550 if (!exit_block_state.has_value()) {
Luca Versari99fddff2022-05-25 10:22:32 -0700551 assert(false);
552 return llvm::createStringError(
553 llvm::inconvertibleErrorCode(),
554 absl::StrCat("CFG exit block for '", func->getNameAsString(),
555 "' unexpectedly does not exist"));
556 }
557
Dmitri Gribenko57ddcf92022-07-20 10:24:33 -0700558 auto exit_lattice = exit_block_state->Lattice;
Luca Versari99fddff2022-05-25 10:22:32 -0700559 if (exit_lattice.IsError()) {
560 return llvm::createStringError(llvm::inconvertibleErrorCode(),
561 exit_lattice.Error());
562 }
563
Martin Brænne7438ce12022-06-30 06:24:24 -0700564 points_to_map = exit_lattice.PointsTo();
Luca Versari91a56ff2022-08-22 01:58:33 -0700565 constraints = exit_lattice.Constraints();
Luca Versari99fddff2022-05-25 10:22:32 -0700566
567 // Adding initializers to the PointsToMap *before* dataflow analysis is
568 // problematic because the expressions do not have a lifetime yet in the map
569 // itself.
570 // However, member access in a struct does not ever produce lifetimes that
571 // depend on what those members are initialized to - lifetimes of members
572 // (or things that members point to) are either the same as the lifetime of
573 // this, or a lifetime parameter of the struct, so processing initializers
574 // afterwards is correct.
575 if (auto* constructor = clang::dyn_cast<clang::CXXConstructorDecl>(func)) {
Luca Versari1f9fc2e2022-08-17 07:06:00 -0700576 ExtendPointsToMapAndConstraintsWithInitializers(
577 constructor, object_repository, points_to_map, constraints);
Luca Versari99fddff2022-05-25 10:22:32 -0700578 }
579
Luca Versarie04717b2022-09-16 02:05:25 -0700580 // Extend the constraint set with constraints of the form "'a >= 'static" for
581 // every object that is (transitively) reachable from a 'static object.
582 std::vector<const Object*> stack =
583 points_to_map.GetAllPointersWithLifetime(Lifetime::Static());
584 llvm::DenseSet<const Object*> visited;
585 while (!stack.empty()) {
586 const Object* obj = stack.back();
587 stack.pop_back();
588 if (visited.contains(obj)) {
589 continue;
590 }
591 visited.insert(obj);
592 constraints.AddOutlivesConstraint(Lifetime::Static(), obj->GetLifetime());
593 for (auto pointee : points_to_map.GetPointerPointsToSet(obj)) {
594 stack.push_back(pointee);
595 }
596 }
597
Martin Brænne7438ce12022-06-30 06:24:24 -0700598 if (cfg_dot) {
599 *cfg_dot = CreateCfgDot(cfctx->getCFG(), func->getASTContext(),
600 block_to_output_state, object_repository);
601 }
602
603 return llvm::Error::success();
604}
605
606llvm::Expected<FunctionAnalysis> AnalyzeSingleFunction(
607 const clang::FunctionDecl* func,
Luca Versaria12c9d52023-02-23 08:40:48 -0800608 const FunctionLifetimesMap& callee_lifetimes,
Martin Brænne7438ce12022-06-30 06:24:24 -0700609 const DiagnosticReporter& diag_reporter, FunctionDebugInfoMap* debug_info) {
Luca Versaria12c9d52023-02-23 08:40:48 -0800610 llvm::Expected<ObjectRepository> object_repository =
611 ObjectRepository::Create(func, callee_lifetimes);
612 if (auto err = object_repository.takeError()) {
Lukasz Anforowiczb8ac1602023-05-02 08:42:09 -0700613 return std::move(err);
Luca Versaria12c9d52023-02-23 08:40:48 -0800614 }
615 FunctionAnalysis analysis{.object_repository = std::move(*object_repository)};
Martin Brænne7438ce12022-06-30 06:24:24 -0700616
617 const auto* cxxmethod = clang::dyn_cast<clang::CXXMethodDecl>(func);
618 if (cxxmethod && cxxmethod->isPure()) {
619 return analysis;
620 }
621
622 func = func->getDefinition();
623 assert(func != nullptr);
624
Martin Brænne239a2212022-06-30 07:07:27 -0700625 // Unconditionally use our custom logic to analyze defaulted functions, even
626 // if they happen to have a body (because something caused Sema to create a
627 // body for them). We don't want the code path for defaulted functions to
628 // change based on whether a body happened to be created for them, and we
629 // want to make sure we always exercise our logic for defaulted functions in
630 // tests.
631 // TODO(b/230693710): We currently only support analyzing defaulted default
632 // constructors, so for other defaulted functions, we currently fall back to
633 // AnalyzeFunctionBody() (if they do have a body).
634 const auto* ctor = clang::dyn_cast<clang::CXXConstructorDecl>(func);
635 bool can_analyze_defaulted_func =
636 ctor != nullptr && ctor->isDefaultConstructor();
637 if (func->isDefaulted() && can_analyze_defaulted_func) {
Luca Versari53a2f582023-01-16 10:09:29 -0800638 // Single-valued objects are only used during the analysis itself, so no
639 // need to keep track of them past this point.
640 ObjectSet single_valued_objects =
641 analysis.object_repository.InitialSingleValuedObjects();
Luca Versari187176a2022-09-02 02:42:23 -0700642 if (llvm::Error err = AnalyzeDefaultedFunction(
643 func, callee_lifetimes, analysis.object_repository,
Luca Versari53a2f582023-01-16 10:09:29 -0800644 analysis.points_to_map, analysis.constraints,
645 single_valued_objects)) {
Martin Brænne239a2212022-06-30 07:07:27 -0700646 return std::move(err);
647 }
648 } else if (func->getBody()) {
Martin Brænne7438ce12022-06-30 06:24:24 -0700649 std::string* cfg_dot = debug_info ? &(*debug_info)[func].cfg_dot : nullptr;
650 if (llvm::Error err = AnalyzeFunctionBody(
651 func, callee_lifetimes, diag_reporter, analysis.object_repository,
Luca Versari1f9fc2e2022-08-17 07:06:00 -0700652 analysis.points_to_map, analysis.constraints, cfg_dot)) {
Martin Brænne7438ce12022-06-30 06:24:24 -0700653 return std::move(err);
654 }
655 } else {
Martin Brænne239a2212022-06-30 07:07:27 -0700656 return llvm::createStringError(llvm::inconvertibleErrorCode(),
657 "Declaration-only!");
Martin Brænne7438ce12022-06-30 06:24:24 -0700658 }
659
Luca Versari99fddff2022-05-25 10:22:32 -0700660 if (debug_info) {
661 std::string ast;
662 llvm::raw_string_ostream os(ast);
663 func->dump(os);
664 os.flush();
665 (*debug_info)[func].ast = std::move(ast);
Martin Brænne7438ce12022-06-30 06:24:24 -0700666 (*debug_info)[func].object_repository =
667 analysis.object_repository.DebugString();
Luca Versari99fddff2022-05-25 10:22:32 -0700668 (*debug_info)[func].points_to_map_dot =
Martin Brænne7438ce12022-06-30 06:24:24 -0700669 PointsToGraphDot(analysis.object_repository, analysis.points_to_map);
Luca Versarie06f94b2022-09-02 02:44:06 -0700670 (*debug_info)[func].constraints_dot =
671 ConstraintsDot(analysis.object_repository, analysis.constraints);
Luca Versari99fddff2022-05-25 10:22:32 -0700672 }
673
Martin Brænne7438ce12022-06-30 06:24:24 -0700674 if (llvm::Error err =
675 PropagateStaticToPointees(analysis.subst, analysis.points_to_map)) {
Martin Brænneb9a5e0f2022-06-30 02:08:45 -0700676 return std::move(err);
677 }
Luca Versari99fddff2022-05-25 10:22:32 -0700678
Martin Brænne7438ce12022-06-30 06:24:24 -0700679 return analysis;
Luca Versari99fddff2022-05-25 10:22:32 -0700680}
681
682llvm::Error DiagnoseReturnLocal(const clang::FunctionDecl* func,
683 const FunctionLifetimes& lifetimes,
684 const DiagnosticReporter& diag_reporter) {
685 auto contains_local = [](const ValueLifetimes& lifetimes) {
686 return lifetimes.HasAny(&Lifetime::IsLocal);
687 };
688
689 for (unsigned i = 0; i < func->getNumParams(); ++i) {
690 const clang::ParmVarDecl* param = func->getParamDecl(i);
691 if (contains_local(lifetimes.GetParamLifetimes(i))) {
692 std::string error_msg = absl::StrFormat(
693 "function returns reference to a local through parameter '%s'",
694 param->getNameAsString());
695 diag_reporter(param->getBeginLoc(), error_msg,
696 clang::DiagnosticIDs::Error);
697 return llvm::createStringError(llvm::inconvertibleErrorCode(), error_msg);
698 }
699 }
700
701 if (const auto* method = clang::dyn_cast<clang::CXXMethodDecl>(func);
702 method && !method->isStatic() &&
703 contains_local(lifetimes.GetThisLifetimes())) {
704 std::string error_msg =
705 "function returns reference to a local through 'this'";
706 diag_reporter(func->getBeginLoc(), error_msg, clang::DiagnosticIDs::Error);
707 return llvm::createStringError(llvm::inconvertibleErrorCode(), error_msg);
708 }
709
710 if (contains_local(lifetimes.GetReturnLifetimes())) {
711 std::string error_msg = "function returns reference to a local";
712 diag_reporter(func->getBeginLoc(), error_msg, clang::DiagnosticIDs::Error);
713 return llvm::createStringError(llvm::inconvertibleErrorCode(), error_msg);
714 }
715
716 return llvm::Error::success();
717}
718
719// Constructs the FunctionLifetimes for a function, given a PointsToMap,
720// ObjectRepository, and LifetimeSubstitutions that have been built from the
721// function's body, which would include the function's parameters. It's also
722// possible to call this function with an empty inputs in order to generate
723// a FunctionLifetimes that matches the function's signature but without any
Luca Versari1f9fc2e2022-08-17 07:06:00 -0700724// constraints (i.e. each lifetime that appears would be independent).
Luca Versari99fddff2022-05-25 10:22:32 -0700725llvm::Expected<FunctionLifetimes> ConstructFunctionLifetimes(
726 const clang::FunctionDecl* func, FunctionAnalysis analysis,
727 const DiagnosticReporter& diag_reporter) {
728 if (func->getDefinition()) {
729 func = func->getDefinition();
730 } else {
731 // This can happen only when `func` is a pure virtual method.
732 const auto* cxxmethod = clang::dyn_cast<clang::CXXMethodDecl>(func);
733 assert(cxxmethod && cxxmethod->isPure());
734 // Pure virtual member functions can only ever have a single declaration,
735 // so we know we're already looking at the canonical declaration.
736 if (++cxxmethod->redecls_begin() != cxxmethod->redecls_end()) {
737 assert(false);
738 func = func->getCanonicalDecl();
739 }
740 }
741
Luca Versari1f9fc2e2022-08-17 07:06:00 -0700742 auto& [object_repository, points_to_map, constraints, subst] = analysis;
Luca Versari99fddff2022-05-25 10:22:32 -0700743
Luca Versari91a56ff2022-08-22 01:58:33 -0700744 FunctionLifetimes result;
Luca Versari99fddff2022-05-25 10:22:32 -0700745
Luca Versarid1b2e692023-01-18 13:07:25 -0800746 result = object_repository.GetOriginalFunctionLifetimes();
747 if (llvm::Error err = constraints.ApplyToFunctionLifetimes(result)) {
748 return std::move(err);
Luca Versari99fddff2022-05-25 10:22:32 -0700749 }
750
Luca Versari99fddff2022-05-25 10:22:32 -0700751 if (llvm::Error err = DiagnoseReturnLocal(func, result, diag_reporter)) {
752 return std::move(err);
753 }
754
755 return result;
756}
757
758llvm::Expected<llvm::DenseSet<const clang::FunctionDecl*>>
759GetDefaultedFunctionCallees(const clang::FunctionDecl* func) {
760 assert(func->isDefaulted());
761
762 // TODO(b/230693710): Add complete support for defaulted functions.
763
764 if (const auto* ctor = clang::dyn_cast<clang::CXXConstructorDecl>(func)) {
765 if (ctor->isDefaultConstructor()) {
Martin Brænne239a2212022-06-30 07:07:27 -0700766 llvm::DenseSet<const clang::FunctionDecl*> callees;
Luca Versari99fddff2022-05-25 10:22:32 -0700767 const clang::CXXRecordDecl* record = ctor->getParent();
Martin Brænne239a2212022-06-30 07:07:27 -0700768 for (const CXXBaseSpecifier& base : record->bases()) {
769 if (const clang::CXXRecordDecl* base_record =
770 base.getType()->getAsCXXRecordDecl()) {
771 if (const clang::CXXConstructorDecl* base_ctor =
772 GetDefaultConstructor(base_record)) {
773 callees.insert(base_ctor);
774 }
775 }
Luca Versari99fddff2022-05-25 10:22:32 -0700776 }
Martin Brænne239a2212022-06-30 07:07:27 -0700777 for (const clang::FieldDecl* field : record->fields()) {
778 if (const clang::CXXRecordDecl* field_record =
779 field->getType()->getAsCXXRecordDecl()) {
780 if (const clang::CXXConstructorDecl* field_ctor =
781 GetDefaultConstructor(field_record)) {
782 callees.insert(field_ctor);
783 }
784 }
785 }
786 return callees;
Luca Versari99fddff2022-05-25 10:22:32 -0700787 }
788 }
789
790 return llvm::createStringError(llvm::inconvertibleErrorCode(),
791 "unsupported type of defaulted function");
792}
793
794llvm::Expected<llvm::DenseSet<const clang::FunctionDecl*>> GetCallees(
795 const clang::FunctionDecl* func) {
796 using clang::ast_matchers::anyOf;
797 using clang::ast_matchers::cxxConstructExpr;
798 using clang::ast_matchers::declRefExpr;
799 using clang::ast_matchers::expr;
800 using clang::ast_matchers::findAll;
801 using clang::ast_matchers::functionDecl;
802 using clang::ast_matchers::hasDeclaration;
803 using clang::ast_matchers::match;
804 using clang::ast_matchers::memberExpr;
805 using clang::ast_matchers::to;
806
807 func = func->getDefinition();
808
809 if (!func) return llvm::DenseSet<const clang::FunctionDecl*>();
810
811 const clang::Stmt* body = func->getBody();
812 if (!body) {
813 // TODO(b/230693710): Do this unconditionally for defaulted functions, even
814 // if they happen to have a body (because something caused Sema to create a
815 // body for them). We can't do this yet because we don't have full support
816 // for defaulted functions yet, so we would break tests where we happen to
817 // have a body for the defaulted function today.
818 if (func->isDefaulted()) {
819 return GetDefaultedFunctionCallees(func);
820 }
821
822 return llvm::createStringError(llvm::inconvertibleErrorCode(),
823 "Declaration-only!");
824 }
825
826 llvm::SmallVector<const clang::Stmt*> body_parts;
827
828 body_parts.push_back(body);
829
830 if (const auto* constructor =
831 clang::dyn_cast<clang::CXXConstructorDecl>(func)) {
832 for (const auto* init : constructor->inits()) {
833 body_parts.push_back(init->getInit());
834 }
835 }
836
837 llvm::DenseSet<const clang::FunctionDecl*> callees;
838 for (const auto& body_part : body_parts) {
839 for (const auto& node : match(
840 findAll(expr(anyOf(
841 declRefExpr(to(functionDecl().bind("function"))),
842 memberExpr(hasDeclaration(functionDecl().bind("function")))))),
843 *body_part, func->getASTContext())) {
844 const auto* fn = node.getNodeAs<clang::FunctionDecl>("function");
845 callees.insert(fn->getCanonicalDecl());
846 }
847 for (const auto& node :
848 match(findAll(cxxConstructExpr().bind("cxx_construct")), *body_part,
849 func->getASTContext())) {
850 const auto* ctor_exp =
851 node.getNodeAs<clang::CXXConstructExpr>("cxx_construct");
852 if (auto ctor = ctor_exp->getConstructor()) {
853 callees.insert(ctor);
854 }
855 }
856 }
857
858 return std::move(callees);
859}
860
861// Looks for `func` in the `visited_call_stack`. If found it marks `func` and
862// each function that came after it as being part of the cycle. This marking is
863// stored in the `VisitedCallStackEntry`.
864bool FindAndMarkCycleWithFunc(
865 llvm::SmallVectorImpl<VisitedCallStackEntry>& visited_call_stack,
866 const clang::FunctionDecl* func) {
867 // We look for recursive cycles in a simple (but potentially slow for huge
868 // call graphs) way. If we reach a function that is already on the call stack
869 // (i.e. in `visited`), we declare `func`, and every other function after
870 // where `func` was seen in `visited` as being part of a cycle. Then a cycle
871 // graph is a contiguous set of functions in the `visited` call stack that are
872 // marked as being in a cycle.
873 bool found_cycle = false;
874 for (size_t i = visited_call_stack.size(); i > 0; --i) {
875 const auto& stack_entry = visited_call_stack[i - 1];
876 if (stack_entry.func == func) {
877 found_cycle = true;
878 for (; i <= visited_call_stack.size(); ++i) {
879 auto& mut_stack_entry = visited_call_stack[i - 1];
880 mut_stack_entry.in_cycle = true;
881 }
882 break;
883 }
884 }
885 return found_cycle;
886}
887
888llvm::SmallVector<const clang::FunctionDecl*> GetAllFunctionDefinitions(
889 const clang::TranslationUnitDecl* tu) {
890 using clang::ast_matchers::findAll;
891 using clang::ast_matchers::functionDecl;
892 using clang::ast_matchers::hasBody;
893 using clang::ast_matchers::isDefinition;
894 using clang::ast_matchers::match;
895 using clang::ast_matchers::stmt;
896
897 llvm::SmallVector<const clang::FunctionDecl*> functions;
898
899 // For now we specify 'hasBody' to skip functions that don't have a body and
900 // are not called. TODO(veluca): a function might be used in other ways.
901 for (const auto& node : match(
902 findAll(functionDecl(isDefinition(), hasBody(stmt())).bind("func")),
903 tu->getASTContext())) {
904 const auto* func = node.getNodeAs<clang::FunctionDecl>("func");
905 assert(func);
906 functions.push_back(func);
907 }
908
909 return functions;
910}
911
912BaseToOverrides BuildBaseToOverrides(const clang::TranslationUnitDecl* tu) {
913 BaseToOverrides base_to_overrides;
914 for (const clang::FunctionDecl* f : GetAllFunctionDefinitions(tu)) {
915 auto* func = clang::dyn_cast<clang::CXXMethodDecl>(f);
916 if (!func) continue;
917 func = func->getCanonicalDecl();
918 if (!func->isVirtual()) continue;
919 for (const auto* base : func->overridden_methods()) {
920 base_to_overrides[base->getCanonicalDecl()].insert(func);
921 }
922 }
923 return base_to_overrides;
924}
925
926void GetBaseMethods(const clang::CXXMethodDecl* cxxmethod,
927 llvm::DenseSet<const clang::CXXMethodDecl*>& bases) {
928 if (cxxmethod->size_overridden_methods() == 0) {
929 // TODO(kinuko): It is not fully clear if one method may ever have multiple
930 // base methods. If not this can simply return a single CXXMethodDecl rathr
931 // than a set.
932 bases.insert(cxxmethod);
933 return;
934 }
935 for (const auto* base : cxxmethod->overridden_methods()) {
936 // Each method's overridden_methods() only returns an immediate base but not
937 // ancestors of further than that, so recursively call it.
938 GetBaseMethods(base, bases);
939 }
940}
941
942std::optional<FunctionLifetimes> GetFunctionLifetimesFromAnalyzed(
943 const clang::FunctionDecl* canonical_func,
944 const llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>&
945 analyzed) {
946 auto found = analyzed.find(canonical_func);
947 if (found == analyzed.end()) return std::nullopt;
948 auto* lifetimes = std::get_if<FunctionLifetimes>(&found->second);
949 if (!lifetimes) return std::nullopt;
950 return *lifetimes;
951}
952
953// Update the function lifetimes of `func` with its immediate `overrides` so
954// that the lifetimes of the base method will become least permissive. The
955// updates will be reflected from the base to its final overrides as this is
956// recursively called.
Luca Versari7f2929c2023-01-16 10:15:54 -0800957llvm::Error UpdateFunctionLifetimesWithOverrides(
Luca Versari99fddff2022-05-25 10:22:32 -0700958 const clang::FunctionDecl* func,
959 llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>&
960 analyzed,
961 const llvm::SmallPtrSet<const clang::CXXMethodDecl*, 2>& overrides) {
962 const auto* canonical = func->getCanonicalDecl();
963 const auto* method = clang::dyn_cast<clang::CXXMethodDecl>(func);
964 assert(method != nullptr);
965 assert(method->isVirtual());
966 static_cast<void>(method);
967
968 auto opt_lifetimes = GetFunctionLifetimesFromAnalyzed(canonical, analyzed);
Luca Versari7f2929c2023-01-16 10:15:54 -0800969 if (!opt_lifetimes) return llvm::Error::success();
Luca Versari99fddff2022-05-25 10:22:32 -0700970 FunctionLifetimes base_lifetimes = *opt_lifetimes;
971
972 assert(base_lifetimes.IsValidForDecl(func));
973
974 for (const auto* overriding : overrides) {
975 if (overriding->getNumParams() != func->getNumParams()) {
976 llvm::errs() << "Param number mismatches between "
977 << method->getParent()->getNameAsString() << " and "
978 << overriding->getParent()->getNameAsString() << "\n";
979 func->dump();
980 overriding->dump();
Luca Versari7f2929c2023-01-16 10:15:54 -0800981 return llvm::createStringError(
982 llvm::inconvertibleErrorCode(),
983 absl::StrFormat("Param number mismatches between %s and %s\n",
984 method->getParent()->getNameAsString(),
985 overriding->getParent()->getNameAsString()));
Luca Versari99fddff2022-05-25 10:22:32 -0700986 }
987 auto opt_override_lifetimes = GetFunctionLifetimesFromAnalyzed(
988 overriding->getCanonicalDecl(), analyzed);
989 if (!opt_override_lifetimes) continue;
990 FunctionLifetimes override_lifetimes = *opt_override_lifetimes;
991
Luca Versari7f2929c2023-01-16 10:15:54 -0800992 if (llvm::Error err = ConstrainLifetimes(
993 base_lifetimes, override_lifetimes.ForOverriddenMethod(method))) {
994 return err;
995 }
Luca Versari99fddff2022-05-25 10:22:32 -0700996 }
997 analyzed[canonical] = base_lifetimes;
Luca Versari7f2929c2023-01-16 10:15:54 -0800998 return llvm::Error::success();
Luca Versari99fddff2022-05-25 10:22:32 -0700999}
1000
1001llvm::Error AnalyzeRecursiveFunctions(
Luca Versaria12c9d52023-02-23 08:40:48 -08001002 llvm::ArrayRef<VisitedCallStackEntry> funcs, FunctionLifetimesMap& analyzed,
Luca Versari99fddff2022-05-25 10:22:32 -07001003 const DiagnosticReporter& diag_reporter, FunctionDebugInfoMap* debug_info) {
1004 for (const auto [func, in_cycle, _] : funcs) {
1005 assert(in_cycle);
1006
Luca Versaria12c9d52023-02-23 08:40:48 -08001007 // Construct an initial FunctionLifetimes for each function in the cycle,
Luca Versari99fddff2022-05-25 10:22:32 -07001008 // without doing a dataflow analysis, which would need other functions
1009 // in the cycle to already be analyzed.
Luca Versaria12c9d52023-02-23 08:40:48 -08001010 auto func_lifetimes_result = FunctionLifetimes::CreateForDecl(
1011 func, FunctionLifetimeFactorySingleCallback([](const clang::Expr*) {
1012 return Lifetime::CreateVariable();
1013 }));
Luca Versari99fddff2022-05-25 10:22:32 -07001014 if (!func_lifetimes_result) {
1015 return func_lifetimes_result.takeError();
1016 }
1017 analyzed[func->getCanonicalDecl()] = func_lifetimes_result.get();
1018 }
1019
1020 int64_t expected_iterations = 0;
1021 for (const auto [func, _1, _2] : funcs) {
1022 expected_iterations =
1023 std::max(expected_iterations, int64_t{func->getNumParams()});
1024 }
1025 // Add 1 for the last iteration that sees nothing changed.
1026 expected_iterations += 1;
1027
1028 // Analyze all lifetimes in the cycle repeatedly with dataflow analysis
1029 // until they stabilize.
1030 bool func_lifetimes_changed = true;
1031 for (int64_t count = 0; func_lifetimes_changed; ++count) {
1032 func_lifetimes_changed = false;
1033
1034 if (count > expected_iterations) {
1035 return llvm::createStringError(
1036 llvm::inconvertibleErrorCode(),
1037 absl::StrFormat("Recursive cycle requires more than the expected "
1038 "%u iterations to resolve!",
1039 expected_iterations));
1040 }
1041
1042 for (const auto [func, in_cycle, _] : funcs) {
1043 auto analysis_result =
Martin Brænne7438ce12022-06-30 06:24:24 -07001044 AnalyzeSingleFunction(func, analyzed, diag_reporter, debug_info);
Luca Versari99fddff2022-05-25 10:22:32 -07001045 if (!analysis_result) {
1046 return analysis_result.takeError();
1047 }
1048 auto func_lifetimes_result = ConstructFunctionLifetimes(
1049 func, std::move(analysis_result.get()), diag_reporter);
1050 if (!func_lifetimes_result) {
1051 return func_lifetimes_result.takeError();
1052 }
1053 // TODO(danakj): We can avoid this structural comparison and just do a
1054 // check for equality if AnalyzeSingleFunction would reuse Lifetimes
1055 // from the existing FunctionLifetime for its parameters/return/this.
1056 // Currently it makes a new set of Lifetimes each time we do the analyze
1057 // step, but the actual Lifetime ids aren't meaningful, only where and
1058 // how often a given Lifetime repeats is meaningful.
1059 FunctionLifetimesOrError& existing_result =
1060 analyzed[func->getCanonicalDecl()];
1061 if (std::holds_alternative<FunctionLifetimes>(existing_result) &&
1062 !IsIsomorphic(std::get<FunctionLifetimes>(existing_result),
1063 func_lifetimes_result.get())) {
1064 existing_result = func_lifetimes_result.get();
1065 func_lifetimes_changed = true;
1066 }
1067 }
1068 }
1069
1070 return llvm::Error::success();
1071}
1072
1073// The entry point for analyzing a function named by `func`.
1074//
1075// This function is recursive as it searches for and walks through all CallExpr
1076// instances, calling this function again for each function. This is done to
1077// analyze the leaves of the call graph first, so that when analyzing a given
1078// function, all the functions it calls have already been analyzed.
1079//
1080// This function also handles walking through recursive cycles of function
1081// calls. When a cycle is detected, we:
1082// 1. Do not analyze any of the functions until the cycle is fully explored and
1083// we've returned to the entry point to the cycle.
1084// 2. At that point, we generate a FunctionLifetimes for each function in the
1085// cycle, where the lifetimes are all completely disconnected.
1086// 3. Then we analyze each function in the cycle based on those
1087// FunctionLifetimes, connecting lifetimes within the body of each function.
1088// This changes a given function's resulting FunctionLifetimes, which can
1089// affect the callers to it.
1090// 4. Thus we repeat step 3 until we see that the FunctionLifetimes have stopped
1091// changing when we analyze each function in the cycle.
1092void AnalyzeFunctionRecursive(
1093 llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>&
1094 analyzed,
1095 llvm::SmallVectorImpl<VisitedCallStackEntry>& visited,
1096 const clang::FunctionDecl* func,
1097 const LifetimeAnnotationContext& lifetime_context,
1098 const DiagnosticReporter& diag_reporter, FunctionDebugInfoMap* debug_info,
1099 const BaseToOverrides& base_to_overrides) {
1100 // Make sure we're always using the canonical declaration when using the
1101 // function as a key in maps and sets.
1102 func = func->getCanonicalDecl();
1103
1104 // See if we have finished analyzing the function.
1105 bool is_analyzed = analyzed.count(func) > 0;
1106
1107 auto* cxxmethod = clang::dyn_cast<clang::CXXMethodDecl>(func);
1108 bool is_virtual = cxxmethod != nullptr && cxxmethod->isVirtual();
1109 bool is_pure_virtual = is_virtual && cxxmethod->isPure();
1110
1111 if (func->getBuiltinID() != 0) {
1112 return;
1113 }
1114
1115 if (!func->isDefined() && !is_pure_virtual && !is_analyzed) {
1116 FunctionLifetimes annotations;
1117 if (llvm::Error err = GetLifetimeAnnotations(func, lifetime_context)
1118 .moveInto(annotations)) {
1119 analyzed[func] = FunctionAnalysisError(err);
1120 } else {
1121 analyzed[func] = annotations;
1122 }
1123 return;
1124 }
1125
1126 // Check if we're in an overrides traversal for a virtual method.
1127 bool in_overrides_traversal =
1128 visited.empty() ? false : visited.back().in_overrides_traversal;
1129
1130 if (is_analyzed && !in_overrides_traversal) {
1131 // This function is already analyzed and this analysis is not for an
1132 // overrides traversal (where repeated update may happen).
1133 // TODO(kinuko): Avoid repeatedly visit the same virtual methods again and
1134 // again if all the methods in the same overriding chain are already
1135 // analyzed.
1136 return;
1137 }
1138
1139 if (!in_overrides_traversal && FindAndMarkCycleWithFunc(visited, func)) {
1140 // Defer analyzing the cycle until we have fully explored the recursive
1141 // cycle graph.
1142 // This cycle check should exclude in_overrides_traversal case, because the
1143 // traversal can come back to the same function while traversing from its
1144 // overridden base method, e.g. when we see Child::f() we start the analysis
1145 // from its overridden implementation Base::f() and then recursively look
1146 // into its overrides until it reaches its final overrides (and it should
1147 // see Child::f() on its way.
1148
1149 // TODO(kinuko): We may return here when Base::f() calls f() even when
1150 // it has overrides, and if it happens AnalyzeRecursiveFunctions don't
1151 // look into the overrides so the Base::f() lifetime is not updated.
1152 // See DISABLED_FunctionVirtualInheritanceWithComplexRecursion tests.
1153 return;
1154 }
1155
1156 auto maybe_callees = GetCallees(func);
1157 if (!maybe_callees) {
1158 analyzed[func] = FunctionAnalysisError(maybe_callees.takeError());
1159 return;
1160 }
1161
1162 // Keep track of where `func` is found in the call stack. It may not be at the
1163 // top anymore after we return from calling `AnalyzeFunctionRecursive()` if
1164 // `func` is part of a recursive cycle, as we keep all members of the
1165 // recursive cycle in the `visited` stack until we explore the whole graph and
1166 // then analyze it all.
1167 size_t func_in_visited = visited.size();
1168 visited.emplace_back(VisitedCallStackEntry{
1169 .func = func, .in_cycle = false, .in_overrides_traversal = false});
1170
1171 for (auto& callee : maybe_callees.get()) {
1172 if (analyzed.count(callee)) {
1173 continue;
1174 }
1175 AnalyzeFunctionRecursive(analyzed, visited, callee, lifetime_context,
1176 diag_reporter, debug_info, base_to_overrides);
1177 }
1178
1179 llvm::DenseSet<const clang::CXXMethodDecl*> bases;
1180 llvm::SmallPtrSet<const clang::CXXMethodDecl*, 2> overrides;
1181
1182 // This is a virtual method and we want to recursively analyze the inheritance
1183 // chain and update the base methods with their overrides. The base methods
1184 // may be visited and updated repeatedly.
1185 if (is_virtual) {
1186 assert(cxxmethod != nullptr);
1187 visited[func_in_visited].in_overrides_traversal = true;
1188 if (!in_overrides_traversal) {
1189 // If it's a virtual method and we are not yet in an overrides traversal,
1190 // start from the base method.
1191 GetBaseMethods(cxxmethod, bases);
1192 for (const auto* base : bases) {
1193 AnalyzeFunctionRecursive(analyzed, visited, base, lifetime_context,
1194 diag_reporter, debug_info, base_to_overrides);
1195 }
1196 } else {
1197 // We are in an overrides traversal for a virtual method starting from its
1198 // base method. Recursively look into the overrides that this TU knows
1199 // about, so that the base method's analysis result can be updated with
1200 // the overrides (that are discovered in this TU).
1201 auto iter = base_to_overrides.find(cxxmethod->getCanonicalDecl());
1202 if (iter != base_to_overrides.end()) {
1203 overrides = iter->second;
1204 for (const auto* derived : overrides) {
1205 AnalyzeFunctionRecursive(analyzed, visited, derived, lifetime_context,
1206 diag_reporter, debug_info,
1207 base_to_overrides);
1208 }
1209 }
1210 }
1211 visited[func_in_visited].in_overrides_traversal = false;
1212 }
1213
1214 // Recursing through CallExprs should not remove `func` from the stack, though
1215 // there may be more on the stack after `func` if they are all part of a
1216 // recursive cycle graph.
1217 assert(visited[func_in_visited].func == func);
1218 if (func_in_visited < visited.size() - 1) {
1219 for (size_t i = func_in_visited; i < visited.size(); ++i) {
1220 assert(visited[i].in_cycle);
1221 }
1222 }
1223
1224 // Once we return back here, there are 3 possibilities for `func`.
1225 //
1226 // 1. If `func` is part of a cycle, but was not the first entry point of the
1227 // cycle, then we defer analyzing `func` until we get back to the entry
1228 // point. We look for this by seeing if there is another function marked as
1229 // being in a cycle above `func` in the `visited` call stack. Note that we
1230 // will leave `func` in the `visited` call stack when we return so that
1231 // once we get back to the recursive cycle's entry point, we can see all
1232 // the functions that are part of the cycle graph.
1233 // 2. If `func` was not part of a cycle, we can analyze it and expect it to
1234 // have valid FunctionLifetimes already generated for anything it calls.
1235 // 3. Otherwise, we collect the whole cycle (which may be just the `func` if
1236 // it calls itself directly), and we analyze the cycle as a whole.
1237
1238 if (func_in_visited > 0 && visited[func_in_visited].in_cycle &&
1239 visited[func_in_visited - 1].in_cycle) {
1240 // Case 1. In a recursive cycle, but not the entry point.
1241 return;
1242 }
1243 if (!visited[func_in_visited].in_cycle) {
1244 // Case 2. Not part of a cycle.
1245 if (bases.empty()) {
1246 // This function is not where we initiated an overrides traversal from its
1247 // base methods.
1248 auto analysis_result =
Martin Brænne7438ce12022-06-30 06:24:24 -07001249 AnalyzeSingleFunction(func, analyzed, diag_reporter, debug_info);
Luca Versari99fddff2022-05-25 10:22:32 -07001250 if (!analysis_result) {
1251 analyzed[func] = FunctionAnalysisError(analysis_result.takeError());
1252 } else {
1253 auto func_lifetimes_result = ConstructFunctionLifetimes(
1254 func, std::move(analysis_result.get()), diag_reporter);
1255 if (!func_lifetimes_result) {
1256 analyzed[func] =
1257 FunctionAnalysisError(func_lifetimes_result.takeError());
1258 } else {
1259 analyzed[func] = func_lifetimes_result.get();
1260 }
1261 }
1262 } else {
1263 // In this branch we have initiated (and finished) an overrides
1264 // traversal starting with its base method, and the traversal for this
1265 // function must be already done as a part of the overrides traversal.
1266 assert(is_virtual);
1267 assert(analyzed.count(func) > 0);
1268 }
1269 } else {
1270 // Case 3. The entry point to a recursive cycle.
1271 auto funcs_in_cycle =
1272 llvm::ArrayRef<VisitedCallStackEntry>(visited).drop_front(
1273 func_in_visited);
1274 if (llvm::Error err = AnalyzeRecursiveFunctions(
1275 funcs_in_cycle, analyzed, diag_reporter, debug_info)) {
1276 for (const auto [func_in_cycle, _1, _2] : funcs_in_cycle) {
1277 analyzed[func_in_cycle] = FunctionAnalysisError(err);
1278 }
1279 }
1280 }
1281
1282 // If this has overrides and we're in an overrides traversal, the lifetimes
1283 // need to be (recursively) updated with the results of the overrides.
1284 if (in_overrides_traversal) {
Luca Versari7f2929c2023-01-16 10:15:54 -08001285 if (llvm::Error err =
1286 UpdateFunctionLifetimesWithOverrides(func, analyzed, overrides)) {
1287 analyzed[func] = FunctionAnalysisError(err);
1288 }
Luca Versari99fddff2022-05-25 10:22:32 -07001289 }
1290
1291 // Once we have finished analyzing `func`, we can remove it from the visited
1292 // stack, along with anything it called in a recursive cycle (which will be
1293 // found after `func` in the `visited` call stack.
1294 visited.resize(func_in_visited);
1295}
1296
1297llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>
1298AnalyzeTranslationUnitAndCollectTemplates(
1299 const clang::TranslationUnitDecl* tu,
1300 const LifetimeAnnotationContext& lifetime_context,
1301 const DiagnosticReporter& diag_reporter, FunctionDebugInfoMap* debug_info,
1302 llvm::DenseMap<clang::FunctionTemplateDecl*, const clang::FunctionDecl*>&
1303 uninstantiated_templates,
1304 const BaseToOverrides& base_to_overrides) {
1305 llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError> result;
1306 llvm::SmallVector<VisitedCallStackEntry> visited;
1307
1308 for (const clang::FunctionDecl* func : GetAllFunctionDefinitions(tu)) {
1309 // Skip templated functions.
1310 if (func->isTemplated()) {
1311 clang::FunctionTemplateDecl* template_decl =
1312 func->getDescribedFunctionTemplate();
1313 if (template_decl) {
1314 uninstantiated_templates.insert({template_decl, func});
1315 }
1316 continue;
1317 }
1318
1319 if (func->isFunctionTemplateSpecialization()) {
1320 auto* info = func->getTemplateSpecializationInfo();
1321 uninstantiated_templates.erase(info->getTemplate());
1322 }
1323
1324 // For some reason that's not clear to mboehme@, the AST matcher is
1325 // returning two matches for every function definition; maybe there are two
1326 // different paths from a TranslationUnitDecl to a function definition.
1327 // This doesn't really have any ill effect, however, as
1328 // AnalyzeFunctionRecursive() bails out anyway if it has analyzed the
1329 // function before.
1330
1331 AnalyzeFunctionRecursive(result, visited, func, lifetime_context,
1332 diag_reporter, debug_info, base_to_overrides);
1333 }
1334
1335 return result;
1336}
1337
1338std::string GetFunctionUSRString(const clang::Decl* func) {
1339 llvm::SmallString</*inline size=*/128> usr;
1340 if (clang::index::generateUSRForDecl(func, usr)) {
1341 llvm::errs() << "Could not generate USR for ";
1342 func->dump();
1343 assert(false);
1344 return std::string();
1345 }
1346 return std::string(usr.data(), usr.size());
1347}
1348
1349// Run AnalyzeFunctionRecursive with `context`. Report results through
1350// `result_callback` and update `debug_info` using USR strings to map functions
1351// to the original ASTContext.
1352void AnalyzeTemplateFunctionsInSeparateASTContext(
1353 const LifetimeAnnotationContext& lifetime_context,
1354 const llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>&
1355 initial_result,
1356 const FunctionAnalysisResultCallback& result_callback,
1357 const DiagnosticReporter& diag_reporter, FunctionDebugInfoMap* debug_info,
1358 const std::map<std::string, const clang::FunctionDecl*>&
1359 template_usr_to_decl,
1360 const BaseToOverrides& base_to_overrides, clang::ASTContext& context) {
1361 llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>
1362 inner_result;
1363 llvm::SmallVector<VisitedCallStackEntry> inner_visited;
1364 FunctionDebugInfoMap inner_debug_info;
1365
1366 for (const clang::FunctionDecl* func :
1367 GetAllFunctionDefinitions(context.getTranslationUnitDecl())) {
1368 // Skip templated functions.
1369 if (func->isTemplated()) continue;
1370
1371 AnalyzeFunctionRecursive(inner_result, inner_visited, func,
1372 lifetime_context, diag_reporter, &inner_debug_info,
1373 base_to_overrides);
1374 }
1375
1376 // We need to remap the results with FunctionDecl* in the
1377 // original ASTContext. (Because this context goes away after
1378 // this)
1379 llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>
1380 merged_result = initial_result;
1381 for (const auto& [decl, lifetimes_or_error] : inner_result) {
1382 if (!decl->isFunctionTemplateSpecialization()) continue;
1383 auto* tmpl = decl->getTemplateSpecializationInfo()->getTemplate();
1384 auto iter = template_usr_to_decl.find(GetFunctionUSRString(tmpl));
1385 if (iter != template_usr_to_decl.end()) {
1386 merged_result.insert({iter->second, lifetimes_or_error});
1387 }
1388 }
1389 for (const auto& [decl, lifetimes_or_error] : merged_result) {
1390 result_callback(decl, lifetimes_or_error);
1391 }
1392 for (auto& [decl, info] : inner_debug_info) {
1393 if (!decl->isFunctionTemplateSpecialization()) continue;
1394 auto* tmpl = decl->getTemplateSpecializationInfo()->getTemplate();
1395 auto iter = template_usr_to_decl.find(GetFunctionUSRString(tmpl));
1396 if (iter != template_usr_to_decl.end()) (*debug_info)[iter->second] = info;
1397 }
1398}
1399
1400DiagnosticReporter DiagReporterForDiagEngine(
1401 clang::DiagnosticsEngine& diag_engine) {
1402 return
1403 [&diag_engine](clang::SourceLocation location, clang::StringRef message,
1404 clang::DiagnosticIDs::Level level) {
1405 return diag_engine.Report(
1406 location,
1407 diag_engine.getDiagnosticIDs()->getCustomDiagID(level, message));
1408 };
1409}
1410
1411} // namespace
1412
1413bool IsIsomorphic(const FunctionLifetimes& a, const FunctionLifetimes& b) {
Luca Versari7f2929c2023-01-16 10:15:54 -08001414 return LifetimeConstraints::ForCallableSubstitution(a, b)
1415 .AllConstraints()
1416 .empty() &&
1417 LifetimeConstraints::ForCallableSubstitution(b, a)
1418 .AllConstraints()
1419 .empty();
Luca Versari99fddff2022-05-25 10:22:32 -07001420}
1421
1422FunctionLifetimesOrError AnalyzeFunction(
1423 const clang::FunctionDecl* func,
1424 const LifetimeAnnotationContext& lifetime_context,
1425 FunctionDebugInfo* debug_info) {
1426 llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError> analyzed;
1427 llvm::SmallVector<VisitedCallStackEntry> visited;
1428 std::optional<FunctionDebugInfoMap> debug_info_map;
1429 if (debug_info) {
1430 debug_info_map.emplace();
1431 }
1432 DiagnosticReporter diag_reporter =
1433 DiagReporterForDiagEngine(func->getASTContext().getDiagnostics());
1434 AnalyzeFunctionRecursive(
1435 analyzed, visited, func, lifetime_context, diag_reporter,
1436 debug_info_map ? &debug_info_map.value() : nullptr, BaseToOverrides());
1437 if (debug_info) {
1438 *debug_info = debug_info_map->lookup(func);
1439 }
1440 return analyzed.lookup(func);
1441}
1442
1443llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>
1444AnalyzeTranslationUnit(const clang::TranslationUnitDecl* tu,
1445 const LifetimeAnnotationContext& lifetime_context,
1446 DiagnosticReporter diag_reporter,
1447 FunctionDebugInfoMap* debug_info) {
1448 if (!diag_reporter) {
1449 diag_reporter =
1450 DiagReporterForDiagEngine(tu->getASTContext().getDiagnostics());
1451 }
1452
1453 llvm::DenseMap<clang::FunctionTemplateDecl*, const clang::FunctionDecl*>
1454 uninstantiated_templates;
1455
1456 // Builds a map from a base method to its overrides within this TU. It will
1457 // not find out all the overrides, but still cover (and can partially update)
1458 // all the base methods that this TU implements.
1459 auto base_to_overrides = BuildBaseToOverrides(tu);
1460
1461 llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError> result =
1462 AnalyzeTranslationUnitAndCollectTemplates(
1463 tu, lifetime_context, diag_reporter, debug_info,
1464 uninstantiated_templates, base_to_overrides);
1465
1466 return result;
1467}
1468
1469void AnalyzeTranslationUnitWithTemplatePlaceholder(
1470 const clang::TranslationUnitDecl* tu,
1471 const LifetimeAnnotationContext& lifetime_context,
1472 const FunctionAnalysisResultCallback& result_callback,
1473 DiagnosticReporter diag_reporter, FunctionDebugInfoMap* debug_info) {
1474 if (!diag_reporter) {
1475 diag_reporter =
1476 DiagReporterForDiagEngine(tu->getASTContext().getDiagnostics());
1477 }
1478
1479 llvm::DenseMap<clang::FunctionTemplateDecl*, const clang::FunctionDecl*>
1480 uninstantiated_templates;
1481
1482 // Builds a map from a base method to its overrides within this TU. It will
1483 // not find out all the overrides, but still cover (and can partially update)
1484 // all the base methods that this TU implements.
1485 auto base_to_overrides = BuildBaseToOverrides(tu);
1486
1487 llvm::DenseMap<const clang::FunctionDecl*, FunctionLifetimesOrError>
1488 initial_result = AnalyzeTranslationUnitAndCollectTemplates(
1489 tu, lifetime_context, diag_reporter, debug_info,
1490 uninstantiated_templates, base_to_overrides);
1491
1492 // Make a map from USRString to funcDecls in the original ASTContext.
1493 std::map<std::string, const clang::FunctionDecl*> template_usr_to_decl;
1494 for (const auto& [tmpl, func] : uninstantiated_templates) {
1495 template_usr_to_decl[GetFunctionUSRString(tmpl)] = func;
1496 }
1497
1498 GeneratedCode code_with_placeholder;
1499 if (llvm::Error err =
1500 GenerateTemplateInstantiationCode(tu, uninstantiated_templates)
1501 .moveInto(code_with_placeholder)) {
1502 FunctionAnalysisError analysis_error(err);
1503 for (const auto& [tmpl, func] : uninstantiated_templates) {
1504 result_callback(func, analysis_error);
1505 }
1506 return;
1507 }
1508
1509 // A callback to call AnalyzeFunctionRecursive again with template
1510 // placeholders. This is passed to RunToolOnCodeWithOverlay below.
1511 auto analyze_with_placeholder =
1512 [&lifetime_context, &initial_result, &result_callback, &diag_reporter,
1513 &debug_info, &template_usr_to_decl,
1514 &base_to_overrides](clang::ASTContext& context) {
1515 AnalyzeTemplateFunctionsInSeparateASTContext(
1516 lifetime_context, initial_result, result_callback, diag_reporter,
1517 debug_info, template_usr_to_decl, base_to_overrides, context);
1518 };
1519
1520 // Run `analyze_with_placeholder` in a separate ASTContext on top of an
1521 // overlaid filesystem with the `code_with_placeholder` file.
1522 RunToolOnCodeWithOverlay(tu->getASTContext(), code_with_placeholder.filename,
1523 code_with_placeholder.code,
1524 analyze_with_placeholder);
1525}
1526
1527} // namespace lifetimes
1528} // namespace tidy
1529} // namespace clang