1 //===--- AddUsing.cpp --------------------------------------------*- C++-*-===//
2 //
3 // Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4 // See https://llvm.org/LICENSE.txt for license information.
5 // SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6 //
7 //===----------------------------------------------------------------------===//
8
9 #include "AST.h"
10 #include "Config.h"
11 #include "FindTarget.h"
12 #include "refactor/Tweak.h"
13 #include "support/Logger.h"
14 #include "clang/AST/Decl.h"
15 #include "clang/AST/RecursiveASTVisitor.h"
16
17 namespace clang {
18 namespace clangd {
19 namespace {
20
21 // Tweak for removing full namespace qualifier under cursor on DeclRefExpr and
22 // types and adding "using" statement instead.
23 //
24 // Only qualifiers that refer exclusively to namespaces (no record types) are
25 // supported. There is some guessing of appropriate place to insert the using
26 // declaration. If we find any existing usings, we insert it there. If not, we
27 // insert right after the inner-most relevant namespace declaration. If there is
28 // none, or there is, but it was declared via macro, we insert above the first
29 // top level decl.
30 //
31 // Currently this only removes qualifier from under the cursor. In the future,
32 // we should improve this to remove qualifier from all occurrences of this
33 // symbol.
34 class AddUsing : public Tweak {
35 public:
36 const char *id() const override;
37
38 bool prepare(const Selection &Inputs) override;
39 Expected<Effect> apply(const Selection &Inputs) override;
40 std::string title() const override;
kind() const41 llvm::StringLiteral kind() const override {
42 return CodeAction::REFACTOR_KIND;
43 }
44
45 private:
46 // All of the following are set by prepare().
47 // The qualifier to remove.
48 NestedNameSpecifierLoc QualifierToRemove;
49 // The name following QualifierToRemove.
50 llvm::StringRef Name;
51 // If valid, the insertion point for "using" statement must come after this.
52 // This is relevant when the type is defined in the main file, to make sure
53 // the type/function is already defined at the point where "using" is added.
54 SourceLocation MustInsertAfterLoc;
55 };
REGISTER_TWEAK(AddUsing)56 REGISTER_TWEAK(AddUsing)
57
58 std::string AddUsing::title() const {
59 return std::string(llvm::formatv(
60 "Add using-declaration for {0} and remove qualifier", Name));
61 }
62
63 // Locates all "using" statements relevant to SelectionDeclContext.
64 class UsingFinder : public RecursiveASTVisitor<UsingFinder> {
65 public:
UsingFinder(std::vector<const UsingDecl * > & Results,const DeclContext * SelectionDeclContext,const SourceManager & SM)66 UsingFinder(std::vector<const UsingDecl *> &Results,
67 const DeclContext *SelectionDeclContext, const SourceManager &SM)
68 : Results(Results), SelectionDeclContext(SelectionDeclContext), SM(SM) {}
69
VisitUsingDecl(UsingDecl * D)70 bool VisitUsingDecl(UsingDecl *D) {
71 auto Loc = D->getUsingLoc();
72 if (SM.getFileID(Loc) != SM.getMainFileID()) {
73 return true;
74 }
75 if (D->getDeclContext()->Encloses(SelectionDeclContext)) {
76 Results.push_back(D);
77 }
78 return true;
79 }
80
TraverseDecl(Decl * Node)81 bool TraverseDecl(Decl *Node) {
82 // There is no need to go deeper into nodes that do not enclose selection,
83 // since "using" there will not affect selection, nor would it make a good
84 // insertion point.
85 if (Node->getDeclContext()->Encloses(SelectionDeclContext)) {
86 return RecursiveASTVisitor<UsingFinder>::TraverseDecl(Node);
87 }
88 return true;
89 }
90
91 private:
92 std::vector<const UsingDecl *> &Results;
93 const DeclContext *SelectionDeclContext;
94 const SourceManager &SM;
95 };
96
isFullyQualified(const NestedNameSpecifier * NNS)97 bool isFullyQualified(const NestedNameSpecifier *NNS) {
98 if (!NNS)
99 return false;
100 return NNS->getKind() == NestedNameSpecifier::Global ||
101 isFullyQualified(NNS->getPrefix());
102 }
103
104 struct InsertionPointData {
105 // Location to insert the "using" statement. If invalid then the statement
106 // should not be inserted at all (it already exists).
107 SourceLocation Loc;
108 // Extra suffix to place after the "using" statement. Depending on what the
109 // insertion point is anchored to, we may need one or more \n to ensure
110 // proper formatting.
111 std::string Suffix;
112 // Whether using should be fully qualified, even if what the user typed was
113 // not. This is based on our detection of the local style.
114 bool AlwaysFullyQualify = false;
115 };
116
117 // Finds the best place to insert the "using" statement. Returns invalid
118 // SourceLocation if the "using" statement already exists.
119 //
120 // The insertion point might be a little awkward if the decl we're anchoring to
121 // has a comment in an unfortunate place (e.g. directly above function or using
122 // decl, or immediately following "namespace {". We should add some helpers for
123 // dealing with that and use them in other code modifications as well.
124 llvm::Expected<InsertionPointData>
findInsertionPoint(const Tweak::Selection & Inputs,const NestedNameSpecifierLoc & QualifierToRemove,const llvm::StringRef Name,const SourceLocation MustInsertAfterLoc)125 findInsertionPoint(const Tweak::Selection &Inputs,
126 const NestedNameSpecifierLoc &QualifierToRemove,
127 const llvm::StringRef Name,
128 const SourceLocation MustInsertAfterLoc) {
129 auto &SM = Inputs.AST->getSourceManager();
130
131 // Search for all using decls that affect this point in file. We need this for
132 // two reasons: to skip adding "using" if one already exists and to find best
133 // place to add it, if it doesn't exist.
134 SourceLocation LastUsingLoc;
135 std::vector<const UsingDecl *> Usings;
136 UsingFinder(Usings, &Inputs.ASTSelection.commonAncestor()->getDeclContext(),
137 SM)
138 .TraverseAST(Inputs.AST->getASTContext());
139
140 auto IsValidPoint = [&](const SourceLocation Loc) {
141 return MustInsertAfterLoc.isInvalid() ||
142 SM.isBeforeInTranslationUnit(MustInsertAfterLoc, Loc);
143 };
144
145 bool AlwaysFullyQualify = true;
146 for (auto &U : Usings) {
147 // Only "upgrade" to fully qualified is all relevant using decls are fully
148 // qualified. Otherwise trust what the user typed.
149 if (!isFullyQualified(U->getQualifier()))
150 AlwaysFullyQualify = false;
151
152 if (SM.isBeforeInTranslationUnit(Inputs.Cursor, U->getUsingLoc()))
153 // "Usings" is sorted, so we're done.
154 break;
155 if (const auto *Namespace = U->getQualifier()->getAsNamespace()) {
156 if (Namespace->getCanonicalDecl() ==
157 QualifierToRemove.getNestedNameSpecifier()
158 ->getAsNamespace()
159 ->getCanonicalDecl() &&
160 U->getName() == Name) {
161 return InsertionPointData();
162 }
163 }
164
165 // Insertion point will be before last UsingDecl that affects cursor
166 // position. For most cases this should stick with the local convention of
167 // add using inside or outside namespace.
168 LastUsingLoc = U->getUsingLoc();
169 }
170 if (LastUsingLoc.isValid() && IsValidPoint(LastUsingLoc)) {
171 InsertionPointData Out;
172 Out.Loc = LastUsingLoc;
173 Out.AlwaysFullyQualify = AlwaysFullyQualify;
174 return Out;
175 }
176
177 // No relevant "using" statements. Try the nearest namespace level.
178 const DeclContext *ParentDeclCtx =
179 &Inputs.ASTSelection.commonAncestor()->getDeclContext();
180 while (ParentDeclCtx && !ParentDeclCtx->isFileContext()) {
181 ParentDeclCtx = ParentDeclCtx->getLexicalParent();
182 }
183 if (auto *ND = llvm::dyn_cast_or_null<NamespaceDecl>(ParentDeclCtx)) {
184 auto Toks = Inputs.AST->getTokens().expandedTokens(ND->getSourceRange());
185 const auto *Tok = llvm::find_if(Toks, [](const syntax::Token &Tok) {
186 return Tok.kind() == tok::l_brace;
187 });
188 if (Tok == Toks.end() || Tok->endLocation().isInvalid()) {
189 return error("Namespace with no {");
190 }
191 if (!Tok->endLocation().isMacroID() && IsValidPoint(Tok->endLocation())) {
192 InsertionPointData Out;
193 Out.Loc = Tok->endLocation();
194 Out.Suffix = "\n";
195 return Out;
196 }
197 }
198 // No using, no namespace, no idea where to insert. Try above the first
199 // top level decl after MustInsertAfterLoc.
200 auto TLDs = Inputs.AST->getLocalTopLevelDecls();
201 for (const auto &TLD : TLDs) {
202 if (!IsValidPoint(TLD->getBeginLoc()))
203 continue;
204 InsertionPointData Out;
205 Out.Loc = SM.getExpansionLoc(TLD->getBeginLoc());
206 Out.Suffix = "\n\n";
207 return Out;
208 }
209 return error("Cannot find place to insert \"using\"");
210 }
211
isNamespaceForbidden(const Tweak::Selection & Inputs,const NestedNameSpecifier & Namespace)212 bool isNamespaceForbidden(const Tweak::Selection &Inputs,
213 const NestedNameSpecifier &Namespace) {
214 std::string NamespaceStr = printNamespaceScope(*Namespace.getAsNamespace());
215
216 for (StringRef Banned : Config::current().Style.FullyQualifiedNamespaces) {
217 StringRef PrefixMatch = NamespaceStr;
218 if (PrefixMatch.consume_front(Banned) && PrefixMatch.consume_front("::"))
219 return true;
220 }
221
222 return false;
223 }
224
getNNSLAsString(NestedNameSpecifierLoc & NNSL,const PrintingPolicy & Policy)225 std::string getNNSLAsString(NestedNameSpecifierLoc &NNSL,
226 const PrintingPolicy &Policy) {
227 std::string Out;
228 llvm::raw_string_ostream OutStream(Out);
229 NNSL.getNestedNameSpecifier()->print(OutStream, Policy);
230 return OutStream.str();
231 }
232
prepare(const Selection & Inputs)233 bool AddUsing::prepare(const Selection &Inputs) {
234 auto &SM = Inputs.AST->getSourceManager();
235 const auto &TB = Inputs.AST->getTokens();
236
237 // Do not suggest "using" in header files. That way madness lies.
238 if (isHeaderFile(SM.getFileEntryForID(SM.getMainFileID())->getName(),
239 Inputs.AST->getLangOpts()))
240 return false;
241
242 auto *Node = Inputs.ASTSelection.commonAncestor();
243 if (Node == nullptr)
244 return false;
245
246 // If we're looking at a type or NestedNameSpecifier, walk up the tree until
247 // we find the "main" node we care about, which would be ElaboratedTypeLoc or
248 // DeclRefExpr.
249 for (; Node->Parent; Node = Node->Parent) {
250 if (Node->ASTNode.get<NestedNameSpecifierLoc>()) {
251 continue;
252 } else if (auto *T = Node->ASTNode.get<TypeLoc>()) {
253 if (T->getAs<ElaboratedTypeLoc>()) {
254 break;
255 } else if (Node->Parent->ASTNode.get<TypeLoc>() ||
256 Node->Parent->ASTNode.get<NestedNameSpecifierLoc>()) {
257 // Node is TypeLoc, but it's parent is either TypeLoc or
258 // NestedNameSpecifier. In both cases, we want to go up, to find
259 // the outermost TypeLoc.
260 continue;
261 }
262 }
263 break;
264 }
265 if (Node == nullptr)
266 return false;
267
268 if (auto *D = Node->ASTNode.get<DeclRefExpr>()) {
269 if (auto *II = D->getDecl()->getIdentifier()) {
270 QualifierToRemove = D->getQualifierLoc();
271 Name = II->getName();
272 MustInsertAfterLoc = D->getDecl()->getBeginLoc();
273 }
274 } else if (auto *T = Node->ASTNode.get<TypeLoc>()) {
275 if (auto E = T->getAs<ElaboratedTypeLoc>()) {
276 QualifierToRemove = E.getQualifierLoc();
277 if (!QualifierToRemove)
278 return false;
279
280 auto SpelledTokens =
281 TB.spelledForExpanded(TB.expandedTokens(E.getSourceRange()));
282 if (!SpelledTokens)
283 return false;
284 auto SpelledRange = syntax::Token::range(SM, SpelledTokens->front(),
285 SpelledTokens->back());
286 Name = SpelledRange.text(SM);
287
288 std::string QualifierToRemoveStr = getNNSLAsString(
289 QualifierToRemove, Inputs.AST->getASTContext().getPrintingPolicy());
290 if (!Name.consume_front(QualifierToRemoveStr))
291 return false; // What's spelled doesn't match the qualifier.
292
293 if (const auto *ET = E.getTypePtr()) {
294 if (const auto *TDT =
295 dyn_cast<TypedefType>(ET->getNamedType().getTypePtr())) {
296 MustInsertAfterLoc = TDT->getDecl()->getBeginLoc();
297 } else if (auto *TD = ET->getAsTagDecl()) {
298 MustInsertAfterLoc = TD->getBeginLoc();
299 }
300 }
301 }
302 }
303
304 // FIXME: This only supports removing qualifiers that are made up of just
305 // namespace names. If qualifier contains a type, we could take the longest
306 // namespace prefix and remove that.
307 if (!QualifierToRemove.hasQualifier() ||
308 !QualifierToRemove.getNestedNameSpecifier()->getAsNamespace() ||
309 Name.empty()) {
310 return false;
311 }
312
313 if (isNamespaceForbidden(Inputs, *QualifierToRemove.getNestedNameSpecifier()))
314 return false;
315
316 // Macros are difficult. We only want to offer code action when what's spelled
317 // under the cursor is a namespace qualifier. If it's a macro that expands to
318 // a qualifier, user would not know what code action will actually change.
319 // On the other hand, if the qualifier is part of the macro argument, we
320 // should still support that.
321 if (SM.isMacroBodyExpansion(QualifierToRemove.getBeginLoc()) ||
322 !SM.isWrittenInSameFile(QualifierToRemove.getBeginLoc(),
323 QualifierToRemove.getEndLoc())) {
324 return false;
325 }
326
327 return true;
328 }
329
apply(const Selection & Inputs)330 Expected<Tweak::Effect> AddUsing::apply(const Selection &Inputs) {
331 auto &SM = Inputs.AST->getSourceManager();
332
333 std::string QualifierToRemoveStr = getNNSLAsString(
334 QualifierToRemove, Inputs.AST->getASTContext().getPrintingPolicy());
335 tooling::Replacements R;
336 if (auto Err = R.add(tooling::Replacement(
337 SM, SM.getSpellingLoc(QualifierToRemove.getBeginLoc()),
338 QualifierToRemoveStr.length(), ""))) {
339 return std::move(Err);
340 }
341
342 auto InsertionPoint =
343 findInsertionPoint(Inputs, QualifierToRemove, Name, MustInsertAfterLoc);
344 if (!InsertionPoint) {
345 return InsertionPoint.takeError();
346 }
347
348 if (InsertionPoint->Loc.isValid()) {
349 // Add the using statement at appropriate location.
350 std::string UsingText;
351 llvm::raw_string_ostream UsingTextStream(UsingText);
352 UsingTextStream << "using ";
353 if (InsertionPoint->AlwaysFullyQualify &&
354 !isFullyQualified(QualifierToRemove.getNestedNameSpecifier()))
355 UsingTextStream << "::";
356 UsingTextStream << QualifierToRemoveStr << Name << ";"
357 << InsertionPoint->Suffix;
358
359 assert(SM.getFileID(InsertionPoint->Loc) == SM.getMainFileID());
360 if (auto Err = R.add(tooling::Replacement(SM, InsertionPoint->Loc, 0,
361 UsingTextStream.str()))) {
362 return std::move(Err);
363 }
364 }
365
366 return Effect::mainFileEdit(Inputs.AST->getASTContext().getSourceManager(),
367 std::move(R));
368 }
369
370 } // namespace
371 } // namespace clangd
372 } // namespace clang
373