blob: f6dcb9779abac12eaff03a9b0e65731770316908 [file] [log] [blame]
Manuel Klimek4da21662012-07-06 05:48:52 +00001//===--- ASTMatchFinder.cpp - Structural query framework ------------------===//
2//
3// The LLVM Compiler Infrastructure
4//
5// This file is distributed under the University of Illinois Open Source
6// License. See LICENSE.TXT for details.
7//
8//===----------------------------------------------------------------------===//
9//
10// Implements an algorithm to efficiently search for matches on AST nodes.
11// Uses memoization to support recursive matches like HasDescendant.
12//
13// The general idea is to visit all AST nodes with a RecursiveASTVisitor,
14// calling the Matches(...) method of each matcher we are running on each
15// AST node. The matcher can recurse via the ASTMatchFinder interface.
16//
17//===----------------------------------------------------------------------===//
18
19#include "clang/ASTMatchers/ASTMatchFinder.h"
20#include "clang/AST/ASTConsumer.h"
21#include "clang/AST/ASTContext.h"
22#include "clang/AST/RecursiveASTVisitor.h"
Manuel Klimek374516c2013-03-14 16:33:21 +000023#include <deque>
Manuel Klimek4da21662012-07-06 05:48:52 +000024#include <set>
25
26namespace clang {
27namespace ast_matchers {
28namespace internal {
29namespace {
30
Manuel Klimeka78d0d62012-09-05 12:12:07 +000031typedef MatchFinder::MatchCallback MatchCallback;
32
Manuel Klimek054d0492013-06-19 15:42:45 +000033// The maximum number of memoization entries to store.
34// 10k has been experimentally found to give a good trade-off
35// of performance vs. memory consumption by running matcher
36// that match on every statement over a very large codebase.
37//
38// FIXME: Do some performance optimization in general and
39// revisit this number; also, put up micro-benchmarks that we can
40// optimize this on.
41static const unsigned MaxMemoizationEntries = 10000;
42
Manuel Klimek4da21662012-07-06 05:48:52 +000043// We use memoization to avoid running the same matcher on the same
Manuel Klimek054d0492013-06-19 15:42:45 +000044// AST node twice. This struct is the key for looking up match
Manuel Klimek4da21662012-07-06 05:48:52 +000045// result. It consists of an ID of the MatcherInterface (for
Manuel Klimek054d0492013-06-19 15:42:45 +000046// identifying the matcher), a pointer to the AST node and the
47// bound nodes before the matcher was executed.
Manuel Klimeka78d0d62012-09-05 12:12:07 +000048//
49// We currently only memoize on nodes whose pointers identify the
50// nodes (\c Stmt and \c Decl, but not \c QualType or \c TypeLoc).
51// For \c QualType and \c TypeLoc it is possible to implement
52// generation of keys for each type.
53// FIXME: Benchmark whether memoization of non-pointer typed nodes
54// provides enough benefit for the additional amount of code.
Manuel Klimek054d0492013-06-19 15:42:45 +000055struct MatchKey {
56 uint64_t MatcherID;
57 ast_type_traits::DynTypedNode Node;
58 BoundNodesTreeBuilder BoundNodes;
59
60 bool operator<(const MatchKey &Other) const {
61 if (MatcherID != Other.MatcherID)
62 return MatcherID < Other.MatcherID;
63 if (Node != Other.Node)
64 return Node < Other.Node;
65 return BoundNodes < Other.BoundNodes;
66 }
67};
Manuel Klimek4da21662012-07-06 05:48:52 +000068
69// Used to store the result of a match and possibly bound nodes.
70struct MemoizedMatchResult {
71 bool ResultOfMatch;
Manuel Klimek054d0492013-06-19 15:42:45 +000072 BoundNodesTreeBuilder Nodes;
Manuel Klimek4da21662012-07-06 05:48:52 +000073};
74
75// A RecursiveASTVisitor that traverses all children or all descendants of
76// a node.
77class MatchChildASTVisitor
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +000078 : public RecursiveASTVisitor<MatchChildASTVisitor> {
Manuel Klimek4da21662012-07-06 05:48:52 +000079public:
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +000080 typedef RecursiveASTVisitor<MatchChildASTVisitor> VisitorBase;
Manuel Klimek4da21662012-07-06 05:48:52 +000081
82 // Creates an AST visitor that matches 'matcher' on all children or
83 // descendants of a traversed node. max_depth is the maximum depth
84 // to traverse: use 1 for matching the children and INT_MAX for
85 // matching the descendants.
Manuel Klimeka78d0d62012-09-05 12:12:07 +000086 MatchChildASTVisitor(const DynTypedMatcher *Matcher,
Manuel Klimek4da21662012-07-06 05:48:52 +000087 ASTMatchFinder *Finder,
88 BoundNodesTreeBuilder *Builder,
89 int MaxDepth,
90 ASTMatchFinder::TraversalKind Traversal,
91 ASTMatchFinder::BindKind Bind)
Manuel Klimeka78d0d62012-09-05 12:12:07 +000092 : Matcher(Matcher),
Manuel Klimek4da21662012-07-06 05:48:52 +000093 Finder(Finder),
94 Builder(Builder),
Daniel Jaspera267cf62012-10-29 10:14:44 +000095 CurrentDepth(0),
Manuel Klimek4da21662012-07-06 05:48:52 +000096 MaxDepth(MaxDepth),
97 Traversal(Traversal),
98 Bind(Bind),
99 Matches(false) {}
100
101 // Returns true if a match is found in the subtree rooted at the
102 // given AST node. This is done via a set of mutually recursive
103 // functions. Here's how the recursion is done (the *wildcard can
104 // actually be Decl, Stmt, or Type):
105 //
106 // - Traverse(node) calls BaseTraverse(node) when it needs
107 // to visit the descendants of node.
108 // - BaseTraverse(node) then calls (via VisitorBase::Traverse*(node))
109 // Traverse*(c) for each child c of 'node'.
110 // - Traverse*(c) in turn calls Traverse(c), completing the
111 // recursion.
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000112 bool findMatch(const ast_type_traits::DynTypedNode &DynNode) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000113 reset();
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000114 if (const Decl *D = DynNode.get<Decl>())
115 traverse(*D);
116 else if (const Stmt *S = DynNode.get<Stmt>())
117 traverse(*S);
Daniel Jasperd1ce3c12012-10-30 15:42:00 +0000118 else if (const NestedNameSpecifier *NNS =
119 DynNode.get<NestedNameSpecifier>())
120 traverse(*NNS);
121 else if (const NestedNameSpecifierLoc *NNSLoc =
122 DynNode.get<NestedNameSpecifierLoc>())
123 traverse(*NNSLoc);
Daniel Jaspera267cf62012-10-29 10:14:44 +0000124 else if (const QualType *Q = DynNode.get<QualType>())
125 traverse(*Q);
126 else if (const TypeLoc *T = DynNode.get<TypeLoc>())
127 traverse(*T);
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000128 // FIXME: Add other base types after adding tests.
Manuel Klimek054d0492013-06-19 15:42:45 +0000129
130 // It's OK to always overwrite the bound nodes, as if there was
131 // no match in this recursive branch, the result set is empty
132 // anyway.
133 *Builder = ResultBindings;
134
Manuel Klimek4da21662012-07-06 05:48:52 +0000135 return Matches;
136 }
137
138 // The following are overriding methods from the base visitor class.
139 // They are public only to allow CRTP to work. They are *not *part
140 // of the public API of this class.
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000141 bool TraverseDecl(Decl *DeclNode) {
Daniel Jaspera267cf62012-10-29 10:14:44 +0000142 ScopedIncrement ScopedDepth(&CurrentDepth);
Manuel Klimek4da21662012-07-06 05:48:52 +0000143 return (DeclNode == NULL) || traverse(*DeclNode);
144 }
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000145 bool TraverseStmt(Stmt *StmtNode) {
Daniel Jaspera267cf62012-10-29 10:14:44 +0000146 ScopedIncrement ScopedDepth(&CurrentDepth);
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000147 const Stmt *StmtToTraverse = StmtNode;
Manuel Klimek4da21662012-07-06 05:48:52 +0000148 if (Traversal ==
149 ASTMatchFinder::TK_IgnoreImplicitCastsAndParentheses) {
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000150 const Expr *ExprNode = dyn_cast_or_null<Expr>(StmtNode);
Manuel Klimek4da21662012-07-06 05:48:52 +0000151 if (ExprNode != NULL) {
152 StmtToTraverse = ExprNode->IgnoreParenImpCasts();
153 }
154 }
155 return (StmtToTraverse == NULL) || traverse(*StmtToTraverse);
156 }
Daniel Jaspera267cf62012-10-29 10:14:44 +0000157 // We assume that the QualType and the contained type are on the same
158 // hierarchy level. Thus, we try to match either of them.
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000159 bool TraverseType(QualType TypeNode) {
Daniel Jasperb55c67d2012-11-13 17:14:11 +0000160 if (TypeNode.isNull())
161 return true;
Daniel Jaspera267cf62012-10-29 10:14:44 +0000162 ScopedIncrement ScopedDepth(&CurrentDepth);
163 // Match the Type.
164 if (!match(*TypeNode))
165 return false;
166 // The QualType is matched inside traverse.
Manuel Klimek4da21662012-07-06 05:48:52 +0000167 return traverse(TypeNode);
168 }
Daniel Jaspera267cf62012-10-29 10:14:44 +0000169 // We assume that the TypeLoc, contained QualType and contained Type all are
170 // on the same hierarchy level. Thus, we try to match all of them.
171 bool TraverseTypeLoc(TypeLoc TypeLocNode) {
Daniel Jasperb55c67d2012-11-13 17:14:11 +0000172 if (TypeLocNode.isNull())
173 return true;
Daniel Jaspera267cf62012-10-29 10:14:44 +0000174 ScopedIncrement ScopedDepth(&CurrentDepth);
175 // Match the Type.
176 if (!match(*TypeLocNode.getType()))
177 return false;
178 // Match the QualType.
179 if (!match(TypeLocNode.getType()))
180 return false;
181 // The TypeLoc is matched inside traverse.
182 return traverse(TypeLocNode);
183 }
Daniel Jasperd1ce3c12012-10-30 15:42:00 +0000184 bool TraverseNestedNameSpecifier(NestedNameSpecifier *NNS) {
185 ScopedIncrement ScopedDepth(&CurrentDepth);
186 return (NNS == NULL) || traverse(*NNS);
187 }
188 bool TraverseNestedNameSpecifierLoc(NestedNameSpecifierLoc NNS) {
Daniel Jasperb55c67d2012-11-13 17:14:11 +0000189 if (!NNS)
190 return true;
Daniel Jasperd1ce3c12012-10-30 15:42:00 +0000191 ScopedIncrement ScopedDepth(&CurrentDepth);
192 if (!match(*NNS.getNestedNameSpecifier()))
193 return false;
Daniel Jasperb55c67d2012-11-13 17:14:11 +0000194 return traverse(NNS);
Daniel Jasperd1ce3c12012-10-30 15:42:00 +0000195 }
Manuel Klimek4da21662012-07-06 05:48:52 +0000196
197 bool shouldVisitTemplateInstantiations() const { return true; }
198 bool shouldVisitImplicitCode() const { return true; }
Daniel Jasper278057f2012-11-15 03:29:05 +0000199 // Disables data recursion. We intercept Traverse* methods in the RAV, which
200 // are not triggered during data recursion.
201 bool shouldUseDataRecursionFor(clang::Stmt *S) const { return false; }
Manuel Klimek4da21662012-07-06 05:48:52 +0000202
203private:
204 // Used for updating the depth during traversal.
205 struct ScopedIncrement {
206 explicit ScopedIncrement(int *Depth) : Depth(Depth) { ++(*Depth); }
207 ~ScopedIncrement() { --(*Depth); }
208
209 private:
210 int *Depth;
211 };
212
213 // Resets the state of this object.
214 void reset() {
215 Matches = false;
Daniel Jaspera267cf62012-10-29 10:14:44 +0000216 CurrentDepth = 0;
Manuel Klimek4da21662012-07-06 05:48:52 +0000217 }
218
219 // Forwards the call to the corresponding Traverse*() method in the
220 // base visitor class.
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000221 bool baseTraverse(const Decl &DeclNode) {
222 return VisitorBase::TraverseDecl(const_cast<Decl*>(&DeclNode));
Manuel Klimek4da21662012-07-06 05:48:52 +0000223 }
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000224 bool baseTraverse(const Stmt &StmtNode) {
225 return VisitorBase::TraverseStmt(const_cast<Stmt*>(&StmtNode));
Manuel Klimek4da21662012-07-06 05:48:52 +0000226 }
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000227 bool baseTraverse(QualType TypeNode) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000228 return VisitorBase::TraverseType(TypeNode);
229 }
Daniel Jaspera267cf62012-10-29 10:14:44 +0000230 bool baseTraverse(TypeLoc TypeLocNode) {
231 return VisitorBase::TraverseTypeLoc(TypeLocNode);
232 }
Daniel Jasperd1ce3c12012-10-30 15:42:00 +0000233 bool baseTraverse(const NestedNameSpecifier &NNS) {
234 return VisitorBase::TraverseNestedNameSpecifier(
235 const_cast<NestedNameSpecifier*>(&NNS));
236 }
237 bool baseTraverse(NestedNameSpecifierLoc NNS) {
238 return VisitorBase::TraverseNestedNameSpecifierLoc(NNS);
239 }
Manuel Klimek4da21662012-07-06 05:48:52 +0000240
Daniel Jaspera267cf62012-10-29 10:14:44 +0000241 // Sets 'Matched' to true if 'Matcher' matches 'Node' and:
242 // 0 < CurrentDepth <= MaxDepth.
243 //
244 // Returns 'true' if traversal should continue after this function
245 // returns, i.e. if no match is found or 'Bind' is 'BK_All'.
Manuel Klimek4da21662012-07-06 05:48:52 +0000246 template <typename T>
Daniel Jaspera267cf62012-10-29 10:14:44 +0000247 bool match(const T &Node) {
248 if (CurrentDepth == 0 || CurrentDepth > MaxDepth) {
249 return true;
Manuel Klimek4da21662012-07-06 05:48:52 +0000250 }
251 if (Bind != ASTMatchFinder::BK_All) {
Manuel Klimek054d0492013-06-19 15:42:45 +0000252 BoundNodesTreeBuilder RecursiveBuilder(*Builder);
253 if (Matcher->matches(ast_type_traits::DynTypedNode::create(Node), Finder,
254 &RecursiveBuilder)) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000255 Matches = true;
Manuel Klimek054d0492013-06-19 15:42:45 +0000256 ResultBindings.addMatch(RecursiveBuilder);
257 return false; // Abort as soon as a match is found.
Manuel Klimek4da21662012-07-06 05:48:52 +0000258 }
Manuel Klimek4da21662012-07-06 05:48:52 +0000259 } else {
Manuel Klimek054d0492013-06-19 15:42:45 +0000260 BoundNodesTreeBuilder RecursiveBuilder(*Builder);
261 if (Matcher->matches(ast_type_traits::DynTypedNode::create(Node), Finder,
262 &RecursiveBuilder)) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000263 // After the first match the matcher succeeds.
264 Matches = true;
Manuel Klimek054d0492013-06-19 15:42:45 +0000265 ResultBindings.addMatch(RecursiveBuilder);
Manuel Klimek4da21662012-07-06 05:48:52 +0000266 }
Manuel Klimek4da21662012-07-06 05:48:52 +0000267 }
Daniel Jaspera267cf62012-10-29 10:14:44 +0000268 return true;
269 }
270
271 // Traverses the subtree rooted at 'Node'; returns true if the
272 // traversal should continue after this function returns.
273 template <typename T>
274 bool traverse(const T &Node) {
275 TOOLING_COMPILE_ASSERT(IsBaseType<T>::value,
276 traverse_can_only_be_instantiated_with_base_type);
277 if (!match(Node))
278 return false;
279 return baseTraverse(Node);
Manuel Klimek4da21662012-07-06 05:48:52 +0000280 }
281
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000282 const DynTypedMatcher *const Matcher;
Manuel Klimek4da21662012-07-06 05:48:52 +0000283 ASTMatchFinder *const Finder;
284 BoundNodesTreeBuilder *const Builder;
Manuel Klimek054d0492013-06-19 15:42:45 +0000285 BoundNodesTreeBuilder ResultBindings;
Manuel Klimek4da21662012-07-06 05:48:52 +0000286 int CurrentDepth;
287 const int MaxDepth;
288 const ASTMatchFinder::TraversalKind Traversal;
289 const ASTMatchFinder::BindKind Bind;
290 bool Matches;
291};
292
293// Controls the outermost traversal of the AST and allows to match multiple
294// matchers.
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000295class MatchASTVisitor : public RecursiveASTVisitor<MatchASTVisitor>,
Manuel Klimek4da21662012-07-06 05:48:52 +0000296 public ASTMatchFinder {
297public:
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000298 MatchASTVisitor(
299 std::vector<std::pair<internal::DynTypedMatcher, MatchCallback *> > *
300 MatcherCallbackPairs)
301 : MatcherCallbackPairs(MatcherCallbackPairs), ActiveASTContext(NULL) {}
Manuel Klimek4da21662012-07-06 05:48:52 +0000302
Manuel Klimeke5793282012-11-02 01:31:03 +0000303 void onStartOfTranslationUnit() {
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000304 for (std::vector<std::pair<internal::DynTypedMatcher,
305 MatchCallback *> >::const_iterator
306 I = MatcherCallbackPairs->begin(),
307 E = MatcherCallbackPairs->end();
Manuel Klimeke5793282012-11-02 01:31:03 +0000308 I != E; ++I) {
309 I->second->onStartOfTranslationUnit();
310 }
311 }
312
Peter Collingbourne8f9e5902013-05-28 19:21:51 +0000313 void onEndOfTranslationUnit() {
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000314 for (std::vector<std::pair<internal::DynTypedMatcher,
315 MatchCallback *> >::const_iterator
316 I = MatcherCallbackPairs->begin(),
317 E = MatcherCallbackPairs->end();
Peter Collingbourne8f9e5902013-05-28 19:21:51 +0000318 I != E; ++I) {
319 I->second->onEndOfTranslationUnit();
320 }
321 }
322
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000323 void set_active_ast_context(ASTContext *NewActiveASTContext) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000324 ActiveASTContext = NewActiveASTContext;
325 }
326
327 // The following Visit*() and Traverse*() functions "override"
328 // methods in RecursiveASTVisitor.
329
Manuel Klimekb56da8c2013-08-02 21:24:09 +0000330 bool VisitTypedefNameDecl(TypedefNameDecl *DeclNode) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000331 // When we see 'typedef A B', we add name 'B' to the set of names
332 // A's canonical type maps to. This is necessary for implementing
Daniel Jasper76dafa72012-09-07 12:48:17 +0000333 // isDerivedFrom(x) properly, where x can be the name of the base
Manuel Klimek4da21662012-07-06 05:48:52 +0000334 // class or any of its aliases.
335 //
336 // In general, the is-alias-of (as defined by typedefs) relation
337 // is tree-shaped, as you can typedef a type more than once. For
338 // example,
339 //
340 // typedef A B;
341 // typedef A C;
342 // typedef C D;
343 // typedef C E;
344 //
345 // gives you
346 //
347 // A
348 // |- B
349 // `- C
350 // |- D
351 // `- E
352 //
353 // It is wrong to assume that the relation is a chain. A correct
Daniel Jasper76dafa72012-09-07 12:48:17 +0000354 // implementation of isDerivedFrom() needs to recognize that B and
Manuel Klimek4da21662012-07-06 05:48:52 +0000355 // E are aliases, even though neither is a typedef of the other.
356 // Therefore, we cannot simply walk through one typedef chain to
357 // find out whether the type name matches.
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000358 const Type *TypeNode = DeclNode->getUnderlyingType().getTypePtr();
359 const Type *CanonicalType = // root of the typedef tree
Manuel Klimek4da21662012-07-06 05:48:52 +0000360 ActiveASTContext->getCanonicalType(TypeNode);
Daniel Jasper20b802d2012-07-17 07:39:27 +0000361 TypeAliases[CanonicalType].insert(DeclNode);
Manuel Klimek4da21662012-07-06 05:48:52 +0000362 return true;
363 }
364
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000365 bool TraverseDecl(Decl *DeclNode);
366 bool TraverseStmt(Stmt *StmtNode);
367 bool TraverseType(QualType TypeNode);
368 bool TraverseTypeLoc(TypeLoc TypeNode);
Daniel Jaspera7564432012-09-13 13:11:25 +0000369 bool TraverseNestedNameSpecifier(NestedNameSpecifier *NNS);
370 bool TraverseNestedNameSpecifierLoc(NestedNameSpecifierLoc NNS);
Manuel Klimek4da21662012-07-06 05:48:52 +0000371
372 // Matches children or descendants of 'Node' with 'BaseMatcher'.
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000373 bool memoizedMatchesRecursively(const ast_type_traits::DynTypedNode &Node,
374 const DynTypedMatcher &Matcher,
Manuel Klimek4da21662012-07-06 05:48:52 +0000375 BoundNodesTreeBuilder *Builder, int MaxDepth,
376 TraversalKind Traversal, BindKind Bind) {
Manuel Klimek5f574bf2013-07-16 13:20:30 +0000377 // For AST-nodes that don't have an identity, we can't memoize.
378 if (!Node.getMemoizationData())
379 return matchesRecursively(Node, Matcher, Builder, MaxDepth, Traversal,
380 Bind);
381
Manuel Klimek054d0492013-06-19 15:42:45 +0000382 MatchKey Key;
383 Key.MatcherID = Matcher.getID();
384 Key.Node = Node;
385 // Note that we key on the bindings *before* the match.
386 Key.BoundNodes = *Builder;
Daniel Jaspera267cf62012-10-29 10:14:44 +0000387
Manuel Klimek5f574bf2013-07-16 13:20:30 +0000388 MemoizationMap::iterator I = ResultCache.find(Key);
389 if (I != ResultCache.end()) {
390 *Builder = I->second.Nodes;
391 return I->second.ResultOfMatch;
Manuel Klimek4da21662012-07-06 05:48:52 +0000392 }
Manuel Klimek5f574bf2013-07-16 13:20:30 +0000393
394 MemoizedMatchResult Result;
Manuel Klimek5f574bf2013-07-16 13:20:30 +0000395 Result.Nodes = *Builder;
396 Result.ResultOfMatch = matchesRecursively(Node, Matcher, &Result.Nodes,
397 MaxDepth, Traversal, Bind);
398 ResultCache[Key] = Result;
399 *Builder = Result.Nodes;
400 return Result.ResultOfMatch;
Manuel Klimek4da21662012-07-06 05:48:52 +0000401 }
402
403 // Matches children or descendants of 'Node' with 'BaseMatcher'.
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000404 bool matchesRecursively(const ast_type_traits::DynTypedNode &Node,
405 const DynTypedMatcher &Matcher,
Manuel Klimek4da21662012-07-06 05:48:52 +0000406 BoundNodesTreeBuilder *Builder, int MaxDepth,
407 TraversalKind Traversal, BindKind Bind) {
408 MatchChildASTVisitor Visitor(
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000409 &Matcher, this, Builder, MaxDepth, Traversal, Bind);
Manuel Klimek4da21662012-07-06 05:48:52 +0000410 return Visitor.findMatch(Node);
411 }
412
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000413 virtual bool classIsDerivedFrom(const CXXRecordDecl *Declaration,
Daniel Jasper20b802d2012-07-17 07:39:27 +0000414 const Matcher<NamedDecl> &Base,
415 BoundNodesTreeBuilder *Builder);
Manuel Klimek4da21662012-07-06 05:48:52 +0000416
Daniel Jasperc99a3ad2012-10-22 16:26:51 +0000417 // Implements ASTMatchFinder::matchesChildOf.
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000418 virtual bool matchesChildOf(const ast_type_traits::DynTypedNode &Node,
419 const DynTypedMatcher &Matcher,
Manuel Klimek4da21662012-07-06 05:48:52 +0000420 BoundNodesTreeBuilder *Builder,
421 TraversalKind Traversal,
422 BindKind Bind) {
Daniel Jasper83577462013-07-25 09:32:14 +0000423 if (ResultCache.size() > MaxMemoizationEntries)
424 ResultCache.clear();
425 return memoizedMatchesRecursively(Node, Matcher, Builder, 1, Traversal,
426 Bind);
Manuel Klimek4da21662012-07-06 05:48:52 +0000427 }
Daniel Jasperc99a3ad2012-10-22 16:26:51 +0000428 // Implements ASTMatchFinder::matchesDescendantOf.
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000429 virtual bool matchesDescendantOf(const ast_type_traits::DynTypedNode &Node,
430 const DynTypedMatcher &Matcher,
Manuel Klimek4da21662012-07-06 05:48:52 +0000431 BoundNodesTreeBuilder *Builder,
432 BindKind Bind) {
Manuel Klimek4d50d252013-07-08 14:16:30 +0000433 if (ResultCache.size() > MaxMemoizationEntries)
434 ResultCache.clear();
Manuel Klimeka78d0d62012-09-05 12:12:07 +0000435 return memoizedMatchesRecursively(Node, Matcher, Builder, INT_MAX,
Manuel Klimek4da21662012-07-06 05:48:52 +0000436 TK_AsIs, Bind);
437 }
Manuel Klimek579b1202012-09-07 09:26:10 +0000438 // Implements ASTMatchFinder::matchesAncestorOf.
439 virtual bool matchesAncestorOf(const ast_type_traits::DynTypedNode &Node,
440 const DynTypedMatcher &Matcher,
Daniel Jasperc99a3ad2012-10-22 16:26:51 +0000441 BoundNodesTreeBuilder *Builder,
442 AncestorMatchMode MatchMode) {
Manuel Klimek4d50d252013-07-08 14:16:30 +0000443 // Reset the cache outside of the recursive call to make sure we
444 // don't invalidate any iterators.
445 if (ResultCache.size() > MaxMemoizationEntries)
446 ResultCache.clear();
Manuel Klimek374516c2013-03-14 16:33:21 +0000447 return memoizedMatchesAncestorOfRecursively(Node, Matcher, Builder,
448 MatchMode);
Manuel Klimek579b1202012-09-07 09:26:10 +0000449 }
Manuel Klimek4da21662012-07-06 05:48:52 +0000450
Manuel Klimek60969f52013-02-01 13:41:35 +0000451 // Matches all registered matchers on the given node and calls the
452 // result callback for every node that matches.
453 void match(const ast_type_traits::DynTypedNode& Node) {
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000454 for (std::vector<std::pair<internal::DynTypedMatcher,
455 MatchCallback *> >::const_iterator
456 I = MatcherCallbackPairs->begin(),
457 E = MatcherCallbackPairs->end();
Manuel Klimek60969f52013-02-01 13:41:35 +0000458 I != E; ++I) {
459 BoundNodesTreeBuilder Builder;
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000460 if (I->first.matches(Node, this, &Builder)) {
Manuel Klimek60969f52013-02-01 13:41:35 +0000461 MatchVisitor Visitor(ActiveASTContext, I->second);
Manuel Klimek054d0492013-06-19 15:42:45 +0000462 Builder.visitMatches(&Visitor);
Manuel Klimek60969f52013-02-01 13:41:35 +0000463 }
464 }
465 }
466
467 template <typename T> void match(const T &Node) {
468 match(ast_type_traits::DynTypedNode::create(Node));
469 }
470
Manuel Klimek7f2d4802012-11-30 13:45:19 +0000471 // Implements ASTMatchFinder::getASTContext.
472 virtual ASTContext &getASTContext() const { return *ActiveASTContext; }
473
Manuel Klimek4da21662012-07-06 05:48:52 +0000474 bool shouldVisitTemplateInstantiations() const { return true; }
475 bool shouldVisitImplicitCode() const { return true; }
Daniel Jasper278057f2012-11-15 03:29:05 +0000476 // Disables data recursion. We intercept Traverse* methods in the RAV, which
477 // are not triggered during data recursion.
478 bool shouldUseDataRecursionFor(clang::Stmt *S) const { return false; }
Manuel Klimek4da21662012-07-06 05:48:52 +0000479
480private:
Manuel Klimek374516c2013-03-14 16:33:21 +0000481 // Returns whether an ancestor of \p Node matches \p Matcher.
482 //
483 // The order of matching ((which can lead to different nodes being bound in
484 // case there are multiple matches) is breadth first search.
485 //
486 // To allow memoization in the very common case of having deeply nested
487 // expressions inside a template function, we first walk up the AST, memoizing
488 // the result of the match along the way, as long as there is only a single
489 // parent.
490 //
491 // Once there are multiple parents, the breadth first search order does not
492 // allow simple memoization on the ancestors. Thus, we only memoize as long
493 // as there is a single parent.
494 bool memoizedMatchesAncestorOfRecursively(
Manuel Klimek30ace372012-12-06 14:42:48 +0000495 const ast_type_traits::DynTypedNode &Node, const DynTypedMatcher &Matcher,
496 BoundNodesTreeBuilder *Builder, AncestorMatchMode MatchMode) {
497 if (Node.get<TranslationUnitDecl>() ==
498 ActiveASTContext->getTranslationUnitDecl())
499 return false;
500 assert(Node.getMemoizationData() &&
501 "Invariant broken: only nodes that support memoization may be "
502 "used in the parent map.");
Manuel Klimekff9a0102013-02-28 13:21:39 +0000503 ASTContext::ParentVector Parents = ActiveASTContext->getParents(Node);
504 if (Parents.empty()) {
Manuel Klimek30ace372012-12-06 14:42:48 +0000505 assert(false && "Found node that is not in the parent map.");
506 return false;
507 }
Manuel Klimek054d0492013-06-19 15:42:45 +0000508 MatchKey Key;
509 Key.MatcherID = Matcher.getID();
510 Key.Node = Node;
511 Key.BoundNodes = *Builder;
Manuel Klimek30ace372012-12-06 14:42:48 +0000512
Manuel Klimek5f574bf2013-07-16 13:20:30 +0000513 // Note that we cannot use insert and reuse the iterator, as recursive
514 // calls to match might invalidate the result cache iterators.
515 MemoizationMap::iterator I = ResultCache.find(Key);
516 if (I != ResultCache.end()) {
517 *Builder = I->second.Nodes;
518 return I->second.ResultOfMatch;
Manuel Klimek374516c2013-03-14 16:33:21 +0000519 }
Manuel Klimek5f574bf2013-07-16 13:20:30 +0000520 MemoizedMatchResult Result;
521 Result.ResultOfMatch = false;
522 Result.Nodes = *Builder;
523 if (Parents.size() == 1) {
524 // Only one parent - do recursive memoization.
525 const ast_type_traits::DynTypedNode Parent = Parents[0];
526 if (Matcher.matches(Parent, this, &Result.Nodes)) {
527 Result.ResultOfMatch = true;
528 } else if (MatchMode != ASTMatchFinder::AMM_ParentOnly) {
529 // Reset the results to not include the bound nodes from the failed
530 // match above.
531 Result.Nodes = *Builder;
532 Result.ResultOfMatch = memoizedMatchesAncestorOfRecursively(
533 Parent, Matcher, &Result.Nodes, MatchMode);
534 // Once we get back from the recursive call, the result will be the
535 // same as the parent's result.
536 }
537 } else {
538 // Multiple parents - BFS over the rest of the nodes.
539 llvm::DenseSet<const void *> Visited;
540 std::deque<ast_type_traits::DynTypedNode> Queue(Parents.begin(),
541 Parents.end());
542 while (!Queue.empty()) {
543 Result.Nodes = *Builder;
544 if (Matcher.matches(Queue.front(), this, &Result.Nodes)) {
545 Result.ResultOfMatch = true;
546 break;
547 }
548 if (MatchMode != ASTMatchFinder::AMM_ParentOnly) {
549 ASTContext::ParentVector Ancestors =
550 ActiveASTContext->getParents(Queue.front());
551 for (ASTContext::ParentVector::const_iterator I = Ancestors.begin(),
552 E = Ancestors.end();
553 I != E; ++I) {
554 // Make sure we do not visit the same node twice.
555 // Otherwise, we'll visit the common ancestors as often as there
556 // are splits on the way down.
557 if (Visited.insert(I->getMemoizationData()).second)
558 Queue.push_back(*I);
559 }
560 }
561 Queue.pop_front();
562 }
563 }
564 ResultCache[Key] = Result;
565
566 *Builder = Result.Nodes;
567 return Result.ResultOfMatch;
Manuel Klimek374516c2013-03-14 16:33:21 +0000568 }
Manuel Klimek30ace372012-12-06 14:42:48 +0000569
Manuel Klimek4da21662012-07-06 05:48:52 +0000570 // Implements a BoundNodesTree::Visitor that calls a MatchCallback with
571 // the aggregated bound nodes for each match.
Manuel Klimek054d0492013-06-19 15:42:45 +0000572 class MatchVisitor : public BoundNodesTreeBuilder::Visitor {
Manuel Klimek4da21662012-07-06 05:48:52 +0000573 public:
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000574 MatchVisitor(ASTContext* Context,
Manuel Klimek4da21662012-07-06 05:48:52 +0000575 MatchFinder::MatchCallback* Callback)
576 : Context(Context),
577 Callback(Callback) {}
578
579 virtual void visitMatch(const BoundNodes& BoundNodesView) {
580 Callback->run(MatchFinder::MatchResult(BoundNodesView, Context));
581 }
582
583 private:
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000584 ASTContext* Context;
Manuel Klimek4da21662012-07-06 05:48:52 +0000585 MatchFinder::MatchCallback* Callback;
586 };
587
Daniel Jasper20b802d2012-07-17 07:39:27 +0000588 // Returns true if 'TypeNode' has an alias that matches the given matcher.
589 bool typeHasMatchingAlias(const Type *TypeNode,
590 const Matcher<NamedDecl> Matcher,
591 BoundNodesTreeBuilder *Builder) {
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000592 const Type *const CanonicalType =
Manuel Klimek4da21662012-07-06 05:48:52 +0000593 ActiveASTContext->getCanonicalType(TypeNode);
Manuel Klimekb56da8c2013-08-02 21:24:09 +0000594 const std::set<const TypedefNameDecl *> &Aliases =
595 TypeAliases[CanonicalType];
596 for (std::set<const TypedefNameDecl*>::const_iterator
Daniel Jasper20b802d2012-07-17 07:39:27 +0000597 It = Aliases.begin(), End = Aliases.end();
598 It != End; ++It) {
Manuel Klimek054d0492013-06-19 15:42:45 +0000599 BoundNodesTreeBuilder Result(*Builder);
600 if (Matcher.matches(**It, this, &Result)) {
601 *Builder = Result;
Daniel Jasper20b802d2012-07-17 07:39:27 +0000602 return true;
Manuel Klimek054d0492013-06-19 15:42:45 +0000603 }
Daniel Jasper20b802d2012-07-17 07:39:27 +0000604 }
605 return false;
Manuel Klimek4da21662012-07-06 05:48:52 +0000606 }
607
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000608 std::vector<std::pair<internal::DynTypedMatcher, MatchCallback *> > *const
609 MatcherCallbackPairs;
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000610 ASTContext *ActiveASTContext;
Manuel Klimek4da21662012-07-06 05:48:52 +0000611
Daniel Jasper20b802d2012-07-17 07:39:27 +0000612 // Maps a canonical type to its TypedefDecls.
Manuel Klimekb56da8c2013-08-02 21:24:09 +0000613 llvm::DenseMap<const Type*, std::set<const TypedefNameDecl*> > TypeAliases;
Manuel Klimek4da21662012-07-06 05:48:52 +0000614
615 // Maps (matcher, node) -> the match result for memoization.
Manuel Klimek054d0492013-06-19 15:42:45 +0000616 typedef std::map<MatchKey, MemoizedMatchResult> MemoizationMap;
Manuel Klimek4da21662012-07-06 05:48:52 +0000617 MemoizationMap ResultCache;
618};
619
Manuel Klimekb56da8c2013-08-02 21:24:09 +0000620static CXXRecordDecl *getAsCXXRecordDecl(const Type *TypeNode) {
621 // Type::getAs<...>() drills through typedefs.
622 if (TypeNode->getAs<DependentNameType>() != NULL ||
623 TypeNode->getAs<DependentTemplateSpecializationType>() != NULL ||
624 TypeNode->getAs<TemplateTypeParmType>() != NULL)
625 // Dependent names and template TypeNode parameters will be matched when
626 // the template is instantiated.
627 return NULL;
628 TemplateSpecializationType const *TemplateType =
629 TypeNode->getAs<TemplateSpecializationType>();
630 if (TemplateType == NULL) {
631 return TypeNode->getAsCXXRecordDecl();
632 }
633 if (TemplateType->getTemplateName().isDependent())
634 // Dependent template specializations will be matched when the
635 // template is instantiated.
636 return NULL;
637
638 // For template specialization types which are specializing a template
639 // declaration which is an explicit or partial specialization of another
640 // template declaration, getAsCXXRecordDecl() returns the corresponding
641 // ClassTemplateSpecializationDecl.
642 //
643 // For template specialization types which are specializing a template
644 // declaration which is neither an explicit nor partial specialization of
645 // another template declaration, getAsCXXRecordDecl() returns NULL and
646 // we get the CXXRecordDecl of the templated declaration.
647 CXXRecordDecl *SpecializationDecl = TemplateType->getAsCXXRecordDecl();
648 if (SpecializationDecl != NULL) {
649 return SpecializationDecl;
650 }
651 NamedDecl *Templated =
652 TemplateType->getTemplateName().getAsTemplateDecl()->getTemplatedDecl();
653 if (CXXRecordDecl *TemplatedRecord = dyn_cast<CXXRecordDecl>(Templated)) {
654 return TemplatedRecord;
655 }
656 // Now it can still be that we have an alias template.
657 TypeAliasDecl *AliasDecl = dyn_cast<TypeAliasDecl>(Templated);
658 assert(AliasDecl);
659 return getAsCXXRecordDecl(AliasDecl->getUnderlyingType().getTypePtr());
660}
661
Manuel Klimek4da21662012-07-06 05:48:52 +0000662// Returns true if the given class is directly or indirectly derived
Daniel Jasper76dafa72012-09-07 12:48:17 +0000663// from a base type with the given name. A class is not considered to be
664// derived from itself.
Daniel Jasper20b802d2012-07-17 07:39:27 +0000665bool MatchASTVisitor::classIsDerivedFrom(const CXXRecordDecl *Declaration,
666 const Matcher<NamedDecl> &Base,
667 BoundNodesTreeBuilder *Builder) {
Daniel Jasper20b802d2012-07-17 07:39:27 +0000668 if (!Declaration->hasDefinition())
Manuel Klimek4da21662012-07-06 05:48:52 +0000669 return false;
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000670 typedef CXXRecordDecl::base_class_const_iterator BaseIterator;
Manuel Klimek4da21662012-07-06 05:48:52 +0000671 for (BaseIterator It = Declaration->bases_begin(),
Manuel Klimekb56da8c2013-08-02 21:24:09 +0000672 End = Declaration->bases_end();
673 It != End; ++It) {
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000674 const Type *TypeNode = It->getType().getTypePtr();
Manuel Klimek4da21662012-07-06 05:48:52 +0000675
Daniel Jasper20b802d2012-07-17 07:39:27 +0000676 if (typeHasMatchingAlias(TypeNode, Base, Builder))
Manuel Klimek4da21662012-07-06 05:48:52 +0000677 return true;
678
Manuel Klimekb56da8c2013-08-02 21:24:09 +0000679 CXXRecordDecl *ClassDecl = getAsCXXRecordDecl(TypeNode);
680 if (ClassDecl == NULL)
Manuel Klimek4da21662012-07-06 05:48:52 +0000681 continue;
Manuel Klimek987c2f52012-12-04 13:40:29 +0000682 if (ClassDecl == Declaration) {
683 // This can happen for recursive template definitions; if the
684 // current declaration did not match, we can safely return false.
Manuel Klimek987c2f52012-12-04 13:40:29 +0000685 return false;
686 }
Manuel Klimek054d0492013-06-19 15:42:45 +0000687 BoundNodesTreeBuilder Result(*Builder);
688 if (Base.matches(*ClassDecl, this, &Result)) {
689 *Builder = Result;
Daniel Jasper76dafa72012-09-07 12:48:17 +0000690 return true;
Manuel Klimek054d0492013-06-19 15:42:45 +0000691 }
Daniel Jasper20b802d2012-07-17 07:39:27 +0000692 if (classIsDerivedFrom(ClassDecl, Base, Builder))
Manuel Klimek4da21662012-07-06 05:48:52 +0000693 return true;
Manuel Klimek4da21662012-07-06 05:48:52 +0000694 }
695 return false;
696}
697
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000698bool MatchASTVisitor::TraverseDecl(Decl *DeclNode) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000699 if (DeclNode == NULL) {
700 return true;
701 }
702 match(*DeclNode);
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000703 return RecursiveASTVisitor<MatchASTVisitor>::TraverseDecl(DeclNode);
Manuel Klimek4da21662012-07-06 05:48:52 +0000704}
705
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000706bool MatchASTVisitor::TraverseStmt(Stmt *StmtNode) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000707 if (StmtNode == NULL) {
708 return true;
709 }
710 match(*StmtNode);
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000711 return RecursiveASTVisitor<MatchASTVisitor>::TraverseStmt(StmtNode);
Manuel Klimek4da21662012-07-06 05:48:52 +0000712}
713
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000714bool MatchASTVisitor::TraverseType(QualType TypeNode) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000715 match(TypeNode);
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000716 return RecursiveASTVisitor<MatchASTVisitor>::TraverseType(TypeNode);
Manuel Klimek4da21662012-07-06 05:48:52 +0000717}
718
Daniel Jasperce620072012-10-17 08:52:59 +0000719bool MatchASTVisitor::TraverseTypeLoc(TypeLoc TypeLocNode) {
720 // The RecursiveASTVisitor only visits types if they're not within TypeLocs.
721 // We still want to find those types via matchers, so we match them here. Note
722 // that the TypeLocs are structurally a shadow-hierarchy to the expressed
723 // type, so we visit all involved parts of a compound type when matching on
724 // each TypeLoc.
725 match(TypeLocNode);
726 match(TypeLocNode.getType());
727 return RecursiveASTVisitor<MatchASTVisitor>::TraverseTypeLoc(TypeLocNode);
Manuel Klimek4da21662012-07-06 05:48:52 +0000728}
729
Daniel Jaspera7564432012-09-13 13:11:25 +0000730bool MatchASTVisitor::TraverseNestedNameSpecifier(NestedNameSpecifier *NNS) {
731 match(*NNS);
732 return RecursiveASTVisitor<MatchASTVisitor>::TraverseNestedNameSpecifier(NNS);
733}
734
735bool MatchASTVisitor::TraverseNestedNameSpecifierLoc(
736 NestedNameSpecifierLoc NNS) {
737 match(NNS);
738 // We only match the nested name specifier here (as opposed to traversing it)
739 // because the traversal is already done in the parallel "Loc"-hierarchy.
740 match(*NNS.getNestedNameSpecifier());
741 return
742 RecursiveASTVisitor<MatchASTVisitor>::TraverseNestedNameSpecifierLoc(NNS);
743}
744
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000745class MatchASTConsumer : public ASTConsumer {
Manuel Klimek4da21662012-07-06 05:48:52 +0000746public:
Peter Collingbourne51fcdf82013-11-07 22:30:36 +0000747 MatchASTConsumer(MatchFinder *Finder,
748 MatchFinder::ParsingDoneTestCallback *ParsingDone)
749 : Finder(Finder), ParsingDone(ParsingDone) {}
Manuel Klimek4da21662012-07-06 05:48:52 +0000750
751private:
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000752 virtual void HandleTranslationUnit(ASTContext &Context) {
Manuel Klimek4da21662012-07-06 05:48:52 +0000753 if (ParsingDone != NULL) {
754 ParsingDone->run();
755 }
Peter Collingbourne51fcdf82013-11-07 22:30:36 +0000756 Finder->matchAST(Context);
Manuel Klimek4da21662012-07-06 05:48:52 +0000757 }
758
Peter Collingbourne51fcdf82013-11-07 22:30:36 +0000759 MatchFinder *Finder;
Manuel Klimek4da21662012-07-06 05:48:52 +0000760 MatchFinder::ParsingDoneTestCallback *ParsingDone;
761};
762
763} // end namespace
764} // end namespace internal
765
766MatchFinder::MatchResult::MatchResult(const BoundNodes &Nodes,
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000767 ASTContext *Context)
Manuel Klimek4da21662012-07-06 05:48:52 +0000768 : Nodes(Nodes), Context(Context),
769 SourceManager(&Context->getSourceManager()) {}
770
771MatchFinder::MatchCallback::~MatchCallback() {}
772MatchFinder::ParsingDoneTestCallback::~ParsingDoneTestCallback() {}
773
774MatchFinder::MatchFinder() : ParsingDone(NULL) {}
775
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000776MatchFinder::~MatchFinder() {}
Manuel Klimek4da21662012-07-06 05:48:52 +0000777
778void MatchFinder::addMatcher(const DeclarationMatcher &NodeMatch,
779 MatchCallback *Action) {
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000780 MatcherCallbackPairs.push_back(std::make_pair(NodeMatch, Action));
Manuel Klimek4da21662012-07-06 05:48:52 +0000781}
782
783void MatchFinder::addMatcher(const TypeMatcher &NodeMatch,
784 MatchCallback *Action) {
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000785 MatcherCallbackPairs.push_back(std::make_pair(NodeMatch, Action));
Manuel Klimek4da21662012-07-06 05:48:52 +0000786}
787
788void MatchFinder::addMatcher(const StatementMatcher &NodeMatch,
789 MatchCallback *Action) {
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000790 MatcherCallbackPairs.push_back(std::make_pair(NodeMatch, Action));
Manuel Klimek4da21662012-07-06 05:48:52 +0000791}
792
Daniel Jaspera7564432012-09-13 13:11:25 +0000793void MatchFinder::addMatcher(const NestedNameSpecifierMatcher &NodeMatch,
794 MatchCallback *Action) {
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000795 MatcherCallbackPairs.push_back(std::make_pair(NodeMatch, Action));
Daniel Jaspera7564432012-09-13 13:11:25 +0000796}
797
798void MatchFinder::addMatcher(const NestedNameSpecifierLocMatcher &NodeMatch,
799 MatchCallback *Action) {
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000800 MatcherCallbackPairs.push_back(std::make_pair(NodeMatch, Action));
Daniel Jaspera7564432012-09-13 13:11:25 +0000801}
802
Daniel Jasperce620072012-10-17 08:52:59 +0000803void MatchFinder::addMatcher(const TypeLocMatcher &NodeMatch,
804 MatchCallback *Action) {
Samuel Benzaquenb7488d72013-10-29 14:37:15 +0000805 MatcherCallbackPairs.push_back(std::make_pair(NodeMatch, Action));
Daniel Jasperce620072012-10-17 08:52:59 +0000806}
807
Peter Collingbourned2bd5892013-11-07 22:30:32 +0000808bool MatchFinder::addDynamicMatcher(const internal::DynTypedMatcher &NodeMatch,
809 MatchCallback *Action) {
810 if (NodeMatch.canConvertTo<Decl>()) {
811 addMatcher(NodeMatch.convertTo<Decl>(), Action);
812 return true;
813 } else if (NodeMatch.canConvertTo<QualType>()) {
814 addMatcher(NodeMatch.convertTo<QualType>(), Action);
815 return true;
816 } else if (NodeMatch.canConvertTo<Stmt>()) {
817 addMatcher(NodeMatch.convertTo<Stmt>(), Action);
818 return true;
819 } else if (NodeMatch.canConvertTo<NestedNameSpecifier>()) {
820 addMatcher(NodeMatch.convertTo<NestedNameSpecifier>(), Action);
821 return true;
822 } else if (NodeMatch.canConvertTo<NestedNameSpecifierLoc>()) {
823 addMatcher(NodeMatch.convertTo<NestedNameSpecifierLoc>(), Action);
824 return true;
825 } else if (NodeMatch.canConvertTo<TypeLoc>()) {
826 addMatcher(NodeMatch.convertTo<TypeLoc>(), Action);
827 return true;
828 }
829 return false;
830}
831
Daniel Jaspere0e6b9e2012-07-10 20:20:19 +0000832ASTConsumer *MatchFinder::newASTConsumer() {
Peter Collingbourne51fcdf82013-11-07 22:30:36 +0000833 return new internal::MatchASTConsumer(this, ParsingDone);
Manuel Klimek4da21662012-07-06 05:48:52 +0000834}
835
Manuel Klimek60969f52013-02-01 13:41:35 +0000836void MatchFinder::match(const clang::ast_type_traits::DynTypedNode &Node,
837 ASTContext &Context) {
Manuel Klimek3e2aa992012-10-24 14:47:44 +0000838 internal::MatchASTVisitor Visitor(&MatcherCallbackPairs);
839 Visitor.set_active_ast_context(&Context);
Manuel Klimek60969f52013-02-01 13:41:35 +0000840 Visitor.match(Node);
Manuel Klimek3e2aa992012-10-24 14:47:44 +0000841}
842
Peter Collingbourne51fcdf82013-11-07 22:30:36 +0000843void MatchFinder::matchAST(ASTContext &Context) {
844 internal::MatchASTVisitor Visitor(&MatcherCallbackPairs);
845 Visitor.set_active_ast_context(&Context);
846 Visitor.onStartOfTranslationUnit();
847 Visitor.TraverseDecl(Context.getTranslationUnitDecl());
848 Visitor.onEndOfTranslationUnit();
849}
850
Manuel Klimek4da21662012-07-06 05:48:52 +0000851void MatchFinder::registerTestCallbackAfterParsing(
852 MatchFinder::ParsingDoneTestCallback *NewParsingDone) {
853 ParsingDone = NewParsingDone;
854}
855
856} // end namespace ast_matchers
857} // end namespace clang