blob: 7f7af7069c418877bbbe54438fd26bae44c38046 [file] [log] [blame]
Eric Liu495b2112016-09-19 17:40:321//===-- ChangeNamespace.cpp - Change namespace implementation -------------===//
2//
Chandler Carruth2946cd72019-01-19 08:50:563// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
Eric Liu495b2112016-09-19 17:40:326//
7//===----------------------------------------------------------------------===//
8#include "ChangeNamespace.h"
Eric Liuc6c894b2018-10-22 12:48:499#include "clang/AST/ASTContext.h"
Eric Liu495b2112016-09-19 17:40:3210#include "clang/Format/Format.h"
11#include "clang/Lex/Lexer.h"
Eric Liuc6c894b2018-10-22 12:48:4912#include "llvm/Support/Casting.h"
Eric Liuff51f012016-11-16 16:54:5313#include "llvm/Support/ErrorHandling.h"
Eric Liu495b2112016-09-19 17:40:3214
15using namespace clang::ast_matchers;
16
17namespace clang {
18namespace change_namespace {
19
20namespace {
21
Nathan James6a3b10e2020-07-09 10:29:4922inline std::string joinNamespaces(ArrayRef<StringRef> Namespaces) {
23 return llvm::join(Namespaces, "::");
Eric Liu495b2112016-09-19 17:40:3224}
25
Eric Liu8bc24162017-03-21 12:41:5926// Given "a::b::c", returns {"a", "b", "c"}.
27llvm::SmallVector<llvm::StringRef, 4> splitSymbolName(llvm::StringRef Name) {
28 llvm::SmallVector<llvm::StringRef, 4> Splitted;
29 Name.split(Splitted, "::", /*MaxSplit=*/-1,
30 /*KeepEmpty=*/false);
31 return Splitted;
32}
33
Eric Liu495b2112016-09-19 17:40:3234SourceLocation startLocationForType(TypeLoc TLoc) {
35 // For elaborated types (e.g. `struct a::A`) we want the portion after the
36 // `struct` but including the namespace qualifier, `a::`.
37 if (TLoc.getTypeLocClass() == TypeLoc::Elaborated) {
38 NestedNameSpecifierLoc NestedNameSpecifier =
39 TLoc.castAs<ElaboratedTypeLoc>().getQualifierLoc();
40 if (NestedNameSpecifier.getNestedNameSpecifier())
41 return NestedNameSpecifier.getBeginLoc();
42 TLoc = TLoc.getNextTypeLoc();
43 }
Stephen Kelly43465bf2018-08-09 22:42:2644 return TLoc.getBeginLoc();
Eric Liu495b2112016-09-19 17:40:3245}
46
Eric Liuc265b022016-12-01 17:25:5547SourceLocation endLocationForType(TypeLoc TLoc) {
Eric Liu495b2112016-09-19 17:40:3248 // Dig past any namespace or keyword qualifications.
49 while (TLoc.getTypeLocClass() == TypeLoc::Elaborated ||
50 TLoc.getTypeLocClass() == TypeLoc::Qualified)
51 TLoc = TLoc.getNextTypeLoc();
52
53 // The location for template specializations (e.g. Foo<int>) includes the
54 // templated types in its location range. We want to restrict this to just
55 // before the `<` character.
56 if (TLoc.getTypeLocClass() == TypeLoc::TemplateSpecialization)
57 return TLoc.castAs<TemplateSpecializationTypeLoc>()
58 .getLAngleLoc()
59 .getLocWithOffset(-1);
60 return TLoc.getEndLoc();
61}
62
63// Returns the containing namespace of `InnerNs` by skipping `PartialNsName`.
Eric Liu6aa94162016-11-10 18:29:0164// If the `InnerNs` does not have `PartialNsName` as suffix, or `PartialNsName`
65// is empty, nullptr is returned.
Eric Liu495b2112016-09-19 17:40:3266// For example, if `InnerNs` is "a::b::c" and `PartialNsName` is "b::c", then
67// the NamespaceDecl of namespace "a" will be returned.
68const NamespaceDecl *getOuterNamespace(const NamespaceDecl *InnerNs,
69 llvm::StringRef PartialNsName) {
Eric Liu6aa94162016-11-10 18:29:0170 if (!InnerNs || PartialNsName.empty())
71 return nullptr;
Eric Liu495b2112016-09-19 17:40:3272 const auto *CurrentContext = llvm::cast<DeclContext>(InnerNs);
73 const auto *CurrentNs = InnerNs;
Eric Liu8bc24162017-03-21 12:41:5974 auto PartialNsNameSplitted = splitSymbolName(PartialNsName);
Eric Liu495b2112016-09-19 17:40:3275 while (!PartialNsNameSplitted.empty()) {
76 // Get the inner-most namespace in CurrentContext.
77 while (CurrentContext && !llvm::isa<NamespaceDecl>(CurrentContext))
78 CurrentContext = CurrentContext->getParent();
79 if (!CurrentContext)
80 return nullptr;
81 CurrentNs = llvm::cast<NamespaceDecl>(CurrentContext);
82 if (PartialNsNameSplitted.back() != CurrentNs->getNameAsString())
83 return nullptr;
84 PartialNsNameSplitted.pop_back();
85 CurrentContext = CurrentContext->getParent();
86 }
87 return CurrentNs;
88}
89
Eric Liu73f49fd2016-10-12 12:34:1890static std::unique_ptr<Lexer>
91getLexerStartingFromLoc(SourceLocation Loc, const SourceManager &SM,
92 const LangOptions &LangOpts) {
Eric Liu495b2112016-09-19 17:40:3293 if (Loc.isMacroID() &&
94 !Lexer::isAtEndOfMacroExpansion(Loc, SM, LangOpts, &Loc))
Eric Liu73f49fd2016-10-12 12:34:1895 return nullptr;
Eric Liu495b2112016-09-19 17:40:3296 // Break down the source location.
97 std::pair<FileID, unsigned> LocInfo = SM.getDecomposedLoc(Loc);
98 // Try to load the file buffer.
99 bool InvalidTemp = false;
100 llvm::StringRef File = SM.getBufferData(LocInfo.first, &InvalidTemp);
101 if (InvalidTemp)
Eric Liu73f49fd2016-10-12 12:34:18102 return nullptr;
Eric Liu495b2112016-09-19 17:40:32103
104 const char *TokBegin = File.data() + LocInfo.second;
105 // Lex from the start of the given location.
Jonas Devlieghere1c705d92019-08-14 23:52:23106 return std::make_unique<Lexer>(SM.getLocForStartOfFile(LocInfo.first),
Eric Liu73f49fd2016-10-12 12:34:18107 LangOpts, File.begin(), TokBegin, File.end());
108}
Eric Liu495b2112016-09-19 17:40:32109
Eric Liu73f49fd2016-10-12 12:34:18110// FIXME: get rid of this helper function if this is supported in clang-refactor
111// library.
112static SourceLocation getStartOfNextLine(SourceLocation Loc,
113 const SourceManager &SM,
114 const LangOptions &LangOpts) {
115 std::unique_ptr<Lexer> Lex = getLexerStartingFromLoc(Loc, SM, LangOpts);
116 if (!Lex.get())
117 return SourceLocation();
Eric Liu495b2112016-09-19 17:40:32118 llvm::SmallVector<char, 16> Line;
119 // FIXME: this is a bit hacky to get ReadToEndOfLine work.
Eric Liu73f49fd2016-10-12 12:34:18120 Lex->setParsingPreprocessorDirective(true);
121 Lex->ReadToEndOfLine(&Line);
Haojian Wuef8a6dc2016-10-04 10:35:53122 auto End = Loc.getLocWithOffset(Line.size());
Eric Liu73f49fd2016-10-12 12:34:18123 return SM.getLocForEndOfFile(SM.getDecomposedLoc(Loc).first) == End
124 ? End
125 : End.getLocWithOffset(1);
Eric Liu495b2112016-09-19 17:40:32126}
127
128// Returns `R` with new range that refers to code after `Replaces` being
129// applied.
130tooling::Replacement
131getReplacementInChangedCode(const tooling::Replacements &Replaces,
132 const tooling::Replacement &R) {
133 unsigned NewStart = Replaces.getShiftedCodePosition(R.getOffset());
134 unsigned NewEnd =
135 Replaces.getShiftedCodePosition(R.getOffset() + R.getLength());
136 return tooling::Replacement(R.getFilePath(), NewStart, NewEnd - NewStart,
137 R.getReplacementText());
138}
139
140// Adds a replacement `R` into `Replaces` or merges it into `Replaces` by
141// applying all existing Replaces first if there is conflict.
142void addOrMergeReplacement(const tooling::Replacement &R,
143 tooling::Replacements *Replaces) {
144 auto Err = Replaces->add(R);
145 if (Err) {
146 llvm::consumeError(std::move(Err));
147 auto Replace = getReplacementInChangedCode(*Replaces, R);
148 *Replaces = Replaces->merge(tooling::Replacements(Replace));
149 }
150}
151
152tooling::Replacement createReplacement(SourceLocation Start, SourceLocation End,
153 llvm::StringRef ReplacementText,
154 const SourceManager &SM) {
155 if (!Start.isValid() || !End.isValid()) {
156 llvm::errs() << "start or end location were invalid\n";
157 return tooling::Replacement();
158 }
159 if (SM.getDecomposedLoc(Start).first != SM.getDecomposedLoc(End).first) {
160 llvm::errs()
161 << "start or end location were in different macro expansions\n";
162 return tooling::Replacement();
163 }
164 Start = SM.getSpellingLoc(Start);
165 End = SM.getSpellingLoc(End);
166 if (SM.getFileID(Start) != SM.getFileID(End)) {
167 llvm::errs() << "start or end location were in different files\n";
168 return tooling::Replacement();
169 }
170 return tooling::Replacement(
171 SM, CharSourceRange::getTokenRange(SM.getSpellingLoc(Start),
172 SM.getSpellingLoc(End)),
173 ReplacementText);
174}
175
Eric Liu4fe99e12016-12-14 17:01:52176void addReplacementOrDie(
177 SourceLocation Start, SourceLocation End, llvm::StringRef ReplacementText,
178 const SourceManager &SM,
179 std::map<std::string, tooling::Replacements> *FileToReplacements) {
180 const auto R = createReplacement(Start, End, ReplacementText, SM);
Benjamin Krameradcd0262020-01-28 19:23:46181 auto Err = (*FileToReplacements)[std::string(R.getFilePath())].add(R);
Eric Liu4fe99e12016-12-14 17:01:52182 if (Err)
183 llvm_unreachable(llvm::toString(std::move(Err)).c_str());
184}
185
Eric Liu495b2112016-09-19 17:40:32186tooling::Replacement createInsertion(SourceLocation Loc,
187 llvm::StringRef InsertText,
188 const SourceManager &SM) {
189 if (Loc.isInvalid()) {
190 llvm::errs() << "insert Location is invalid.\n";
191 return tooling::Replacement();
192 }
193 Loc = SM.getSpellingLoc(Loc);
194 return tooling::Replacement(SM, Loc, 0, InsertText);
195}
196
197// Returns the shortest qualified name for declaration `DeclName` in the
198// namespace `NsName`. For example, if `DeclName` is "a::b::X" and `NsName`
199// is "a::c::d", then "b::X" will be returned.
Eric Liubc715502017-01-26 15:08:44200// Note that if `DeclName` is `::b::X` and `NsName` is `::a::b`, this returns
201// "::b::X" instead of "b::X" since there will be a name conflict otherwise.
Eric Liu447164d2016-10-05 15:52:39202// \param DeclName A fully qualified name, "::a::b::X" or "a::b::X".
203// \param NsName A fully qualified name, "::a::b" or "a::b". Global namespace
204// will have empty name.
Eric Liu495b2112016-09-19 17:40:32205std::string getShortestQualifiedNameInNamespace(llvm::StringRef DeclName,
206 llvm::StringRef NsName) {
Eric Liu447164d2016-10-05 15:52:39207 DeclName = DeclName.ltrim(':');
208 NsName = NsName.ltrim(':');
Kazu Hirata20f0f152022-08-29 06:29:02209 if (!DeclName.contains(':'))
Benjamin Krameradcd0262020-01-28 19:23:46210 return std::string(DeclName);
Eric Liu447164d2016-10-05 15:52:39211
Eric Liu8bc24162017-03-21 12:41:59212 auto NsNameSplitted = splitSymbolName(NsName);
213 auto DeclNsSplitted = splitSymbolName(DeclName);
Eric Liubc715502017-01-26 15:08:44214 llvm::StringRef UnqualifiedDeclName = DeclNsSplitted.pop_back_val();
215 // If the Decl is in global namespace, there is no need to shorten it.
216 if (DeclNsSplitted.empty())
Benjamin Krameradcd0262020-01-28 19:23:46217 return std::string(UnqualifiedDeclName);
Eric Liubc715502017-01-26 15:08:44218 // If NsName is the global namespace, we can simply use the DeclName sans
219 // leading "::".
220 if (NsNameSplitted.empty())
Benjamin Krameradcd0262020-01-28 19:23:46221 return std::string(DeclName);
Eric Liubc715502017-01-26 15:08:44222
223 if (NsNameSplitted.front() != DeclNsSplitted.front()) {
224 // The DeclName must be fully-qualified, but we still need to decide if a
225 // leading "::" is necessary. For example, if `NsName` is "a::b::c" and the
226 // `DeclName` is "b::X", then the reference must be qualified as "::b::X"
227 // to avoid conflict.
228 if (llvm::is_contained(NsNameSplitted, DeclNsSplitted.front()))
229 return ("::" + DeclName).str();
Benjamin Krameradcd0262020-01-28 19:23:46230 return std::string(DeclName);
Eric Liu495b2112016-09-19 17:40:32231 }
Eric Liubc715502017-01-26 15:08:44232 // Since there is already an overlap namespace, we know that `DeclName` can be
233 // shortened, so we reduce the longest common prefix.
234 auto DeclI = DeclNsSplitted.begin();
235 auto DeclE = DeclNsSplitted.end();
236 auto NsI = NsNameSplitted.begin();
237 auto NsE = NsNameSplitted.end();
238 for (; DeclI != DeclE && NsI != NsE && *DeclI == *NsI; ++DeclI, ++NsI) {
239 }
240 return (DeclI == DeclE)
241 ? UnqualifiedDeclName.str()
242 : (llvm::join(DeclI, DeclE, "::") + "::" + UnqualifiedDeclName)
243 .str();
Eric Liu495b2112016-09-19 17:40:32244}
245
246std::string wrapCodeInNamespace(StringRef NestedNs, std::string Code) {
247 if (Code.back() != '\n')
248 Code += "\n";
Eric Liu8bc24162017-03-21 12:41:59249 auto NsSplitted = splitSymbolName(NestedNs);
Eric Liu495b2112016-09-19 17:40:32250 while (!NsSplitted.empty()) {
251 // FIXME: consider code style for comments.
252 Code = ("namespace " + NsSplitted.back() + " {\n" + Code +
253 "} // namespace " + NsSplitted.back() + "\n")
254 .str();
255 NsSplitted.pop_back();
256 }
257 return Code;
258}
259
Eric Liub9bf1b52016-11-08 22:44:17260// Returns true if \p D is a nested DeclContext in \p Context
261bool isNestedDeclContext(const DeclContext *D, const DeclContext *Context) {
262 while (D) {
263 if (D == Context)
264 return true;
265 D = D->getParent();
266 }
267 return false;
268}
269
270// Returns true if \p D is visible at \p Loc with DeclContext \p DeclCtx.
271bool isDeclVisibleAtLocation(const SourceManager &SM, const Decl *D,
272 const DeclContext *DeclCtx, SourceLocation Loc) {
Stephen Kelly43465bf2018-08-09 22:42:26273 SourceLocation DeclLoc = SM.getSpellingLoc(D->getBeginLoc());
Eric Liub9bf1b52016-11-08 22:44:17274 Loc = SM.getSpellingLoc(Loc);
275 return SM.isBeforeInTranslationUnit(DeclLoc, Loc) &&
276 (SM.getFileID(DeclLoc) == SM.getFileID(Loc) &&
277 isNestedDeclContext(DeclCtx, D->getDeclContext()));
278}
279
Eric Liu8bc24162017-03-21 12:41:59280// Given a qualified symbol name, returns true if the symbol will be
Eric Liuc6c894b2018-10-22 12:48:49281// incorrectly qualified without leading "::". For example, a symbol
282// "nx::ny::Foo" in namespace "na::nx::ny" without leading "::"; a symbol
283// "util::X" in namespace "na" can potentially conflict with "na::util" (if this
284// exists).
285bool conflictInNamespace(const ASTContext &AST, llvm::StringRef QualifiedSymbol,
Eric Liu8bc24162017-03-21 12:41:59286 llvm::StringRef Namespace) {
287 auto SymbolSplitted = splitSymbolName(QualifiedSymbol.trim(":"));
288 assert(!SymbolSplitted.empty());
289 SymbolSplitted.pop_back(); // We are only interested in namespaces.
290
Eric Liuc6c894b2018-10-22 12:48:49291 if (SymbolSplitted.size() >= 1 && !Namespace.empty()) {
292 auto SymbolTopNs = SymbolSplitted.front();
Eric Liu8bc24162017-03-21 12:41:59293 auto NsSplitted = splitSymbolName(Namespace.trim(":"));
294 assert(!NsSplitted.empty());
Eric Liuc6c894b2018-10-22 12:48:49295
296 auto LookupDecl = [&AST](const Decl &Scope,
297 llvm::StringRef Name) -> const NamedDecl * {
298 const auto *DC = llvm::dyn_cast<DeclContext>(&Scope);
299 if (!DC)
300 return nullptr;
301 auto LookupRes = DC->lookup(DeclarationName(&AST.Idents.get(Name)));
302 if (LookupRes.empty())
303 return nullptr;
304 return LookupRes.front();
305 };
306 // We do not check the outermost namespace since it would not be a
307 // conflict if it equals to the symbol's outermost namespace and the
308 // symbol name would have been shortened.
309 const NamedDecl *Scope =
310 LookupDecl(*AST.getTranslationUnitDecl(), NsSplitted.front());
Kazu Hirata246bf082022-07-16 06:24:59311 for (const auto &I : llvm::drop_begin(NsSplitted)) {
312 if (I == SymbolTopNs) // Handles "::ny" in "::nx::ny" case.
Eric Liu8bc24162017-03-21 12:41:59313 return true;
Eric Liuc6c894b2018-10-22 12:48:49314 // Handles "::util" and "::nx::util" conflicts.
315 if (Scope) {
316 if (LookupDecl(*Scope, SymbolTopNs))
317 return true;
Kazu Hirata246bf082022-07-16 06:24:59318 Scope = LookupDecl(*Scope, I);
Eric Liuc6c894b2018-10-22 12:48:49319 }
Eric Liu8bc24162017-03-21 12:41:59320 }
Eric Liuc6c894b2018-10-22 12:48:49321 if (Scope && LookupDecl(*Scope, SymbolTopNs))
322 return true;
Eric Liu8bc24162017-03-21 12:41:59323 }
324 return false;
325}
326
Eric Liu284b97c2017-03-17 14:05:39327bool isTemplateParameter(TypeLoc Type) {
328 while (!Type.isNull()) {
329 if (Type.getTypeLocClass() == TypeLoc::SubstTemplateTypeParm)
330 return true;
331 Type = Type.getNextTypeLoc();
332 }
333 return false;
334}
335
Eric Liu495b2112016-09-19 17:40:32336} // anonymous namespace
337
338ChangeNamespaceTool::ChangeNamespaceTool(
339 llvm::StringRef OldNs, llvm::StringRef NewNs, llvm::StringRef FilePattern,
Eric Christopher25ed42f2020-06-20 06:01:42340 llvm::ArrayRef<std::string> AllowedSymbolPatterns,
Eric Liu495b2112016-09-19 17:40:32341 std::map<std::string, tooling::Replacements> *FileToReplacements,
342 llvm::StringRef FallbackStyle)
343 : FallbackStyle(FallbackStyle), FileToReplacements(*FileToReplacements),
344 OldNamespace(OldNs.ltrim(':')), NewNamespace(NewNs.ltrim(':')),
Eric Liuc265b022016-12-01 17:25:55345 FilePattern(FilePattern), FilePatternRE(FilePattern) {
Eric Liu495b2112016-09-19 17:40:32346 FileToReplacements->clear();
Eric Liu8bc24162017-03-21 12:41:59347 auto OldNsSplitted = splitSymbolName(OldNamespace);
348 auto NewNsSplitted = splitSymbolName(NewNamespace);
Eric Liu495b2112016-09-19 17:40:32349 // Calculates `DiffOldNamespace` and `DiffNewNamespace`.
350 while (!OldNsSplitted.empty() && !NewNsSplitted.empty() &&
351 OldNsSplitted.front() == NewNsSplitted.front()) {
352 OldNsSplitted.erase(OldNsSplitted.begin());
353 NewNsSplitted.erase(NewNsSplitted.begin());
354 }
355 DiffOldNamespace = joinNamespaces(OldNsSplitted);
356 DiffNewNamespace = joinNamespaces(NewNsSplitted);
Eric Liu7fccc992017-02-24 11:54:45357
Eric Christopher25ed42f2020-06-20 06:01:42358 for (const auto &Pattern : AllowedSymbolPatterns)
359 AllowedSymbolRegexes.emplace_back(Pattern);
Eric Liu495b2112016-09-19 17:40:32360}
361
Eric Liu495b2112016-09-19 17:40:32362void ChangeNamespaceTool::registerMatchers(ast_matchers::MatchFinder *Finder) {
Eric Liu495b2112016-09-19 17:40:32363 std::string FullOldNs = "::" + OldNamespace;
Eric Liub9bf1b52016-11-08 22:44:17364 // Prefix is the outer-most namespace in DiffOldNamespace. For example, if the
365 // OldNamespace is "a::b::c" and DiffOldNamespace is "b::c", then Prefix will
366 // be "a::b". Declarations in this namespace will not be visible in the new
367 // namespace. If DiffOldNamespace is empty, Prefix will be a invalid name "-".
368 llvm::SmallVector<llvm::StringRef, 4> DiffOldNsSplitted;
Eric Liu2dd0e1b2016-12-05 11:17:04369 llvm::StringRef(DiffOldNamespace)
370 .split(DiffOldNsSplitted, "::", /*MaxSplit=*/-1,
371 /*KeepEmpty=*/false);
Eric Liub9bf1b52016-11-08 22:44:17372 std::string Prefix = "-";
373 if (!DiffOldNsSplitted.empty())
374 Prefix = (StringRef(FullOldNs).drop_back(DiffOldNamespace.size()) +
375 DiffOldNsSplitted.front())
376 .str();
377 auto IsInMovedNs =
378 allOf(hasAncestor(namespaceDecl(hasName(FullOldNs)).bind("ns_decl")),
379 isExpansionInFileMatching(FilePattern));
380 auto IsVisibleInNewNs = anyOf(
381 IsInMovedNs, unless(hasAncestor(namespaceDecl(hasName(Prefix)))));
382 // Match using declarations.
383 Finder->addMatcher(
384 usingDecl(isExpansionInFileMatching(FilePattern), IsVisibleInNewNs)
385 .bind("using"),
386 this);
387 // Match using namespace declarations.
388 Finder->addMatcher(usingDirectiveDecl(isExpansionInFileMatching(FilePattern),
389 IsVisibleInNewNs)
390 .bind("using_namespace"),
391 this);
Eric Liu180dac62016-12-23 10:47:09392 // Match namespace alias declarations.
393 Finder->addMatcher(namespaceAliasDecl(isExpansionInFileMatching(FilePattern),
394 IsVisibleInNewNs)
395 .bind("namespace_alias"),
396 this);
Eric Liub9bf1b52016-11-08 22:44:17397
398 // Match old namespace blocks.
Eric Liu495b2112016-09-19 17:40:32399 Finder->addMatcher(
400 namespaceDecl(hasName(FullOldNs), isExpansionInFileMatching(FilePattern))
401 .bind("old_ns"),
402 this);
403
Eric Liu41552d62016-12-07 14:20:52404 // Match class forward-declarations in the old namespace.
405 // Note that forward-declarations in classes are not matched.
406 Finder->addMatcher(cxxRecordDecl(unless(anyOf(isImplicit(), isDefinition())),
407 IsInMovedNs, hasParent(namespaceDecl()))
408 .bind("class_fwd_decl"),
409 this);
410
411 // Match template class forward-declarations in the old namespace.
Eric Liu495b2112016-09-19 17:40:32412 Finder->addMatcher(
Eric Liu41552d62016-12-07 14:20:52413 classTemplateDecl(unless(hasDescendant(cxxRecordDecl(isDefinition()))),
414 IsInMovedNs, hasParent(namespaceDecl()))
415 .bind("template_class_fwd_decl"),
Eric Liu495b2112016-09-19 17:40:32416 this);
417
418 // Match references to types that are not defined in the old namespace.
419 // Forward-declarations in the old namespace are also matched since they will
420 // be moved back to the old namespace.
421 auto DeclMatcher = namedDecl(
422 hasAncestor(namespaceDecl()),
423 unless(anyOf(
Eric Liu912d0392016-09-27 12:54:48424 isImplicit(), hasAncestor(namespaceDecl(isAnonymous())),
Eric Liu495b2112016-09-19 17:40:32425 hasAncestor(cxxRecordDecl()),
426 allOf(IsInMovedNs, unless(cxxRecordDecl(unless(isDefinition())))))));
Eric Liu912d0392016-09-27 12:54:48427
Eric Liu8685c762016-12-07 17:04:07428 // Using shadow declarations in classes always refers to base class, which
429 // does not need to be qualified since it can be inferred from inheritance.
430 // Note that this does not match using alias declarations.
431 auto UsingShadowDeclInClass =
432 usingDecl(hasAnyUsingShadowDecl(decl()), hasParent(cxxRecordDecl()));
433
Eric Liu495b2112016-09-19 17:40:32434 // Match TypeLocs on the declaration. Carefully match only the outermost
Eric Liu8393cb02016-10-31 08:28:29435 // TypeLoc and template specialization arguments (which are not outermost)
436 // that are directly linked to types matching `DeclMatcher`. Nested name
437 // specifier locs are handled separately below.
Eric Liu495b2112016-09-19 17:40:32438 Finder->addMatcher(
439 typeLoc(IsInMovedNs,
440 loc(qualType(hasDeclaration(DeclMatcher.bind("from_decl")))),
Eric Liu8393cb02016-10-31 08:28:29441 unless(anyOf(hasParent(typeLoc(loc(qualType(
Alexander Kornienko976e0c02018-11-25 02:41:01442 hasDeclaration(DeclMatcher),
443 unless(templateSpecializationType()))))),
Eric Liu8685c762016-12-07 17:04:07444 hasParent(nestedNameSpecifierLoc()),
Sam McCallc8f14822021-08-06 20:28:31445 hasAncestor(decl(isImplicit())),
Eric Liub583a7e2017-10-16 08:20:10446 hasAncestor(UsingShadowDeclInClass),
447 hasAncestor(functionDecl(isDefaulted())))),
Eric Liu495b2112016-09-19 17:40:32448 hasAncestor(decl().bind("dc")))
449 .bind("type"),
450 this);
Eric Liu912d0392016-09-27 12:54:48451
Eric Liu68765a82016-09-21 15:06:12452 // Types in `UsingShadowDecl` is not matched by `typeLoc` above, so we need to
453 // special case it.
Eric Liu8685c762016-12-07 17:04:07454 // Since using declarations inside classes must have the base class in the
455 // nested name specifier, we leave it to the nested name specifier matcher.
456 Finder->addMatcher(usingDecl(IsInMovedNs, hasAnyUsingShadowDecl(decl()),
457 unless(UsingShadowDeclInClass))
Eric Liub9bf1b52016-11-08 22:44:17458 .bind("using_with_shadow"),
459 this);
Eric Liu912d0392016-09-27 12:54:48460
Eric Liuff51f012016-11-16 16:54:53461 // Handle types in nested name specifier. Specifiers that are in a TypeLoc
462 // matched above are not matched, e.g. "A::" in "A::A" is not matched since
463 // "A::A" would have already been fixed.
Eric Liu8685c762016-12-07 17:04:07464 Finder->addMatcher(
465 nestedNameSpecifierLoc(
466 hasAncestor(decl(IsInMovedNs).bind("dc")),
467 loc(nestedNameSpecifier(
468 specifiesType(hasDeclaration(DeclMatcher.bind("from_decl"))))),
Sam McCallc8f14822021-08-06 20:28:31469 unless(anyOf(hasAncestor(decl(isImplicit())),
Eric Liu8685c762016-12-07 17:04:07470 hasAncestor(UsingShadowDeclInClass),
Eric Liub583a7e2017-10-16 08:20:10471 hasAncestor(functionDecl(isDefaulted())),
Eric Liu8685c762016-12-07 17:04:07472 hasAncestor(typeLoc(loc(qualType(hasDeclaration(
473 decl(equalsBoundNode("from_decl"))))))))))
474 .bind("nested_specifier_loc"),
475 this);
Eric Liu12068d82016-09-22 11:54:00476
Eric Liuff51f012016-11-16 16:54:53477 // Matches base class initializers in constructors. TypeLocs of base class
478 // initializers do not need to be fixed. For example,
479 // class X : public a::b::Y {
480 // public:
481 // X() : Y::Y() {} // Y::Y do not need namespace specifier.
482 // };
483 Finder->addMatcher(
484 cxxCtorInitializer(isBaseInitializer()).bind("base_initializer"), this);
485
Eric Liu12068d82016-09-22 11:54:00486 // Handle function.
Eric Liu912d0392016-09-27 12:54:48487 // Only handle functions that are defined in a namespace excluding member
488 // function, static methods (qualified by nested specifier), and functions
489 // defined in the global namespace.
Eric Liu12068d82016-09-22 11:54:00490 // Note that the matcher does not exclude calls to out-of-line static method
491 // definitions, so we need to exclude them in the callback handler.
Eric Liu912d0392016-09-27 12:54:48492 auto FuncMatcher =
493 functionDecl(unless(anyOf(cxxMethodDecl(), IsInMovedNs,
494 hasAncestor(namespaceDecl(isAnonymous())),
495 hasAncestor(cxxRecordDecl()))),
496 hasParent(namespaceDecl()));
Alexander Kornienko976e0c02018-11-25 02:41:01497 Finder->addMatcher(expr(hasAncestor(decl().bind("dc")), IsInMovedNs,
Sam McCallc8f14822021-08-06 20:28:31498 unless(hasAncestor(decl(isImplicit()))),
Alexander Kornienko976e0c02018-11-25 02:41:01499 anyOf(callExpr(callee(FuncMatcher)).bind("call"),
500 declRefExpr(to(FuncMatcher.bind("func_decl")))
501 .bind("func_ref"))),
502 this);
Eric Liu159f0132016-09-30 04:32:39503
504 auto GlobalVarMatcher = varDecl(
505 hasGlobalStorage(), hasParent(namespaceDecl()),
506 unless(anyOf(IsInMovedNs, hasAncestor(namespaceDecl(isAnonymous())))));
507 Finder->addMatcher(declRefExpr(IsInMovedNs, hasAncestor(decl().bind("dc")),
508 to(GlobalVarMatcher.bind("var_decl")))
509 .bind("var_ref"),
510 this);
Eric Liu0325a772017-02-02 17:40:38511
512 // Handle unscoped enum constant.
513 auto UnscopedEnumMatcher = enumConstantDecl(hasParent(enumDecl(
514 hasParent(namespaceDecl()),
515 unless(anyOf(isScoped(), IsInMovedNs, hasAncestor(cxxRecordDecl()),
516 hasAncestor(namespaceDecl(isAnonymous())))))));
517 Finder->addMatcher(
518 declRefExpr(IsInMovedNs, hasAncestor(decl().bind("dc")),
519 to(UnscopedEnumMatcher.bind("enum_const_decl")))
520 .bind("enum_const_ref"),
521 this);
Eric Liu495b2112016-09-19 17:40:32522}
523
524void ChangeNamespaceTool::run(
525 const ast_matchers::MatchFinder::MatchResult &Result) {
Eric Liub9bf1b52016-11-08 22:44:17526 if (const auto *Using = Result.Nodes.getNodeAs<UsingDecl>("using")) {
527 UsingDecls.insert(Using);
528 } else if (const auto *UsingNamespace =
529 Result.Nodes.getNodeAs<UsingDirectiveDecl>(
530 "using_namespace")) {
531 UsingNamespaceDecls.insert(UsingNamespace);
Eric Liu180dac62016-12-23 10:47:09532 } else if (const auto *NamespaceAlias =
533 Result.Nodes.getNodeAs<NamespaceAliasDecl>(
534 "namespace_alias")) {
535 NamespaceAliasDecls.insert(NamespaceAlias);
Eric Liub9bf1b52016-11-08 22:44:17536 } else if (const auto *NsDecl =
537 Result.Nodes.getNodeAs<NamespaceDecl>("old_ns")) {
Eric Liu495b2112016-09-19 17:40:32538 moveOldNamespace(Result, NsDecl);
539 } else if (const auto *FwdDecl =
Eric Liu41552d62016-12-07 14:20:52540 Result.Nodes.getNodeAs<CXXRecordDecl>("class_fwd_decl")) {
541 moveClassForwardDeclaration(Result, cast<NamedDecl>(FwdDecl));
542 } else if (const auto *TemplateFwdDecl =
543 Result.Nodes.getNodeAs<ClassTemplateDecl>(
544 "template_class_fwd_decl")) {
545 moveClassForwardDeclaration(Result, cast<NamedDecl>(TemplateFwdDecl));
Eric Liub9bf1b52016-11-08 22:44:17546 } else if (const auto *UsingWithShadow =
547 Result.Nodes.getNodeAs<UsingDecl>("using_with_shadow")) {
548 fixUsingShadowDecl(Result, UsingWithShadow);
Eric Liu68765a82016-09-21 15:06:12549 } else if (const auto *Specifier =
550 Result.Nodes.getNodeAs<NestedNameSpecifierLoc>(
551 "nested_specifier_loc")) {
552 SourceLocation Start = Specifier->getBeginLoc();
Eric Liuc265b022016-12-01 17:25:55553 SourceLocation End = endLocationForType(Specifier->getTypeLoc());
Eric Liu68765a82016-09-21 15:06:12554 fixTypeLoc(Result, Start, End, Specifier->getTypeLoc());
Eric Liuff51f012016-11-16 16:54:53555 } else if (const auto *BaseInitializer =
556 Result.Nodes.getNodeAs<CXXCtorInitializer>(
557 "base_initializer")) {
558 BaseCtorInitializerTypeLocs.push_back(
559 BaseInitializer->getTypeSourceInfo()->getTypeLoc());
Eric Liu12068d82016-09-22 11:54:00560 } else if (const auto *TLoc = Result.Nodes.getNodeAs<TypeLoc>("type")) {
Eric Liu26cf68a2016-12-15 10:42:35561 // This avoids fixing types with record types as qualifier, which is not
562 // filtered by matchers in some cases, e.g. the type is templated. We should
563 // handle the record type qualifier instead.
Eric Liu0c0aea02016-12-15 13:02:41564 TypeLoc Loc = *TLoc;
565 while (Loc.getTypeLocClass() == TypeLoc::Qualified)
566 Loc = Loc.getNextTypeLoc();
567 if (Loc.getTypeLocClass() == TypeLoc::Elaborated) {
Eric Liu26cf68a2016-12-15 10:42:35568 NestedNameSpecifierLoc NestedNameSpecifier =
Eric Liu0c0aea02016-12-15 13:02:41569 Loc.castAs<ElaboratedTypeLoc>().getQualifierLoc();
Matheus Izvekov15f3cd62021-10-11 16:15:36570 // FIXME: avoid changing injected class names.
571 if (auto *NNS = NestedNameSpecifier.getNestedNameSpecifier()) {
572 const Type *SpecifierType = NNS->getAsType();
573 if (SpecifierType && SpecifierType->isRecordType())
574 return;
575 }
Eric Liu26cf68a2016-12-15 10:42:35576 }
Eric Liu0c0aea02016-12-15 13:02:41577 fixTypeLoc(Result, startLocationForType(Loc), endLocationForType(Loc), Loc);
Mandeep Singh Grang7c7ea7d2016-11-08 07:50:19578 } else if (const auto *VarRef =
579 Result.Nodes.getNodeAs<DeclRefExpr>("var_ref")) {
Eric Liu159f0132016-09-30 04:32:39580 const auto *Var = Result.Nodes.getNodeAs<VarDecl>("var_decl");
581 assert(Var);
582 if (Var->getCanonicalDecl()->isStaticDataMember())
583 return;
Eric Liuda22b3c2016-11-29 14:15:14584 const auto *Context = Result.Nodes.getNodeAs<Decl>("dc");
Eric Liu159f0132016-09-30 04:32:39585 assert(Context && "Empty decl context.");
Eric Liuda22b3c2016-11-29 14:15:14586 fixDeclRefExpr(Result, Context->getDeclContext(),
587 llvm::cast<NamedDecl>(Var), VarRef);
Eric Liu0325a772017-02-02 17:40:38588 } else if (const auto *EnumConstRef =
589 Result.Nodes.getNodeAs<DeclRefExpr>("enum_const_ref")) {
590 // Do not rename the reference if it is already scoped by the EnumDecl name.
591 if (EnumConstRef->hasQualifier() &&
Eric Liu28c30ce2017-02-02 19:46:12592 EnumConstRef->getQualifier()->getKind() ==
593 NestedNameSpecifier::SpecifierKind::TypeSpec &&
Eric Liu0325a772017-02-02 17:40:38594 EnumConstRef->getQualifier()->getAsType()->isEnumeralType())
595 return;
596 const auto *EnumConstDecl =
597 Result.Nodes.getNodeAs<EnumConstantDecl>("enum_const_decl");
598 assert(EnumConstDecl);
599 const auto *Context = Result.Nodes.getNodeAs<Decl>("dc");
600 assert(Context && "Empty decl context.");
601 // FIXME: this would qualify "ns::VALUE" as "ns::EnumValue::VALUE". Fix it
602 // if it turns out to be an issue.
603 fixDeclRefExpr(Result, Context->getDeclContext(),
604 llvm::cast<NamedDecl>(EnumConstDecl), EnumConstRef);
Eric Liuda22b3c2016-11-29 14:15:14605 } else if (const auto *FuncRef =
606 Result.Nodes.getNodeAs<DeclRefExpr>("func_ref")) {
Eric Liue3f35e42016-12-20 14:39:04607 // If this reference has been processed as a function call, we do not
608 // process it again.
609 if (ProcessedFuncRefs.count(FuncRef))
610 return;
611 ProcessedFuncRefs.insert(FuncRef);
Eric Liuda22b3c2016-11-29 14:15:14612 const auto *Func = Result.Nodes.getNodeAs<FunctionDecl>("func_decl");
613 assert(Func);
614 const auto *Context = Result.Nodes.getNodeAs<Decl>("dc");
615 assert(Context && "Empty decl context.");
616 fixDeclRefExpr(Result, Context->getDeclContext(),
617 llvm::cast<NamedDecl>(Func), FuncRef);
Eric Liu12068d82016-09-22 11:54:00618 } else {
Eric Liuda22b3c2016-11-29 14:15:14619 const auto *Call = Result.Nodes.getNodeAs<CallExpr>("call");
Mandeep Singh Grang7c7ea7d2016-11-08 07:50:19620 assert(Call != nullptr && "Expecting callback for CallExpr.");
Eric Liue3f35e42016-12-20 14:39:04621 const auto *CalleeFuncRef =
622 llvm::cast<DeclRefExpr>(Call->getCallee()->IgnoreImplicit());
623 ProcessedFuncRefs.insert(CalleeFuncRef);
Eric Liuda22b3c2016-11-29 14:15:14624 const FunctionDecl *Func = Call->getDirectCallee();
Eric Liu12068d82016-09-22 11:54:00625 assert(Func != nullptr);
Eric Liue3f35e42016-12-20 14:39:04626 // FIXME: ignore overloaded operators. This would miss cases where operators
627 // are called by qualified names (i.e. "ns::operator <"). Ignore such
628 // cases for now.
629 if (Func->isOverloadedOperator())
630 return;
Eric Liu12068d82016-09-22 11:54:00631 // Ignore out-of-line static methods since they will be handled by nested
632 // name specifiers.
Thorsten Schütt2fd11e02021-01-04 22:17:45633 if (Func->getCanonicalDecl()->getStorageClass() ==
634 StorageClass::SC_Static &&
Eric Liu12068d82016-09-22 11:54:00635 Func->isOutOfLine())
636 return;
Eric Liuda22b3c2016-11-29 14:15:14637 const auto *Context = Result.Nodes.getNodeAs<Decl>("dc");
Eric Liu12068d82016-09-22 11:54:00638 assert(Context && "Empty decl context.");
Eric Liuda22b3c2016-11-29 14:15:14639 SourceRange CalleeRange = Call->getCallee()->getSourceRange();
Eric Liub9bf1b52016-11-08 22:44:17640 replaceQualifiedSymbolInDeclContext(
641 Result, Context->getDeclContext(), CalleeRange.getBegin(),
Eric Liu231c6552016-11-10 18:15:34642 CalleeRange.getEnd(), llvm::cast<NamedDecl>(Func));
Eric Liu495b2112016-09-19 17:40:32643 }
644}
645
Eric Liu73f49fd2016-10-12 12:34:18646static SourceLocation getLocAfterNamespaceLBrace(const NamespaceDecl *NsDecl,
647 const SourceManager &SM,
648 const LangOptions &LangOpts) {
649 std::unique_ptr<Lexer> Lex =
Stephen Kelly43465bf2018-08-09 22:42:26650 getLexerStartingFromLoc(NsDecl->getBeginLoc(), SM, LangOpts);
Eric Liu73f49fd2016-10-12 12:34:18651 assert(Lex.get() &&
652 "Failed to create lexer from the beginning of namespace.");
653 if (!Lex.get())
654 return SourceLocation();
655 Token Tok;
656 while (!Lex->LexFromRawLexer(Tok) && Tok.isNot(tok::TokenKind::l_brace)) {
657 }
658 return Tok.isNot(tok::TokenKind::l_brace)
659 ? SourceLocation()
660 : Tok.getEndLoc().getLocWithOffset(1);
661}
662
Eric Liu495b2112016-09-19 17:40:32663// Stores information about a moved namespace in `MoveNamespaces` and leaves
664// the actual movement to `onEndOfTranslationUnit()`.
665void ChangeNamespaceTool::moveOldNamespace(
666 const ast_matchers::MatchFinder::MatchResult &Result,
667 const NamespaceDecl *NsDecl) {
668 // If the namespace is empty, do nothing.
669 if (Decl::castToDeclContext(NsDecl)->decls_empty())
670 return;
671
Eric Liuee5104b2017-01-04 14:49:08672 const SourceManager &SM = *Result.SourceManager;
Eric Liu495b2112016-09-19 17:40:32673 // Get the range of the code in the old namespace.
Eric Liuee5104b2017-01-04 14:49:08674 SourceLocation Start =
675 getLocAfterNamespaceLBrace(NsDecl, SM, Result.Context->getLangOpts());
Eric Liu73f49fd2016-10-12 12:34:18676 assert(Start.isValid() && "Can't find l_brace for namespace.");
Eric Liu495b2112016-09-19 17:40:32677 MoveNamespace MoveNs;
Eric Liuee5104b2017-01-04 14:49:08678 MoveNs.Offset = SM.getFileOffset(Start);
679 // The range of the moved namespace is from the location just past the left
680 // brace to the location right before the right brace.
681 MoveNs.Length = SM.getFileOffset(NsDecl->getRBraceLoc()) - MoveNs.Offset;
Eric Liu495b2112016-09-19 17:40:32682
683 // Insert the new namespace after `DiffOldNamespace`. For example, if
684 // `OldNamespace` is "a::b::c" and `NewNamespace` is `a::x::y`, then
685 // "x::y" will be inserted inside the existing namespace "a" and after "a::b".
686 // `OuterNs` is the first namespace in `DiffOldNamespace`, e.g. "namespace b"
687 // in the above example.
Eric Liu6aa94162016-11-10 18:29:01688 // If there is no outer namespace (i.e. DiffOldNamespace is empty), the new
689 // namespace will be a nested namespace in the old namespace.
Eric Liu495b2112016-09-19 17:40:32690 const NamespaceDecl *OuterNs = getOuterNamespace(NsDecl, DiffOldNamespace);
Eric Liu6aa94162016-11-10 18:29:01691 SourceLocation InsertionLoc = Start;
692 if (OuterNs) {
Eric Liuee5104b2017-01-04 14:49:08693 SourceLocation LocAfterNs = getStartOfNextLine(
694 OuterNs->getRBraceLoc(), SM, Result.Context->getLangOpts());
Eric Liu6aa94162016-11-10 18:29:01695 assert(LocAfterNs.isValid() &&
696 "Failed to get location after DiffOldNamespace");
697 InsertionLoc = LocAfterNs;
698 }
Eric Liuee5104b2017-01-04 14:49:08699 MoveNs.InsertionOffset = SM.getFileOffset(SM.getSpellingLoc(InsertionLoc));
700 MoveNs.FID = SM.getFileID(Start);
Eric Liucc83c662016-09-19 17:58:59701 MoveNs.SourceMgr = Result.SourceManager;
Benjamin Krameradcd0262020-01-28 19:23:46702 MoveNamespaces[std::string(SM.getFilename(Start))].push_back(MoveNs);
Eric Liu495b2112016-09-19 17:40:32703}
704
705// Removes a class forward declaration from the code in the moved namespace and
706// creates an `InsertForwardDeclaration` to insert the forward declaration back
707// into the old namespace after moving code from the old namespace to the new
708// namespace.
709// For example, changing "a" to "x":
710// Old code:
711// namespace a {
712// class FWD;
713// class A { FWD *fwd; }
714// } // a
715// New code:
716// namespace a {
717// class FWD;
718// } // a
719// namespace x {
720// class A { a::FWD *fwd; }
721// } // x
722void ChangeNamespaceTool::moveClassForwardDeclaration(
723 const ast_matchers::MatchFinder::MatchResult &Result,
Eric Liu41552d62016-12-07 14:20:52724 const NamedDecl *FwdDecl) {
Stephen Kelly43465bf2018-08-09 22:42:26725 SourceLocation Start = FwdDecl->getBeginLoc();
Stephen Kellyc09197e2018-08-09 22:43:02726 SourceLocation End = FwdDecl->getEndLoc();
Eric Liu41367152017-03-01 10:29:39727 const SourceManager &SM = *Result.SourceManager;
Eric Liu495b2112016-09-19 17:40:32728 SourceLocation AfterSemi = Lexer::findLocationAfterToken(
Eric Liu41367152017-03-01 10:29:39729 End, tok::semi, SM, Result.Context->getLangOpts(),
Eric Liu495b2112016-09-19 17:40:32730 /*SkipTrailingWhitespaceAndNewLine=*/true);
731 if (AfterSemi.isValid())
732 End = AfterSemi.getLocWithOffset(-1);
733 // Delete the forward declaration from the code to be moved.
Eric Liu41367152017-03-01 10:29:39734 addReplacementOrDie(Start, End, "", SM, &FileToReplacements);
Eric Liu495b2112016-09-19 17:40:32735 llvm::StringRef Code = Lexer::getSourceText(
Eric Liu41367152017-03-01 10:29:39736 CharSourceRange::getTokenRange(SM.getSpellingLoc(Start),
737 SM.getSpellingLoc(End)),
738 SM, Result.Context->getLangOpts());
Eric Liu495b2112016-09-19 17:40:32739 // Insert the forward declaration back into the old namespace after moving the
740 // code from old namespace to new namespace.
741 // Insertion information is stored in `InsertFwdDecls` and actual
742 // insertion will be performed in `onEndOfTranslationUnit`.
743 // Get the (old) namespace that contains the forward declaration.
744 const auto *NsDecl = Result.Nodes.getNodeAs<NamespaceDecl>("ns_decl");
745 // The namespace contains the forward declaration, so it must not be empty.
746 assert(!NsDecl->decls_empty());
Eric Liu41367152017-03-01 10:29:39747 const auto Insertion = createInsertion(
748 getLocAfterNamespaceLBrace(NsDecl, SM, Result.Context->getLangOpts()),
749 Code, SM);
Eric Liu495b2112016-09-19 17:40:32750 InsertForwardDeclaration InsertFwd;
751 InsertFwd.InsertionOffset = Insertion.getOffset();
752 InsertFwd.ForwardDeclText = Insertion.getReplacementText().str();
Benjamin Krameradcd0262020-01-28 19:23:46753 InsertFwdDecls[std::string(Insertion.getFilePath())].push_back(InsertFwd);
Eric Liu495b2112016-09-19 17:40:32754}
755
Eric Liub9bf1b52016-11-08 22:44:17756// Replaces a qualified symbol (in \p DeclCtx) that refers to a declaration \p
757// FromDecl with the shortest qualified name possible when the reference is in
758// `NewNamespace`.
Eric Liu495b2112016-09-19 17:40:32759void ChangeNamespaceTool::replaceQualifiedSymbolInDeclContext(
Eric Liub9bf1b52016-11-08 22:44:17760 const ast_matchers::MatchFinder::MatchResult &Result,
761 const DeclContext *DeclCtx, SourceLocation Start, SourceLocation End,
762 const NamedDecl *FromDecl) {
763 const auto *NsDeclContext = DeclCtx->getEnclosingNamespaceContext();
Eric Liu4fe99e12016-12-14 17:01:52764 if (llvm::isa<TranslationUnitDecl>(NsDeclContext)) {
765 // This should not happen in usual unless the TypeLoc is in function type
766 // parameters, e.g `std::function<void(T)>`. In this case, DeclContext of
767 // `T` will be the translation unit. We simply use fully-qualified name
768 // here.
769 // Note that `FromDecl` must not be defined in the old namespace (according
770 // to `DeclMatcher`), so its fully-qualified name will not change after
771 // changing the namespace.
772 addReplacementOrDie(Start, End, FromDecl->getQualifiedNameAsString(),
773 *Result.SourceManager, &FileToReplacements);
774 return;
775 }
Eric Liu231c6552016-11-10 18:15:34776 const auto *NsDecl = llvm::cast<NamespaceDecl>(NsDeclContext);
Eric Liu495b2112016-09-19 17:40:32777 // Calculate the name of the `NsDecl` after it is moved to new namespace.
778 std::string OldNs = NsDecl->getQualifiedNameAsString();
779 llvm::StringRef Postfix = OldNs;
780 bool Consumed = Postfix.consume_front(OldNamespace);
781 assert(Consumed && "Expect OldNS to start with OldNamespace.");
782 (void)Consumed;
783 const std::string NewNs = (NewNamespace + Postfix).str();
784
785 llvm::StringRef NestedName = Lexer::getSourceText(
786 CharSourceRange::getTokenRange(
787 Result.SourceManager->getSpellingLoc(Start),
788 Result.SourceManager->getSpellingLoc(End)),
789 *Result.SourceManager, Result.Context->getLangOpts());
Eric Liub9bf1b52016-11-08 22:44:17790 std::string FromDeclName = FromDecl->getQualifiedNameAsString();
Eric Christopher25ed42f2020-06-20 06:01:42791 for (llvm::Regex &RE : AllowedSymbolRegexes)
Eric Liu7fccc992017-02-24 11:54:45792 if (RE.match(FromDeclName))
793 return;
Eric Liu495b2112016-09-19 17:40:32794 std::string ReplaceName =
Eric Liub9bf1b52016-11-08 22:44:17795 getShortestQualifiedNameInNamespace(FromDeclName, NewNs);
796 // Checks if there is any using namespace declarations that can shorten the
797 // qualified name.
798 for (const auto *UsingNamespace : UsingNamespaceDecls) {
799 if (!isDeclVisibleAtLocation(*Result.SourceManager, UsingNamespace, DeclCtx,
800 Start))
801 continue;
802 StringRef FromDeclNameRef = FromDeclName;
803 if (FromDeclNameRef.consume_front(UsingNamespace->getNominatedNamespace()
804 ->getQualifiedNameAsString())) {
805 FromDeclNameRef = FromDeclNameRef.drop_front(2);
806 if (FromDeclNameRef.size() < ReplaceName.size())
Benjamin Krameradcd0262020-01-28 19:23:46807 ReplaceName = std::string(FromDeclNameRef);
Eric Liub9bf1b52016-11-08 22:44:17808 }
809 }
Eric Liu180dac62016-12-23 10:47:09810 // Checks if there is any namespace alias declarations that can shorten the
811 // qualified name.
812 for (const auto *NamespaceAlias : NamespaceAliasDecls) {
813 if (!isDeclVisibleAtLocation(*Result.SourceManager, NamespaceAlias, DeclCtx,
814 Start))
815 continue;
816 StringRef FromDeclNameRef = FromDeclName;
817 if (FromDeclNameRef.consume_front(
818 NamespaceAlias->getNamespace()->getQualifiedNameAsString() +
819 "::")) {
820 std::string AliasName = NamespaceAlias->getNameAsString();
821 std::string AliasQualifiedName =
822 NamespaceAlias->getQualifiedNameAsString();
Kazuaki Ishizakidd5571d2020-04-05 06:28:11823 // We only consider namespace aliases define in the global namespace or
Eric Liu180dac62016-12-23 10:47:09824 // in namespaces that are directly visible from the reference, i.e.
825 // ancestor of the `OldNs`. Note that declarations in ancestor namespaces
826 // but not visible in the new namespace is filtered out by
827 // "IsVisibleInNewNs" matcher.
828 if (AliasQualifiedName != AliasName) {
829 // The alias is defined in some namespace.
830 assert(StringRef(AliasQualifiedName).endswith("::" + AliasName));
831 llvm::StringRef AliasNs =
832 StringRef(AliasQualifiedName).drop_back(AliasName.size() + 2);
833 if (!llvm::StringRef(OldNs).startswith(AliasNs))
834 continue;
835 }
836 std::string NameWithAliasNamespace =
837 (AliasName + "::" + FromDeclNameRef).str();
838 if (NameWithAliasNamespace.size() < ReplaceName.size())
839 ReplaceName = NameWithAliasNamespace;
840 }
841 }
Eric Liub9bf1b52016-11-08 22:44:17842 // Checks if there is any using shadow declarations that can shorten the
843 // qualified name.
844 bool Matched = false;
845 for (const UsingDecl *Using : UsingDecls) {
846 if (Matched)
847 break;
848 if (isDeclVisibleAtLocation(*Result.SourceManager, Using, DeclCtx, Start)) {
849 for (const auto *UsingShadow : Using->shadows()) {
850 const auto *TargetDecl = UsingShadow->getTargetDecl();
Eric Liuae7de712017-02-02 15:29:54851 if (TargetDecl->getQualifiedNameAsString() ==
852 FromDecl->getQualifiedNameAsString()) {
Eric Liub9bf1b52016-11-08 22:44:17853 ReplaceName = FromDecl->getNameAsString();
854 Matched = true;
855 break;
856 }
857 }
858 }
859 }
Eric Liuc6c894b2018-10-22 12:48:49860 bool Conflict = conflictInNamespace(DeclCtx->getParentASTContext(),
861 ReplaceName, NewNamespace);
Eric Liu495b2112016-09-19 17:40:32862 // If the new nested name in the new namespace is the same as it was in the
Eric Liuc6c894b2018-10-22 12:48:49863 // old namespace, we don't create replacement unless there can be ambiguity.
864 if ((NestedName == ReplaceName && !Conflict) ||
Eric Liu91229162017-01-26 16:31:32865 (NestedName.startswith("::") && NestedName.drop_front(2) == ReplaceName))
Eric Liu495b2112016-09-19 17:40:32866 return;
Eric Liu97f87ad2016-12-07 20:08:02867 // If the reference need to be fully-qualified, add a leading "::" unless
868 // NewNamespace is the global namespace.
Eric Liuc6c894b2018-10-22 12:48:49869 if (ReplaceName == FromDeclName && !NewNamespace.empty() && Conflict)
Eric Liu97f87ad2016-12-07 20:08:02870 ReplaceName = "::" + ReplaceName;
Eric Liu4fe99e12016-12-14 17:01:52871 addReplacementOrDie(Start, End, ReplaceName, *Result.SourceManager,
872 &FileToReplacements);
Eric Liu495b2112016-09-19 17:40:32873}
874
875// Replace the [Start, End] of `Type` with the shortest qualified name when the
876// `Type` is in `NewNamespace`.
877void ChangeNamespaceTool::fixTypeLoc(
878 const ast_matchers::MatchFinder::MatchResult &Result, SourceLocation Start,
879 SourceLocation End, TypeLoc Type) {
880 // FIXME: do not rename template parameter.
881 if (Start.isInvalid() || End.isInvalid())
882 return;
Eric Liuff51f012016-11-16 16:54:53883 // Types of CXXCtorInitializers do not need to be fixed.
884 if (llvm::is_contained(BaseCtorInitializerTypeLocs, Type))
885 return;
Eric Liu284b97c2017-03-17 14:05:39886 if (isTemplateParameter(Type))
887 return;
Eric Liu495b2112016-09-19 17:40:32888 // The declaration which this TypeLoc refers to.
889 const auto *FromDecl = Result.Nodes.getNodeAs<NamedDecl>("from_decl");
890 // `hasDeclaration` gives underlying declaration, but if the type is
891 // a typedef type, we need to use the typedef type instead.
Eric Liu26cf68a2016-12-15 10:42:35892 auto IsInMovedNs = [&](const NamedDecl *D) {
893 if (!llvm::StringRef(D->getQualifiedNameAsString())
894 .startswith(OldNamespace + "::"))
895 return false;
Stephen Kelly43465bf2018-08-09 22:42:26896 auto ExpansionLoc = Result.SourceManager->getExpansionLoc(D->getBeginLoc());
Eric Liu26cf68a2016-12-15 10:42:35897 if (ExpansionLoc.isInvalid())
898 return false;
899 llvm::StringRef Filename = Result.SourceManager->getFilename(ExpansionLoc);
900 return FilePatternRE.match(Filename);
901 };
902 // Make `FromDecl` the immediate declaration that `Type` refers to, i.e. if
903 // `Type` is an alias type, we make `FromDecl` the type alias declaration.
904 // Also, don't fix the \p Type if it refers to a type alias decl in the moved
905 // namespace since the alias decl will be moved along with the type reference.
Eric Liu32158862016-11-14 19:37:55906 if (auto *Typedef = Type.getType()->getAs<TypedefType>()) {
Eric Liu495b2112016-09-19 17:40:32907 FromDecl = Typedef->getDecl();
Eric Liu32158862016-11-14 19:37:55908 if (IsInMovedNs(FromDecl))
909 return;
Eric Liu26cf68a2016-12-15 10:42:35910 } else if (auto *TemplateType =
911 Type.getType()->getAs<TemplateSpecializationType>()) {
912 if (TemplateType->isTypeAlias()) {
913 FromDecl = TemplateType->getTemplateName().getAsTemplateDecl();
914 if (IsInMovedNs(FromDecl))
915 return;
916 }
Eric Liu32158862016-11-14 19:37:55917 }
Piotr Padlewski08124b12016-12-14 15:29:23918 const auto *DeclCtx = Result.Nodes.getNodeAs<Decl>("dc");
Eric Liu495b2112016-09-19 17:40:32919 assert(DeclCtx && "Empty decl context.");
Eric Liub9bf1b52016-11-08 22:44:17920 replaceQualifiedSymbolInDeclContext(Result, DeclCtx->getDeclContext(), Start,
921 End, FromDecl);
Eric Liu495b2112016-09-19 17:40:32922}
923
Eric Liu68765a82016-09-21 15:06:12924void ChangeNamespaceTool::fixUsingShadowDecl(
925 const ast_matchers::MatchFinder::MatchResult &Result,
926 const UsingDecl *UsingDeclaration) {
Stephen Kelly43465bf2018-08-09 22:42:26927 SourceLocation Start = UsingDeclaration->getBeginLoc();
Stephen Kellyc09197e2018-08-09 22:43:02928 SourceLocation End = UsingDeclaration->getEndLoc();
Mandeep Singh Grang7c7ea7d2016-11-08 07:50:19929 if (Start.isInvalid() || End.isInvalid())
930 return;
Eric Liu68765a82016-09-21 15:06:12931
932 assert(UsingDeclaration->shadow_size() > 0);
933 // FIXME: it might not be always accurate to use the first using-decl.
934 const NamedDecl *TargetDecl =
935 UsingDeclaration->shadow_begin()->getTargetDecl();
936 std::string TargetDeclName = TargetDecl->getQualifiedNameAsString();
937 // FIXME: check if target_decl_name is in moved ns, which doesn't make much
938 // sense. If this happens, we need to use name with the new namespace.
939 // Use fully qualified name in UsingDecl for now.
Eric Liu4fe99e12016-12-14 17:01:52940 addReplacementOrDie(Start, End, "using ::" + TargetDeclName,
941 *Result.SourceManager, &FileToReplacements);
Eric Liu68765a82016-09-21 15:06:12942}
943
Eric Liuda22b3c2016-11-29 14:15:14944void ChangeNamespaceTool::fixDeclRefExpr(
945 const ast_matchers::MatchFinder::MatchResult &Result,
946 const DeclContext *UseContext, const NamedDecl *From,
947 const DeclRefExpr *Ref) {
948 SourceRange RefRange = Ref->getSourceRange();
949 replaceQualifiedSymbolInDeclContext(Result, UseContext, RefRange.getBegin(),
950 RefRange.getEnd(), From);
951}
952
Eric Liu495b2112016-09-19 17:40:32953void ChangeNamespaceTool::onEndOfTranslationUnit() {
954 // Move namespace blocks and insert forward declaration to old namespace.
955 for (const auto &FileAndNsMoves : MoveNamespaces) {
956 auto &NsMoves = FileAndNsMoves.second;
957 if (NsMoves.empty())
958 continue;
959 const std::string &FilePath = FileAndNsMoves.first;
960 auto &Replaces = FileToReplacements[FilePath];
Eric Liucc83c662016-09-19 17:58:59961 auto &SM = *NsMoves.begin()->SourceMgr;
962 llvm::StringRef Code = SM.getBufferData(NsMoves.begin()->FID);
Eric Liu495b2112016-09-19 17:40:32963 auto ChangedCode = tooling::applyAllReplacements(Code, Replaces);
964 if (!ChangedCode) {
965 llvm::errs() << llvm::toString(ChangedCode.takeError()) << "\n";
966 continue;
967 }
968 // Replacements on the changed code for moving namespaces and inserting
969 // forward declarations to old namespaces.
970 tooling::Replacements NewReplacements;
971 // Cut the changed code from the old namespace and paste the code in the new
972 // namespace.
973 for (const auto &NsMove : NsMoves) {
974 // Calculate the range of the old namespace block in the changed
975 // code.
976 const unsigned NewOffset = Replaces.getShiftedCodePosition(NsMove.Offset);
977 const unsigned NewLength =
978 Replaces.getShiftedCodePosition(NsMove.Offset + NsMove.Length) -
979 NewOffset;
980 tooling::Replacement Deletion(FilePath, NewOffset, NewLength, "");
981 std::string MovedCode = ChangedCode->substr(NewOffset, NewLength);
982 std::string MovedCodeWrappedInNewNs =
983 wrapCodeInNamespace(DiffNewNamespace, MovedCode);
984 // Calculate the new offset at which the code will be inserted in the
985 // changed code.
986 unsigned NewInsertionOffset =
987 Replaces.getShiftedCodePosition(NsMove.InsertionOffset);
988 tooling::Replacement Insertion(FilePath, NewInsertionOffset, 0,
989 MovedCodeWrappedInNewNs);
990 addOrMergeReplacement(Deletion, &NewReplacements);
991 addOrMergeReplacement(Insertion, &NewReplacements);
992 }
993 // After moving namespaces, insert forward declarations back to old
994 // namespaces.
995 const auto &FwdDeclInsertions = InsertFwdDecls[FilePath];
996 for (const auto &FwdDeclInsertion : FwdDeclInsertions) {
997 unsigned NewInsertionOffset =
998 Replaces.getShiftedCodePosition(FwdDeclInsertion.InsertionOffset);
999 tooling::Replacement Insertion(FilePath, NewInsertionOffset, 0,
1000 FwdDeclInsertion.ForwardDeclText);
1001 addOrMergeReplacement(Insertion, &NewReplacements);
1002 }
1003 // Add replacements referring to the changed code to existing replacements,
1004 // which refers to the original code.
1005 Replaces = Replaces.merge(NewReplacements);
Eric Liufa63e982018-08-02 10:30:561006 auto Style =
1007 format::getStyle(format::DefaultFormatStyle, FilePath, FallbackStyle);
Antonio Maiorano0d7d9c22017-01-17 00:13:321008 if (!Style) {
1009 llvm::errs() << llvm::toString(Style.takeError()) << "\n";
1010 continue;
1011 }
Eric Liu495b2112016-09-19 17:40:321012 // Clean up old namespaces if there is nothing in it after moving.
1013 auto CleanReplacements =
Antonio Maiorano0d7d9c22017-01-17 00:13:321014 format::cleanupAroundReplacements(Code, Replaces, *Style);
Eric Liu495b2112016-09-19 17:40:321015 if (!CleanReplacements) {
1016 llvm::errs() << llvm::toString(CleanReplacements.takeError()) << "\n";
1017 continue;
1018 }
1019 FileToReplacements[FilePath] = *CleanReplacements;
1020 }
Eric Liuc265b022016-12-01 17:25:551021
1022 // Make sure we don't generate replacements for files that do not match
1023 // FilePattern.
1024 for (auto &Entry : FileToReplacements)
1025 if (!FilePatternRE.match(Entry.first))
1026 Entry.second.clear();
Eric Liu495b2112016-09-19 17:40:321027}
1028
1029} // namespace change_namespace
1030} // namespace clang