clang 20.0.0git
ASTImporter.cpp
Go to the documentation of this file.
1//===- ASTImporter.cpp - Importing ASTs from other Contexts ---------------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// This file defines the ASTImporter class which imports AST nodes from one
10// context into another context.
11//
12//===----------------------------------------------------------------------===//
13
19#include "clang/AST/Attr.h"
20#include "clang/AST/Decl.h"
22#include "clang/AST/DeclBase.h"
23#include "clang/AST/DeclCXX.h"
25#include "clang/AST/DeclGroup.h"
26#include "clang/AST/DeclObjC.h"
30#include "clang/AST/Expr.h"
31#include "clang/AST/ExprCXX.h"
32#include "clang/AST/ExprObjC.h"
37#include "clang/AST/Stmt.h"
38#include "clang/AST/StmtCXX.h"
39#include "clang/AST/StmtObjC.h"
43#include "clang/AST/Type.h"
44#include "clang/AST/TypeLoc.h"
51#include "clang/Basic/LLVM.h"
56#include "llvm/ADT/ArrayRef.h"
57#include "llvm/ADT/DenseMap.h"
58#include "llvm/ADT/STLExtras.h"
59#include "llvm/ADT/ScopeExit.h"
60#include "llvm/ADT/SmallVector.h"
61#include "llvm/Support/ErrorHandling.h"
62#include "llvm/Support/MemoryBuffer.h"
63#include <algorithm>
64#include <cassert>
65#include <cstddef>
66#include <memory>
67#include <optional>
68#include <type_traits>
69#include <utility>
70
71namespace clang {
72
73 using llvm::make_error;
74 using llvm::Error;
75 using llvm::Expected;
83
84 std::string ASTImportError::toString() const {
85 // FIXME: Improve error texts.
86 switch (Error) {
87 case NameConflict:
88 return "NameConflict";
90 return "UnsupportedConstruct";
91 case Unknown:
92 return "Unknown error";
93 }
94 llvm_unreachable("Invalid error code.");
95 return "Invalid error code.";
96 }
97
98 void ASTImportError::log(raw_ostream &OS) const { OS << toString(); }
99
100 std::error_code ASTImportError::convertToErrorCode() const {
101 llvm_unreachable("Function not implemented.");
102 }
103
105
106 template <class T>
110 for (auto *R : D->getFirstDecl()->redecls()) {
111 if (R != D->getFirstDecl())
112 Redecls.push_back(R);
113 }
114 Redecls.push_back(D->getFirstDecl());
115 std::reverse(Redecls.begin(), Redecls.end());
116 return Redecls;
117 }
118
120 if (auto *FD = dyn_cast<FunctionDecl>(D))
121 return getCanonicalForwardRedeclChain<FunctionDecl>(FD);
122 if (auto *VD = dyn_cast<VarDecl>(D))
123 return getCanonicalForwardRedeclChain<VarDecl>(VD);
124 if (auto *TD = dyn_cast<TagDecl>(D))
125 return getCanonicalForwardRedeclChain<TagDecl>(TD);
126 llvm_unreachable("Bad declaration kind");
127 }
128
129 static void updateFlags(const Decl *From, Decl *To) {
130 // Check if some flags or attrs are new in 'From' and copy into 'To'.
131 // FIXME: Other flags or attrs?
132 if (From->isUsed(false) && !To->isUsed(false))
133 To->setIsUsed();
134 }
135
136 /// How to handle import errors that occur when import of a child declaration
137 /// of a DeclContext fails.
139 /// This context is imported (in the 'from' domain).
140 /// It is nullptr if a non-DeclContext is imported.
141 const DeclContext *const FromDC;
142 /// Ignore import errors of the children.
143 /// If true, the context can be imported successfully if a child
144 /// of it failed to import. Otherwise the import errors of the child nodes
145 /// are accumulated (joined) into the import error object of the parent.
146 /// (Import of a parent can fail in other ways.)
147 bool const IgnoreChildErrors;
148
149 public:
151 : FromDC(FromDC), IgnoreChildErrors(!isa<TagDecl>(FromDC)) {}
153 : FromDC(dyn_cast<DeclContext>(FromD)),
154 IgnoreChildErrors(!isa<TagDecl>(FromD)) {}
155
156 /// Process the import result of a child (of the current declaration).
157 /// \param ResultErr The import error that can be used as result of
158 /// importing the parent. This may be changed by the function.
159 /// \param ChildErr Result of importing a child. Can be success or error.
160 void handleChildImportResult(Error &ResultErr, Error &&ChildErr) {
161 if (ChildErr && !IgnoreChildErrors)
162 ResultErr = joinErrors(std::move(ResultErr), std::move(ChildErr));
163 else
164 consumeError(std::move(ChildErr));
165 }
166
167 /// Determine if import failure of a child does not cause import failure of
168 /// its parent.
169 bool ignoreChildErrorOnParent(Decl *FromChildD) const {
170 if (!IgnoreChildErrors || !FromDC)
171 return false;
172 return FromDC->containsDecl(FromChildD);
173 }
174 };
175
176 class ASTNodeImporter : public TypeVisitor<ASTNodeImporter, ExpectedType>,
177 public DeclVisitor<ASTNodeImporter, ExpectedDecl>,
178 public StmtVisitor<ASTNodeImporter, ExpectedStmt> {
179 ASTImporter &Importer;
180
181 // Use this instead of Importer.importInto .
182 template <typename ImportT>
183 [[nodiscard]] Error importInto(ImportT &To, const ImportT &From) {
184 return Importer.importInto(To, From);
185 }
186
187 // Use this to import pointers of specific type.
188 template <typename ImportT>
189 [[nodiscard]] Error importInto(ImportT *&To, ImportT *From) {
190 auto ToOrErr = Importer.Import(From);
191 if (ToOrErr)
192 To = cast_or_null<ImportT>(*ToOrErr);
193 return ToOrErr.takeError();
194 }
195
196 // Call the import function of ASTImporter for a baseclass of type `T` and
197 // cast the return value to `T`.
198 template <typename T>
199 auto import(T *From)
200 -> std::conditional_t<std::is_base_of_v<Type, T>, Expected<const T *>,
202 auto ToOrErr = Importer.Import(From);
203 if (!ToOrErr)
204 return ToOrErr.takeError();
205 return cast_or_null<T>(*ToOrErr);
206 }
207
208 template <typename T>
209 auto import(const T *From) {
210 return import(const_cast<T *>(From));
211 }
212
213 // Call the import function of ASTImporter for type `T`.
214 template <typename T>
215 Expected<T> import(const T &From) {
216 return Importer.Import(From);
217 }
218
219 // Import an std::optional<T> by importing the contained T, if any.
220 template <typename T>
221 Expected<std::optional<T>> import(std::optional<T> From) {
222 if (!From)
223 return std::nullopt;
224 return import(*From);
225 }
226
227 ExplicitSpecifier importExplicitSpecifier(Error &Err,
228 ExplicitSpecifier ESpec);
229
230 // Wrapper for an overload set.
231 template <typename ToDeclT> struct CallOverloadedCreateFun {
232 template <typename... Args> decltype(auto) operator()(Args &&... args) {
233 return ToDeclT::Create(std::forward<Args>(args)...);
234 }
235 };
236
237 // Always use these functions to create a Decl during import. There are
238 // certain tasks which must be done after the Decl was created, e.g. we
239 // must immediately register that as an imported Decl. The parameter `ToD`
240 // will be set to the newly created Decl or if had been imported before
241 // then to the already imported Decl. Returns a bool value set to true if
242 // the `FromD` had been imported before.
243 template <typename ToDeclT, typename FromDeclT, typename... Args>
244 [[nodiscard]] bool GetImportedOrCreateDecl(ToDeclT *&ToD, FromDeclT *FromD,
245 Args &&...args) {
246 // There may be several overloads of ToDeclT::Create. We must make sure
247 // to call the one which would be chosen by the arguments, thus we use a
248 // wrapper for the overload set.
249 CallOverloadedCreateFun<ToDeclT> OC;
250 return GetImportedOrCreateSpecialDecl(ToD, OC, FromD,
251 std::forward<Args>(args)...);
252 }
253 // Use this overload if a special Type is needed to be created. E.g if we
254 // want to create a `TypeAliasDecl` and assign that to a `TypedefNameDecl`
255 // then:
256 // TypedefNameDecl *ToTypedef;
257 // GetImportedOrCreateDecl<TypeAliasDecl>(ToTypedef, FromD, ...);
258 template <typename NewDeclT, typename ToDeclT, typename FromDeclT,
259 typename... Args>
260 [[nodiscard]] bool GetImportedOrCreateDecl(ToDeclT *&ToD, FromDeclT *FromD,
261 Args &&...args) {
262 CallOverloadedCreateFun<NewDeclT> OC;
263 return GetImportedOrCreateSpecialDecl(ToD, OC, FromD,
264 std::forward<Args>(args)...);
265 }
266 // Use this version if a special create function must be
267 // used, e.g. CXXRecordDecl::CreateLambda .
268 template <typename ToDeclT, typename CreateFunT, typename FromDeclT,
269 typename... Args>
270 [[nodiscard]] bool
271 GetImportedOrCreateSpecialDecl(ToDeclT *&ToD, CreateFunT CreateFun,
272 FromDeclT *FromD, Args &&...args) {
273 if (Importer.getImportDeclErrorIfAny(FromD)) {
274 ToD = nullptr;
275 return true; // Already imported but with error.
276 }
277 ToD = cast_or_null<ToDeclT>(Importer.GetAlreadyImportedOrNull(FromD));
278 if (ToD)
279 return true; // Already imported.
280 ToD = CreateFun(std::forward<Args>(args)...);
281 // Keep track of imported Decls.
282 Importer.RegisterImportedDecl(FromD, ToD);
283 Importer.SharedState->markAsNewDecl(ToD);
284 InitializeImportedDecl(FromD, ToD);
285 return false; // A new Decl is created.
286 }
287
288 void InitializeImportedDecl(Decl *FromD, Decl *ToD) {
289 ToD->IdentifierNamespace = FromD->IdentifierNamespace;
290 if (FromD->isUsed())
291 ToD->setIsUsed();
292 if (FromD->isImplicit())
293 ToD->setImplicit();
294 }
295
296 // Check if we have found an existing definition. Returns with that
297 // definition if yes, otherwise returns null.
298 Decl *FindAndMapDefinition(FunctionDecl *D, FunctionDecl *FoundFunction) {
299 const FunctionDecl *Definition = nullptr;
300 if (D->doesThisDeclarationHaveABody() &&
301 FoundFunction->hasBody(Definition))
302 return Importer.MapImported(D, const_cast<FunctionDecl *>(Definition));
303 return nullptr;
304 }
305
306 void addDeclToContexts(Decl *FromD, Decl *ToD) {
307 if (Importer.isMinimalImport()) {
308 // In minimal import case the decl must be added even if it is not
309 // contained in original context, for LLDB compatibility.
310 // FIXME: Check if a better solution is possible.
311 if (!FromD->getDescribedTemplate() &&
312 FromD->getFriendObjectKind() == Decl::FOK_None)
314 return;
315 }
316
317 DeclContext *FromDC = FromD->getDeclContext();
318 DeclContext *FromLexicalDC = FromD->getLexicalDeclContext();
319 DeclContext *ToDC = ToD->getDeclContext();
320 DeclContext *ToLexicalDC = ToD->getLexicalDeclContext();
321
322 bool Visible = false;
323 if (FromDC->containsDeclAndLoad(FromD)) {
324 ToDC->addDeclInternal(ToD);
325 Visible = true;
326 }
327 if (ToDC != ToLexicalDC && FromLexicalDC->containsDeclAndLoad(FromD)) {
328 ToLexicalDC->addDeclInternal(ToD);
329 Visible = true;
330 }
331
332 // If the Decl was added to any context, it was made already visible.
333 // Otherwise it is still possible that it should be visible.
334 if (!Visible) {
335 if (auto *FromNamed = dyn_cast<NamedDecl>(FromD)) {
336 auto *ToNamed = cast<NamedDecl>(ToD);
337 DeclContextLookupResult FromLookup =
338 FromDC->lookup(FromNamed->getDeclName());
339 if (llvm::is_contained(FromLookup, FromNamed))
340 ToDC->makeDeclVisibleInContext(ToNamed);
341 }
342 }
343 }
344
345 void updateLookupTableForTemplateParameters(TemplateParameterList &Params,
346 DeclContext *OldDC) {
347 ASTImporterLookupTable *LT = Importer.SharedState->getLookupTable();
348 if (!LT)
349 return;
350
351 for (NamedDecl *TP : Params)
352 LT->update(TP, OldDC);
353 }
354
355 void updateLookupTableForTemplateParameters(TemplateParameterList &Params) {
356 updateLookupTableForTemplateParameters(
357 Params, Importer.getToContext().getTranslationUnitDecl());
358 }
359
360 template <typename TemplateParmDeclT>
361 Error importTemplateParameterDefaultArgument(const TemplateParmDeclT *D,
362 TemplateParmDeclT *ToD) {
363 if (D->hasDefaultArgument()) {
364 if (D->defaultArgumentWasInherited()) {
365 Expected<TemplateParmDeclT *> ToInheritedFromOrErr =
366 import(D->getDefaultArgStorage().getInheritedFrom());
367 if (!ToInheritedFromOrErr)
368 return ToInheritedFromOrErr.takeError();
369 TemplateParmDeclT *ToInheritedFrom = *ToInheritedFromOrErr;
370 if (!ToInheritedFrom->hasDefaultArgument()) {
371 // Resolve possible circular dependency between default value of the
372 // template argument and the template declaration.
373 Expected<TemplateArgumentLoc> ToInheritedDefaultArgOrErr =
374 import(D->getDefaultArgStorage()
375 .getInheritedFrom()
376 ->getDefaultArgument());
377 if (!ToInheritedDefaultArgOrErr)
378 return ToInheritedDefaultArgOrErr.takeError();
379 ToInheritedFrom->setDefaultArgument(Importer.getToContext(),
380 *ToInheritedDefaultArgOrErr);
381 }
382 ToD->setInheritedDefaultArgument(ToD->getASTContext(),
383 ToInheritedFrom);
384 } else {
385 Expected<TemplateArgumentLoc> ToDefaultArgOrErr =
386 import(D->getDefaultArgument());
387 if (!ToDefaultArgOrErr)
388 return ToDefaultArgOrErr.takeError();
389 // Default argument could have been set in the
390 // '!ToInheritedFrom->hasDefaultArgument()' branch above.
391 if (!ToD->hasDefaultArgument())
392 ToD->setDefaultArgument(Importer.getToContext(),
393 *ToDefaultArgOrErr);
394 }
395 }
396 return Error::success();
397 }
398
399 public:
400 explicit ASTNodeImporter(ASTImporter &Importer) : Importer(Importer) {}
401
405
406 // Importing types
408#define TYPE(Class, Base) \
409 ExpectedType Visit##Class##Type(const Class##Type *T);
410#include "clang/AST/TypeNodes.inc"
411
412 // Importing declarations
415 Error ImportDeclParts(
416 NamedDecl *D, DeclContext *&DC, DeclContext *&LexicalDC,
418 Error ImportDefinitionIfNeeded(Decl *FromD, Decl *ToD = nullptr);
421 Error ImportDeclContext(DeclContext *FromDC, bool ForceImport = false);
422 Error ImportDeclContext(
423 Decl *From, DeclContext *&ToDC, DeclContext *&ToLexicalDC);
424 Error ImportImplicitMethods(const CXXRecordDecl *From, CXXRecordDecl *To);
425
426 Error ImportFieldDeclDefinition(const FieldDecl *From, const FieldDecl *To);
428 Expected<APValue> ImportAPValue(const APValue &FromValue);
429
431
432 /// What we should import from the definition.
434 /// Import the default subset of the definition, which might be
435 /// nothing (if minimal import is set) or might be everything (if minimal
436 /// import is not set).
438 /// Import everything.
440 /// Import only the bare bones needed to establish a valid
441 /// DeclContext.
443 };
444
446 return IDK == IDK_Everything ||
447 (IDK == IDK_Default && !Importer.isMinimalImport());
448 }
449
450 Error ImportInitializer(VarDecl *From, VarDecl *To);
451 Error ImportDefinition(
452 RecordDecl *From, RecordDecl *To,
454 Error ImportDefinition(
455 EnumDecl *From, EnumDecl *To,
457 Error ImportDefinition(
460 Error ImportDefinition(
467
468 template <typename InContainerTy>
470 const InContainerTy &Container, TemplateArgumentListInfo &ToTAInfo);
471
472 template<typename InContainerTy>
474 SourceLocation FromLAngleLoc, SourceLocation FromRAngleLoc,
475 const InContainerTy &Container, TemplateArgumentListInfo &Result);
476
479 std::tuple<FunctionTemplateDecl *, TemplateArgsTy>;
482 FunctionDecl *FromFD);
483
484 template <typename DeclTy>
485 Error ImportTemplateParameterLists(const DeclTy *FromD, DeclTy *ToD);
486
488
490
491 Error ImportDefaultArgOfParmVarDecl(const ParmVarDecl *FromParam,
492 ParmVarDecl *ToParam);
493
496
497 template <typename T>
499
500 bool IsStructuralMatch(Decl *From, Decl *To, bool Complain = true,
501 bool IgnoreTemplateParmDepth = false);
548
551
566
567 // Importing statements
587 // FIXME: MSAsmStmt
588 // FIXME: SEHExceptStmt
589 // FIXME: SEHFinallyStmt
590 // FIXME: SEHTryStmt
591 // FIXME: SEHLeaveStmt
592 // FIXME: CapturedStmt
596 // FIXME: MSDependentExistsStmt
604
605 // Importing expressions
682
683 // Helper for chaining together multiple imports. If an error is detected,
684 // subsequent imports will return default constructed nodes, so that failure
685 // can be detected with a single conditional branch after a sequence of
686 // imports.
687 template <typename T> T importChecked(Error &Err, const T &From) {
688 // Don't attempt to import nodes if we hit an error earlier.
689 if (Err)
690 return T{};
691 Expected<T> MaybeVal = import(From);
692 if (!MaybeVal) {
693 Err = MaybeVal.takeError();
694 return T{};
695 }
696 return *MaybeVal;
697 }
698
699 template<typename IIter, typename OIter>
700 Error ImportArrayChecked(IIter Ibegin, IIter Iend, OIter Obegin) {
701 using ItemT = std::remove_reference_t<decltype(*Obegin)>;
702 for (; Ibegin != Iend; ++Ibegin, ++Obegin) {
703 Expected<ItemT> ToOrErr = import(*Ibegin);
704 if (!ToOrErr)
705 return ToOrErr.takeError();
706 *Obegin = *ToOrErr;
707 }
708 return Error::success();
709 }
710
711 // Import every item from a container structure into an output container.
712 // If error occurs, stops at first error and returns the error.
713 // The output container should have space for all needed elements (it is not
714 // expanded, new items are put into from the beginning).
715 template<typename InContainerTy, typename OutContainerTy>
717 const InContainerTy &InContainer, OutContainerTy &OutContainer) {
718 return ImportArrayChecked(
719 InContainer.begin(), InContainer.end(), OutContainer.begin());
720 }
721
722 template<typename InContainerTy, typename OIter>
723 Error ImportArrayChecked(const InContainerTy &InContainer, OIter Obegin) {
724 return ImportArrayChecked(InContainer.begin(), InContainer.end(), Obegin);
725 }
726
728 CXXMethodDecl *FromMethod);
729
731 FunctionDecl *FromFD);
732
733 // Returns true if the given function has a placeholder return type and
734 // that type is declared inside the body of the function.
735 // E.g. auto f() { struct X{}; return X(); }
737 };
738
739template <typename InContainerTy>
741 SourceLocation FromLAngleLoc, SourceLocation FromRAngleLoc,
742 const InContainerTy &Container, TemplateArgumentListInfo &Result) {
743 auto ToLAngleLocOrErr = import(FromLAngleLoc);
744 if (!ToLAngleLocOrErr)
745 return ToLAngleLocOrErr.takeError();
746 auto ToRAngleLocOrErr = import(FromRAngleLoc);
747 if (!ToRAngleLocOrErr)
748 return ToRAngleLocOrErr.takeError();
749
750 TemplateArgumentListInfo ToTAInfo(*ToLAngleLocOrErr, *ToRAngleLocOrErr);
751 if (auto Err = ImportTemplateArgumentListInfo(Container, ToTAInfo))
752 return Err;
753 Result = ToTAInfo;
754 return Error::success();
755}
756
757template <>
758Error ASTNodeImporter::ImportTemplateArgumentListInfo<TemplateArgumentListInfo>(
761 From.getLAngleLoc(), From.getRAngleLoc(), From.arguments(), Result);
762}
763
764template <>
767 const ASTTemplateArgumentListInfo &From,
769 return ImportTemplateArgumentListInfo(
770 From.LAngleLoc, From.RAngleLoc, From.arguments(), Result);
771}
772
775 FunctionDecl *FromFD) {
776 assert(FromFD->getTemplatedKind() ==
778
780
781 auto *FTSInfo = FromFD->getTemplateSpecializationInfo();
782 if (Error Err = importInto(std::get<0>(Result), FTSInfo->getTemplate()))
783 return std::move(Err);
784
785 // Import template arguments.
786 if (Error Err = ImportTemplateArguments(FTSInfo->TemplateArguments->asArray(),
787 std::get<1>(Result)))
788 return std::move(Err);
789
790 return Result;
791}
792
793template <>
795ASTNodeImporter::import(TemplateParameterList *From) {
797 if (Error Err = ImportContainerChecked(*From, To))
798 return std::move(Err);
799
800 ExpectedExpr ToRequiresClause = import(From->getRequiresClause());
801 if (!ToRequiresClause)
802 return ToRequiresClause.takeError();
803
804 auto ToTemplateLocOrErr = import(From->getTemplateLoc());
805 if (!ToTemplateLocOrErr)
806 return ToTemplateLocOrErr.takeError();
807 auto ToLAngleLocOrErr = import(From->getLAngleLoc());
808 if (!ToLAngleLocOrErr)
809 return ToLAngleLocOrErr.takeError();
810 auto ToRAngleLocOrErr = import(From->getRAngleLoc());
811 if (!ToRAngleLocOrErr)
812 return ToRAngleLocOrErr.takeError();
813
815 Importer.getToContext(),
816 *ToTemplateLocOrErr,
817 *ToLAngleLocOrErr,
818 To,
819 *ToRAngleLocOrErr,
820 *ToRequiresClause);
821}
822
823template <>
825ASTNodeImporter::import(const TemplateArgument &From) {
826 switch (From.getKind()) {
828 return TemplateArgument();
829
831 ExpectedType ToTypeOrErr = import(From.getAsType());
832 if (!ToTypeOrErr)
833 return ToTypeOrErr.takeError();
834 return TemplateArgument(*ToTypeOrErr, /*isNullPtr*/ false,
835 From.getIsDefaulted());
836 }
837
839 ExpectedType ToTypeOrErr = import(From.getIntegralType());
840 if (!ToTypeOrErr)
841 return ToTypeOrErr.takeError();
842 return TemplateArgument(From, *ToTypeOrErr);
843 }
844
846 Expected<ValueDecl *> ToOrErr = import(From.getAsDecl());
847 if (!ToOrErr)
848 return ToOrErr.takeError();
849 ExpectedType ToTypeOrErr = import(From.getParamTypeForDecl());
850 if (!ToTypeOrErr)
851 return ToTypeOrErr.takeError();
852 return TemplateArgument(dyn_cast<ValueDecl>((*ToOrErr)->getCanonicalDecl()),
853 *ToTypeOrErr, From.getIsDefaulted());
854 }
855
857 ExpectedType ToTypeOrErr = import(From.getNullPtrType());
858 if (!ToTypeOrErr)
859 return ToTypeOrErr.takeError();
860 return TemplateArgument(*ToTypeOrErr, /*isNullPtr*/ true,
861 From.getIsDefaulted());
862 }
863
865 ExpectedType ToTypeOrErr = import(From.getStructuralValueType());
866 if (!ToTypeOrErr)
867 return ToTypeOrErr.takeError();
868 Expected<APValue> ToValueOrErr = import(From.getAsStructuralValue());
869 if (!ToValueOrErr)
870 return ToValueOrErr.takeError();
871 return TemplateArgument(Importer.getToContext(), *ToTypeOrErr,
872 *ToValueOrErr);
873 }
874
876 Expected<TemplateName> ToTemplateOrErr = import(From.getAsTemplate());
877 if (!ToTemplateOrErr)
878 return ToTemplateOrErr.takeError();
879
880 return TemplateArgument(*ToTemplateOrErr, From.getIsDefaulted());
881 }
882
884 Expected<TemplateName> ToTemplateOrErr =
885 import(From.getAsTemplateOrTemplatePattern());
886 if (!ToTemplateOrErr)
887 return ToTemplateOrErr.takeError();
888
889 return TemplateArgument(*ToTemplateOrErr, From.getNumTemplateExpansions(),
890 From.getIsDefaulted());
891 }
892
894 if (ExpectedExpr ToExpr = import(From.getAsExpr()))
895 return TemplateArgument(*ToExpr, From.getIsDefaulted());
896 else
897 return ToExpr.takeError();
898
901 ToPack.reserve(From.pack_size());
902 if (Error Err = ImportTemplateArguments(From.pack_elements(), ToPack))
903 return std::move(Err);
904
905 return TemplateArgument(
906 llvm::ArrayRef(ToPack).copy(Importer.getToContext()));
907 }
908 }
909
910 llvm_unreachable("Invalid template argument kind");
911}
912
913template <>
915ASTNodeImporter::import(const TemplateArgumentLoc &TALoc) {
916 Expected<TemplateArgument> ArgOrErr = import(TALoc.getArgument());
917 if (!ArgOrErr)
918 return ArgOrErr.takeError();
919 TemplateArgument Arg = *ArgOrErr;
920
921 TemplateArgumentLocInfo FromInfo = TALoc.getLocInfo();
922
925 ExpectedExpr E = import(FromInfo.getAsExpr());
926 if (!E)
927 return E.takeError();
928 ToInfo = TemplateArgumentLocInfo(*E);
929 } else if (Arg.getKind() == TemplateArgument::Type) {
930 if (auto TSIOrErr = import(FromInfo.getAsTypeSourceInfo()))
931 ToInfo = TemplateArgumentLocInfo(*TSIOrErr);
932 else
933 return TSIOrErr.takeError();
934 } else {
935 auto ToTemplateQualifierLocOrErr =
936 import(FromInfo.getTemplateQualifierLoc());
937 if (!ToTemplateQualifierLocOrErr)
938 return ToTemplateQualifierLocOrErr.takeError();
939 auto ToTemplateNameLocOrErr = import(FromInfo.getTemplateNameLoc());
940 if (!ToTemplateNameLocOrErr)
941 return ToTemplateNameLocOrErr.takeError();
942 auto ToTemplateEllipsisLocOrErr =
943 import(FromInfo.getTemplateEllipsisLoc());
944 if (!ToTemplateEllipsisLocOrErr)
945 return ToTemplateEllipsisLocOrErr.takeError();
947 Importer.getToContext(), *ToTemplateQualifierLocOrErr,
948 *ToTemplateNameLocOrErr, *ToTemplateEllipsisLocOrErr);
949 }
950
951 return TemplateArgumentLoc(Arg, ToInfo);
952}
953
954template <>
955Expected<DeclGroupRef> ASTNodeImporter::import(const DeclGroupRef &DG) {
956 if (DG.isNull())
957 return DeclGroupRef::Create(Importer.getToContext(), nullptr, 0);
958 size_t NumDecls = DG.end() - DG.begin();
960 ToDecls.reserve(NumDecls);
961 for (Decl *FromD : DG) {
962 if (auto ToDOrErr = import(FromD))
963 ToDecls.push_back(*ToDOrErr);
964 else
965 return ToDOrErr.takeError();
966 }
967 return DeclGroupRef::Create(Importer.getToContext(),
968 ToDecls.begin(),
969 NumDecls);
970}
971
972template <>
974ASTNodeImporter::import(const Designator &D) {
975 if (D.isFieldDesignator()) {
976 IdentifierInfo *ToFieldName = Importer.Import(D.getFieldName());
977
978 ExpectedSLoc ToDotLocOrErr = import(D.getDotLoc());
979 if (!ToDotLocOrErr)
980 return ToDotLocOrErr.takeError();
981
982 ExpectedSLoc ToFieldLocOrErr = import(D.getFieldLoc());
983 if (!ToFieldLocOrErr)
984 return ToFieldLocOrErr.takeError();
985
987 ToFieldName, *ToDotLocOrErr, *ToFieldLocOrErr);
988 }
989
990 ExpectedSLoc ToLBracketLocOrErr = import(D.getLBracketLoc());
991 if (!ToLBracketLocOrErr)
992 return ToLBracketLocOrErr.takeError();
993
994 ExpectedSLoc ToRBracketLocOrErr = import(D.getRBracketLoc());
995 if (!ToRBracketLocOrErr)
996 return ToRBracketLocOrErr.takeError();
997
998 if (D.isArrayDesignator())
999 return Designator::CreateArrayDesignator(D.getArrayIndex(),
1000 *ToLBracketLocOrErr,
1001 *ToRBracketLocOrErr);
1002
1003 ExpectedSLoc ToEllipsisLocOrErr = import(D.getEllipsisLoc());
1004 if (!ToEllipsisLocOrErr)
1005 return ToEllipsisLocOrErr.takeError();
1006
1007 assert(D.isArrayRangeDesignator());
1009 D.getArrayIndex(), *ToLBracketLocOrErr, *ToEllipsisLocOrErr,
1010 *ToRBracketLocOrErr);
1011}
1012
1013template <>
1014Expected<ConceptReference *> ASTNodeImporter::import(ConceptReference *From) {
1015 Error Err = Error::success();
1016 auto ToNNS = importChecked(Err, From->getNestedNameSpecifierLoc());
1017 auto ToTemplateKWLoc = importChecked(Err, From->getTemplateKWLoc());
1018 auto ToConceptNameLoc =
1019 importChecked(Err, From->getConceptNameInfo().getLoc());
1020 auto ToConceptName = importChecked(Err, From->getConceptNameInfo().getName());
1021 auto ToFoundDecl = importChecked(Err, From->getFoundDecl());
1022 auto ToNamedConcept = importChecked(Err, From->getNamedConcept());
1023 if (Err)
1024 return std::move(Err);
1025 TemplateArgumentListInfo ToTAInfo;
1026 const auto *ASTTemplateArgs = From->getTemplateArgsAsWritten();
1027 if (ASTTemplateArgs)
1028 if (Error Err = ImportTemplateArgumentListInfo(*ASTTemplateArgs, ToTAInfo))
1029 return std::move(Err);
1030 auto *ConceptRef = ConceptReference::Create(
1031 Importer.getToContext(), ToNNS, ToTemplateKWLoc,
1032 DeclarationNameInfo(ToConceptName, ToConceptNameLoc), ToFoundDecl,
1033 ToNamedConcept,
1034 ASTTemplateArgs ? ASTTemplateArgumentListInfo::Create(
1035 Importer.getToContext(), ToTAInfo)
1036 : nullptr);
1037 return ConceptRef;
1038}
1039
1040template <>
1041Expected<LambdaCapture> ASTNodeImporter::import(const LambdaCapture &From) {
1042 ValueDecl *Var = nullptr;
1043 if (From.capturesVariable()) {
1044 if (auto VarOrErr = import(From.getCapturedVar()))
1045 Var = *VarOrErr;
1046 else
1047 return VarOrErr.takeError();
1048 }
1049
1050 auto LocationOrErr = import(From.getLocation());
1051 if (!LocationOrErr)
1052 return LocationOrErr.takeError();
1053
1054 SourceLocation EllipsisLoc;
1055 if (From.isPackExpansion())
1056 if (Error Err = importInto(EllipsisLoc, From.getEllipsisLoc()))
1057 return std::move(Err);
1058
1059 return LambdaCapture(
1060 *LocationOrErr, From.isImplicit(), From.getCaptureKind(), Var,
1061 EllipsisLoc);
1062}
1063
1064template <typename T>
1066 if (Found->getLinkageInternal() != From->getLinkageInternal())
1067 return false;
1068
1069 if (From->hasExternalFormalLinkage())
1070 return Found->hasExternalFormalLinkage();
1071 if (Importer.GetFromTU(Found) != From->getTranslationUnitDecl())
1072 return false;
1073 if (From->isInAnonymousNamespace())
1074 return Found->isInAnonymousNamespace();
1075 else
1076 return !Found->isInAnonymousNamespace() &&
1077 !Found->hasExternalFormalLinkage();
1078}
1079
1080template <>
1082 TypedefNameDecl *From) {
1083 if (Found->getLinkageInternal() != From->getLinkageInternal())
1084 return false;
1085
1086 if (From->isInAnonymousNamespace() && Found->isInAnonymousNamespace())
1087 return Importer.GetFromTU(Found) == From->getTranslationUnitDecl();
1088 return From->isInAnonymousNamespace() == Found->isInAnonymousNamespace();
1089}
1090
1091} // namespace clang
1092
1093//----------------------------------------------------------------------------
1094// Import Types
1095//----------------------------------------------------------------------------
1096
1097using namespace clang;
1098
1100 Importer.FromDiag(SourceLocation(), diag::err_unsupported_ast_node)
1101 << T->getTypeClassName();
1102 return make_error<ASTImportError>(ASTImportError::UnsupportedConstruct);
1103}
1104
1105ExpectedType ASTNodeImporter::VisitAtomicType(const AtomicType *T){
1106 ExpectedType UnderlyingTypeOrErr = import(T->getValueType());
1107 if (!UnderlyingTypeOrErr)
1108 return UnderlyingTypeOrErr.takeError();
1109
1110 return Importer.getToContext().getAtomicType(*UnderlyingTypeOrErr);
1111}
1112
1113ExpectedType ASTNodeImporter::VisitBuiltinType(const BuiltinType *T) {
1114 switch (T->getKind()) {
1115#define IMAGE_TYPE(ImgType, Id, SingletonId, Access, Suffix) \
1116 case BuiltinType::Id: \
1117 return Importer.getToContext().SingletonId;
1118#include "clang/Basic/OpenCLImageTypes.def"
1119#define EXT_OPAQUE_TYPE(ExtType, Id, Ext) \
1120 case BuiltinType::Id: \
1121 return Importer.getToContext().Id##Ty;
1122#include "clang/Basic/OpenCLExtensionTypes.def"
1123#define SVE_TYPE(Name, Id, SingletonId) \
1124 case BuiltinType::Id: \
1125 return Importer.getToContext().SingletonId;
1126#include "clang/Basic/AArch64SVEACLETypes.def"
1127#define PPC_VECTOR_TYPE(Name, Id, Size) \
1128 case BuiltinType::Id: \
1129 return Importer.getToContext().Id##Ty;
1130#include "clang/Basic/PPCTypes.def"
1131#define RVV_TYPE(Name, Id, SingletonId) \
1132 case BuiltinType::Id: \
1133 return Importer.getToContext().SingletonId;
1134#include "clang/Basic/RISCVVTypes.def"
1135#define WASM_TYPE(Name, Id, SingletonId) \
1136 case BuiltinType::Id: \
1137 return Importer.getToContext().SingletonId;
1138#include "clang/Basic/WebAssemblyReferenceTypes.def"
1139#define AMDGPU_TYPE(Name, Id, SingletonId, Width, Align) \
1140 case BuiltinType::Id: \
1141 return Importer.getToContext().SingletonId;
1142#include "clang/Basic/AMDGPUTypes.def"
1143#define HLSL_INTANGIBLE_TYPE(Name, Id, SingletonId) \
1144 case BuiltinType::Id: \
1145 return Importer.getToContext().SingletonId;
1146#include "clang/Basic/HLSLIntangibleTypes.def"
1147#define SHARED_SINGLETON_TYPE(Expansion)
1148#define BUILTIN_TYPE(Id, SingletonId) \
1149 case BuiltinType::Id: return Importer.getToContext().SingletonId;
1150#include "clang/AST/BuiltinTypes.def"
1151
1152 // FIXME: for Char16, Char32, and NullPtr, make sure that the "to"
1153 // context supports C++.
1154
1155 // FIXME: for ObjCId, ObjCClass, and ObjCSel, make sure that the "to"
1156 // context supports ObjC.
1157
1158 case BuiltinType::Char_U:
1159 // The context we're importing from has an unsigned 'char'. If we're
1160 // importing into a context with a signed 'char', translate to
1161 // 'unsigned char' instead.
1162 if (Importer.getToContext().getLangOpts().CharIsSigned)
1163 return Importer.getToContext().UnsignedCharTy;
1164
1165 return Importer.getToContext().CharTy;
1166
1167 case BuiltinType::Char_S:
1168 // The context we're importing from has an unsigned 'char'. If we're
1169 // importing into a context with a signed 'char', translate to
1170 // 'unsigned char' instead.
1171 if (!Importer.getToContext().getLangOpts().CharIsSigned)
1172 return Importer.getToContext().SignedCharTy;
1173
1174 return Importer.getToContext().CharTy;
1175
1176 case BuiltinType::WChar_S:
1177 case BuiltinType::WChar_U:
1178 // FIXME: If not in C++, shall we translate to the C equivalent of
1179 // wchar_t?
1180 return Importer.getToContext().WCharTy;
1181 }
1182
1183 llvm_unreachable("Invalid BuiltinType Kind!");
1184}
1185
1186ExpectedType ASTNodeImporter::VisitDecayedType(const DecayedType *T) {
1187 ExpectedType ToOriginalTypeOrErr = import(T->getOriginalType());
1188 if (!ToOriginalTypeOrErr)
1189 return ToOriginalTypeOrErr.takeError();
1190
1191 return Importer.getToContext().getDecayedType(*ToOriginalTypeOrErr);
1192}
1193
1194ExpectedType ASTNodeImporter::VisitComplexType(const ComplexType *T) {
1195 ExpectedType ToElementTypeOrErr = import(T->getElementType());
1196 if (!ToElementTypeOrErr)
1197 return ToElementTypeOrErr.takeError();
1198
1199 return Importer.getToContext().getComplexType(*ToElementTypeOrErr);
1200}
1201
1202ExpectedType ASTNodeImporter::VisitPointerType(const PointerType *T) {
1203 ExpectedType ToPointeeTypeOrErr = import(T->getPointeeType());
1204 if (!ToPointeeTypeOrErr)
1205 return ToPointeeTypeOrErr.takeError();
1206
1207 return Importer.getToContext().getPointerType(*ToPointeeTypeOrErr);
1208}
1209
1210ExpectedType ASTNodeImporter::VisitBlockPointerType(const BlockPointerType *T) {
1211 // FIXME: Check for blocks support in "to" context.
1212 ExpectedType ToPointeeTypeOrErr = import(T->getPointeeType());
1213 if (!ToPointeeTypeOrErr)
1214 return ToPointeeTypeOrErr.takeError();
1215
1216 return Importer.getToContext().getBlockPointerType(*ToPointeeTypeOrErr);
1217}
1218
1220ASTNodeImporter::VisitLValueReferenceType(const LValueReferenceType *T) {
1221 // FIXME: Check for C++ support in "to" context.
1222 ExpectedType ToPointeeTypeOrErr = import(T->getPointeeTypeAsWritten());
1223 if (!ToPointeeTypeOrErr)
1224 return ToPointeeTypeOrErr.takeError();
1225
1226 return Importer.getToContext().getLValueReferenceType(*ToPointeeTypeOrErr);
1227}
1228
1230ASTNodeImporter::VisitRValueReferenceType(const RValueReferenceType *T) {
1231 // FIXME: Check for C++0x support in "to" context.
1232 ExpectedType ToPointeeTypeOrErr = import(T->getPointeeTypeAsWritten());
1233 if (!ToPointeeTypeOrErr)
1234 return ToPointeeTypeOrErr.takeError();
1235
1236 return Importer.getToContext().getRValueReferenceType(*ToPointeeTypeOrErr);
1237}
1238
1240ASTNodeImporter::VisitMemberPointerType(const MemberPointerType *T) {
1241 // FIXME: Check for C++ support in "to" context.
1242 ExpectedType ToPointeeTypeOrErr = import(T->getPointeeType());
1243 if (!ToPointeeTypeOrErr)
1244 return ToPointeeTypeOrErr.takeError();
1245
1246 ExpectedTypePtr ClassTypeOrErr = import(T->getClass());
1247 if (!ClassTypeOrErr)
1248 return ClassTypeOrErr.takeError();
1249
1250 return Importer.getToContext().getMemberPointerType(*ToPointeeTypeOrErr,
1251 *ClassTypeOrErr);
1252}
1253
1255ASTNodeImporter::VisitConstantArrayType(const ConstantArrayType *T) {
1256 Error Err = Error::success();
1257 auto ToElementType = importChecked(Err, T->getElementType());
1258 auto ToSizeExpr = importChecked(Err, T->getSizeExpr());
1259 if (Err)
1260 return std::move(Err);
1261
1262 return Importer.getToContext().getConstantArrayType(
1263 ToElementType, T->getSize(), ToSizeExpr, T->getSizeModifier(),
1264 T->getIndexTypeCVRQualifiers());
1265}
1266
1268ASTNodeImporter::VisitArrayParameterType(const ArrayParameterType *T) {
1269 ExpectedType ToArrayTypeOrErr = VisitConstantArrayType(T);
1270 if (!ToArrayTypeOrErr)
1271 return ToArrayTypeOrErr.takeError();
1272
1273 return Importer.getToContext().getArrayParameterType(*ToArrayTypeOrErr);
1274}
1275
1277ASTNodeImporter::VisitIncompleteArrayType(const IncompleteArrayType *T) {
1278 ExpectedType ToElementTypeOrErr = import(T->getElementType());
1279 if (!ToElementTypeOrErr)
1280 return ToElementTypeOrErr.takeError();
1281
1282 return Importer.getToContext().getIncompleteArrayType(*ToElementTypeOrErr,
1283 T->getSizeModifier(),
1284 T->getIndexTypeCVRQualifiers());
1285}
1286
1288ASTNodeImporter::VisitVariableArrayType(const VariableArrayType *T) {
1289 Error Err = Error::success();
1290 QualType ToElementType = importChecked(Err, T->getElementType());
1291 Expr *ToSizeExpr = importChecked(Err, T->getSizeExpr());
1292 SourceRange ToBracketsRange = importChecked(Err, T->getBracketsRange());
1293 if (Err)
1294 return std::move(Err);
1295 return Importer.getToContext().getVariableArrayType(
1296 ToElementType, ToSizeExpr, T->getSizeModifier(),
1297 T->getIndexTypeCVRQualifiers(), ToBracketsRange);
1298}
1299
1300ExpectedType ASTNodeImporter::VisitDependentSizedArrayType(
1301 const DependentSizedArrayType *T) {
1302 Error Err = Error::success();
1303 QualType ToElementType = importChecked(Err, T->getElementType());
1304 Expr *ToSizeExpr = importChecked(Err, T->getSizeExpr());
1305 SourceRange ToBracketsRange = importChecked(Err, T->getBracketsRange());
1306 if (Err)
1307 return std::move(Err);
1308 // SizeExpr may be null if size is not specified directly.
1309 // For example, 'int a[]'.
1310
1311 return Importer.getToContext().getDependentSizedArrayType(
1312 ToElementType, ToSizeExpr, T->getSizeModifier(),
1313 T->getIndexTypeCVRQualifiers(), ToBracketsRange);
1314}
1315
1316ExpectedType ASTNodeImporter::VisitDependentSizedExtVectorType(
1318 Error Err = Error::success();
1319 QualType ToElementType = importChecked(Err, T->getElementType());
1320 Expr *ToSizeExpr = importChecked(Err, T->getSizeExpr());
1321 SourceLocation ToAttrLoc = importChecked(Err, T->getAttributeLoc());
1322 if (Err)
1323 return std::move(Err);
1325 ToElementType, ToSizeExpr, ToAttrLoc);
1326}
1327
1328ExpectedType ASTNodeImporter::VisitVectorType(const VectorType *T) {
1329 ExpectedType ToElementTypeOrErr = import(T->getElementType());
1330 if (!ToElementTypeOrErr)
1331 return ToElementTypeOrErr.takeError();
1332
1333 return Importer.getToContext().getVectorType(*ToElementTypeOrErr,
1334 T->getNumElements(),
1335 T->getVectorKind());
1336}
1337
1338ExpectedType ASTNodeImporter::VisitExtVectorType(const ExtVectorType *T) {
1339 ExpectedType ToElementTypeOrErr = import(T->getElementType());
1340 if (!ToElementTypeOrErr)
1341 return ToElementTypeOrErr.takeError();
1342
1343 return Importer.getToContext().getExtVectorType(*ToElementTypeOrErr,
1344 T->getNumElements());
1345}
1346
1348ASTNodeImporter::VisitFunctionNoProtoType(const FunctionNoProtoType *T) {
1349 // FIXME: What happens if we're importing a function without a prototype
1350 // into C++? Should we make it variadic?
1351 ExpectedType ToReturnTypeOrErr = import(T->getReturnType());
1352 if (!ToReturnTypeOrErr)
1353 return ToReturnTypeOrErr.takeError();
1354
1355 return Importer.getToContext().getFunctionNoProtoType(*ToReturnTypeOrErr,
1356 T->getExtInfo());
1357}
1358
1360ASTNodeImporter::VisitFunctionProtoType(const FunctionProtoType *T) {
1361 ExpectedType ToReturnTypeOrErr = import(T->getReturnType());
1362 if (!ToReturnTypeOrErr)
1363 return ToReturnTypeOrErr.takeError();
1364
1365 // Import argument types
1366 SmallVector<QualType, 4> ArgTypes;
1367 for (const auto &A : T->param_types()) {
1368 ExpectedType TyOrErr = import(A);
1369 if (!TyOrErr)
1370 return TyOrErr.takeError();
1371 ArgTypes.push_back(*TyOrErr);
1372 }
1373
1374 // Import exception types
1375 SmallVector<QualType, 4> ExceptionTypes;
1376 for (const auto &E : T->exceptions()) {
1377 ExpectedType TyOrErr = import(E);
1378 if (!TyOrErr)
1379 return TyOrErr.takeError();
1380 ExceptionTypes.push_back(*TyOrErr);
1381 }
1382
1384 Error Err = Error::success();
1386 ToEPI.ExtInfo = FromEPI.ExtInfo;
1387 ToEPI.Variadic = FromEPI.Variadic;
1388 ToEPI.HasTrailingReturn = FromEPI.HasTrailingReturn;
1389 ToEPI.TypeQuals = FromEPI.TypeQuals;
1390 ToEPI.RefQualifier = FromEPI.RefQualifier;
1391 ToEPI.ExceptionSpec.Type = FromEPI.ExceptionSpec.Type;
1398 ToEPI.ExceptionSpec.Exceptions = ExceptionTypes;
1399
1400 if (Err)
1401 return std::move(Err);
1402
1403 return Importer.getToContext().getFunctionType(
1404 *ToReturnTypeOrErr, ArgTypes, ToEPI);
1405}
1406
1407ExpectedType ASTNodeImporter::VisitUnresolvedUsingType(
1408 const UnresolvedUsingType *T) {
1409 Error Err = Error::success();
1410 auto ToD = importChecked(Err, T->getDecl());
1411 auto ToPrevD = importChecked(Err, T->getDecl()->getPreviousDecl());
1412 if (Err)
1413 return std::move(Err);
1414
1415 return Importer.getToContext().getTypeDeclType(
1416 ToD, cast_or_null<TypeDecl>(ToPrevD));
1417}
1418
1419ExpectedType ASTNodeImporter::VisitParenType(const ParenType *T) {
1420 ExpectedType ToInnerTypeOrErr = import(T->getInnerType());
1421 if (!ToInnerTypeOrErr)
1422 return ToInnerTypeOrErr.takeError();
1423
1424 return Importer.getToContext().getParenType(*ToInnerTypeOrErr);
1425}
1426
1428ASTNodeImporter::VisitPackIndexingType(clang::PackIndexingType const *T) {
1429
1430 ExpectedType Pattern = import(T->getPattern());
1431 if (!Pattern)
1432 return Pattern.takeError();
1433 ExpectedExpr Index = import(T->getIndexExpr());
1434 if (!Index)
1435 return Index.takeError();
1436 return Importer.getToContext().getPackIndexingType(*Pattern, *Index);
1437}
1438
1439ExpectedType ASTNodeImporter::VisitTypedefType(const TypedefType *T) {
1440 Expected<TypedefNameDecl *> ToDeclOrErr = import(T->getDecl());
1441 if (!ToDeclOrErr)
1442 return ToDeclOrErr.takeError();
1443
1444 TypedefNameDecl *ToDecl = *ToDeclOrErr;
1445 if (ToDecl->getTypeForDecl())
1446 return QualType(ToDecl->getTypeForDecl(), 0);
1447
1448 ExpectedType ToUnderlyingTypeOrErr = import(T->desugar());
1449 if (!ToUnderlyingTypeOrErr)
1450 return ToUnderlyingTypeOrErr.takeError();
1451
1452 return Importer.getToContext().getTypedefType(ToDecl, *ToUnderlyingTypeOrErr);
1453}
1454
1455ExpectedType ASTNodeImporter::VisitTypeOfExprType(const TypeOfExprType *T) {
1456 ExpectedExpr ToExprOrErr = import(T->getUnderlyingExpr());
1457 if (!ToExprOrErr)
1458 return ToExprOrErr.takeError();
1459 return Importer.getToContext().getTypeOfExprType(*ToExprOrErr, T->getKind());
1460}
1461
1462ExpectedType ASTNodeImporter::VisitTypeOfType(const TypeOfType *T) {
1463 ExpectedType ToUnderlyingTypeOrErr = import(T->getUnmodifiedType());
1464 if (!ToUnderlyingTypeOrErr)
1465 return ToUnderlyingTypeOrErr.takeError();
1466 return Importer.getToContext().getTypeOfType(*ToUnderlyingTypeOrErr,
1467 T->getKind());
1468}
1469
1470ExpectedType ASTNodeImporter::VisitUsingType(const UsingType *T) {
1471 Expected<UsingShadowDecl *> FoundOrErr = import(T->getFoundDecl());
1472 if (!FoundOrErr)
1473 return FoundOrErr.takeError();
1474 Expected<QualType> UnderlyingOrErr = import(T->getUnderlyingType());
1475 if (!UnderlyingOrErr)
1476 return UnderlyingOrErr.takeError();
1477
1478 return Importer.getToContext().getUsingType(*FoundOrErr, *UnderlyingOrErr);
1479}
1480
1481ExpectedType ASTNodeImporter::VisitDecltypeType(const DecltypeType *T) {
1482 // FIXME: Make sure that the "to" context supports C++0x!
1483 ExpectedExpr ToExprOrErr = import(T->getUnderlyingExpr());
1484 if (!ToExprOrErr)
1485 return ToExprOrErr.takeError();
1486
1487 ExpectedType ToUnderlyingTypeOrErr = import(T->getUnderlyingType());
1488 if (!ToUnderlyingTypeOrErr)
1489 return ToUnderlyingTypeOrErr.takeError();
1490
1491 return Importer.getToContext().getDecltypeType(
1492 *ToExprOrErr, *ToUnderlyingTypeOrErr);
1493}
1494
1496ASTNodeImporter::VisitUnaryTransformType(const UnaryTransformType *T) {
1497 ExpectedType ToBaseTypeOrErr = import(T->getBaseType());
1498 if (!ToBaseTypeOrErr)
1499 return ToBaseTypeOrErr.takeError();
1500
1501 ExpectedType ToUnderlyingTypeOrErr = import(T->getUnderlyingType());
1502 if (!ToUnderlyingTypeOrErr)
1503 return ToUnderlyingTypeOrErr.takeError();
1504
1505 return Importer.getToContext().getUnaryTransformType(
1506 *ToBaseTypeOrErr, *ToUnderlyingTypeOrErr, T->getUTTKind());
1507}
1508
1509ExpectedType ASTNodeImporter::VisitAutoType(const AutoType *T) {
1510 // FIXME: Make sure that the "to" context supports C++11!
1511 ExpectedType ToDeducedTypeOrErr = import(T->getDeducedType());
1512 if (!ToDeducedTypeOrErr)
1513 return ToDeducedTypeOrErr.takeError();
1514
1515 ExpectedDecl ToTypeConstraintConcept = import(T->getTypeConstraintConcept());
1516 if (!ToTypeConstraintConcept)
1517 return ToTypeConstraintConcept.takeError();
1518
1519 SmallVector<TemplateArgument, 2> ToTemplateArgs;
1520 if (Error Err = ImportTemplateArguments(T->getTypeConstraintArguments(),
1521 ToTemplateArgs))
1522 return std::move(Err);
1523
1524 return Importer.getToContext().getAutoType(
1525 *ToDeducedTypeOrErr, T->getKeyword(), /*IsDependent*/false,
1526 /*IsPack=*/false, cast_or_null<ConceptDecl>(*ToTypeConstraintConcept),
1527 ToTemplateArgs);
1528}
1529
1530ExpectedType ASTNodeImporter::VisitDeducedTemplateSpecializationType(
1532 // FIXME: Make sure that the "to" context supports C++17!
1533 Expected<TemplateName> ToTemplateNameOrErr = import(T->getTemplateName());
1534 if (!ToTemplateNameOrErr)
1535 return ToTemplateNameOrErr.takeError();
1536 ExpectedType ToDeducedTypeOrErr = import(T->getDeducedType());
1537 if (!ToDeducedTypeOrErr)
1538 return ToDeducedTypeOrErr.takeError();
1539
1541 *ToTemplateNameOrErr, *ToDeducedTypeOrErr, T->isDependentType());
1542}
1543
1544ExpectedType ASTNodeImporter::VisitInjectedClassNameType(
1545 const InjectedClassNameType *T) {
1546 Expected<CXXRecordDecl *> ToDeclOrErr = import(T->getDecl());
1547 if (!ToDeclOrErr)
1548 return ToDeclOrErr.takeError();
1549
1550 // The InjectedClassNameType is created in VisitRecordDecl when the
1551 // T->getDecl() is imported. Here we can return the existing type.
1552 const Type *Ty = (*ToDeclOrErr)->getTypeForDecl();
1553 assert(isa_and_nonnull<InjectedClassNameType>(Ty));
1554 return QualType(Ty, 0);
1555}
1556
1557ExpectedType ASTNodeImporter::VisitRecordType(const RecordType *T) {
1558 Expected<RecordDecl *> ToDeclOrErr = import(T->getDecl());
1559 if (!ToDeclOrErr)
1560 return ToDeclOrErr.takeError();
1561
1562 return Importer.getToContext().getTagDeclType(*ToDeclOrErr);
1563}
1564
1565ExpectedType ASTNodeImporter::VisitEnumType(const EnumType *T) {
1566 Expected<EnumDecl *> ToDeclOrErr = import(T->getDecl());
1567 if (!ToDeclOrErr)
1568 return ToDeclOrErr.takeError();
1569
1570 return Importer.getToContext().getTagDeclType(*ToDeclOrErr);
1571}
1572
1573ExpectedType ASTNodeImporter::VisitAttributedType(const AttributedType *T) {
1574 ExpectedType ToModifiedTypeOrErr = import(T->getModifiedType());
1575 if (!ToModifiedTypeOrErr)
1576 return ToModifiedTypeOrErr.takeError();
1577 ExpectedType ToEquivalentTypeOrErr = import(T->getEquivalentType());
1578 if (!ToEquivalentTypeOrErr)
1579 return ToEquivalentTypeOrErr.takeError();
1580
1581 return Importer.getToContext().getAttributedType(
1582 T->getAttrKind(), *ToModifiedTypeOrErr, *ToEquivalentTypeOrErr,
1583 T->getAttr());
1584}
1585
1587ASTNodeImporter::VisitCountAttributedType(const CountAttributedType *T) {
1588 ExpectedType ToWrappedTypeOrErr = import(T->desugar());
1589 if (!ToWrappedTypeOrErr)
1590 return ToWrappedTypeOrErr.takeError();
1591
1592 Error Err = Error::success();
1593 Expr *CountExpr = importChecked(Err, T->getCountExpr());
1594
1596 for (const TypeCoupledDeclRefInfo &TI : T->dependent_decls()) {
1597 Expected<ValueDecl *> ToDeclOrErr = import(TI.getDecl());
1598 if (!ToDeclOrErr)
1599 return ToDeclOrErr.takeError();
1600 CoupledDecls.emplace_back(*ToDeclOrErr, TI.isDeref());
1601 }
1602
1603 return Importer.getToContext().getCountAttributedType(
1604 *ToWrappedTypeOrErr, CountExpr, T->isCountInBytes(), T->isOrNull(),
1605 ArrayRef(CoupledDecls.data(), CoupledDecls.size()));
1606}
1607
1608ExpectedType ASTNodeImporter::VisitTemplateTypeParmType(
1609 const TemplateTypeParmType *T) {
1610 Expected<TemplateTypeParmDecl *> ToDeclOrErr = import(T->getDecl());
1611 if (!ToDeclOrErr)
1612 return ToDeclOrErr.takeError();
1613
1614 return Importer.getToContext().getTemplateTypeParmType(
1615 T->getDepth(), T->getIndex(), T->isParameterPack(), *ToDeclOrErr);
1616}
1617
1618ExpectedType ASTNodeImporter::VisitSubstTemplateTypeParmType(
1620 Expected<Decl *> ReplacedOrErr = import(T->getAssociatedDecl());
1621 if (!ReplacedOrErr)
1622 return ReplacedOrErr.takeError();
1623
1624 ExpectedType ToReplacementTypeOrErr = import(T->getReplacementType());
1625 if (!ToReplacementTypeOrErr)
1626 return ToReplacementTypeOrErr.takeError();
1627
1629 *ToReplacementTypeOrErr, *ReplacedOrErr, T->getIndex(), T->getPackIndex(),
1630 T->getSubstitutionFlag());
1631}
1632
1633ExpectedType ASTNodeImporter::VisitSubstTemplateTypeParmPackType(
1635 Expected<Decl *> ReplacedOrErr = import(T->getAssociatedDecl());
1636 if (!ReplacedOrErr)
1637 return ReplacedOrErr.takeError();
1638
1639 Expected<TemplateArgument> ToArgumentPack = import(T->getArgumentPack());
1640 if (!ToArgumentPack)
1641 return ToArgumentPack.takeError();
1642
1644 *ReplacedOrErr, T->getIndex(), T->getFinal(), *ToArgumentPack);
1645}
1646
1647ExpectedType ASTNodeImporter::VisitTemplateSpecializationType(
1649 auto ToTemplateOrErr = import(T->getTemplateName());
1650 if (!ToTemplateOrErr)
1651 return ToTemplateOrErr.takeError();
1652
1653 SmallVector<TemplateArgument, 2> ToTemplateArgs;
1654 if (Error Err =
1655 ImportTemplateArguments(T->template_arguments(), ToTemplateArgs))
1656 return std::move(Err);
1657
1658 QualType ToCanonType;
1659 if (!T->isCanonicalUnqualified()) {
1660 QualType FromCanonType
1661 = Importer.getFromContext().getCanonicalType(QualType(T, 0));
1662 if (ExpectedType TyOrErr = import(FromCanonType))
1663 ToCanonType = *TyOrErr;
1664 else
1665 return TyOrErr.takeError();
1666 }
1667 return Importer.getToContext().getTemplateSpecializationType(*ToTemplateOrErr,
1668 ToTemplateArgs,
1669 ToCanonType);
1670}
1671
1672ExpectedType ASTNodeImporter::VisitElaboratedType(const ElaboratedType *T) {
1673 // Note: the qualifier in an ElaboratedType is optional.
1674 auto ToQualifierOrErr = import(T->getQualifier());
1675 if (!ToQualifierOrErr)
1676 return ToQualifierOrErr.takeError();
1677
1678 ExpectedType ToNamedTypeOrErr = import(T->getNamedType());
1679 if (!ToNamedTypeOrErr)
1680 return ToNamedTypeOrErr.takeError();
1681
1682 Expected<TagDecl *> ToOwnedTagDeclOrErr = import(T->getOwnedTagDecl());
1683 if (!ToOwnedTagDeclOrErr)
1684 return ToOwnedTagDeclOrErr.takeError();
1685
1686 return Importer.getToContext().getElaboratedType(T->getKeyword(),
1687 *ToQualifierOrErr,
1688 *ToNamedTypeOrErr,
1689 *ToOwnedTagDeclOrErr);
1690}
1691
1693ASTNodeImporter::VisitPackExpansionType(const PackExpansionType *T) {
1694 ExpectedType ToPatternOrErr = import(T->getPattern());
1695 if (!ToPatternOrErr)
1696 return ToPatternOrErr.takeError();
1697
1698 return Importer.getToContext().getPackExpansionType(*ToPatternOrErr,
1699 T->getNumExpansions(),
1700 /*ExpactPack=*/false);
1701}
1702
1703ExpectedType ASTNodeImporter::VisitDependentTemplateSpecializationType(
1705 auto ToQualifierOrErr = import(T->getQualifier());
1706 if (!ToQualifierOrErr)
1707 return ToQualifierOrErr.takeError();
1708
1709 IdentifierInfo *ToName = Importer.Import(T->getIdentifier());
1710
1712 ToPack.reserve(T->template_arguments().size());
1713 if (Error Err = ImportTemplateArguments(T->template_arguments(), ToPack))
1714 return std::move(Err);
1715
1717 T->getKeyword(), *ToQualifierOrErr, ToName, ToPack);
1718}
1719
1721ASTNodeImporter::VisitDependentNameType(const DependentNameType *T) {
1722 auto ToQualifierOrErr = import(T->getQualifier());
1723 if (!ToQualifierOrErr)
1724 return ToQualifierOrErr.takeError();
1725
1726 IdentifierInfo *Name = Importer.Import(T->getIdentifier());
1727
1728 QualType Canon;
1729 if (T != T->getCanonicalTypeInternal().getTypePtr()) {
1730 if (ExpectedType TyOrErr = import(T->getCanonicalTypeInternal()))
1731 Canon = (*TyOrErr).getCanonicalType();
1732 else
1733 return TyOrErr.takeError();
1734 }
1735
1736 return Importer.getToContext().getDependentNameType(T->getKeyword(),
1737 *ToQualifierOrErr,
1738 Name, Canon);
1739}
1740
1742ASTNodeImporter::VisitObjCInterfaceType(const ObjCInterfaceType *T) {
1743 Expected<ObjCInterfaceDecl *> ToDeclOrErr = import(T->getDecl());
1744 if (!ToDeclOrErr)
1745 return ToDeclOrErr.takeError();
1746
1747 return Importer.getToContext().getObjCInterfaceType(*ToDeclOrErr);
1748}
1749
1750ExpectedType ASTNodeImporter::VisitObjCObjectType(const ObjCObjectType *T) {
1751 ExpectedType ToBaseTypeOrErr = import(T->getBaseType());
1752 if (!ToBaseTypeOrErr)
1753 return ToBaseTypeOrErr.takeError();
1754
1755 SmallVector<QualType, 4> TypeArgs;
1756 for (auto TypeArg : T->getTypeArgsAsWritten()) {
1757 if (ExpectedType TyOrErr = import(TypeArg))
1758 TypeArgs.push_back(*TyOrErr);
1759 else
1760 return TyOrErr.takeError();
1761 }
1762
1764 for (auto *P : T->quals()) {
1765 if (Expected<ObjCProtocolDecl *> ProtocolOrErr = import(P))
1766 Protocols.push_back(*ProtocolOrErr);
1767 else
1768 return ProtocolOrErr.takeError();
1769
1770 }
1771
1772 return Importer.getToContext().getObjCObjectType(*ToBaseTypeOrErr, TypeArgs,
1773 Protocols,
1774 T->isKindOfTypeAsWritten());
1775}
1776
1778ASTNodeImporter::VisitObjCObjectPointerType(const ObjCObjectPointerType *T) {
1779 ExpectedType ToPointeeTypeOrErr = import(T->getPointeeType());
1780 if (!ToPointeeTypeOrErr)
1781 return ToPointeeTypeOrErr.takeError();
1782
1783 return Importer.getToContext().getObjCObjectPointerType(*ToPointeeTypeOrErr);
1784}
1785
1787ASTNodeImporter::VisitMacroQualifiedType(const MacroQualifiedType *T) {
1788 ExpectedType ToUnderlyingTypeOrErr = import(T->getUnderlyingType());
1789 if (!ToUnderlyingTypeOrErr)
1790 return ToUnderlyingTypeOrErr.takeError();
1791
1792 IdentifierInfo *ToIdentifier = Importer.Import(T->getMacroIdentifier());
1793 return Importer.getToContext().getMacroQualifiedType(*ToUnderlyingTypeOrErr,
1794 ToIdentifier);
1795}
1796
1797ExpectedType clang::ASTNodeImporter::VisitAdjustedType(const AdjustedType *T) {
1798 Error Err = Error::success();
1799 QualType ToOriginalType = importChecked(Err, T->getOriginalType());
1800 QualType ToAdjustedType = importChecked(Err, T->getAdjustedType());
1801 if (Err)
1802 return std::move(Err);
1803
1804 return Importer.getToContext().getAdjustedType(ToOriginalType,
1805 ToAdjustedType);
1806}
1807
1808ExpectedType clang::ASTNodeImporter::VisitBitIntType(const BitIntType *T) {
1809 return Importer.getToContext().getBitIntType(T->isUnsigned(),
1810 T->getNumBits());
1811}
1812
1813ExpectedType clang::ASTNodeImporter::VisitBTFTagAttributedType(
1815 Error Err = Error::success();
1816 const BTFTypeTagAttr *ToBTFAttr = importChecked(Err, T->getAttr());
1817 QualType ToWrappedType = importChecked(Err, T->getWrappedType());
1818 if (Err)
1819 return std::move(Err);
1820
1821 return Importer.getToContext().getBTFTagAttributedType(ToBTFAttr,
1822 ToWrappedType);
1823}
1824
1825ExpectedType clang::ASTNodeImporter::VisitHLSLAttributedResourceType(
1827 Error Err = Error::success();
1828 const HLSLAttributedResourceType::Attributes &ToAttrs = T->getAttrs();
1829 QualType ToWrappedType = importChecked(Err, T->getWrappedType());
1830 QualType ToContainedType = importChecked(Err, T->getContainedType());
1831 if (Err)
1832 return std::move(Err);
1833
1834 return Importer.getToContext().getHLSLAttributedResourceType(
1835 ToWrappedType, ToContainedType, ToAttrs);
1836}
1837
1838ExpectedType clang::ASTNodeImporter::VisitConstantMatrixType(
1840 ExpectedType ToElementTypeOrErr = import(T->getElementType());
1841 if (!ToElementTypeOrErr)
1842 return ToElementTypeOrErr.takeError();
1843
1844 return Importer.getToContext().getConstantMatrixType(
1845 *ToElementTypeOrErr, T->getNumRows(), T->getNumColumns());
1846}
1847
1848ExpectedType clang::ASTNodeImporter::VisitDependentAddressSpaceType(
1850 Error Err = Error::success();
1851 QualType ToPointeeType = importChecked(Err, T->getPointeeType());
1852 Expr *ToAddrSpaceExpr = importChecked(Err, T->getAddrSpaceExpr());
1853 SourceLocation ToAttrLoc = importChecked(Err, T->getAttributeLoc());
1854 if (Err)
1855 return std::move(Err);
1856
1857 return Importer.getToContext().getDependentAddressSpaceType(
1858 ToPointeeType, ToAddrSpaceExpr, ToAttrLoc);
1859}
1860
1861ExpectedType clang::ASTNodeImporter::VisitDependentBitIntType(
1863 ExpectedExpr ToNumBitsExprOrErr = import(T->getNumBitsExpr());
1864 if (!ToNumBitsExprOrErr)
1865 return ToNumBitsExprOrErr.takeError();
1866 return Importer.getToContext().getDependentBitIntType(T->isUnsigned(),
1867 *ToNumBitsExprOrErr);
1868}
1869
1870ExpectedType clang::ASTNodeImporter::VisitDependentSizedMatrixType(
1872 Error Err = Error::success();
1873 QualType ToElementType = importChecked(Err, T->getElementType());
1874 Expr *ToRowExpr = importChecked(Err, T->getRowExpr());
1875 Expr *ToColumnExpr = importChecked(Err, T->getColumnExpr());
1876 SourceLocation ToAttrLoc = importChecked(Err, T->getAttributeLoc());
1877 if (Err)
1878 return std::move(Err);
1879
1880 return Importer.getToContext().getDependentSizedMatrixType(
1881 ToElementType, ToRowExpr, ToColumnExpr, ToAttrLoc);
1882}
1883
1884ExpectedType clang::ASTNodeImporter::VisitDependentVectorType(
1886 Error Err = Error::success();
1887 QualType ToElementType = importChecked(Err, T->getElementType());
1888 Expr *ToSizeExpr = importChecked(Err, T->getSizeExpr());
1889 SourceLocation ToAttrLoc = importChecked(Err, T->getAttributeLoc());
1890 if (Err)
1891 return std::move(Err);
1892
1893 return Importer.getToContext().getDependentVectorType(
1894 ToElementType, ToSizeExpr, ToAttrLoc, T->getVectorKind());
1895}
1896
1897ExpectedType clang::ASTNodeImporter::VisitObjCTypeParamType(
1898 const clang::ObjCTypeParamType *T) {
1899 Expected<ObjCTypeParamDecl *> ToDeclOrErr = import(T->getDecl());
1900 if (!ToDeclOrErr)
1901 return ToDeclOrErr.takeError();
1902
1904 for (ObjCProtocolDecl *FromProtocol : T->getProtocols()) {
1905 Expected<ObjCProtocolDecl *> ToProtocolOrErr = import(FromProtocol);
1906 if (!ToProtocolOrErr)
1907 return ToProtocolOrErr.takeError();
1908 ToProtocols.push_back(*ToProtocolOrErr);
1909 }
1910
1911 return Importer.getToContext().getObjCTypeParamType(*ToDeclOrErr,
1912 ToProtocols);
1913}
1914
1915ExpectedType clang::ASTNodeImporter::VisitPipeType(const clang::PipeType *T) {
1916 ExpectedType ToElementTypeOrErr = import(T->getElementType());
1917 if (!ToElementTypeOrErr)
1918 return ToElementTypeOrErr.takeError();
1919
1920 ASTContext &ToCtx = Importer.getToContext();
1921 if (T->isReadOnly())
1922 return ToCtx.getReadPipeType(*ToElementTypeOrErr);
1923 else
1924 return ToCtx.getWritePipeType(*ToElementTypeOrErr);
1925}
1926
1927//----------------------------------------------------------------------------
1928// Import Declarations
1929//----------------------------------------------------------------------------
1931 NamedDecl *D, DeclContext *&DC, DeclContext *&LexicalDC,
1933 // Check if RecordDecl is in FunctionDecl parameters to avoid infinite loop.
1934 // example: int struct_in_proto(struct data_t{int a;int b;} *d);
1935 // FIXME: We could support these constructs by importing a different type of
1936 // this parameter and by importing the original type of the parameter only
1937 // after the FunctionDecl is created. See
1938 // VisitFunctionDecl::UsedDifferentProtoType.
1939 DeclContext *OrigDC = D->getDeclContext();
1940 FunctionDecl *FunDecl;
1941 if (isa<RecordDecl>(D) && (FunDecl = dyn_cast<FunctionDecl>(OrigDC)) &&
1942 FunDecl->hasBody()) {
1943 auto getLeafPointeeType = [](const Type *T) {
1944 while (T->isPointerType() || T->isArrayType()) {
1946 }
1947 return T;
1948 };
1949 for (const ParmVarDecl *P : FunDecl->parameters()) {
1950 const Type *LeafT =
1951 getLeafPointeeType(P->getType().getCanonicalType().getTypePtr());
1952 auto *RT = dyn_cast<RecordType>(LeafT);
1953 if (RT && RT->getDecl() == D) {
1954 Importer.FromDiag(D->getLocation(), diag::err_unsupported_ast_node)
1955 << D->getDeclKindName();
1956 return make_error<ASTImportError>(ASTImportError::UnsupportedConstruct);
1957 }
1958 }
1959 }
1960
1961 // Import the context of this declaration.
1962 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
1963 return Err;
1964
1965 // Import the name of this declaration.
1966 if (Error Err = importInto(Name, D->getDeclName()))
1967 return Err;
1968
1969 // Import the location of this declaration.
1970 if (Error Err = importInto(Loc, D->getLocation()))
1971 return Err;
1972
1973 ToD = cast_or_null<NamedDecl>(Importer.GetAlreadyImportedOrNull(D));
1974 if (ToD)
1975 if (Error Err = ASTNodeImporter(*this).ImportDefinitionIfNeeded(D, ToD))
1976 return Err;
1977
1978 return Error::success();
1979}
1980
1982 NamedDecl *&ToD, SourceLocation &Loc) {
1983
1984 // Import the name of this declaration.
1985 if (Error Err = importInto(Name, D->getDeclName()))
1986 return Err;
1987
1988 // Import the location of this declaration.
1989 if (Error Err = importInto(Loc, D->getLocation()))
1990 return Err;
1991
1992 ToD = cast_or_null<NamedDecl>(Importer.GetAlreadyImportedOrNull(D));
1993 if (ToD)
1994 if (Error Err = ASTNodeImporter(*this).ImportDefinitionIfNeeded(D, ToD))
1995 return Err;
1996
1997 return Error::success();
1998}
1999
2001 if (!FromD)
2002 return Error::success();
2003
2004 if (!ToD)
2005 if (Error Err = importInto(ToD, FromD))
2006 return Err;
2007
2008 if (RecordDecl *FromRecord = dyn_cast<RecordDecl>(FromD)) {
2009 if (RecordDecl *ToRecord = cast<RecordDecl>(ToD)) {
2010 if (FromRecord->getDefinition() && FromRecord->isCompleteDefinition() &&
2011 !ToRecord->getDefinition()) {
2012 if (Error Err = ImportDefinition(FromRecord, ToRecord))
2013 return Err;
2014 }
2015 }
2016 return Error::success();
2017 }
2018
2019 if (EnumDecl *FromEnum = dyn_cast<EnumDecl>(FromD)) {
2020 if (EnumDecl *ToEnum = cast<EnumDecl>(ToD)) {
2021 if (FromEnum->getDefinition() && !ToEnum->getDefinition()) {
2022 if (Error Err = ImportDefinition(FromEnum, ToEnum))
2023 return Err;
2024 }
2025 }
2026 return Error::success();
2027 }
2028
2029 return Error::success();
2030}
2031
2032Error
2034 const DeclarationNameInfo &From, DeclarationNameInfo& To) {
2035 // NOTE: To.Name and To.Loc are already imported.
2036 // We only have to import To.LocInfo.
2037 switch (To.getName().getNameKind()) {
2044 return Error::success();
2045
2047 if (auto ToRangeOrErr = import(From.getCXXOperatorNameRange()))
2048 To.setCXXOperatorNameRange(*ToRangeOrErr);
2049 else
2050 return ToRangeOrErr.takeError();
2051 return Error::success();
2052 }
2054 if (ExpectedSLoc LocOrErr = import(From.getCXXLiteralOperatorNameLoc()))
2055 To.setCXXLiteralOperatorNameLoc(*LocOrErr);
2056 else
2057 return LocOrErr.takeError();
2058 return Error::success();
2059 }
2063 if (auto ToTInfoOrErr = import(From.getNamedTypeInfo()))
2064 To.setNamedTypeInfo(*ToTInfoOrErr);
2065 else
2066 return ToTInfoOrErr.takeError();
2067 return Error::success();
2068 }
2069 }
2070 llvm_unreachable("Unknown name kind.");
2071}
2072
2073Error
2075 if (Importer.isMinimalImport() && !ForceImport) {
2076 auto ToDCOrErr = Importer.ImportContext(FromDC);
2077 return ToDCOrErr.takeError();
2078 }
2079
2080 // We use strict error handling in case of records and enums, but not
2081 // with e.g. namespaces.
2082 //
2083 // FIXME Clients of the ASTImporter should be able to choose an
2084 // appropriate error handling strategy for their needs. For instance,
2085 // they may not want to mark an entire namespace as erroneous merely
2086 // because there is an ODR error with two typedefs. As another example,
2087 // the client may allow EnumConstantDecls with same names but with
2088 // different values in two distinct translation units.
2089 ChildErrorHandlingStrategy HandleChildErrors(FromDC);
2090
2091 auto MightNeedReordering = [](const Decl *D) {
2092 return isa<FieldDecl>(D) || isa<IndirectFieldDecl>(D) || isa<FriendDecl>(D);
2093 };
2094
2095 // Import everything that might need reordering first.
2096 Error ChildErrors = Error::success();
2097 for (auto *From : FromDC->decls()) {
2098 if (!MightNeedReordering(From))
2099 continue;
2100
2101 ExpectedDecl ImportedOrErr = import(From);
2102
2103 // If we are in the process of ImportDefinition(...) for a RecordDecl we
2104 // want to make sure that we are also completing each FieldDecl. There
2105 // are currently cases where this does not happen and this is correctness
2106 // fix since operations such as code generation will expect this to be so.
2107 if (!ImportedOrErr) {
2108 HandleChildErrors.handleChildImportResult(ChildErrors,
2109 ImportedOrErr.takeError());
2110 continue;
2111 }
2112 FieldDecl *FieldFrom = dyn_cast_or_null<FieldDecl>(From);
2113 Decl *ImportedDecl = *ImportedOrErr;
2114 FieldDecl *FieldTo = dyn_cast_or_null<FieldDecl>(ImportedDecl);
2115 if (FieldFrom && FieldTo) {
2116 Error Err = ImportFieldDeclDefinition(FieldFrom, FieldTo);
2117 HandleChildErrors.handleChildImportResult(ChildErrors, std::move(Err));
2118 }
2119 }
2120
2121 // We reorder declarations in RecordDecls because they may have another order
2122 // in the "to" context than they have in the "from" context. This may happen
2123 // e.g when we import a class like this:
2124 // struct declToImport {
2125 // int a = c + b;
2126 // int b = 1;
2127 // int c = 2;
2128 // };
2129 // During the import of `a` we import first the dependencies in sequence,
2130 // thus the order would be `c`, `b`, `a`. We will get the normal order by
2131 // first removing the already imported members and then adding them in the
2132 // order as they appear in the "from" context.
2133 //
2134 // Keeping field order is vital because it determines structure layout.
2135 //
2136 // Here and below, we cannot call field_begin() method and its callers on
2137 // ToDC if it has an external storage. Calling field_begin() will
2138 // automatically load all the fields by calling
2139 // LoadFieldsFromExternalStorage(). LoadFieldsFromExternalStorage() would
2140 // call ASTImporter::Import(). This is because the ExternalASTSource
2141 // interface in LLDB is implemented by the means of the ASTImporter. However,
2142 // calling an import at this point would result in an uncontrolled import, we
2143 // must avoid that.
2144
2145 auto ToDCOrErr = Importer.ImportContext(FromDC);
2146 if (!ToDCOrErr) {
2147 consumeError(std::move(ChildErrors));
2148 return ToDCOrErr.takeError();
2149 }
2150
2151 if (const auto *FromRD = dyn_cast<RecordDecl>(FromDC)) {
2152 DeclContext *ToDC = *ToDCOrErr;
2153 // Remove all declarations, which may be in wrong order in the
2154 // lexical DeclContext and then add them in the proper order.
2155 for (auto *D : FromRD->decls()) {
2156 if (!MightNeedReordering(D))
2157 continue;
2158
2159 assert(D && "DC contains a null decl");
2160 if (Decl *ToD = Importer.GetAlreadyImportedOrNull(D)) {
2161 // Remove only the decls which we successfully imported.
2162 assert(ToDC == ToD->getLexicalDeclContext() && ToDC->containsDecl(ToD));
2163 // Remove the decl from its wrong place in the linked list.
2164 ToDC->removeDecl(ToD);
2165 // Add the decl to the end of the linked list.
2166 // This time it will be at the proper place because the enclosing for
2167 // loop iterates in the original (good) order of the decls.
2168 ToDC->addDeclInternal(ToD);
2169 }
2170 }
2171 }
2172
2173 // Import everything else.
2174 for (auto *From : FromDC->decls()) {
2175 if (MightNeedReordering(From))
2176 continue;
2177
2178 ExpectedDecl ImportedOrErr = import(From);
2179 if (!ImportedOrErr)
2180 HandleChildErrors.handleChildImportResult(ChildErrors,
2181 ImportedOrErr.takeError());
2182 }
2183
2184 return ChildErrors;
2185}
2186
2188 const FieldDecl *To) {
2189 RecordDecl *FromRecordDecl = nullptr;
2190 RecordDecl *ToRecordDecl = nullptr;
2191 // If we have a field that is an ArrayType we need to check if the array
2192 // element is a RecordDecl and if so we need to import the definition.
2193 QualType FromType = From->getType();
2194 QualType ToType = To->getType();
2195 if (FromType->isArrayType()) {
2196 // getBaseElementTypeUnsafe(...) handles multi-dimensonal arrays for us.
2197 FromRecordDecl = FromType->getBaseElementTypeUnsafe()->getAsRecordDecl();
2198 ToRecordDecl = ToType->getBaseElementTypeUnsafe()->getAsRecordDecl();
2199 }
2200
2201 if (!FromRecordDecl || !ToRecordDecl) {
2202 const RecordType *RecordFrom = FromType->getAs<RecordType>();
2203 const RecordType *RecordTo = ToType->getAs<RecordType>();
2204
2205 if (RecordFrom && RecordTo) {
2206 FromRecordDecl = RecordFrom->getDecl();
2207 ToRecordDecl = RecordTo->getDecl();
2208 }
2209 }
2210
2211 if (FromRecordDecl && ToRecordDecl) {
2212 if (FromRecordDecl->isCompleteDefinition() &&
2213 !ToRecordDecl->isCompleteDefinition())
2214 return ImportDefinition(FromRecordDecl, ToRecordDecl);
2215 }
2216
2217 return Error::success();
2218}
2219
2221 Decl *FromD, DeclContext *&ToDC, DeclContext *&ToLexicalDC) {
2222 auto ToDCOrErr = Importer.ImportContext(FromD->getDeclContext());
2223 if (!ToDCOrErr)
2224 return ToDCOrErr.takeError();
2225 ToDC = *ToDCOrErr;
2226
2227 if (FromD->getDeclContext() != FromD->getLexicalDeclContext()) {
2228 auto ToLexicalDCOrErr = Importer.ImportContext(
2229 FromD->getLexicalDeclContext());
2230 if (!ToLexicalDCOrErr)
2231 return ToLexicalDCOrErr.takeError();
2232 ToLexicalDC = *ToLexicalDCOrErr;
2233 } else
2234 ToLexicalDC = ToDC;
2235
2236 return Error::success();
2237}
2238
2240 const CXXRecordDecl *From, CXXRecordDecl *To) {
2241 assert(From->isCompleteDefinition() && To->getDefinition() == To &&
2242 "Import implicit methods to or from non-definition");
2243
2244 for (CXXMethodDecl *FromM : From->methods())
2245 if (FromM->isImplicit()) {
2246 Expected<CXXMethodDecl *> ToMOrErr = import(FromM);
2247 if (!ToMOrErr)
2248 return ToMOrErr.takeError();
2249 }
2250
2251 return Error::success();
2252}
2253
2255 ASTImporter &Importer) {
2256 if (TypedefNameDecl *FromTypedef = From->getTypedefNameForAnonDecl()) {
2257 if (ExpectedDecl ToTypedefOrErr = Importer.Import(FromTypedef))
2258 To->setTypedefNameForAnonDecl(cast<TypedefNameDecl>(*ToTypedefOrErr));
2259 else
2260 return ToTypedefOrErr.takeError();
2261 }
2262 return Error::success();
2263}
2264
2266 RecordDecl *From, RecordDecl *To, ImportDefinitionKind Kind) {
2267 auto DefinitionCompleter = [To]() {
2268 // There are cases in LLDB when we first import a class without its
2269 // members. The class will have DefinitionData, but no members. Then,
2270 // importDefinition is called from LLDB, which tries to get the members, so
2271 // when we get here, the class already has the DefinitionData set, so we
2272 // must unset the CompleteDefinition here to be able to complete again the
2273 // definition.
2274 To->setCompleteDefinition(false);
2275 To->completeDefinition();
2276 };
2277
2278 if (To->getDefinition() || To->isBeingDefined()) {
2279 if (Kind == IDK_Everything ||
2280 // In case of lambdas, the class already has a definition ptr set, but
2281 // the contained decls are not imported yet. Also, isBeingDefined was
2282 // set in CXXRecordDecl::CreateLambda. We must import the contained
2283 // decls here and finish the definition.
2284 (To->isLambda() && shouldForceImportDeclContext(Kind))) {
2285 if (To->isLambda()) {
2286 auto *FromCXXRD = cast<CXXRecordDecl>(From);
2288 ToCaptures.reserve(FromCXXRD->capture_size());
2289 for (const auto &FromCapture : FromCXXRD->captures()) {
2290 if (auto ToCaptureOrErr = import(FromCapture))
2291 ToCaptures.push_back(*ToCaptureOrErr);
2292 else
2293 return ToCaptureOrErr.takeError();
2294 }
2295 cast<CXXRecordDecl>(To)->setCaptures(Importer.getToContext(),
2296 ToCaptures);
2297 }
2298
2299 Error Result = ImportDeclContext(From, /*ForceImport=*/true);
2300 // Finish the definition of the lambda, set isBeingDefined to false.
2301 if (To->isLambda())
2302 DefinitionCompleter();
2303 return Result;
2304 }
2305
2306 return Error::success();
2307 }
2308
2309 To->startDefinition();
2310 // Set the definition to complete even if it is really not complete during
2311 // import. Some AST constructs (expressions) require the record layout
2312 // to be calculated (see 'clang::computeDependence') at the time they are
2313 // constructed. Import of such AST node is possible during import of the
2314 // same record, there is no way to have a completely defined record (all
2315 // fields imported) at that time without multiple AST import passes.
2316 if (!Importer.isMinimalImport())
2317 To->setCompleteDefinition(true);
2318 // Complete the definition even if error is returned.
2319 // The RecordDecl may be already part of the AST so it is better to
2320 // have it in complete state even if something is wrong with it.
2321 auto DefinitionCompleterScopeExit =
2322 llvm::make_scope_exit(DefinitionCompleter);
2323
2324 if (Error Err = setTypedefNameForAnonDecl(From, To, Importer))
2325 return Err;
2326
2327 // Add base classes.
2328 auto *ToCXX = dyn_cast<CXXRecordDecl>(To);
2329 auto *FromCXX = dyn_cast<CXXRecordDecl>(From);
2330 if (ToCXX && FromCXX && ToCXX->dataPtr() && FromCXX->dataPtr()) {
2331
2332 struct CXXRecordDecl::DefinitionData &ToData = ToCXX->data();
2333 struct CXXRecordDecl::DefinitionData &FromData = FromCXX->data();
2334
2335 #define FIELD(Name, Width, Merge) \
2336 ToData.Name = FromData.Name;
2337 #include "clang/AST/CXXRecordDeclDefinitionBits.def"
2338
2339 // Copy over the data stored in RecordDeclBits
2340 ToCXX->setArgPassingRestrictions(FromCXX->getArgPassingRestrictions());
2341
2343 for (const auto &Base1 : FromCXX->bases()) {
2344 ExpectedType TyOrErr = import(Base1.getType());
2345 if (!TyOrErr)
2346 return TyOrErr.takeError();
2347
2348 SourceLocation EllipsisLoc;
2349 if (Base1.isPackExpansion()) {
2350 if (ExpectedSLoc LocOrErr = import(Base1.getEllipsisLoc()))
2351 EllipsisLoc = *LocOrErr;
2352 else
2353 return LocOrErr.takeError();
2354 }
2355
2356 // Ensure that we have a definition for the base.
2357 if (Error Err =
2358 ImportDefinitionIfNeeded(Base1.getType()->getAsCXXRecordDecl()))
2359 return Err;
2360
2361 auto RangeOrErr = import(Base1.getSourceRange());
2362 if (!RangeOrErr)
2363 return RangeOrErr.takeError();
2364
2365 auto TSIOrErr = import(Base1.getTypeSourceInfo());
2366 if (!TSIOrErr)
2367 return TSIOrErr.takeError();
2368
2369 Bases.push_back(
2370 new (Importer.getToContext()) CXXBaseSpecifier(
2371 *RangeOrErr,
2372 Base1.isVirtual(),
2373 Base1.isBaseOfClass(),
2374 Base1.getAccessSpecifierAsWritten(),
2375 *TSIOrErr,
2376 EllipsisLoc));
2377 }
2378 if (!Bases.empty())
2379 ToCXX->setBases(Bases.data(), Bases.size());
2380 }
2381
2383 if (Error Err = ImportDeclContext(From, /*ForceImport=*/true))
2384 return Err;
2385 }
2386
2387 return Error::success();
2388}
2389
2391 if (To->getAnyInitializer())
2392 return Error::success();
2393
2394 Expr *FromInit = From->getInit();
2395 if (!FromInit)
2396 return Error::success();
2397
2398 ExpectedExpr ToInitOrErr = import(FromInit);
2399 if (!ToInitOrErr)
2400 return ToInitOrErr.takeError();
2401
2402 To->setInit(*ToInitOrErr);
2403 if (EvaluatedStmt *FromEval = From->getEvaluatedStmt()) {
2404 EvaluatedStmt *ToEval = To->ensureEvaluatedStmt();
2405 ToEval->HasConstantInitialization = FromEval->HasConstantInitialization;
2406 ToEval->HasConstantDestruction = FromEval->HasConstantDestruction;
2407 // FIXME: Also import the initializer value.
2408 }
2409
2410 // FIXME: Other bits to merge?
2411 return Error::success();
2412}
2413
2416 if (To->getDefinition() || To->isBeingDefined()) {
2417 if (Kind == IDK_Everything)
2418 return ImportDeclContext(From, /*ForceImport=*/true);
2419 return Error::success();
2420 }
2421
2422 To->startDefinition();
2423
2424 if (Error Err = setTypedefNameForAnonDecl(From, To, Importer))
2425 return Err;
2426
2427 ExpectedType ToTypeOrErr =
2428 import(Importer.getFromContext().getTypeDeclType(From));
2429 if (!ToTypeOrErr)
2430 return ToTypeOrErr.takeError();
2431
2432 ExpectedType ToPromotionTypeOrErr = import(From->getPromotionType());
2433 if (!ToPromotionTypeOrErr)
2434 return ToPromotionTypeOrErr.takeError();
2435
2437 if (Error Err = ImportDeclContext(From, /*ForceImport=*/true))
2438 return Err;
2439
2440 // FIXME: we might need to merge the number of positive or negative bits
2441 // if the enumerator lists don't match.
2442 To->completeDefinition(*ToTypeOrErr, *ToPromotionTypeOrErr,
2443 From->getNumPositiveBits(),
2444 From->getNumNegativeBits());
2445 return Error::success();
2446}
2447
2451 for (const auto &Arg : FromArgs) {
2452 if (auto ToOrErr = import(Arg))
2453 ToArgs.push_back(*ToOrErr);
2454 else
2455 return ToOrErr.takeError();
2456 }
2457
2458 return Error::success();
2459}
2460
2461// FIXME: Do not forget to remove this and use only 'import'.
2464 return import(From);
2465}
2466
2467template <typename InContainerTy>
2469 const InContainerTy &Container, TemplateArgumentListInfo &ToTAInfo) {
2470 for (const auto &FromLoc : Container) {
2471 if (auto ToLocOrErr = import(FromLoc))
2472 ToTAInfo.addArgument(*ToLocOrErr);
2473 else
2474 return ToLocOrErr.takeError();
2475 }
2476 return Error::success();
2477}
2478
2483}
2484
2485bool ASTNodeImporter::IsStructuralMatch(Decl *From, Decl *To, bool Complain,
2486 bool IgnoreTemplateParmDepth) {
2487 // Eliminate a potential failure point where we attempt to re-import
2488 // something we're trying to import while completing ToRecord.
2489 Decl *ToOrigin = Importer.GetOriginalDecl(To);
2490 if (ToOrigin) {
2491 To = ToOrigin;
2492 }
2493
2495 Importer.getFromContext(), Importer.getToContext(),
2497 /*StrictTypeSpelling=*/false, Complain, /*ErrorOnTagTypeMismatch=*/false,
2498 IgnoreTemplateParmDepth);
2499 return Ctx.IsEquivalent(From, To);
2500}
2501
2503 Importer.FromDiag(D->getLocation(), diag::err_unsupported_ast_node)
2504 << D->getDeclKindName();
2505 return make_error<ASTImportError>(ASTImportError::UnsupportedConstruct);
2506}
2507
2509 Importer.FromDiag(D->getLocation(), diag::err_unsupported_ast_node)
2510 << D->getDeclKindName();
2511 return make_error<ASTImportError>(ASTImportError::UnsupportedConstruct);
2512}
2513
2515 // Import the context of this declaration.
2516 DeclContext *DC, *LexicalDC;
2517 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
2518 return std::move(Err);
2519
2520 // Import the location of this declaration.
2521 ExpectedSLoc LocOrErr = import(D->getLocation());
2522 if (!LocOrErr)
2523 return LocOrErr.takeError();
2524
2525 EmptyDecl *ToD;
2526 if (GetImportedOrCreateDecl(ToD, D, Importer.getToContext(), DC, *LocOrErr))
2527 return ToD;
2528
2529 ToD->setLexicalDeclContext(LexicalDC);
2530 LexicalDC->addDeclInternal(ToD);
2531 return ToD;
2532}
2533
2535 TranslationUnitDecl *ToD =
2537
2538 Importer.MapImported(D, ToD);
2539
2540 return ToD;
2541}
2542
2544 DeclContext *DC, *LexicalDC;
2545 DeclarationName Name;
2547 NamedDecl *ToND;
2548 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToND, Loc))
2549 return std::move(Err);
2550 if (ToND)
2551 return ToND;
2552
2553 BindingDecl *ToD;
2554 if (GetImportedOrCreateDecl(ToD, D, Importer.getToContext(), DC, Loc,
2555 Name.getAsIdentifierInfo()))
2556 return ToD;
2557
2558 Error Err = Error::success();
2559 QualType ToType = importChecked(Err, D->getType());
2560 Expr *ToBinding = importChecked(Err, D->getBinding());
2561 ValueDecl *ToDecomposedDecl = importChecked(Err, D->getDecomposedDecl());
2562 if (Err)
2563 return std::move(Err);
2564
2565 ToD->setBinding(ToType, ToBinding);
2566 ToD->setDecomposedDecl(ToDecomposedDecl);
2567 addDeclToContexts(D, ToD);
2568
2569 return ToD;
2570}
2571
2573 ExpectedSLoc LocOrErr = import(D->getLocation());
2574 if (!LocOrErr)
2575 return LocOrErr.takeError();
2576 auto ColonLocOrErr = import(D->getColonLoc());
2577 if (!ColonLocOrErr)
2578 return ColonLocOrErr.takeError();
2579
2580 // Import the context of this declaration.
2581 auto DCOrErr = Importer.ImportContext(D->getDeclContext());
2582 if (!DCOrErr)
2583 return DCOrErr.takeError();
2584 DeclContext *DC = *DCOrErr;
2585
2586 AccessSpecDecl *ToD;
2587 if (GetImportedOrCreateDecl(ToD, D, Importer.getToContext(), D->getAccess(),
2588 DC, *LocOrErr, *ColonLocOrErr))
2589 return ToD;
2590
2591 // Lexical DeclContext and Semantic DeclContext
2592 // is always the same for the accessSpec.
2593 ToD->setLexicalDeclContext(DC);
2594 DC->addDeclInternal(ToD);
2595
2596 return ToD;
2597}
2598
2600 auto DCOrErr = Importer.ImportContext(D->getDeclContext());
2601 if (!DCOrErr)
2602 return DCOrErr.takeError();
2603 DeclContext *DC = *DCOrErr;
2604 DeclContext *LexicalDC = DC;
2605
2606 Error Err = Error::success();
2607 auto ToLocation = importChecked(Err, D->getLocation());
2608 auto ToRParenLoc = importChecked(Err, D->getRParenLoc());
2609 auto ToAssertExpr = importChecked(Err, D->getAssertExpr());
2610 auto ToMessage = importChecked(Err, D->getMessage());
2611 if (Err)
2612 return std::move(Err);
2613
2614 StaticAssertDecl *ToD;
2615 if (GetImportedOrCreateDecl(
2616 ToD, D, Importer.getToContext(), DC, ToLocation, ToAssertExpr, ToMessage,
2617 ToRParenLoc, D->isFailed()))
2618 return ToD;
2619
2620 ToD->setLexicalDeclContext(LexicalDC);
2621 LexicalDC->addDeclInternal(ToD);
2622 return ToD;
2623}
2624
2626 // Import the major distinguishing characteristics of this namespace.
2627 DeclContext *DC, *LexicalDC;
2628 DeclarationName Name;
2630 NamedDecl *ToD;
2631 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
2632 return std::move(Err);
2633 if (ToD)
2634 return ToD;
2635
2636 NamespaceDecl *MergeWithNamespace = nullptr;
2637 if (!Name) {
2638 // This is an anonymous namespace. Adopt an existing anonymous
2639 // namespace if we can.
2640 // FIXME: Not testable.
2641 if (auto *TU = dyn_cast<TranslationUnitDecl>(DC))
2642 MergeWithNamespace = TU->getAnonymousNamespace();
2643 else
2644 MergeWithNamespace = cast<NamespaceDecl>(DC)->getAnonymousNamespace();
2645 } else {
2646 SmallVector<NamedDecl *, 4> ConflictingDecls;
2647 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
2648 for (auto *FoundDecl : FoundDecls) {
2650 continue;
2651
2652 if (auto *FoundNS = dyn_cast<NamespaceDecl>(FoundDecl)) {
2653 MergeWithNamespace = FoundNS;
2654 ConflictingDecls.clear();
2655 break;
2656 }
2657
2658 ConflictingDecls.push_back(FoundDecl);
2659 }
2660
2661 if (!ConflictingDecls.empty()) {
2662 ExpectedName NameOrErr = Importer.HandleNameConflict(
2663 Name, DC, Decl::IDNS_Namespace, ConflictingDecls.data(),
2664 ConflictingDecls.size());
2665 if (NameOrErr)
2666 Name = NameOrErr.get();
2667 else
2668 return NameOrErr.takeError();
2669 }
2670 }
2671
2672 ExpectedSLoc BeginLocOrErr = import(D->getBeginLoc());
2673 if (!BeginLocOrErr)
2674 return BeginLocOrErr.takeError();
2675 ExpectedSLoc RBraceLocOrErr = import(D->getRBraceLoc());
2676 if (!RBraceLocOrErr)
2677 return RBraceLocOrErr.takeError();
2678
2679 // Create the "to" namespace, if needed.
2680 NamespaceDecl *ToNamespace = MergeWithNamespace;
2681 if (!ToNamespace) {
2682 if (GetImportedOrCreateDecl(ToNamespace, D, Importer.getToContext(), DC,
2683 D->isInline(), *BeginLocOrErr, Loc,
2684 Name.getAsIdentifierInfo(),
2685 /*PrevDecl=*/nullptr, D->isNested()))
2686 return ToNamespace;
2687 ToNamespace->setRBraceLoc(*RBraceLocOrErr);
2688 ToNamespace->setLexicalDeclContext(LexicalDC);
2689 LexicalDC->addDeclInternal(ToNamespace);
2690
2691 // If this is an anonymous namespace, register it as the anonymous
2692 // namespace within its context.
2693 if (!Name) {
2694 if (auto *TU = dyn_cast<TranslationUnitDecl>(DC))
2695 TU->setAnonymousNamespace(ToNamespace);
2696 else
2697 cast<NamespaceDecl>(DC)->setAnonymousNamespace(ToNamespace);
2698 }
2699 }
2700 Importer.MapImported(D, ToNamespace);
2701
2702 if (Error Err = ImportDeclContext(D))
2703 return std::move(Err);
2704
2705 return ToNamespace;
2706}
2707
2709 // Import the major distinguishing characteristics of this namespace.
2710 DeclContext *DC, *LexicalDC;
2711 DeclarationName Name;
2713 NamedDecl *LookupD;
2714 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, LookupD, Loc))
2715 return std::move(Err);
2716 if (LookupD)
2717 return LookupD;
2718
2719 // NOTE: No conflict resolution is done for namespace aliases now.
2720
2721 Error Err = Error::success();
2722 auto ToNamespaceLoc = importChecked(Err, D->getNamespaceLoc());
2723 auto ToAliasLoc = importChecked(Err, D->getAliasLoc());
2724 auto ToQualifierLoc = importChecked(Err, D->getQualifierLoc());
2725 auto ToTargetNameLoc = importChecked(Err, D->getTargetNameLoc());
2726 auto ToNamespace = importChecked(Err, D->getNamespace());
2727 if (Err)
2728 return std::move(Err);
2729
2730 IdentifierInfo *ToIdentifier = Importer.Import(D->getIdentifier());
2731
2732 NamespaceAliasDecl *ToD;
2733 if (GetImportedOrCreateDecl(
2734 ToD, D, Importer.getToContext(), DC, ToNamespaceLoc, ToAliasLoc,
2735 ToIdentifier, ToQualifierLoc, ToTargetNameLoc, ToNamespace))
2736 return ToD;
2737
2738 ToD->setLexicalDeclContext(LexicalDC);
2739 LexicalDC->addDeclInternal(ToD);
2740
2741 return ToD;
2742}
2743
2746 // Import the major distinguishing characteristics of this typedef.
2747 DeclarationName Name;
2749 NamedDecl *ToD;
2750 // Do not import the DeclContext, we will import it once the TypedefNameDecl
2751 // is created.
2752 if (Error Err = ImportDeclParts(D, Name, ToD, Loc))
2753 return std::move(Err);
2754 if (ToD)
2755 return ToD;
2756
2757 DeclContext *DC = cast_or_null<DeclContext>(
2758 Importer.GetAlreadyImportedOrNull(cast<Decl>(D->getDeclContext())));
2759 DeclContext *LexicalDC =
2760 cast_or_null<DeclContext>(Importer.GetAlreadyImportedOrNull(
2761 cast<Decl>(D->getLexicalDeclContext())));
2762
2763 // If this typedef is not in block scope, determine whether we've
2764 // seen a typedef with the same name (that we can merge with) or any
2765 // other entity by that name (which name lookup could conflict with).
2766 // Note: Repeated typedefs are not valid in C99:
2767 // 'typedef int T; typedef int T;' is invalid
2768 // We do not care about this now.
2769 if (DC && !DC->isFunctionOrMethod()) {
2770 SmallVector<NamedDecl *, 4> ConflictingDecls;
2771 unsigned IDNS = Decl::IDNS_Ordinary;
2772 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
2773 for (auto *FoundDecl : FoundDecls) {
2774 if (!FoundDecl->isInIdentifierNamespace(IDNS))
2775 continue;
2776 if (auto *FoundTypedef = dyn_cast<TypedefNameDecl>(FoundDecl)) {
2777 if (!hasSameVisibilityContextAndLinkage(FoundTypedef, D))
2778 continue;
2779
2780 QualType FromUT = D->getUnderlyingType();
2781 QualType FoundUT = FoundTypedef->getUnderlyingType();
2782 if (Importer.IsStructurallyEquivalent(FromUT, FoundUT)) {
2783 // If the underlying declarations are unnamed records these can be
2784 // imported as different types. We should create a distinct typedef
2785 // node in this case.
2786 // If we found an existing underlying type with a record in a
2787 // different context (than the imported), this is already reason for
2788 // having distinct typedef nodes for these.
2789 // Again this can create situation like
2790 // 'typedef int T; typedef int T;' but this is hard to avoid without
2791 // a rename strategy at import.
2792 if (!FromUT.isNull() && !FoundUT.isNull()) {
2793 RecordDecl *FromR = FromUT->getAsRecordDecl();
2794 RecordDecl *FoundR = FoundUT->getAsRecordDecl();
2795 if (FromR && FoundR &&
2796 !hasSameVisibilityContextAndLinkage(FoundR, FromR))
2797 continue;
2798 }
2799 // If the "From" context has a complete underlying type but we
2800 // already have a complete underlying type then return with that.
2801 if (!FromUT->isIncompleteType() && !FoundUT->isIncompleteType())
2802 return Importer.MapImported(D, FoundTypedef);
2803 // FIXME Handle redecl chain. When you do that make consistent changes
2804 // in ASTImporterLookupTable too.
2805 } else {
2806 ConflictingDecls.push_back(FoundDecl);
2807 }
2808 }
2809 }
2810
2811 if (!ConflictingDecls.empty()) {
2812 ExpectedName NameOrErr = Importer.HandleNameConflict(
2813 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
2814 if (NameOrErr)
2815 Name = NameOrErr.get();
2816 else
2817 return NameOrErr.takeError();
2818 }
2819 }
2820
2821 Error Err = Error::success();
2822 auto ToUnderlyingType = importChecked(Err, D->getUnderlyingType());
2823 auto ToTypeSourceInfo = importChecked(Err, D->getTypeSourceInfo());
2824 auto ToBeginLoc = importChecked(Err, D->getBeginLoc());
2825 if (Err)
2826 return std::move(Err);
2827
2828 // Create the new typedef node.
2829 // FIXME: ToUnderlyingType is not used.
2830 (void)ToUnderlyingType;
2831 TypedefNameDecl *ToTypedef;
2832 if (IsAlias) {
2833 if (GetImportedOrCreateDecl<TypeAliasDecl>(
2834 ToTypedef, D, Importer.getToContext(), DC, ToBeginLoc, Loc,
2835 Name.getAsIdentifierInfo(), ToTypeSourceInfo))
2836 return ToTypedef;
2837 } else if (GetImportedOrCreateDecl<TypedefDecl>(
2838 ToTypedef, D, Importer.getToContext(), DC, ToBeginLoc, Loc,
2839 Name.getAsIdentifierInfo(), ToTypeSourceInfo))
2840 return ToTypedef;
2841
2842 // Import the DeclContext and set it to the Typedef.
2843 if ((Err = ImportDeclContext(D, DC, LexicalDC)))
2844 return std::move(Err);
2845 ToTypedef->setDeclContext(DC);
2846 ToTypedef->setLexicalDeclContext(LexicalDC);
2847 // Add to the lookupTable because we could not do that in MapImported.
2848 Importer.AddToLookupTable(ToTypedef);
2849
2850 ToTypedef->setAccess(D->getAccess());
2851
2852 // Templated declarations should not appear in DeclContext.
2853 TypeAliasDecl *FromAlias = IsAlias ? cast<TypeAliasDecl>(D) : nullptr;
2854 if (!FromAlias || !FromAlias->getDescribedAliasTemplate())
2855 LexicalDC->addDeclInternal(ToTypedef);
2856
2857 return ToTypedef;
2858}
2859
2861 return VisitTypedefNameDecl(D, /*IsAlias=*/false);
2862}
2863
2865 return VisitTypedefNameDecl(D, /*IsAlias=*/true);
2866}
2867
2870 // Import the major distinguishing characteristics of this typedef.
2871 DeclContext *DC, *LexicalDC;
2872 DeclarationName Name;
2874 NamedDecl *FoundD;
2875 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, FoundD, Loc))
2876 return std::move(Err);
2877 if (FoundD)
2878 return FoundD;
2879
2880 // If this typedef is not in block scope, determine whether we've
2881 // seen a typedef with the same name (that we can merge with) or any
2882 // other entity by that name (which name lookup could conflict with).
2883 if (!DC->isFunctionOrMethod()) {
2884 SmallVector<NamedDecl *, 4> ConflictingDecls;
2885 unsigned IDNS = Decl::IDNS_Ordinary;
2886 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
2887 for (auto *FoundDecl : FoundDecls) {
2888 if (!FoundDecl->isInIdentifierNamespace(IDNS))
2889 continue;
2890 if (auto *FoundAlias = dyn_cast<TypeAliasTemplateDecl>(FoundDecl)) {
2891 if (IsStructuralMatch(D, FoundAlias))
2892 return Importer.MapImported(D, FoundAlias);
2893 ConflictingDecls.push_back(FoundDecl);
2894 }
2895 }
2896
2897 if (!ConflictingDecls.empty()) {
2898 ExpectedName NameOrErr = Importer.HandleNameConflict(
2899 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
2900 if (NameOrErr)
2901 Name = NameOrErr.get();
2902 else
2903 return NameOrErr.takeError();
2904 }
2905 }
2906
2907 Error Err = Error::success();
2908 auto ToTemplateParameters = importChecked(Err, D->getTemplateParameters());
2909 auto ToTemplatedDecl = importChecked(Err, D->getTemplatedDecl());
2910 if (Err)
2911 return std::move(Err);
2912
2913 TypeAliasTemplateDecl *ToAlias;
2914 if (GetImportedOrCreateDecl(ToAlias, D, Importer.getToContext(), DC, Loc,
2915 Name, ToTemplateParameters, ToTemplatedDecl))
2916 return ToAlias;
2917
2918 ToTemplatedDecl->setDescribedAliasTemplate(ToAlias);
2919
2920 ToAlias->setAccess(D->getAccess());
2921 ToAlias->setLexicalDeclContext(LexicalDC);
2922 LexicalDC->addDeclInternal(ToAlias);
2923 if (DC != Importer.getToContext().getTranslationUnitDecl())
2924 updateLookupTableForTemplateParameters(*ToTemplateParameters);
2925 return ToAlias;
2926}
2927
2929 // Import the major distinguishing characteristics of this label.
2930 DeclContext *DC, *LexicalDC;
2931 DeclarationName Name;
2933 NamedDecl *ToD;
2934 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
2935 return std::move(Err);
2936 if (ToD)
2937 return ToD;
2938
2939 assert(LexicalDC->isFunctionOrMethod());
2940
2941 LabelDecl *ToLabel;
2942 if (D->isGnuLocal()) {
2943 ExpectedSLoc BeginLocOrErr = import(D->getBeginLoc());
2944 if (!BeginLocOrErr)
2945 return BeginLocOrErr.takeError();
2946 if (GetImportedOrCreateDecl(ToLabel, D, Importer.getToContext(), DC, Loc,
2947 Name.getAsIdentifierInfo(), *BeginLocOrErr))
2948 return ToLabel;
2949
2950 } else {
2951 if (GetImportedOrCreateDecl(ToLabel, D, Importer.getToContext(), DC, Loc,
2952 Name.getAsIdentifierInfo()))
2953 return ToLabel;
2954
2955 }
2956
2957 Expected<LabelStmt *> ToStmtOrErr = import(D->getStmt());
2958 if (!ToStmtOrErr)
2959 return ToStmtOrErr.takeError();
2960
2961 ToLabel->setStmt(*ToStmtOrErr);
2962 ToLabel->setLexicalDeclContext(LexicalDC);
2963 LexicalDC->addDeclInternal(ToLabel);
2964 return ToLabel;
2965}
2966
2968 // Import the major distinguishing characteristics of this enum.
2969 DeclContext *DC, *LexicalDC;
2970 DeclarationName Name;
2972 NamedDecl *ToD;
2973 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
2974 return std::move(Err);
2975 if (ToD)
2976 return ToD;
2977
2978 // Figure out what enum name we're looking for.
2979 unsigned IDNS = Decl::IDNS_Tag;
2980 DeclarationName SearchName = Name;
2981 if (!SearchName && D->getTypedefNameForAnonDecl()) {
2982 if (Error Err = importInto(
2983 SearchName, D->getTypedefNameForAnonDecl()->getDeclName()))
2984 return std::move(Err);
2985 IDNS = Decl::IDNS_Ordinary;
2986 } else if (Importer.getToContext().getLangOpts().CPlusPlus)
2987 IDNS |= Decl::IDNS_Ordinary;
2988
2989 // We may already have an enum of the same name; try to find and match it.
2990 EnumDecl *PrevDecl = nullptr;
2991 if (!DC->isFunctionOrMethod()) {
2992 SmallVector<NamedDecl *, 4> ConflictingDecls;
2993 auto FoundDecls =
2994 Importer.findDeclsInToCtx(DC, SearchName);
2995 for (auto *FoundDecl : FoundDecls) {
2996 if (!FoundDecl->isInIdentifierNamespace(IDNS))
2997 continue;
2998
2999 if (auto *Typedef = dyn_cast<TypedefNameDecl>(FoundDecl)) {
3000 if (const auto *Tag = Typedef->getUnderlyingType()->getAs<TagType>())
3001 FoundDecl = Tag->getDecl();
3002 }
3003
3004 if (auto *FoundEnum = dyn_cast<EnumDecl>(FoundDecl)) {
3005 if (!hasSameVisibilityContextAndLinkage(FoundEnum, D))
3006 continue;
3007 if (IsStructuralMatch(D, FoundEnum, !SearchName.isEmpty())) {
3008 EnumDecl *FoundDef = FoundEnum->getDefinition();
3009 if (D->isThisDeclarationADefinition() && FoundDef)
3010 return Importer.MapImported(D, FoundDef);
3011 PrevDecl = FoundEnum->getMostRecentDecl();
3012 break;
3013 }
3014 ConflictingDecls.push_back(FoundDecl);
3015 }
3016 }
3017
3018 // In case of unnamed enums, we try to find an existing similar one, if none
3019 // was found, perform the import always.
3020 // Structural in-equivalence is not detected in this way here, but it may
3021 // be found when the parent decl is imported (if the enum is part of a
3022 // class). To make this totally exact a more difficult solution is needed.
3023 if (SearchName && !ConflictingDecls.empty()) {
3024 ExpectedName NameOrErr = Importer.HandleNameConflict(
3025 SearchName, DC, IDNS, ConflictingDecls.data(),
3026 ConflictingDecls.size());
3027 if (NameOrErr)
3028 Name = NameOrErr.get();
3029 else
3030 return NameOrErr.takeError();
3031 }
3032 }
3033
3034 Error Err = Error::success();
3035 auto ToBeginLoc = importChecked(Err, D->getBeginLoc());
3036 auto ToQualifierLoc = importChecked(Err, D->getQualifierLoc());
3037 auto ToIntegerType = importChecked(Err, D->getIntegerType());
3038 auto ToBraceRange = importChecked(Err, D->getBraceRange());
3039 if (Err)
3040 return std::move(Err);
3041
3042 // Create the enum declaration.
3043 EnumDecl *D2;
3044 if (GetImportedOrCreateDecl(
3045 D2, D, Importer.getToContext(), DC, ToBeginLoc,
3046 Loc, Name.getAsIdentifierInfo(), PrevDecl, D->isScoped(),
3047 D->isScopedUsingClassTag(), D->isFixed()))
3048 return D2;
3049
3050 D2->setQualifierInfo(ToQualifierLoc);
3051 D2->setIntegerType(ToIntegerType);
3052 D2->setBraceRange(ToBraceRange);
3053 D2->setAccess(D->getAccess());
3054 D2->setLexicalDeclContext(LexicalDC);
3055 addDeclToContexts(D, D2);
3056
3057 if (MemberSpecializationInfo *MemberInfo = D->getMemberSpecializationInfo()) {
3058 TemplateSpecializationKind SK = MemberInfo->getTemplateSpecializationKind();
3059 EnumDecl *FromInst = D->getInstantiatedFromMemberEnum();
3060 if (Expected<EnumDecl *> ToInstOrErr = import(FromInst))
3061 D2->setInstantiationOfMemberEnum(*ToInstOrErr, SK);
3062 else
3063 return ToInstOrErr.takeError();
3064 if (ExpectedSLoc POIOrErr = import(MemberInfo->getPointOfInstantiation()))
3066 else
3067 return POIOrErr.takeError();
3068 }
3069
3070 // Import the definition
3071 if (D->isCompleteDefinition())
3072 if (Error Err = ImportDefinition(D, D2))
3073 return std::move(Err);
3074
3075 return D2;
3076}
3077
3079 bool IsFriendTemplate = false;
3080 if (auto *DCXX = dyn_cast<CXXRecordDecl>(D)) {
3081 IsFriendTemplate =
3082 DCXX->getDescribedClassTemplate() &&
3083 DCXX->getDescribedClassTemplate()->getFriendObjectKind() !=
3085 }
3086
3087 // Import the major distinguishing characteristics of this record.
3088 DeclContext *DC = nullptr, *LexicalDC = nullptr;
3089 DeclarationName Name;
3091 NamedDecl *ToD = nullptr;
3092 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
3093 return std::move(Err);
3094 if (ToD)
3095 return ToD;
3096
3097 // Figure out what structure name we're looking for.
3098 unsigned IDNS = Decl::IDNS_Tag;
3099 DeclarationName SearchName = Name;
3100 if (!SearchName && D->getTypedefNameForAnonDecl()) {
3101 if (Error Err = importInto(
3102 SearchName, D->getTypedefNameForAnonDecl()->getDeclName()))
3103 return std::move(Err);
3104 IDNS = Decl::IDNS_Ordinary;
3105 } else if (Importer.getToContext().getLangOpts().CPlusPlus)
3107
3108 bool IsDependentContext = DC != LexicalDC ? LexicalDC->isDependentContext()
3109 : DC->isDependentContext();
3110 bool DependentFriend = IsFriendTemplate && IsDependentContext;
3111
3112 // We may already have a record of the same name; try to find and match it.
3113 RecordDecl *PrevDecl = nullptr;
3114 if (!DependentFriend && !DC->isFunctionOrMethod() && !D->isLambda()) {
3115 SmallVector<NamedDecl *, 4> ConflictingDecls;
3116 auto FoundDecls =
3117 Importer.findDeclsInToCtx(DC, SearchName);
3118 if (!FoundDecls.empty()) {
3119 // We're going to have to compare D against potentially conflicting Decls,
3120 // so complete it.
3121 if (D->hasExternalLexicalStorage() && !D->isCompleteDefinition())
3123 }
3124
3125 for (auto *FoundDecl : FoundDecls) {
3126 if (!FoundDecl->isInIdentifierNamespace(IDNS))
3127 continue;
3128
3129 Decl *Found = FoundDecl;
3130 if (auto *Typedef = dyn_cast<TypedefNameDecl>(Found)) {
3131 if (const auto *Tag = Typedef->getUnderlyingType()->getAs<TagType>())
3132 Found = Tag->getDecl();
3133 }
3134
3135 if (auto *FoundRecord = dyn_cast<RecordDecl>(Found)) {
3136 // Do not emit false positive diagnostic in case of unnamed
3137 // struct/union and in case of anonymous structs. Would be false
3138 // because there may be several anonymous/unnamed structs in a class.
3139 // E.g. these are both valid:
3140 // struct A { // unnamed structs
3141 // struct { struct A *next; } entry0;
3142 // struct { struct A *next; } entry1;
3143 // };
3144 // struct X { struct { int a; }; struct { int b; }; }; // anon structs
3145 if (!SearchName)
3146 if (!IsStructuralMatch(D, FoundRecord, false))
3147 continue;
3148
3149 if (!hasSameVisibilityContextAndLinkage(FoundRecord, D))
3150 continue;
3151
3152 if (IsStructuralMatch(D, FoundRecord)) {
3153 RecordDecl *FoundDef = FoundRecord->getDefinition();
3154 if (D->isThisDeclarationADefinition() && FoundDef) {
3155 // FIXME: Structural equivalence check should check for same
3156 // user-defined methods.
3157 Importer.MapImported(D, FoundDef);
3158 if (const auto *DCXX = dyn_cast<CXXRecordDecl>(D)) {
3159 auto *FoundCXX = dyn_cast<CXXRecordDecl>(FoundDef);
3160 assert(FoundCXX && "Record type mismatch");
3161
3162 if (!Importer.isMinimalImport())
3163 // FoundDef may not have every implicit method that D has
3164 // because implicit methods are created only if they are used.
3165 if (Error Err = ImportImplicitMethods(DCXX, FoundCXX))
3166 return std::move(Err);
3167 }
3168 // FIXME: We can return FoundDef here.
3169 }
3170 PrevDecl = FoundRecord->getMostRecentDecl();
3171 break;
3172 }
3173 ConflictingDecls.push_back(FoundDecl);
3174 } // kind is RecordDecl
3175 } // for
3176
3177 if (!ConflictingDecls.empty() && SearchName) {
3178 ExpectedName NameOrErr = Importer.HandleNameConflict(
3179 SearchName, DC, IDNS, ConflictingDecls.data(),
3180 ConflictingDecls.size());
3181 if (NameOrErr)
3182 Name = NameOrErr.get();
3183 else
3184 return NameOrErr.takeError();
3185 }
3186 }
3187
3188 ExpectedSLoc BeginLocOrErr = import(D->getBeginLoc());
3189 if (!BeginLocOrErr)
3190 return BeginLocOrErr.takeError();
3191
3192 // Create the record declaration.
3193 RecordDecl *D2 = nullptr;
3194 CXXRecordDecl *D2CXX = nullptr;
3195 if (auto *DCXX = dyn_cast<CXXRecordDecl>(D)) {
3196 if (DCXX->isLambda()) {
3197 auto TInfoOrErr = import(DCXX->getLambdaTypeInfo());
3198 if (!TInfoOrErr)
3199 return TInfoOrErr.takeError();
3200 if (GetImportedOrCreateSpecialDecl(
3201 D2CXX, CXXRecordDecl::CreateLambda, D, Importer.getToContext(),
3202 DC, *TInfoOrErr, Loc, DCXX->getLambdaDependencyKind(),
3203 DCXX->isGenericLambda(), DCXX->getLambdaCaptureDefault()))
3204 return D2CXX;
3205 CXXRecordDecl::LambdaNumbering Numbering = DCXX->getLambdaNumbering();
3206 ExpectedDecl CDeclOrErr = import(Numbering.ContextDecl);
3207 if (!CDeclOrErr)
3208 return CDeclOrErr.takeError();
3209 Numbering.ContextDecl = *CDeclOrErr;
3210 D2CXX->setLambdaNumbering(Numbering);
3211 } else if (DCXX->isInjectedClassName()) {
3212 // We have to be careful to do a similar dance to the one in
3213 // Sema::ActOnStartCXXMemberDeclarations
3214 const bool DelayTypeCreation = true;
3215 if (GetImportedOrCreateDecl(
3216 D2CXX, D, Importer.getToContext(), D->getTagKind(), DC,
3217 *BeginLocOrErr, Loc, Name.getAsIdentifierInfo(),
3218 cast_or_null<CXXRecordDecl>(PrevDecl), DelayTypeCreation))
3219 return D2CXX;
3220 Importer.getToContext().getTypeDeclType(
3221 D2CXX, dyn_cast<CXXRecordDecl>(DC));
3222 } else {
3223 if (GetImportedOrCreateDecl(D2CXX, D, Importer.getToContext(),
3224 D->getTagKind(), DC, *BeginLocOrErr, Loc,
3225 Name.getAsIdentifierInfo(),
3226 cast_or_null<CXXRecordDecl>(PrevDecl)))
3227 return D2CXX;
3228 }
3229
3230 D2 = D2CXX;
3231 D2->setAccess(D->getAccess());
3232 D2->setLexicalDeclContext(LexicalDC);
3233 addDeclToContexts(D, D2);
3234
3235 if (ClassTemplateDecl *FromDescribed =
3236 DCXX->getDescribedClassTemplate()) {
3237 ClassTemplateDecl *ToDescribed;
3238 if (Error Err = importInto(ToDescribed, FromDescribed))
3239 return std::move(Err);
3240 D2CXX->setDescribedClassTemplate(ToDescribed);
3241 if (!DCXX->isInjectedClassName() && !IsFriendTemplate) {
3242 // In a record describing a template the type should be an
3243 // InjectedClassNameType (see Sema::CheckClassTemplate). Update the
3244 // previously set type to the correct value here (ToDescribed is not
3245 // available at record create).
3246 CXXRecordDecl *Injected = nullptr;
3247 for (NamedDecl *Found : D2CXX->noload_lookup(Name)) {
3248 auto *Record = dyn_cast<CXXRecordDecl>(Found);
3249 if (Record && Record->isInjectedClassName()) {
3250 Injected = Record;
3251 break;
3252 }
3253 }
3254 // Create an injected type for the whole redecl chain.
3255 // The chain may contain an already existing injected type at the start,
3256 // if yes this should be reused. We must ensure that only one type
3257 // object exists for the injected type (including the injected record
3258 // declaration), ASTContext does not check it.
3259 SmallVector<Decl *, 2> Redecls =
3261 const Type *FrontTy =
3262 cast<CXXRecordDecl>(Redecls.front())->getTypeForDecl();
3263 QualType InjSpec;
3264 if (auto *InjTy = FrontTy->getAs<InjectedClassNameType>())
3265 InjSpec = InjTy->getInjectedSpecializationType();
3266 else
3267 InjSpec = ToDescribed->getInjectedClassNameSpecialization();
3268 for (auto *R : Redecls) {
3269 auto *RI = cast<CXXRecordDecl>(R);
3270 if (R != Redecls.front() ||
3271 !isa<InjectedClassNameType>(RI->getTypeForDecl()))
3272 RI->setTypeForDecl(nullptr);
3273 // This function tries to get the injected type from getTypeForDecl,
3274 // then from the previous declaration if possible. If not, it creates
3275 // a new type.
3276 Importer.getToContext().getInjectedClassNameType(RI, InjSpec);
3277 }
3278 // Set the new type for the injected decl too.
3279 if (Injected) {
3280 Injected->setTypeForDecl(nullptr);
3281 // This function will copy the injected type from D2CXX into Injected.
3282 // The injected decl does not have a previous decl to copy from.
3283 Importer.getToContext().getTypeDeclType(Injected, D2CXX);
3284 }
3285 }
3286 } else if (MemberSpecializationInfo *MemberInfo =
3287 DCXX->getMemberSpecializationInfo()) {
3289 MemberInfo->getTemplateSpecializationKind();
3291
3292 if (Expected<CXXRecordDecl *> ToInstOrErr = import(FromInst))
3293 D2CXX->setInstantiationOfMemberClass(*ToInstOrErr, SK);
3294 else
3295 return ToInstOrErr.takeError();
3296
3297 if (ExpectedSLoc POIOrErr =
3298 import(MemberInfo->getPointOfInstantiation()))
3300 *POIOrErr);
3301 else
3302 return POIOrErr.takeError();
3303 }
3304
3305 } else {
3306 if (GetImportedOrCreateDecl(D2, D, Importer.getToContext(),
3307 D->getTagKind(), DC, *BeginLocOrErr, Loc,
3308 Name.getAsIdentifierInfo(), PrevDecl))
3309 return D2;
3310 D2->setLexicalDeclContext(LexicalDC);
3311 addDeclToContexts(D, D2);
3312 }
3313
3314 if (auto BraceRangeOrErr = import(D->getBraceRange()))
3315 D2->setBraceRange(*BraceRangeOrErr);
3316 else
3317 return BraceRangeOrErr.takeError();
3318 if (auto QualifierLocOrErr = import(D->getQualifierLoc()))
3319 D2->setQualifierInfo(*QualifierLocOrErr);
3320 else
3321 return QualifierLocOrErr.takeError();
3322
3323 if (D->isAnonymousStructOrUnion())
3324 D2->setAnonymousStructOrUnion(true);
3325
3326 if (D->isCompleteDefinition())
3327 if (Error Err = ImportDefinition(D, D2, IDK_Default))
3328 return std::move(Err);
3329
3330 return D2;
3331}
3332
3334 // Import the major distinguishing characteristics of this enumerator.
3335 DeclContext *DC, *LexicalDC;
3336 DeclarationName Name;
3338 NamedDecl *ToD;
3339 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
3340 return std::move(Err);
3341 if (ToD)
3342 return ToD;
3343
3344 // Determine whether there are any other declarations with the same name and
3345 // in the same context.
3346 if (!LexicalDC->isFunctionOrMethod()) {
3347 SmallVector<NamedDecl *, 4> ConflictingDecls;
3348 unsigned IDNS = Decl::IDNS_Ordinary;
3349 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
3350 for (auto *FoundDecl : FoundDecls) {
3351 if (!FoundDecl->isInIdentifierNamespace(IDNS))
3352 continue;
3353
3354 if (auto *FoundEnumConstant = dyn_cast<EnumConstantDecl>(FoundDecl)) {
3355 if (IsStructuralMatch(D, FoundEnumConstant))
3356 return Importer.MapImported(D, FoundEnumConstant);
3357 ConflictingDecls.push_back(FoundDecl);
3358 }
3359 }
3360
3361 if (!ConflictingDecls.empty()) {
3362 ExpectedName NameOrErr = Importer.HandleNameConflict(
3363 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
3364 if (NameOrErr)
3365 Name = NameOrErr.get();
3366 else
3367 return NameOrErr.takeError();
3368 }
3369 }
3370
3371 ExpectedType TypeOrErr = import(D->getType());
3372 if (!TypeOrErr)
3373 return TypeOrErr.takeError();
3374
3375 ExpectedExpr InitOrErr = import(D->getInitExpr());
3376 if (!InitOrErr)
3377 return InitOrErr.takeError();
3378
3379 EnumConstantDecl *ToEnumerator;
3380 if (GetImportedOrCreateDecl(
3381 ToEnumerator, D, Importer.getToContext(), cast<EnumDecl>(DC), Loc,
3382 Name.getAsIdentifierInfo(), *TypeOrErr, *InitOrErr, D->getInitVal()))
3383 return ToEnumerator;
3384
3385 ToEnumerator->setAccess(D->getAccess());
3386 ToEnumerator->setLexicalDeclContext(LexicalDC);
3387 LexicalDC->addDeclInternal(ToEnumerator);
3388 return ToEnumerator;
3389}
3390
3391template <typename DeclTy>
3393 DeclTy *ToD) {
3394 unsigned int Num = FromD->getNumTemplateParameterLists();
3395 if (Num == 0)
3396 return Error::success();
3398 for (unsigned int I = 0; I < Num; ++I)
3399 if (Expected<TemplateParameterList *> ToTPListOrErr =
3400 import(FromD->getTemplateParameterList(I)))
3401 ToTPLists[I] = *ToTPListOrErr;
3402 else
3403 return ToTPListOrErr.takeError();
3404 ToD->setTemplateParameterListsInfo(Importer.ToContext, ToTPLists);
3405 return Error::success();
3406}
3407
3409 FunctionDecl *FromFD, FunctionDecl *ToFD) {
3410 switch (FromFD->getTemplatedKind()) {
3413 return Error::success();
3414
3416 if (Expected<FunctionDecl *> InstFDOrErr =
3417 import(FromFD->getInstantiatedFromDecl()))
3418 ToFD->setInstantiatedFromDecl(*InstFDOrErr);
3419 return Error::success();
3422
3423 if (Expected<FunctionDecl *> InstFDOrErr =
3424 import(FromFD->getInstantiatedFromMemberFunction()))
3425 ToFD->setInstantiationOfMemberFunction(*InstFDOrErr, TSK);
3426 else
3427 return InstFDOrErr.takeError();
3428
3429 if (ExpectedSLoc POIOrErr = import(
3432 else
3433 return POIOrErr.takeError();
3434
3435 return Error::success();
3436 }
3437
3439 auto FunctionAndArgsOrErr =
3441 if (!FunctionAndArgsOrErr)
3442 return FunctionAndArgsOrErr.takeError();
3443
3445 Importer.getToContext(), std::get<1>(*FunctionAndArgsOrErr));
3446
3447 auto *FTSInfo = FromFD->getTemplateSpecializationInfo();
3448 TemplateArgumentListInfo ToTAInfo;
3449 const auto *FromTAArgsAsWritten = FTSInfo->TemplateArgumentsAsWritten;
3450 if (FromTAArgsAsWritten)
3451 if (Error Err = ImportTemplateArgumentListInfo(
3452 *FromTAArgsAsWritten, ToTAInfo))
3453 return Err;
3454
3455 ExpectedSLoc POIOrErr = import(FTSInfo->getPointOfInstantiation());
3456 if (!POIOrErr)
3457 return POIOrErr.takeError();
3458
3459 if (Error Err = ImportTemplateParameterLists(FromFD, ToFD))
3460 return Err;
3461
3462 TemplateSpecializationKind TSK = FTSInfo->getTemplateSpecializationKind();
3463 ToFD->setFunctionTemplateSpecialization(
3464 std::get<0>(*FunctionAndArgsOrErr), ToTAList, /* InsertPos= */ nullptr,
3465 TSK, FromTAArgsAsWritten ? &ToTAInfo : nullptr, *POIOrErr);
3466 return Error::success();
3467 }
3468
3470 auto *FromInfo = FromFD->getDependentSpecializationInfo();
3471 UnresolvedSet<8> Candidates;
3472 for (FunctionTemplateDecl *FTD : FromInfo->getCandidates()) {
3473 if (Expected<FunctionTemplateDecl *> ToFTDOrErr = import(FTD))
3474 Candidates.addDecl(*ToFTDOrErr);
3475 else
3476 return ToFTDOrErr.takeError();
3477 }
3478
3479 // Import TemplateArgumentListInfo.
3480 TemplateArgumentListInfo ToTAInfo;
3481 const auto *FromTAArgsAsWritten = FromInfo->TemplateArgumentsAsWritten;
3482 if (FromTAArgsAsWritten)
3483 if (Error Err =
3484 ImportTemplateArgumentListInfo(*FromTAArgsAsWritten, ToTAInfo))
3485 return Err;
3486
3488 Importer.getToContext(), Candidates,
3489 FromTAArgsAsWritten ? &ToTAInfo : nullptr);
3490 return Error::success();
3491 }
3492 }
3493 llvm_unreachable("All cases should be covered!");
3494}
3495
3498 auto FunctionAndArgsOrErr =
3500 if (!FunctionAndArgsOrErr)
3501 return FunctionAndArgsOrErr.takeError();
3502
3503 FunctionTemplateDecl *Template;
3504 TemplateArgsTy ToTemplArgs;
3505 std::tie(Template, ToTemplArgs) = *FunctionAndArgsOrErr;
3506 void *InsertPos = nullptr;
3507 auto *FoundSpec = Template->findSpecialization(ToTemplArgs, InsertPos);
3508 return FoundSpec;
3509}
3510
3512 FunctionDecl *ToFD) {
3513 if (Stmt *FromBody = FromFD->getBody()) {
3514 if (ExpectedStmt ToBodyOrErr = import(FromBody))
3515 ToFD->setBody(*ToBodyOrErr);
3516 else
3517 return ToBodyOrErr.takeError();
3518 }
3519 return Error::success();
3520}
3521
3522// Returns true if the given D has a DeclContext up to the TranslationUnitDecl
3523// which is equal to the given DC, or D is equal to DC.
3524static bool isAncestorDeclContextOf(const DeclContext *DC, const Decl *D) {
3525 const DeclContext *DCi = dyn_cast<DeclContext>(D);
3526 if (!DCi)
3527 DCi = D->getDeclContext();
3528 assert(DCi && "Declaration should have a context");
3529 while (DCi != D->getTranslationUnitDecl()) {
3530 if (DCi == DC)
3531 return true;
3532 DCi = DCi->getParent();
3533 }
3534 return false;
3535}
3536
3537// Check if there is a declaration that has 'DC' as parent context and is
3538// referenced from statement 'S' or one of its children. The search is done in
3539// BFS order through children of 'S'.
3540static bool isAncestorDeclContextOf(const DeclContext *DC, const Stmt *S) {
3541 SmallVector<const Stmt *> ToProcess;
3542 ToProcess.push_back(S);
3543 while (!ToProcess.empty()) {
3544 const Stmt *CurrentS = ToProcess.pop_back_val();
3545 ToProcess.append(CurrentS->child_begin(), CurrentS->child_end());
3546 if (const auto *DeclRef = dyn_cast<DeclRefExpr>(CurrentS)) {
3547 if (const Decl *D = DeclRef->getDecl())
3548 if (isAncestorDeclContextOf(DC, D))
3549 return true;
3550 } else if (const auto *E =
3551 dyn_cast_or_null<SubstNonTypeTemplateParmExpr>(CurrentS)) {
3552 if (const Decl *D = E->getAssociatedDecl())
3553 if (isAncestorDeclContextOf(DC, D))
3554 return true;
3555 }
3556 }
3557 return false;
3558}
3559
3560namespace {
3561/// Check if a type has any reference to a declaration that is inside the body
3562/// of a function.
3563/// The \c CheckType(QualType) function should be used to determine
3564/// this property.
3565///
3566/// The type visitor visits one type object only (not recursive).
3567/// To find all referenced declarations we must discover all type objects until
3568/// the canonical type is reached (walk over typedef and similar objects). This
3569/// is done by loop over all "sugar" type objects. For every such type we must
3570/// check all declarations that are referenced from it. For this check the
3571/// visitor is used. In the visit functions all referenced declarations except
3572/// the one that follows in the sugar chain (if any) must be checked. For this
3573/// check the same visitor is re-used (it has no state-dependent data).
3574///
3575/// The visit functions have 3 possible return values:
3576/// - True, found a declaration inside \c ParentDC.
3577/// - False, found declarations only outside \c ParentDC and it is not possible
3578/// to find more declarations (the "sugar" chain does not continue).
3579/// - Empty optional value, found no declarations or only outside \c ParentDC,
3580/// but it is possible to find more declarations in the type "sugar" chain.
3581/// The loop over the "sugar" types can be implemented by using type visit
3582/// functions only (call \c CheckType with the desugared type). With the current
3583/// solution no visit function is needed if the type has only a desugared type
3584/// as data.
3585class IsTypeDeclaredInsideVisitor
3586 : public TypeVisitor<IsTypeDeclaredInsideVisitor, std::optional<bool>> {
3587public:
3588 IsTypeDeclaredInsideVisitor(const FunctionDecl *ParentDC)
3589 : ParentDC(ParentDC) {}
3590
3591 bool CheckType(QualType T) {
3592 // Check the chain of "sugar" types.
3593 // The "sugar" types are typedef or similar types that have the same
3594 // canonical type.
3595 if (std::optional<bool> Res = Visit(T.getTypePtr()))
3596 return *Res;
3597 QualType DsT =
3598 T.getSingleStepDesugaredType(ParentDC->getParentASTContext());
3599 while (DsT != T) {
3600 if (std::optional<bool> Res = Visit(DsT.getTypePtr()))
3601 return *Res;
3602 T = DsT;
3603 DsT = T.getSingleStepDesugaredType(ParentDC->getParentASTContext());
3604 }
3605 return false;
3606 }
3607
3608 std::optional<bool> VisitTagType(const TagType *T) {
3609 if (auto *Spec = dyn_cast<ClassTemplateSpecializationDecl>(T->getDecl()))
3610 for (const auto &Arg : Spec->getTemplateArgs().asArray())
3611 if (checkTemplateArgument(Arg))
3612 return true;
3613 return isAncestorDeclContextOf(ParentDC, T->getDecl());
3614 }
3615
3616 std::optional<bool> VisitPointerType(const PointerType *T) {
3617 return CheckType(T->getPointeeType());
3618 }
3619
3620 std::optional<bool> VisitReferenceType(const ReferenceType *T) {
3621 return CheckType(T->getPointeeTypeAsWritten());
3622 }
3623
3624 std::optional<bool> VisitTypedefType(const TypedefType *T) {
3625 const TypedefNameDecl *TD = T->getDecl();
3626 assert(TD);
3627 return isAncestorDeclContextOf(ParentDC, TD);
3628 }
3629
3630 std::optional<bool> VisitUsingType(const UsingType *T) {
3631 if (T->getFoundDecl() &&
3632 isAncestorDeclContextOf(ParentDC, T->getFoundDecl()))
3633 return true;
3634
3635 return {};
3636 }
3637
3638 std::optional<bool>
3639 VisitTemplateSpecializationType(const TemplateSpecializationType *T) {
3640 for (const auto &Arg : T->template_arguments())
3641 if (checkTemplateArgument(Arg))
3642 return true;
3643 // This type is a "sugar" to a record type, it can have a desugared type.
3644 return {};
3645 }
3646
3647 std::optional<bool> VisitUnaryTransformType(const UnaryTransformType *T) {
3648 return CheckType(T->getBaseType());
3649 }
3650
3651 std::optional<bool>
3652 VisitSubstTemplateTypeParmType(const SubstTemplateTypeParmType *T) {
3653 // The "associated declaration" can be the same as ParentDC.
3654 if (isAncestorDeclContextOf(ParentDC, T->getAssociatedDecl()))
3655 return true;
3656 return {};
3657 }
3658
3659 std::optional<bool> VisitConstantArrayType(const ConstantArrayType *T) {
3660 if (T->getSizeExpr() && isAncestorDeclContextOf(ParentDC, T->getSizeExpr()))
3661 return true;
3662
3663 return CheckType(T->getElementType());
3664 }
3665
3666 std::optional<bool> VisitVariableArrayType(const VariableArrayType *T) {
3667 llvm_unreachable(
3668 "Variable array should not occur in deduced return type of a function");
3669 }
3670
3671 std::optional<bool> VisitIncompleteArrayType(const IncompleteArrayType *T) {
3672 llvm_unreachable("Incomplete array should not occur in deduced return type "
3673 "of a function");
3674 }
3675
3676 std::optional<bool> VisitDependentArrayType(const IncompleteArrayType *T) {
3677 llvm_unreachable("Dependent array should not occur in deduced return type "
3678 "of a function");
3679 }
3680
3681private:
3682 const DeclContext *const ParentDC;
3683
3684 bool checkTemplateArgument(const TemplateArgument &Arg) {
3685 switch (Arg.getKind()) {
3687 return false;
3689 return CheckType(Arg.getIntegralType());
3691 return CheckType(Arg.getAsType());
3693 return isAncestorDeclContextOf(ParentDC, Arg.getAsExpr());
3695 // FIXME: The declaration in this case is not allowed to be in a function?
3696 return isAncestorDeclContextOf(ParentDC, Arg.getAsDecl());
3698 // FIXME: The type is not allowed to be in the function?
3699 return CheckType(Arg.getNullPtrType());
3701 return CheckType(Arg.getStructuralValueType());
3703 for (const auto &PackArg : Arg.getPackAsArray())
3704 if (checkTemplateArgument(PackArg))
3705 return true;
3706 return false;
3708 // Templates can not be defined locally in functions.
3709 // A template passed as argument can be not in ParentDC.
3710 return false;
3712 // Templates can not be defined locally in functions.
3713 // A template passed as argument can be not in ParentDC.
3714 return false;
3715 }
3716 llvm_unreachable("Unknown TemplateArgument::ArgKind enum");
3717 };
3718};
3719} // namespace
3720
3721/// This function checks if the given function has a return type that contains
3722/// a reference (in any way) to a declaration inside the same function.
3724 QualType FromTy = D->getType();
3725 const auto *FromFPT = FromTy->getAs<FunctionProtoType>();
3726 assert(FromFPT && "Must be called on FunctionProtoType");
3727
3728 auto IsCXX11Lambda = [&]() {
3729 if (Importer.FromContext.getLangOpts().CPlusPlus14) // C++14 or later
3730 return false;
3731
3732 if (const auto *MD = dyn_cast<CXXMethodDecl>(D))
3733 return cast<CXXRecordDecl>(MD->getDeclContext())->isLambda();
3734
3735 return false;
3736 };
3737
3738 QualType RetT = FromFPT->getReturnType();
3739 if (isa<AutoType>(RetT.getTypePtr()) || IsCXX11Lambda()) {
3740 FunctionDecl *Def = D->getDefinition();
3741 IsTypeDeclaredInsideVisitor Visitor(Def ? Def : D);
3742 return Visitor.CheckType(RetT);
3743 }
3744
3745 return false;
3746}
3747
3749ASTNodeImporter::importExplicitSpecifier(Error &Err, ExplicitSpecifier ESpec) {
3750 Expr *ExplicitExpr = ESpec.getExpr();
3751 if (ExplicitExpr)
3752 ExplicitExpr = importChecked(Err, ESpec.getExpr());
3753 return ExplicitSpecifier(ExplicitExpr, ESpec.getKind());
3754}
3755
3757
3759 auto RedeclIt = Redecls.begin();
3760 // Import the first part of the decl chain. I.e. import all previous
3761 // declarations starting from the canonical decl.
3762 for (; RedeclIt != Redecls.end() && *RedeclIt != D; ++RedeclIt) {
3763 ExpectedDecl ToRedeclOrErr = import(*RedeclIt);
3764 if (!ToRedeclOrErr)
3765 return ToRedeclOrErr.takeError();
3766 }
3767 assert(*RedeclIt == D);
3768
3769 // Import the major distinguishing characteristics of this function.
3770 DeclContext *DC, *LexicalDC;
3771 DeclarationName Name;
3773 NamedDecl *ToD;
3774 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
3775 return std::move(Err);
3776 if (ToD)
3777 return ToD;
3778
3779 FunctionDecl *FoundByLookup = nullptr;
3780 FunctionTemplateDecl *FromFT = D->getDescribedFunctionTemplate();
3781
3782 // If this is a function template specialization, then try to find the same
3783 // existing specialization in the "to" context. The lookup below will not
3784 // find any specialization, but would find the primary template; thus, we
3785 // have to skip normal lookup in case of specializations.
3786 // FIXME handle member function templates (TK_MemberSpecialization) similarly?
3787 if (D->getTemplatedKind() ==
3789 auto FoundFunctionOrErr = FindFunctionTemplateSpecialization(D);
3790 if (!FoundFunctionOrErr)
3791 return FoundFunctionOrErr.takeError();
3792 if (FunctionDecl *FoundFunction = *FoundFunctionOrErr) {
3793 if (Decl *Def = FindAndMapDefinition(D, FoundFunction))
3794 return Def;
3795 FoundByLookup = FoundFunction;
3796 }
3797 }
3798 // Try to find a function in our own ("to") context with the same name, same
3799 // type, and in the same context as the function we're importing.
3800 else if (!LexicalDC->isFunctionOrMethod()) {
3801 SmallVector<NamedDecl *, 4> ConflictingDecls;
3803 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
3804 for (auto *FoundDecl : FoundDecls) {
3805 if (!FoundDecl->isInIdentifierNamespace(IDNS))
3806 continue;
3807
3808 if (auto *FoundFunction = dyn_cast<FunctionDecl>(FoundDecl)) {
3809 if (!hasSameVisibilityContextAndLinkage(FoundFunction, D))
3810 continue;
3811
3812 if (IsStructuralMatch(D, FoundFunction)) {
3813 if (Decl *Def = FindAndMapDefinition(D, FoundFunction))
3814 return Def;
3815 FoundByLookup = FoundFunction;
3816 break;
3817 }
3818 // FIXME: Check for overloading more carefully, e.g., by boosting
3819 // Sema::IsOverload out to the AST library.
3820
3821 // Function overloading is okay in C++.
3822 if (Importer.getToContext().getLangOpts().CPlusPlus)
3823 continue;
3824
3825 // Complain about inconsistent function types.
3826 Importer.ToDiag(Loc, diag::warn_odr_function_type_inconsistent)
3827 << Name << D->getType() << FoundFunction->getType();
3828 Importer.ToDiag(FoundFunction->getLocation(), diag::note_odr_value_here)
3829 << FoundFunction->getType();
3830 ConflictingDecls.push_back(FoundDecl);
3831 }
3832 }
3833
3834 if (!ConflictingDecls.empty()) {
3835 ExpectedName NameOrErr = Importer.HandleNameConflict(
3836 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
3837 if (NameOrErr)
3838 Name = NameOrErr.get();
3839 else
3840 return NameOrErr.takeError();
3841 }
3842 }
3843
3844 // We do not allow more than one in-class declaration of a function. This is
3845 // because AST clients like VTableBuilder asserts on this. VTableBuilder
3846 // assumes there is only one in-class declaration. Building a redecl
3847 // chain would result in more than one in-class declaration for
3848 // overrides (even if they are part of the same redecl chain inside the
3849 // derived class.)
3850 if (FoundByLookup) {
3851 if (isa<CXXMethodDecl>(FoundByLookup)) {
3852 if (D->getLexicalDeclContext() == D->getDeclContext()) {
3853 if (!D->doesThisDeclarationHaveABody()) {
3854 if (FunctionTemplateDecl *DescribedD =
3855 D->getDescribedFunctionTemplate()) {
3856 // Handle a "templated" function together with its described
3857 // template. This avoids need for a similar check at import of the
3858 // described template.
3859 assert(FoundByLookup->getDescribedFunctionTemplate() &&
3860 "Templated function mapped to non-templated?");
3861 Importer.MapImported(DescribedD,
3862 FoundByLookup->getDescribedFunctionTemplate());
3863 }
3864 return Importer.MapImported(D, FoundByLookup);
3865 } else {
3866 // Let's continue and build up the redecl chain in this case.
3867 // FIXME Merge the functions into one decl.
3868 }
3869 }
3870 }
3871 }
3872
3873 DeclarationNameInfo NameInfo(Name, Loc);
3874 // Import additional name location/type info.
3875 if (Error Err = ImportDeclarationNameLoc(D->getNameInfo(), NameInfo))
3876 return std::move(Err);
3877
3878 QualType FromTy = D->getType();
3879 TypeSourceInfo *FromTSI = D->getTypeSourceInfo();
3880 // Set to true if we do not import the type of the function as is. There are
3881 // cases when the original type would result in an infinite recursion during
3882 // the import. To avoid an infinite recursion when importing, we create the
3883 // FunctionDecl with a simplified function type and update it only after the
3884 // relevant AST nodes are already imported.
3885 // The type is related to TypeSourceInfo (it references the type), so we must
3886 // do the same with TypeSourceInfo.
3887 bool UsedDifferentProtoType = false;
3888 if (const auto *FromFPT = FromTy->getAs<FunctionProtoType>()) {
3889 QualType FromReturnTy = FromFPT->getReturnType();
3890 // Functions with auto return type may define a struct inside their body
3891 // and the return type could refer to that struct.
3892 // E.g.: auto foo() { struct X{}; return X(); }
3893 // To avoid an infinite recursion when importing, create the FunctionDecl
3894 // with a simplified return type.
3896 FromReturnTy = Importer.getFromContext().VoidTy;
3897 UsedDifferentProtoType = true;
3898 }
3899 FunctionProtoType::ExtProtoInfo FromEPI = FromFPT->getExtProtoInfo();
3900 // FunctionProtoType::ExtProtoInfo's ExceptionSpecDecl can point to the
3901 // FunctionDecl that we are importing the FunctionProtoType for.
3902 // To avoid an infinite recursion when importing, create the FunctionDecl
3903 // with a simplified function type.
3904 if (FromEPI.ExceptionSpec.SourceDecl ||
3905 FromEPI.ExceptionSpec.SourceTemplate ||
3906 FromEPI.ExceptionSpec.NoexceptExpr) {
3908 FromEPI = DefaultEPI;
3909 UsedDifferentProtoType = true;
3910 }
3911 FromTy = Importer.getFromContext().getFunctionType(
3912 FromReturnTy, FromFPT->getParamTypes(), FromEPI);
3913 FromTSI = Importer.getFromContext().getTrivialTypeSourceInfo(
3914 FromTy, D->getBeginLoc());
3915 }
3916
3917 Error Err = Error::success();
3918 auto T = importChecked(Err, FromTy);
3919 auto TInfo = importChecked(Err, FromTSI);
3920 auto ToInnerLocStart = importChecked(Err, D->getInnerLocStart());
3921 auto ToEndLoc = importChecked(Err, D->getEndLoc());
3922 auto ToDefaultLoc = importChecked(Err, D->getDefaultLoc());
3923 auto ToQualifierLoc = importChecked(Err, D->getQualifierLoc());
3924 auto TrailingRequiresClause =
3925 importChecked(Err, D->getTrailingRequiresClause());
3926 if (Err)
3927 return std::move(Err);
3928
3929 // Import the function parameters.
3931 for (auto *P : D->parameters()) {
3932 if (Expected<ParmVarDecl *> ToPOrErr = import(P))
3933 Parameters.push_back(*ToPOrErr);
3934 else
3935 return ToPOrErr.takeError();
3936 }
3937
3938 // Create the imported function.
3939 FunctionDecl *ToFunction = nullptr;
3940 if (auto *FromConstructor = dyn_cast<CXXConstructorDecl>(D)) {
3941 ExplicitSpecifier ESpec =
3942 importExplicitSpecifier(Err, FromConstructor->getExplicitSpecifier());
3943 if (Err)
3944 return std::move(Err);
3945 auto ToInheritedConstructor = InheritedConstructor();
3946 if (FromConstructor->isInheritingConstructor()) {
3947 Expected<InheritedConstructor> ImportedInheritedCtor =
3948 import(FromConstructor->getInheritedConstructor());
3949 if (!ImportedInheritedCtor)
3950 return ImportedInheritedCtor.takeError();
3951 ToInheritedConstructor = *ImportedInheritedCtor;
3952 }
3953 if (GetImportedOrCreateDecl<CXXConstructorDecl>(
3954 ToFunction, D, Importer.getToContext(), cast<CXXRecordDecl>(DC),
3955 ToInnerLocStart, NameInfo, T, TInfo, ESpec, D->UsesFPIntrin(),
3956 D->isInlineSpecified(), D->isImplicit(), D->getConstexprKind(),
3957 ToInheritedConstructor, TrailingRequiresClause))
3958 return ToFunction;
3959 } else if (CXXDestructorDecl *FromDtor = dyn_cast<CXXDestructorDecl>(D)) {
3960
3961 Error Err = Error::success();
3962 auto ToOperatorDelete = importChecked(
3963 Err, const_cast<FunctionDecl *>(FromDtor->getOperatorDelete()));
3964 auto ToThisArg = importChecked(Err, FromDtor->getOperatorDeleteThisArg());
3965 if (Err)
3966 return std::move(Err);
3967
3968 if (GetImportedOrCreateDecl<CXXDestructorDecl>(
3969 ToFunction, D, Importer.getToContext(), cast<CXXRecordDecl>(DC),
3970 ToInnerLocStart, NameInfo, T, TInfo, D->UsesFPIntrin(),
3971 D->isInlineSpecified(), D->isImplicit(), D->getConstexprKind(),
3972 TrailingRequiresClause))
3973 return ToFunction;
3974
3975 CXXDestructorDecl *ToDtor = cast<CXXDestructorDecl>(ToFunction);
3976
3977 ToDtor->setOperatorDelete(ToOperatorDelete, ToThisArg);
3978 } else if (CXXConversionDecl *FromConversion =
3979 dyn_cast<CXXConversionDecl>(D)) {
3980 ExplicitSpecifier ESpec =
3981 importExplicitSpecifier(Err, FromConversion->getExplicitSpecifier());
3982 if (Err)
3983 return std::move(Err);
3984 if (GetImportedOrCreateDecl<CXXConversionDecl>(
3985 ToFunction, D, Importer.getToContext(), cast<CXXRecordDecl>(DC),
3986 ToInnerLocStart, NameInfo, T, TInfo, D->UsesFPIntrin(),
3987 D->isInlineSpecified(), ESpec, D->getConstexprKind(),
3988 SourceLocation(), TrailingRequiresClause))
3989 return ToFunction;
3990 } else if (auto *Method = dyn_cast<CXXMethodDecl>(D)) {
3991 if (GetImportedOrCreateDecl<CXXMethodDecl>(
3992 ToFunction, D, Importer.getToContext(), cast<CXXRecordDecl>(DC),
3993 ToInnerLocStart, NameInfo, T, TInfo, Method->getStorageClass(),
3994 Method->UsesFPIntrin(), Method->isInlineSpecified(),
3995 D->getConstexprKind(), SourceLocation(), TrailingRequiresClause))
3996 return ToFunction;
3997 } else if (auto *Guide = dyn_cast<CXXDeductionGuideDecl>(D)) {
3998 ExplicitSpecifier ESpec =
3999 importExplicitSpecifier(Err, Guide->getExplicitSpecifier());
4000 CXXConstructorDecl *Ctor =
4001 importChecked(Err, Guide->getCorrespondingConstructor());
4002 if (Err)
4003 return std::move(Err);
4004 if (GetImportedOrCreateDecl<CXXDeductionGuideDecl>(
4005 ToFunction, D, Importer.getToContext(), DC, ToInnerLocStart, ESpec,
4006 NameInfo, T, TInfo, ToEndLoc, Ctor))
4007 return ToFunction;
4008 cast<CXXDeductionGuideDecl>(ToFunction)
4009 ->setDeductionCandidateKind(Guide->getDeductionCandidateKind());
4010 } else {
4011 if (GetImportedOrCreateDecl(
4012 ToFunction, D, Importer.getToContext(), DC, ToInnerLocStart,
4013 NameInfo, T, TInfo, D->getStorageClass(), D->UsesFPIntrin(),
4014 D->isInlineSpecified(), D->hasWrittenPrototype(),
4015 D->getConstexprKind(), TrailingRequiresClause))
4016 return ToFunction;
4017 }
4018
4019 // Connect the redecl chain.
4020 if (FoundByLookup) {
4021 auto *Recent = const_cast<FunctionDecl *>(
4022 FoundByLookup->getMostRecentDecl());
4023 ToFunction->setPreviousDecl(Recent);
4024 // FIXME Probably we should merge exception specifications. E.g. In the
4025 // "To" context the existing function may have exception specification with
4026 // noexcept-unevaluated, while the newly imported function may have an
4027 // evaluated noexcept. A call to adjustExceptionSpec() on the imported
4028 // decl and its redeclarations may be required.
4029 }
4030
4031 StringLiteral *Msg = D->getDeletedMessage();
4032 if (Msg) {
4033 auto Imported = import(Msg);
4034 if (!Imported)
4035 return Imported.takeError();
4036 Msg = *Imported;
4037 }
4038
4039 ToFunction->setQualifierInfo(ToQualifierLoc);
4040 ToFunction->setAccess(D->getAccess());
4041 ToFunction->setLexicalDeclContext(LexicalDC);
4042 ToFunction->setVirtualAsWritten(D->isVirtualAsWritten());
4043 ToFunction->setTrivial(D->isTrivial());
4044 ToFunction->setIsPureVirtual(D->isPureVirtual());
4045 ToFunction->setDefaulted(D->isDefaulted());
4046 ToFunction->setExplicitlyDefaulted(D->isExplicitlyDefaulted());
4047 ToFunction->setDeletedAsWritten(D->isDeletedAsWritten());
4049 D->FriendConstraintRefersToEnclosingTemplate());
4050 ToFunction->setRangeEnd(ToEndLoc);
4051 ToFunction->setDefaultLoc(ToDefaultLoc);
4052
4053 if (Msg)
4054 ToFunction->setDefaultedOrDeletedInfo(
4056 Importer.getToContext(), {}, Msg));
4057
4058 // Set the parameters.
4059 for (auto *Param : Parameters) {
4060 Param->setOwningFunction(ToFunction);
4061 ToFunction->addDeclInternal(Param);
4062 if (ASTImporterLookupTable *LT = Importer.SharedState->getLookupTable())
4063 LT->update(Param, Importer.getToContext().getTranslationUnitDecl());
4064 }
4065 ToFunction->setParams(Parameters);
4066
4067 // We need to complete creation of FunctionProtoTypeLoc manually with setting
4068 // params it refers to.
4069 if (TInfo) {
4070 if (auto ProtoLoc =
4071 TInfo->getTypeLoc().IgnoreParens().getAs<FunctionProtoTypeLoc>()) {
4072 for (unsigned I = 0, N = Parameters.size(); I != N; ++I)
4073 ProtoLoc.setParam(I, Parameters[I]);
4074 }
4075 }
4076
4077 // Import the describing template function, if any.
4078 if (FromFT) {
4079 auto ToFTOrErr = import(FromFT);
4080 if (!ToFTOrErr)
4081 return ToFTOrErr.takeError();
4082 }
4083
4084 // Import Ctor initializers.
4085 if (auto *FromConstructor = dyn_cast<CXXConstructorDecl>(D)) {
4086 if (unsigned NumInitializers = FromConstructor->getNumCtorInitializers()) {
4087 SmallVector<CXXCtorInitializer *, 4> CtorInitializers(NumInitializers);
4088 // Import first, then allocate memory and copy if there was no error.
4089 if (Error Err = ImportContainerChecked(
4090 FromConstructor->inits(), CtorInitializers))
4091 return std::move(Err);
4092 auto **Memory =
4093 new (Importer.getToContext()) CXXCtorInitializer *[NumInitializers];
4094 std::copy(CtorInitializers.begin(), CtorInitializers.end(), Memory);
4095 auto *ToCtor = cast<CXXConstructorDecl>(ToFunction);
4096 ToCtor->setCtorInitializers(Memory);
4097 ToCtor->setNumCtorInitializers(NumInitializers);
4098 }
4099 }
4100
4101 // If it is a template, import all related things.
4102 if (Error Err = ImportTemplateInformation(D, ToFunction))
4103 return std::move(Err);
4104
4105 if (auto *FromCXXMethod = dyn_cast<CXXMethodDecl>(D))
4106 if (Error Err = ImportOverriddenMethods(cast<CXXMethodDecl>(ToFunction),
4107 FromCXXMethod))
4108 return std::move(Err);
4109
4110 if (D->doesThisDeclarationHaveABody()) {
4111 Error Err = ImportFunctionDeclBody(D, ToFunction);
4112
4113 if (Err)
4114 return std::move(Err);
4115 }
4116
4117 // Import and set the original type in case we used another type.
4118 if (UsedDifferentProtoType) {
4119 if (ExpectedType TyOrErr = import(D->getType()))
4120 ToFunction->setType(*TyOrErr);
4121 else
4122 return TyOrErr.takeError();
4123 if (Expected<TypeSourceInfo *> TSIOrErr = import(D->getTypeSourceInfo()))
4124 ToFunction->setTypeSourceInfo(*TSIOrErr);
4125 else
4126 return TSIOrErr.takeError();
4127 }
4128
4129 // FIXME: Other bits to merge?
4130
4131 addDeclToContexts(D, ToFunction);
4132
4133 // Import the rest of the chain. I.e. import all subsequent declarations.
4134 for (++RedeclIt; RedeclIt != Redecls.end(); ++RedeclIt) {
4135 ExpectedDecl ToRedeclOrErr = import(*RedeclIt);
4136 if (!ToRedeclOrErr)
4137 return ToRedeclOrErr.takeError();
4138 }
4139
4140 return ToFunction;
4141}
4142
4144 return VisitFunctionDecl(D);
4145}
4146
4148 return VisitCXXMethodDecl(D);
4149}
4150
4152 return VisitCXXMethodDecl(D);
4153}
4154
4156 return VisitCXXMethodDecl(D);
4157}
4158
4161 return VisitFunctionDecl(D);
4162}
4163
4165 // Import the major distinguishing characteristics of a variable.
4166 DeclContext *DC, *LexicalDC;
4167 DeclarationName Name;
4169 NamedDecl *ToD;
4170 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
4171 return std::move(Err);
4172 if (ToD)
4173 return ToD;
4174
4175 // Determine whether we've already imported this field.
4176 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4177 for (auto *FoundDecl : FoundDecls) {
4178 if (FieldDecl *FoundField = dyn_cast<FieldDecl>(FoundDecl)) {
4179 // For anonymous fields, match up by index.
4180 if (!Name &&
4182 ASTImporter::getFieldIndex(FoundField))
4183 continue;
4184
4185 if (Importer.IsStructurallyEquivalent(D->getType(),
4186 FoundField->getType())) {
4187 Importer.MapImported(D, FoundField);
4188 // In case of a FieldDecl of a ClassTemplateSpecializationDecl, the
4189 // initializer of a FieldDecl might not had been instantiated in the
4190 // "To" context. However, the "From" context might instantiated that,
4191 // thus we have to merge that.
4192 // Note: `hasInClassInitializer()` is not the same as non-null
4193 // `getInClassInitializer()` value.
4194 if (Expr *FromInitializer = D->getInClassInitializer()) {
4195 if (ExpectedExpr ToInitializerOrErr = import(FromInitializer)) {
4196 // Import of the FromInitializer may result in the setting of
4197 // InClassInitializer. If not, set it here.
4198 assert(FoundField->hasInClassInitializer() &&
4199 "Field should have an in-class initializer if it has an "
4200 "expression for it.");
4201 if (!FoundField->getInClassInitializer())
4202 FoundField->setInClassInitializer(*ToInitializerOrErr);
4203 } else {
4204 return ToInitializerOrErr.takeError();
4205 }
4206 }
4207 return FoundField;
4208 }
4209
4210 // FIXME: Why is this case not handled with calling HandleNameConflict?
4211 Importer.ToDiag(Loc, diag::warn_odr_field_type_inconsistent)
4212 << Name << D->getType() << FoundField->getType();
4213 Importer.ToDiag(FoundField->getLocation(), diag::note_odr_value_here)
4214 << FoundField->getType();
4215
4216 return make_error<ASTImportError>(ASTImportError::NameConflict);
4217 }
4218 }
4219
4220 Error Err = Error::success();
4221 auto ToType = importChecked(Err, D->getType());
4222 auto ToTInfo = importChecked(Err, D->getTypeSourceInfo());
4223 auto ToBitWidth = importChecked(Err, D->getBitWidth());
4224 auto ToInnerLocStart = importChecked(Err, D->getInnerLocStart());
4225 if (Err)
4226 return std::move(Err);
4227 const Type *ToCapturedVLAType = nullptr;
4228 if (Error Err = Importer.importInto(
4229 ToCapturedVLAType, cast_or_null<Type>(D->getCapturedVLAType())))
4230 return std::move(Err);
4231
4232 FieldDecl *ToField;
4233 if (GetImportedOrCreateDecl(ToField, D, Importer.getToContext(), DC,
4234 ToInnerLocStart, Loc, Name.getAsIdentifierInfo(),
4235 ToType, ToTInfo, ToBitWidth, D->isMutable(),
4236 D->getInClassInitStyle()))
4237 return ToField;
4238
4239 ToField->setAccess(D->getAccess());
4240 ToField->setLexicalDeclContext(LexicalDC);
4241 ToField->setImplicit(D->isImplicit());
4242 if (ToCapturedVLAType)
4243 ToField->setCapturedVLAType(cast<VariableArrayType>(ToCapturedVLAType));
4244 LexicalDC->addDeclInternal(ToField);
4245 // Import initializer only after the field was created, it may have recursive
4246 // reference to the field.
4247 auto ToInitializer = importChecked(Err, D->getInClassInitializer());
4248 if (Err)
4249 return std::move(Err);
4250 if (ToInitializer) {
4251 auto *AlreadyImported = ToField->getInClassInitializer();
4252 if (AlreadyImported)
4253 assert(ToInitializer == AlreadyImported &&
4254 "Duplicate import of in-class initializer.");
4255 else
4256 ToField->setInClassInitializer(ToInitializer);
4257 }
4258
4259 return ToField;
4260}
4261
4263 // Import the major distinguishing characteristics of a variable.
4264 DeclContext *DC, *LexicalDC;
4265 DeclarationName Name;
4267 NamedDecl *ToD;
4268 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
4269 return std::move(Err);
4270 if (ToD)
4271 return ToD;
4272
4273 // Determine whether we've already imported this field.
4274 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4275 for (unsigned I = 0, N = FoundDecls.size(); I != N; ++I) {
4276 if (auto *FoundField = dyn_cast<IndirectFieldDecl>(FoundDecls[I])) {
4277 // For anonymous indirect fields, match up by index.
4278 if (!Name &&
4280 ASTImporter::getFieldIndex(FoundField))
4281 continue;
4282
4283 if (Importer.IsStructurallyEquivalent(D->getType(),
4284 FoundField->getType(),
4285 !Name.isEmpty())) {
4286 Importer.MapImported(D, FoundField);
4287 return FoundField;
4288 }
4289
4290 // If there are more anonymous fields to check, continue.
4291 if (!Name && I < N-1)
4292 continue;
4293
4294 // FIXME: Why is this case not handled with calling HandleNameConflict?
4295 Importer.ToDiag(Loc, diag::warn_odr_field_type_inconsistent)
4296 << Name << D->getType() << FoundField->getType();
4297 Importer.ToDiag(FoundField->getLocation(), diag::note_odr_value_here)
4298 << FoundField->getType();
4299
4300 return make_error<ASTImportError>(ASTImportError::NameConflict);
4301 }
4302 }
4303
4304 // Import the type.
4305 auto TypeOrErr = import(D->getType());
4306 if (!TypeOrErr)
4307 return TypeOrErr.takeError();
4308
4309 auto **NamedChain =
4310 new (Importer.getToContext()) NamedDecl*[D->getChainingSize()];
4311
4312 unsigned i = 0;
4313 for (auto *PI : D->chain())
4314 if (Expected<NamedDecl *> ToD = import(PI))
4315 NamedChain[i++] = *ToD;
4316 else
4317 return ToD.takeError();
4318
4319 llvm::MutableArrayRef<NamedDecl *> CH = {NamedChain, D->getChainingSize()};
4320 IndirectFieldDecl *ToIndirectField;
4321 if (GetImportedOrCreateDecl(ToIndirectField, D, Importer.getToContext(), DC,
4322 Loc, Name.getAsIdentifierInfo(), *TypeOrErr, CH))
4323 // FIXME here we leak `NamedChain` which is allocated before
4324 return ToIndirectField;
4325
4326 ToIndirectField->setAccess(D->getAccess());
4327 ToIndirectField->setLexicalDeclContext(LexicalDC);
4328 LexicalDC->addDeclInternal(ToIndirectField);
4329 return ToIndirectField;
4330}
4331
4332/// Used as return type of getFriendCountAndPosition.
4334 /// Number of similar looking friends.
4335 unsigned int TotalCount;
4336 /// Index of the specific FriendDecl.
4337 unsigned int IndexOfDecl;
4338};
4339
4340static bool IsEquivalentFriend(ASTImporter &Importer, FriendDecl *FD1,
4341 FriendDecl *FD2) {
4342 if ((!FD1->getFriendType()) != (!FD2->getFriendType()))
4343 return false;
4344
4345 if (const TypeSourceInfo *TSI = FD1->getFriendType())
4346 return Importer.IsStructurallyEquivalent(
4347 TSI->getType(), FD2->getFriendType()->getType(), /*Complain=*/false);
4348
4349 ASTImporter::NonEquivalentDeclSet NonEquivalentDecls;
4351 FD1->getASTContext(), FD2->getASTContext(), NonEquivalentDecls,
4353 /* StrictTypeSpelling = */ false, /* Complain = */ false);
4354 return Ctx.IsEquivalent(FD1, FD2);
4355}
4356
4358 FriendDecl *FD) {
4359 unsigned int FriendCount = 0;
4360 std::optional<unsigned int> FriendPosition;
4361 const auto *RD = cast<CXXRecordDecl>(FD->getLexicalDeclContext());
4362
4363 for (FriendDecl *FoundFriend : RD->friends()) {
4364 if (FoundFriend == FD) {
4365 FriendPosition = FriendCount;
4366 ++FriendCount;
4367 } else if (IsEquivalentFriend(Importer, FD, FoundFriend)) {
4368 ++FriendCount;
4369 }
4370 }
4371
4372 assert(FriendPosition && "Friend decl not found in own parent.");
4373
4374 return {FriendCount, *FriendPosition};
4375}
4376
4378 // Import the major distinguishing characteristics of a declaration.
4379 DeclContext *DC, *LexicalDC;
4380 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
4381 return std::move(Err);
4382
4383 // Determine whether we've already imported this decl.
4384 // FriendDecl is not a NamedDecl so we cannot use lookup.
4385 // We try to maintain order and count of redundant friend declarations.
4386 const auto *RD = cast<CXXRecordDecl>(DC);
4387 SmallVector<FriendDecl *, 2> ImportedEquivalentFriends;
4388 for (FriendDecl *ImportedFriend : RD->friends())
4389 if (IsEquivalentFriend(Importer, D, ImportedFriend))
4390 ImportedEquivalentFriends.push_back(ImportedFriend);
4391
4392 FriendCountAndPosition CountAndPosition =
4393 getFriendCountAndPosition(Importer, D);
4394
4395 assert(ImportedEquivalentFriends.size() <= CountAndPosition.TotalCount &&
4396 "Class with non-matching friends is imported, ODR check wrong?");
4397 if (ImportedEquivalentFriends.size() == CountAndPosition.TotalCount)
4398 return Importer.MapImported(
4399 D, ImportedEquivalentFriends[CountAndPosition.IndexOfDecl]);
4400
4401 // Not found. Create it.
4402 // The declarations will be put into order later by ImportDeclContext.
4404 if (NamedDecl *FriendD = D->getFriendDecl()) {
4405 NamedDecl *ToFriendD;
4406 if (Error Err = importInto(ToFriendD, FriendD))
4407 return std::move(Err);
4408
4409 if (FriendD->getFriendObjectKind() != Decl::FOK_None &&
4410 !(FriendD->isInIdentifierNamespace(Decl::IDNS_NonMemberOperator)))
4411 ToFriendD->setObjectOfFriendDecl(false);
4412
4413 ToFU = ToFriendD;
4414 } else { // The friend is a type, not a decl.
4415 if (auto TSIOrErr = import(D->getFriendType()))
4416 ToFU = *TSIOrErr;
4417 else
4418 return TSIOrErr.takeError();
4419 }
4420
4421 SmallVector<TemplateParameterList *, 1> ToTPLists(D->NumTPLists);
4422 auto **FromTPLists = D->getTrailingObjects<TemplateParameterList *>();
4423 for (unsigned I = 0; I < D->NumTPLists; I++) {
4424 if (auto ListOrErr = import(FromTPLists[I]))
4425 ToTPLists[I] = *ListOrErr;
4426 else
4427 return ListOrErr.takeError();
4428 }
4429
4430 auto LocationOrErr = import(D->getLocation());
4431 if (!LocationOrErr)
4432 return LocationOrErr.takeError();
4433 auto FriendLocOrErr = import(D->getFriendLoc());
4434 if (!FriendLocOrErr)
4435 return FriendLocOrErr.takeError();
4436 auto EllipsisLocOrErr = import(D->getEllipsisLoc());
4437 if (!EllipsisLocOrErr)
4438 return EllipsisLocOrErr.takeError();
4439
4440 FriendDecl *FrD;
4441 if (GetImportedOrCreateDecl(FrD, D, Importer.getToContext(), DC,
4442 *LocationOrErr, ToFU, *FriendLocOrErr,
4443 *EllipsisLocOrErr, ToTPLists))
4444 return FrD;
4445
4446 FrD->setAccess(D->getAccess());
4447 FrD->setLexicalDeclContext(LexicalDC);
4448 LexicalDC->addDeclInternal(FrD);
4449 return FrD;
4450}
4451
4453 // Import the major distinguishing characteristics of an ivar.
4454 DeclContext *DC, *LexicalDC;
4455 DeclarationName Name;
4457 NamedDecl *ToD;
4458 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
4459 return std::move(Err);
4460 if (ToD)
4461 return ToD;
4462
4463 // Determine whether we've already imported this ivar
4464 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4465 for (auto *FoundDecl : FoundDecls) {
4466 if (ObjCIvarDecl *FoundIvar = dyn_cast<ObjCIvarDecl>(FoundDecl)) {
4467 if (Importer.IsStructurallyEquivalent(D->getType(),
4468 FoundIvar->getType())) {
4469 Importer.MapImported(D, FoundIvar);
4470 return FoundIvar;
4471 }
4472
4473 Importer.ToDiag(Loc, diag::warn_odr_ivar_type_inconsistent)
4474 << Name << D->getType() << FoundIvar->getType();
4475 Importer.ToDiag(FoundIvar->getLocation(), diag::note_odr_value_here)
4476 << FoundIvar->getType();
4477
4478 return make_error<ASTImportError>(ASTImportError::NameConflict);
4479 }
4480 }
4481
4482 Error Err = Error::success();
4483 auto ToType = importChecked(Err, D->getType());
4484 auto ToTypeSourceInfo = importChecked(Err, D->getTypeSourceInfo());
4485 auto ToBitWidth = importChecked(Err, D->getBitWidth());
4486 auto ToInnerLocStart = importChecked(Err, D->getInnerLocStart());
4487 if (Err)
4488 return std::move(Err);
4489
4490 ObjCIvarDecl *ToIvar;
4491 if (GetImportedOrCreateDecl(
4492 ToIvar, D, Importer.getToContext(), cast<ObjCContainerDecl>(DC),
4493 ToInnerLocStart, Loc, Name.getAsIdentifierInfo(),
4494 ToType, ToTypeSourceInfo,
4495 D->getAccessControl(),ToBitWidth, D->getSynthesize()))
4496 return ToIvar;
4497
4498 ToIvar->setLexicalDeclContext(LexicalDC);
4499 LexicalDC->addDeclInternal(ToIvar);
4500 return ToIvar;
4501}
4502
4504
4506 auto RedeclIt = Redecls.begin();
4507 // Import the first part of the decl chain. I.e. import all previous
4508 // declarations starting from the canonical decl.
4509 for (; RedeclIt != Redecls.end() && *RedeclIt != D; ++RedeclIt) {
4510 ExpectedDecl RedeclOrErr = import(*RedeclIt);
4511 if (!RedeclOrErr)
4512 return RedeclOrErr.takeError();
4513 }
4514 assert(*RedeclIt == D);
4515
4516 // Import the major distinguishing characteristics of a variable.
4517 DeclContext *DC, *LexicalDC;
4518 DeclarationName Name;
4520 NamedDecl *ToD;
4521 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
4522 return std::move(Err);
4523 if (ToD)
4524 return ToD;
4525
4526 // Try to find a variable in our own ("to") context with the same name and
4527 // in the same context as the variable we're importing.
4528 VarDecl *FoundByLookup = nullptr;
4529 if (D->isFileVarDecl()) {
4530 SmallVector<NamedDecl *, 4> ConflictingDecls;
4531 unsigned IDNS = Decl::IDNS_Ordinary;
4532 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4533 for (auto *FoundDecl : FoundDecls) {
4534 if (!FoundDecl->isInIdentifierNamespace(IDNS))
4535 continue;
4536
4537 if (auto *FoundVar = dyn_cast<VarDecl>(FoundDecl)) {
4538 if (!hasSameVisibilityContextAndLinkage(FoundVar, D))
4539 continue;
4540 if (Importer.IsStructurallyEquivalent(D->getType(),
4541 FoundVar->getType())) {
4542
4543 // The VarDecl in the "From" context has a definition, but in the
4544 // "To" context we already have a definition.
4545 VarDecl *FoundDef = FoundVar->getDefinition();
4546 if (D->isThisDeclarationADefinition() && FoundDef)
4547 // FIXME Check for ODR error if the two definitions have
4548 // different initializers?
4549 return Importer.MapImported(D, FoundDef);
4550
4551 // The VarDecl in the "From" context has an initializer, but in the
4552 // "To" context we already have an initializer.
4553 const VarDecl *FoundDInit = nullptr;
4554 if (D->getInit() && FoundVar->getAnyInitializer(FoundDInit))
4555 // FIXME Diagnose ODR error if the two initializers are different?
4556 return Importer.MapImported(D, const_cast<VarDecl*>(FoundDInit));
4557
4558 FoundByLookup = FoundVar;
4559 break;
4560 }
4561
4562 const ArrayType *FoundArray
4563 = Importer.getToContext().getAsArrayType(FoundVar->getType());
4564 const ArrayType *TArray
4565 = Importer.getToContext().getAsArrayType(D->getType());
4566 if (FoundArray && TArray) {
4567 if (isa<IncompleteArrayType>(FoundArray) &&
4568 isa<ConstantArrayType>(TArray)) {
4569 // Import the type.
4570 if (auto TyOrErr = import(D->getType()))
4571 FoundVar->setType(*TyOrErr);
4572 else
4573 return TyOrErr.takeError();
4574
4575 FoundByLookup = FoundVar;
4576 break;
4577 } else if (isa<IncompleteArrayType>(TArray) &&
4578 isa<ConstantArrayType>(FoundArray)) {
4579 FoundByLookup = FoundVar;
4580 break;
4581 }
4582 }
4583
4584 Importer.ToDiag(Loc, diag::warn_odr_variable_type_inconsistent)
4585 << Name << D->getType() << FoundVar->getType();
4586 Importer.ToDiag(FoundVar->getLocation(), diag::note_odr_value_here)
4587 << FoundVar->getType();
4588 ConflictingDecls.push_back(FoundDecl);
4589 }
4590 }
4591
4592 if (!ConflictingDecls.empty()) {
4593 ExpectedName NameOrErr = Importer.HandleNameConflict(
4594 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
4595 if (NameOrErr)
4596 Name = NameOrErr.get();
4597 else
4598 return NameOrErr.takeError();
4599 }
4600 }
4601
4602 Error Err = Error::success();
4603 auto ToType = importChecked(Err, D->getType());
4604 auto ToTypeSourceInfo = importChecked(Err, D->getTypeSourceInfo());
4605 auto ToInnerLocStart = importChecked(Err, D->getInnerLocStart());
4606 auto ToQualifierLoc = importChecked(Err, D->getQualifierLoc());
4607 if (Err)
4608 return std::move(Err);
4609
4610 VarDecl *ToVar;
4611 if (auto *FromDecomp = dyn_cast<DecompositionDecl>(D)) {
4612 SmallVector<BindingDecl *> Bindings(FromDecomp->bindings().size());
4613 if (Error Err =
4614 ImportArrayChecked(FromDecomp->bindings(), Bindings.begin()))
4615 return std::move(Err);
4616 DecompositionDecl *ToDecomp;
4617 if (GetImportedOrCreateDecl(
4618 ToDecomp, FromDecomp, Importer.getToContext(), DC, ToInnerLocStart,
4619 Loc, ToType, ToTypeSourceInfo, D->getStorageClass(), Bindings))
4620 return ToDecomp;
4621 ToVar = ToDecomp;
4622 } else {
4623 // Create the imported variable.
4624 if (GetImportedOrCreateDecl(ToVar, D, Importer.getToContext(), DC,
4625 ToInnerLocStart, Loc,
4626 Name.getAsIdentifierInfo(), ToType,
4627 ToTypeSourceInfo, D->getStorageClass()))
4628 return ToVar;
4629 }
4630
4631 ToVar->setTSCSpec(D->getTSCSpec());
4632 ToVar->setQualifierInfo(ToQualifierLoc);
4633 ToVar->setAccess(D->getAccess());
4634 ToVar->setLexicalDeclContext(LexicalDC);
4635 if (D->isInlineSpecified())
4636 ToVar->setInlineSpecified();
4637 if (D->isInline())
4638 ToVar->setImplicitlyInline();
4639
4640 if (FoundByLookup) {
4641 auto *Recent = const_cast<VarDecl *>(FoundByLookup->getMostRecentDecl());
4642 ToVar->setPreviousDecl(Recent);
4643 }
4644
4645 // Import the described template, if any.
4646 if (D->getDescribedVarTemplate()) {
4647 auto ToVTOrErr = import(D->getDescribedVarTemplate());
4648 if (!ToVTOrErr)
4649 return ToVTOrErr.takeError();
4650 } else if (MemberSpecializationInfo *MSI = D->getMemberSpecializationInfo()) {
4651 TemplateSpecializationKind SK = MSI->getTemplateSpecializationKind();
4652 VarDecl *FromInst = D->getInstantiatedFromStaticDataMember();
4653 if (Expected<VarDecl *> ToInstOrErr = import(FromInst))
4654 ToVar->setInstantiationOfStaticDataMember(*ToInstOrErr, SK);
4655 else
4656 return ToInstOrErr.takeError();
4657 if (ExpectedSLoc POIOrErr = import(MSI->getPointOfInstantiation()))
4659 else
4660 return POIOrErr.takeError();
4661 }
4662
4663 if (Error Err = ImportInitializer(D, ToVar))
4664 return std::move(Err);
4665
4666 if (D->isConstexpr())
4667 ToVar->setConstexpr(true);
4668
4669 addDeclToContexts(D, ToVar);
4670
4671 // Import the rest of the chain. I.e. import all subsequent declarations.
4672 for (++RedeclIt; RedeclIt != Redecls.end(); ++RedeclIt) {
4673 ExpectedDecl RedeclOrErr = import(*RedeclIt);
4674 if (!RedeclOrErr)
4675 return RedeclOrErr.takeError();
4676 }
4677
4678 return ToVar;
4679}
4680
4682 // Parameters are created in the translation unit's context, then moved
4683 // into the function declaration's context afterward.
4685
4686 Error Err = Error::success();
4687 auto ToDeclName = importChecked(Err, D->getDeclName());
4688 auto ToLocation = importChecked(Err, D->getLocation());
4689 auto ToType = importChecked(Err, D->getType());
4690 if (Err)
4691 return std::move(Err);
4692
4693 // Create the imported parameter.
4694 ImplicitParamDecl *ToParm = nullptr;
4695 if (GetImportedOrCreateDecl(ToParm, D, Importer.getToContext(), DC,
4696 ToLocation, ToDeclName.getAsIdentifierInfo(),
4697 ToType, D->getParameterKind()))
4698 return ToParm;
4699 return ToParm;
4700}
4701
4703 const ParmVarDecl *FromParam, ParmVarDecl *ToParam) {
4706 FromParam->getExplicitObjectParamThisLoc());
4707 ToParam->setKNRPromoted(FromParam->isKNRPromoted());
4708
4709 if (FromParam->hasUninstantiatedDefaultArg()) {
4710 if (auto ToDefArgOrErr = import(FromParam->getUninstantiatedDefaultArg()))
4711 ToParam->setUninstantiatedDefaultArg(*ToDefArgOrErr);
4712 else
4713 return ToDefArgOrErr.takeError();
4714 } else if (FromParam->hasUnparsedDefaultArg()) {
4715 ToParam->setUnparsedDefaultArg();
4716 } else if (FromParam->hasDefaultArg()) {
4717 if (auto ToDefArgOrErr = import(FromParam->getDefaultArg()))
4718 ToParam->setDefaultArg(*ToDefArgOrErr);
4719 else
4720 return ToDefArgOrErr.takeError();
4721 }
4722
4723 return Error::success();
4724}
4725
4728 Error Err = Error::success();
4729 CXXConstructorDecl *ToBaseCtor = importChecked(Err, From.getConstructor());
4730 ConstructorUsingShadowDecl *ToShadow =
4731 importChecked(Err, From.getShadowDecl());
4732 if (Err)
4733 return std::move(Err);
4734 return InheritedConstructor(ToShadow, ToBaseCtor);
4735}
4736
4738 // Parameters are created in the translation unit's context, then moved
4739 // into the function declaration's context afterward.
4741
4742 Error Err = Error::success();
4743 auto ToDeclName = importChecked(Err, D->getDeclName());
4744 auto ToLocation = importChecked(Err, D->getLocation());
4745 auto ToInnerLocStart = importChecked(Err, D->getInnerLocStart());
4746 auto ToType = importChecked(Err, D->getType());
4747 auto ToTypeSourceInfo = importChecked(Err, D->getTypeSourceInfo());
4748 if (Err)
4749 return std::move(Err);
4750
4751 ParmVarDecl *ToParm;
4752 if (GetImportedOrCreateDecl(ToParm, D, Importer.getToContext(), DC,
4753 ToInnerLocStart, ToLocation,
4754 ToDeclName.getAsIdentifierInfo(), ToType,
4755 ToTypeSourceInfo, D->getStorageClass(),
4756 /*DefaultArg*/ nullptr))
4757 return ToParm;
4758
4759 // Set the default argument. It should be no problem if it was already done.
4760 // Do not import the default expression before GetImportedOrCreateDecl call
4761 // to avoid possible infinite import loop because circular dependency.
4762 if (Error Err = ImportDefaultArgOfParmVarDecl(D, ToParm))
4763 return std::move(Err);
4764
4765 if (D->isObjCMethodParameter()) {
4766 ToParm->setObjCMethodScopeInfo(D->getFunctionScopeIndex());
4767 ToParm->setObjCDeclQualifier(D->getObjCDeclQualifier());
4768 } else {
4769 ToParm->setScopeInfo(D->getFunctionScopeDepth(),
4770 D->getFunctionScopeIndex());
4771 }
4772
4773 return ToParm;
4774}
4775
4777 // Import the major distinguishing characteristics of a method.
4778 DeclContext *DC, *LexicalDC;
4779 DeclarationName Name;
4781 NamedDecl *ToD;
4782 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
4783 return std::move(Err);
4784 if (ToD)
4785 return ToD;
4786
4787 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4788 for (auto *FoundDecl : FoundDecls) {
4789 if (auto *FoundMethod = dyn_cast<ObjCMethodDecl>(FoundDecl)) {
4790 if (FoundMethod->isInstanceMethod() != D->isInstanceMethod())
4791 continue;
4792
4793 // Check return types.
4794 if (!Importer.IsStructurallyEquivalent(D->getReturnType(),
4795 FoundMethod->getReturnType())) {
4796 Importer.ToDiag(Loc, diag::warn_odr_objc_method_result_type_inconsistent)
4797 << D->isInstanceMethod() << Name << D->getReturnType()
4798 << FoundMethod->getReturnType();
4799 Importer.ToDiag(FoundMethod->getLocation(),
4800 diag::note_odr_objc_method_here)
4801 << D->isInstanceMethod() << Name;
4802
4803 return make_error<ASTImportError>(ASTImportError::NameConflict);
4804 }
4805
4806 // Check the number of parameters.
4807 if (D->param_size() != FoundMethod->param_size()) {
4808 Importer.ToDiag(Loc, diag::warn_odr_objc_method_num_params_inconsistent)
4809 << D->isInstanceMethod() << Name
4810 << D->param_size() << FoundMethod->param_size();
4811 Importer.ToDiag(FoundMethod->getLocation(),
4812 diag::note_odr_objc_method_here)
4813 << D->isInstanceMethod() << Name;
4814
4815 return make_error<ASTImportError>(ASTImportError::NameConflict);
4816 }
4817
4818 // Check parameter types.
4819 for (ObjCMethodDecl::param_iterator P = D->param_begin(),
4820 PEnd = D->param_end(), FoundP = FoundMethod->param_begin();
4821 P != PEnd; ++P, ++FoundP) {
4822 if (!Importer.IsStructurallyEquivalent((*P)->getType(),
4823 (*FoundP)->getType())) {
4824 Importer.FromDiag((*P)->getLocation(),
4825 diag::warn_odr_objc_method_param_type_inconsistent)
4826 << D->isInstanceMethod() << Name
4827 << (*P)->getType() << (*FoundP)->getType();
4828 Importer.ToDiag((*FoundP)->getLocation(), diag::note_odr_value_here)
4829 << (*FoundP)->getType();
4830
4831 return make_error<ASTImportError>(ASTImportError::NameConflict);
4832 }
4833 }
4834
4835 // Check variadic/non-variadic.
4836 // Check the number of parameters.
4837 if (D->isVariadic() != FoundMethod->isVariadic()) {
4838 Importer.ToDiag(Loc, diag::warn_odr_objc_method_variadic_inconsistent)
4839 << D->isInstanceMethod() << Name;
4840 Importer.ToDiag(FoundMethod->getLocation(),
4841 diag::note_odr_objc_method_here)
4842 << D->isInstanceMethod() << Name;
4843
4844 return make_error<ASTImportError>(ASTImportError::NameConflict);
4845 }
4846
4847 // FIXME: Any other bits we need to merge?
4848 return Importer.MapImported(D, FoundMethod);
4849 }
4850 }
4851
4852 Error Err = Error::success();
4853 auto ToEndLoc = importChecked(Err, D->getEndLoc());
4854 auto ToReturnType = importChecked(Err, D->getReturnType());
4855 auto ToReturnTypeSourceInfo =
4856 importChecked(Err, D->getReturnTypeSourceInfo());
4857 if (Err)
4858 return std::move(Err);
4859
4860 ObjCMethodDecl *ToMethod;
4861 if (GetImportedOrCreateDecl(
4862 ToMethod, D, Importer.getToContext(), Loc, ToEndLoc,
4863 Name.getObjCSelector(), ToReturnType, ToReturnTypeSourceInfo, DC,
4864 D->isInstanceMethod(), D->isVariadic(), D->isPropertyAccessor(),
4865 D->isSynthesizedAccessorStub(), D->isImplicit(), D->isDefined(),
4866 D->getImplementationControl(), D->hasRelatedResultType()))
4867 return ToMethod;
4868
4869 // FIXME: When we decide to merge method definitions, we'll need to
4870 // deal with implicit parameters.
4871
4872 // Import the parameters
4874 for (auto *FromP : D->parameters()) {
4875 if (Expected<ParmVarDecl *> ToPOrErr = import(FromP))
4876 ToParams.push_back(*ToPOrErr);
4877 else
4878 return ToPOrErr.takeError();
4879 }
4880
4881 // Set the parameters.
4882 for (auto *ToParam : ToParams) {
4883 ToParam->setOwningFunction(ToMethod);
4884 ToMethod->addDeclInternal(ToParam);
4885 }
4886
4888 D->getSelectorLocs(FromSelLocs);
4889 SmallVector<SourceLocation, 12> ToSelLocs(FromSelLocs.size());
4890 if (Error Err = ImportContainerChecked(FromSelLocs, ToSelLocs))
4891 return std::move(Err);
4892
4893 ToMethod->setMethodParams(Importer.getToContext(), ToParams, ToSelLocs);
4894
4895 ToMethod->setLexicalDeclContext(LexicalDC);
4896 LexicalDC->addDeclInternal(ToMethod);
4897
4898 // Implicit params are declared when Sema encounters the definition but this
4899 // never happens when the method is imported. Manually declare the implicit
4900 // params now that the MethodDecl knows its class interface.
4901 if (D->getSelfDecl())
4902 ToMethod->createImplicitParams(Importer.getToContext(),
4903 ToMethod->getClassInterface());
4904
4905 return ToMethod;
4906}
4907
4909 // Import the major distinguishing characteristics of a category.
4910 DeclContext *DC, *LexicalDC;
4911 DeclarationName Name;
4913 NamedDecl *ToD;
4914 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
4915 return std::move(Err);
4916 if (ToD)
4917 return ToD;
4918
4919 Error Err = Error::success();
4920 auto ToVarianceLoc = importChecked(Err, D->getVarianceLoc());
4921 auto ToLocation = importChecked(Err, D->getLocation());
4922 auto ToColonLoc = importChecked(Err, D->getColonLoc());
4923 auto ToTypeSourceInfo = importChecked(Err, D->getTypeSourceInfo());
4924 if (Err)
4925 return std::move(Err);
4926
4928 if (GetImportedOrCreateDecl(
4929 Result, D, Importer.getToContext(), DC, D->getVariance(),
4930 ToVarianceLoc, D->getIndex(),
4931 ToLocation, Name.getAsIdentifierInfo(),
4932 ToColonLoc, ToTypeSourceInfo))
4933 return Result;
4934
4935 // Only import 'ObjCTypeParamType' after the decl is created.
4936 auto ToTypeForDecl = importChecked(Err, D->getTypeForDecl());
4937 if (Err)
4938 return std::move(Err);
4939 Result->setTypeForDecl(ToTypeForDecl);
4940 Result->setLexicalDeclContext(LexicalDC);
4941 return Result;
4942}
4943
4945 // Import the major distinguishing characteristics of a category.
4946 DeclContext *DC, *LexicalDC;
4947 DeclarationName Name;
4949 NamedDecl *ToD;
4950 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
4951 return std::move(Err);
4952 if (ToD)
4953 return ToD;
4954
4955 ObjCInterfaceDecl *ToInterface;
4956 if (Error Err = importInto(ToInterface, D->getClassInterface()))
4957 return std::move(Err);
4958
4959 // Determine if we've already encountered this category.
4960 ObjCCategoryDecl *MergeWithCategory
4961 = ToInterface->FindCategoryDeclaration(Name.getAsIdentifierInfo());
4962 ObjCCategoryDecl *ToCategory = MergeWithCategory;
4963 if (!ToCategory) {
4964
4965 Error Err = Error::success();
4966 auto ToAtStartLoc = importChecked(Err, D->getAtStartLoc());
4967 auto ToCategoryNameLoc = importChecked(Err, D->getCategoryNameLoc());
4968 auto ToIvarLBraceLoc = importChecked(Err, D->getIvarLBraceLoc());
4969 auto ToIvarRBraceLoc = importChecked(Err, D->getIvarRBraceLoc());
4970 if (Err)
4971 return std::move(Err);
4972
4973 if (GetImportedOrCreateDecl(ToCategory, D, Importer.getToContext(), DC,
4974 ToAtStartLoc, Loc,
4975 ToCategoryNameLoc,
4976 Name.getAsIdentifierInfo(), ToInterface,
4977 /*TypeParamList=*/nullptr,
4978 ToIvarLBraceLoc,
4979 ToIvarRBraceLoc))
4980 return ToCategory;
4981
4982 ToCategory->setLexicalDeclContext(LexicalDC);
4983 LexicalDC->addDeclInternal(ToCategory);
4984 // Import the type parameter list after MapImported, to avoid
4985 // loops when bringing in their DeclContext.
4986 if (auto PListOrErr = ImportObjCTypeParamList(D->getTypeParamList()))
4987 ToCategory->setTypeParamList(*PListOrErr);
4988 else
4989 return PListOrErr.takeError();
4990
4991 // Import protocols
4993 SmallVector<SourceLocation, 4> ProtocolLocs;
4995 = D->protocol_loc_begin();
4996 for (ObjCCategoryDecl::protocol_iterator FromProto = D->protocol_begin(),
4997 FromProtoEnd = D->protocol_end();
4998 FromProto != FromProtoEnd;
4999 ++FromProto, ++FromProtoLoc) {
5000 if (Expected<ObjCProtocolDecl *> ToProtoOrErr = import(*FromProto))
5001 Protocols.push_back(*ToProtoOrErr);
5002 else
5003 return ToProtoOrErr.takeError();
5004
5005 if (ExpectedSLoc ToProtoLocOrErr = import(*FromProtoLoc))
5006 ProtocolLocs.push_back(*ToProtoLocOrErr);
5007 else
5008 return ToProtoLocOrErr.takeError();
5009 }
5010
5011 // FIXME: If we're merging, make sure that the protocol list is the same.
5012 ToCategory->setProtocolList(Protocols.data(), Protocols.size(),
5013 ProtocolLocs.data(), Importer.getToContext());
5014
5015 } else {
5016 Importer.MapImported(D, ToCategory);
5017 }
5018
5019 // Import all of the members of this category.
5020 if (Error Err = ImportDeclContext(D))
5021 return std::move(Err);
5022
5023 // If we have an implementation, import it as well.
5024 if (D->getImplementation()) {
5025 if (Expected<ObjCCategoryImplDecl *> ToImplOrErr =
5026 import(D->getImplementation()))
5027 ToCategory->setImplementation(*ToImplOrErr);
5028 else
5029 return ToImplOrErr.takeError();
5030 }
5031
5032 return ToCategory;
5033}
5034
5037 if (To->getDefinition()) {
5039 if (Error Err = ImportDeclContext(From))
5040 return Err;
5041 return Error::success();
5042 }
5043
5044 // Start the protocol definition
5045 To->startDefinition();
5046
5047 // Import protocols
5049 SmallVector<SourceLocation, 4> ProtocolLocs;
5051 From->protocol_loc_begin();
5052 for (ObjCProtocolDecl::protocol_iterator FromProto = From->protocol_begin(),
5053 FromProtoEnd = From->protocol_end();
5054 FromProto != FromProtoEnd;
5055 ++FromProto, ++FromProtoLoc) {
5056 if (Expected<ObjCProtocolDecl *> ToProtoOrErr = import(*FromProto))
5057 Protocols.push_back(*ToProtoOrErr);
5058 else
5059 return ToProtoOrErr.takeError();
5060
5061 if (ExpectedSLoc ToProtoLocOrErr = import(*FromProtoLoc))
5062 ProtocolLocs.push_back(*ToProtoLocOrErr);
5063 else
5064 return ToProtoLocOrErr.takeError();
5065
5066 }
5067
5068 // FIXME: If we're merging, make sure that the protocol list is the same.
5069 To->setProtocolList(Protocols.data(), Protocols.size(),
5070 ProtocolLocs.data(), Importer.getToContext());
5071
5072 if (shouldForceImportDeclContext(Kind)) {
5073 // Import all of the members of this protocol.
5074 if (Error Err = ImportDeclContext(From, /*ForceImport=*/true))
5075 return Err;
5076 }
5077 return Error::success();
5078}
5079
5081 // If this protocol has a definition in the translation unit we're coming
5082 // from, but this particular declaration is not that definition, import the
5083 // definition and map to that.
5084 ObjCProtocolDecl *Definition = D->getDefinition();
5085 if (Definition && Definition != D) {
5086 if (ExpectedDecl ImportedDefOrErr = import(Definition))
5087 return Importer.MapImported(D, *ImportedDefOrErr);
5088 else
5089 return ImportedDefOrErr.takeError();
5090 }
5091
5092 // Import the major distinguishing characteristics of a protocol.
5093 DeclContext *DC, *LexicalDC;
5094 DeclarationName Name;
5096 NamedDecl *ToD;
5097 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5098 return std::move(Err);
5099 if (ToD)
5100 return ToD;
5101
5102 ObjCProtocolDecl *MergeWithProtocol = nullptr;
5103 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
5104 for (auto *FoundDecl : FoundDecls) {
5106 continue;
5107
5108 if ((MergeWithProtocol = dyn_cast<ObjCProtocolDecl>(FoundDecl)))
5109 break;
5110 }
5111
5112 ObjCProtocolDecl *ToProto = MergeWithProtocol;
5113 if (!ToProto) {
5114 auto ToAtBeginLocOrErr = import(D->getAtStartLoc());
5115 if (!ToAtBeginLocOrErr)
5116 return ToAtBeginLocOrErr.takeError();
5117
5118 if (GetImportedOrCreateDecl(ToProto, D, Importer.getToContext(), DC,
5119 Name.getAsIdentifierInfo(), Loc,
5120 *ToAtBeginLocOrErr,
5121 /*PrevDecl=*/nullptr))
5122 return ToProto;
5123 ToProto->setLexicalDeclContext(LexicalDC);
5124 LexicalDC->addDeclInternal(ToProto);
5125 }
5126
5127 Importer.MapImported(D, ToProto);
5128
5129 if (D->isThisDeclarationADefinition())
5130 if (Error Err = ImportDefinition(D, ToProto))
5131 return std::move(Err);
5132
5133 return ToProto;
5134}
5135
5137 DeclContext *DC, *LexicalDC;
5138 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
5139 return std::move(Err);
5140
5141 ExpectedSLoc ExternLocOrErr = import(D->getExternLoc());
5142 if (!ExternLocOrErr)
5143 return ExternLocOrErr.takeError();
5144
5145 ExpectedSLoc LangLocOrErr = import(D->getLocation());
5146 if (!LangLocOrErr)
5147 return LangLocOrErr.takeError();
5148
5149 bool HasBraces = D->hasBraces();
5150
5151 LinkageSpecDecl *ToLinkageSpec;
5152 if (GetImportedOrCreateDecl(ToLinkageSpec, D, Importer.getToContext(), DC,
5153 *ExternLocOrErr, *LangLocOrErr,
5154 D->getLanguage(), HasBraces))
5155 return ToLinkageSpec;
5156
5157 if (HasBraces) {
5158 ExpectedSLoc RBraceLocOrErr = import(D->getRBraceLoc());
5159 if (!RBraceLocOrErr)
5160 return RBraceLocOrErr.takeError();
5161 ToLinkageSpec->setRBraceLoc(*RBraceLocOrErr);
5162 }
5163
5164 ToLinkageSpec->setLexicalDeclContext(LexicalDC);
5165 LexicalDC->addDeclInternal(ToLinkageSpec);
5166
5167 return ToLinkageSpec;
5168}
5169
5171 BaseUsingDecl *ToSI) {
5172 for (UsingShadowDecl *FromShadow : D->shadows()) {
5173 if (Expected<UsingShadowDecl *> ToShadowOrErr = import(FromShadow))
5174 ToSI->addShadowDecl(*ToShadowOrErr);
5175 else
5176 // FIXME: We return error here but the definition is already created
5177 // and available with lookups. How to fix this?..
5178 return ToShadowOrErr.takeError();
5179 }
5180 return ToSI;
5181}
5182
5184 DeclContext *DC, *LexicalDC;
5185 DeclarationName Name;
5187 NamedDecl *ToD = nullptr;
5188 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5189 return std::move(Err);
5190 if (ToD)
5191 return ToD;
5192
5193 Error Err = Error::success();
5194 auto ToLoc = importChecked(Err, D->getNameInfo().getLoc());
5195 auto ToUsingLoc = importChecked(Err, D->getUsingLoc());
5196 auto ToQualifierLoc = importChecked(Err, D->getQualifierLoc());
5197 if (Err)
5198 return std::move(Err);
5199
5200 DeclarationNameInfo NameInfo(Name, ToLoc);
5201 if (Error Err = ImportDeclarationNameLoc(D->getNameInfo(), NameInfo))
5202 return std::move(Err);
5203
5204 UsingDecl *ToUsing;
5205 if (GetImportedOrCreateDecl(ToUsing, D, Importer.getToContext(), DC,
5206 ToUsingLoc, ToQualifierLoc, NameInfo,
5207 D->hasTypename()))
5208 return ToUsing;
5209
5210 ToUsing->setLexicalDeclContext(LexicalDC);
5211 LexicalDC->addDeclInternal(ToUsing);
5212
5213 if (NamedDecl *FromPattern =
5215 if (Expected<NamedDecl *> ToPatternOrErr = import(FromPattern))
5217 ToUsing, *ToPatternOrErr);
5218 else
5219 return ToPatternOrErr.takeError();
5220 }
5221
5222 return ImportUsingShadowDecls(D, ToUsing);
5223}
5224
5226 DeclContext *DC, *LexicalDC;
5227 DeclarationName Name;
5229 NamedDecl *ToD = nullptr;
5230 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5231 return std::move(Err);
5232 if (ToD)
5233 return ToD;
5234
5235 Error Err = Error::success();
5236 auto ToUsingLoc = importChecked(Err, D->getUsingLoc());
5237 auto ToEnumLoc = importChecked(Err, D->getEnumLoc());
5238 auto ToNameLoc = importChecked(Err, D->getLocation());
5239 auto *ToEnumType = importChecked(Err, D->getEnumType());
5240 if (Err)
5241 return std::move(Err);
5242
5243 UsingEnumDecl *ToUsingEnum;
5244 if (GetImportedOrCreateDecl(ToUsingEnum, D, Importer.getToContext(), DC,
5245 ToUsingLoc, ToEnumLoc, ToNameLoc, ToEnumType))
5246 return ToUsingEnum;
5247
5248 ToUsingEnum->setLexicalDeclContext(LexicalDC);
5249 LexicalDC->addDeclInternal(ToUsingEnum);
5250
5251 if (UsingEnumDecl *FromPattern =
5253 if (Expected<UsingEnumDecl *> ToPatternOrErr = import(FromPattern))
5254 Importer.getToContext().setInstantiatedFromUsingEnumDecl(ToUsingEnum,
5255 *ToPatternOrErr);
5256 else
5257 return ToPatternOrErr.takeError();
5258 }
5259
5260 return ImportUsingShadowDecls(D, ToUsingEnum);
5261}
5262
5264 DeclContext *DC, *LexicalDC;
5265 DeclarationName Name;
5267 NamedDecl *ToD = nullptr;
5268 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5269 return std::move(Err);
5270 if (ToD)
5271 return ToD;
5272
5273 Expected<BaseUsingDecl *> ToIntroducerOrErr = import(D->getIntroducer());
5274 if (!ToIntroducerOrErr)
5275 return ToIntroducerOrErr.takeError();
5276
5277 Expected<NamedDecl *> ToTargetOrErr = import(D->getTargetDecl());
5278 if (!ToTargetOrErr)
5279 return ToTargetOrErr.takeError();
5280
5281 UsingShadowDecl *ToShadow;
5282 if (auto *FromConstructorUsingShadow =
5283 dyn_cast<ConstructorUsingShadowDecl>(D)) {
5284 Error Err = Error::success();
5286 Err, FromConstructorUsingShadow->getNominatedBaseClassShadowDecl());
5287 if (Err)
5288 return std::move(Err);
5289 // The 'Target' parameter of ConstructorUsingShadowDecl constructor
5290 // is really the "NominatedBaseClassShadowDecl" value if it exists
5291 // (see code of ConstructorUsingShadowDecl::ConstructorUsingShadowDecl).
5292 // We should pass the NominatedBaseClassShadowDecl to it (if non-null) to
5293 // get the correct values.
5294 if (GetImportedOrCreateDecl<ConstructorUsingShadowDecl>(
5295 ToShadow, D, Importer.getToContext(), DC, Loc,
5296 cast<UsingDecl>(*ToIntroducerOrErr),
5297 Nominated ? Nominated : *ToTargetOrErr,
5298 FromConstructorUsingShadow->constructsVirtualBase()))
5299 return ToShadow;
5300 } else {
5301 if (GetImportedOrCreateDecl(ToShadow, D, Importer.getToContext(), DC, Loc,
5302 Name, *ToIntroducerOrErr, *ToTargetOrErr))
5303 return ToShadow;
5304 }
5305
5306 ToShadow->setLexicalDeclContext(LexicalDC);
5307 ToShadow->setAccess(D->getAccess());
5308
5309 if (UsingShadowDecl *FromPattern =
5311 if (Expected<UsingShadowDecl *> ToPatternOrErr = import(FromPattern))
5313 ToShadow, *ToPatternOrErr);
5314 else
5315 // FIXME: We return error here but the definition is already created
5316 // and available with lookups. How to fix this?..
5317 return ToPatternOrErr.takeError();
5318 }
5319
5320 LexicalDC->addDeclInternal(ToShadow);
5321
5322 return ToShadow;
5323}
5324
5326 DeclContext *DC, *LexicalDC;
5327 DeclarationName Name;
5329 NamedDecl *ToD = nullptr;
5330 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5331 return std::move(Err);
5332 if (ToD)
5333 return ToD;
5334
5335 auto ToComAncestorOrErr = Importer.ImportContext(D->getCommonAncestor());
5336 if (!ToComAncestorOrErr)
5337 return ToComAncestorOrErr.takeError();
5338
5339 Error Err = Error::success();
5340 auto ToNominatedNamespace = importChecked(Err, D->getNominatedNamespace());
5341 auto ToUsingLoc = importChecked(Err, D->getUsingLoc());
5342 auto ToNamespaceKeyLocation =
5343 importChecked(Err, D->getNamespaceKeyLocation());
5344 auto ToQualifierLoc = importChecked(Err, D->getQualifierLoc());
5345 auto ToIdentLocation = importChecked(Err, D->getIdentLocation());
5346 if (Err)
5347 return std::move(Err);
5348
5349 UsingDirectiveDecl *ToUsingDir;
5350 if (GetImportedOrCreateDecl(ToUsingDir, D, Importer.getToContext(), DC,
5351 ToUsingLoc,
5352 ToNamespaceKeyLocation,
5353 ToQualifierLoc,
5354 ToIdentLocation,
5355 ToNominatedNamespace, *ToComAncestorOrErr))
5356 return ToUsingDir;
5357
5358 ToUsingDir->setLexicalDeclContext(LexicalDC);
5359 LexicalDC->addDeclInternal(ToUsingDir);
5360
5361 return ToUsingDir;
5362}
5363
5365 DeclContext *DC, *LexicalDC;
5366 DeclarationName Name;
5368 NamedDecl *ToD = nullptr;
5369 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5370 return std::move(Err);
5371 if (ToD)
5372 return ToD;
5373
5374 auto ToInstantiatedFromUsingOrErr =
5375 Importer.Import(D->getInstantiatedFromUsingDecl());
5376 if (!ToInstantiatedFromUsingOrErr)
5377 return ToInstantiatedFromUsingOrErr.takeError();
5378 SmallVector<NamedDecl *, 4> Expansions(D->expansions().size());
5379 if (Error Err = ImportArrayChecked(D->expansions(), Expansions.begin()))
5380 return std::move(Err);
5381
5382 UsingPackDecl *ToUsingPack;
5383 if (GetImportedOrCreateDecl(ToUsingPack, D, Importer.getToContext(), DC,
5384 cast<NamedDecl>(*ToInstantiatedFromUsingOrErr),
5385 Expansions))
5386 return ToUsingPack;
5387
5388 addDeclToContexts(D, ToUsingPack);
5389
5390 return ToUsingPack;
5391}
5392
5395 DeclContext *DC, *LexicalDC;
5396 DeclarationName Name;
5398 NamedDecl *ToD = nullptr;
5399 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5400 return std::move(Err);
5401 if (ToD)
5402 return ToD;
5403
5404 Error Err = Error::success();
5405 auto ToLoc = importChecked(Err, D->getNameInfo().getLoc());
5406 auto ToUsingLoc = importChecked(Err, D->getUsingLoc());
5407 auto ToQualifierLoc = importChecked(Err, D->getQualifierLoc());
5408 auto ToEllipsisLoc = importChecked(Err, D->getEllipsisLoc());
5409 if (Err)
5410 return std::move(Err);
5411
5412 DeclarationNameInfo NameInfo(Name, ToLoc);
5413 if (Error Err = ImportDeclarationNameLoc(D->getNameInfo(), NameInfo))
5414 return std::move(Err);
5415
5416 UnresolvedUsingValueDecl *ToUsingValue;
5417 if (GetImportedOrCreateDecl(ToUsingValue, D, Importer.getToContext(), DC,
5418 ToUsingLoc, ToQualifierLoc, NameInfo,
5419 ToEllipsisLoc))
5420 return ToUsingValue;
5421
5422 ToUsingValue->setAccess(D->getAccess());
5423 ToUsingValue->setLexicalDeclContext(LexicalDC);
5424 LexicalDC->addDeclInternal(ToUsingValue);
5425
5426 return ToUsingValue;
5427}
5428
5431 DeclContext *DC, *LexicalDC;
5432 DeclarationName Name;
5434 NamedDecl *ToD = nullptr;
5435 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5436 return std::move(Err);
5437 if (ToD)
5438 return ToD;
5439
5440 Error Err = Error::success();
5441 auto ToUsingLoc = importChecked(Err, D->getUsingLoc());
5442 auto ToTypenameLoc = importChecked(Err, D->getTypenameLoc());
5443 auto ToQualifierLoc = importChecked(Err, D->getQualifierLoc());
5444 auto ToEllipsisLoc = importChecked(Err, D->getEllipsisLoc());
5445 if (Err)
5446 return std::move(Err);
5447
5449 if (GetImportedOrCreateDecl(ToUsing, D, Importer.getToContext(), DC,
5450 ToUsingLoc, ToTypenameLoc,
5451 ToQualifierLoc, Loc, Name, ToEllipsisLoc))
5452 return ToUsing;
5453
5454 ToUsing->setAccess(D->getAccess());
5455 ToUsing->setLexicalDeclContext(LexicalDC);
5456 LexicalDC->addDeclInternal(ToUsing);
5457
5458 return ToUsing;
5459}
5460
5462 Decl* ToD = nullptr;
5463 switch (D->getBuiltinTemplateKind()) {
5465 ToD = Importer.getToContext().getMakeIntegerSeqDecl();
5466 break;
5468 ToD = Importer.getToContext().getTypePackElementDecl();
5469 break;
5471 ToD = Importer.getToContext().getBuiltinCommonTypeDecl();
5472 break;
5473 }
5474 assert(ToD && "BuiltinTemplateDecl of unsupported kind!");
5475 Importer.MapImported(D, ToD);
5476 return ToD;
5477}
5478
5481 if (To->getDefinition()) {
5482 // Check consistency of superclass.
5483 ObjCInterfaceDecl *FromSuper = From->getSuperClass();
5484 if (FromSuper) {
5485 if (auto FromSuperOrErr = import(FromSuper))
5486 FromSuper = *FromSuperOrErr;
5487 else
5488 return FromSuperOrErr.takeError();
5489 }
5490
5491 ObjCInterfaceDecl *ToSuper = To->getSuperClass();
5492 if ((bool)FromSuper != (bool)ToSuper ||
5493 (FromSuper && !declaresSameEntity(FromSuper, ToSuper))) {
5494 Importer.ToDiag(To->getLocation(),
5495 diag::warn_odr_objc_superclass_inconsistent)
5496 << To->getDeclName();
5497 if (ToSuper)
5498 Importer.ToDiag(To->getSuperClassLoc(), diag::note_odr_objc_superclass)
5499 << To->getSuperClass()->getDeclName();
5500 else
5501 Importer.ToDiag(To->getLocation(),
5502 diag::note_odr_objc_missing_superclass);
5503 if (From->getSuperClass())
5504 Importer.FromDiag(From->getSuperClassLoc(),
5505 diag::note_odr_objc_superclass)
5506 << From->getSuperClass()->getDeclName();
5507 else
5508 Importer.FromDiag(From->getLocation(),
5509 diag::note_odr_objc_missing_superclass);
5510 }
5511
5513 if (Error Err = ImportDeclContext(From))
5514 return Err;
5515 return Error::success();
5516 }
5517
5518 // Start the definition.
5519 To->startDefinition();
5520
5521 // If this class has a superclass, import it.
5522 if (From->getSuperClass()) {
5523 if (auto SuperTInfoOrErr = import(From->getSuperClassTInfo()))
5524 To->setSuperClass(*SuperTInfoOrErr);
5525 else
5526 return SuperTInfoOrErr.takeError();
5527 }
5528
5529 // Import protocols
5531 SmallVector<SourceLocation, 4> ProtocolLocs;
5533 From->protocol_loc_begin();
5534
5536 FromProtoEnd = From->protocol_end();
5537 FromProto != FromProtoEnd;
5538 ++FromProto, ++FromProtoLoc) {
5539 if (Expected<ObjCProtocolDecl *> ToProtoOrErr = import(*FromProto))
5540 Protocols.push_back(*ToProtoOrErr);
5541 else
5542 return ToProtoOrErr.takeError();
5543
5544 if (ExpectedSLoc ToProtoLocOrErr = import(*FromProtoLoc))
5545 ProtocolLocs.push_back(*ToProtoLocOrErr);
5546 else
5547 return ToProtoLocOrErr.takeError();
5548
5549 }
5550
5551 // FIXME: If we're merging, make sure that the protocol list is the same.
5552 To->setProtocolList(Protocols.data(), Protocols.size(),
5553 ProtocolLocs.data(), Importer.getToContext());
5554
5555 // Import categories. When the categories themselves are imported, they'll
5556 // hook themselves into this interface.
5557 for (auto *Cat : From->known_categories()) {
5558 auto ToCatOrErr = import(Cat);
5559 if (!ToCatOrErr)
5560 return ToCatOrErr.takeError();
5561 }
5562
5563 // If we have an @implementation, import it as well.
5564 if (From->getImplementation()) {
5565 if (Expected<ObjCImplementationDecl *> ToImplOrErr =
5566 import(From->getImplementation()))
5567 To->setImplementation(*ToImplOrErr);
5568 else
5569 return ToImplOrErr.takeError();
5570 }
5571
5572 // Import all of the members of this class.
5573 if (Error Err = ImportDeclContext(From, /*ForceImport=*/true))
5574 return Err;
5575
5576 return Error::success();
5577}
5578
5581 if (!list)
5582 return nullptr;
5583
5585 for (auto *fromTypeParam : *list) {
5586 if (auto toTypeParamOrErr = import(fromTypeParam))
5587 toTypeParams.push_back(*toTypeParamOrErr);
5588 else
5589 return toTypeParamOrErr.takeError();
5590 }
5591
5592 auto LAngleLocOrErr = import(list->getLAngleLoc());
5593 if (!LAngleLocOrErr)
5594 return LAngleLocOrErr.takeError();
5595
5596 auto RAngleLocOrErr = import(list->getRAngleLoc());
5597 if (!RAngleLocOrErr)
5598 return RAngleLocOrErr.takeError();
5599
5600 return ObjCTypeParamList::create(Importer.getToContext(),
5601 *LAngleLocOrErr,
5602 toTypeParams,
5603 *RAngleLocOrErr);
5604}
5605
5607 // If this class has a definition in the translation unit we're coming from,
5608 // but this particular declaration is not that definition, import the
5609 // definition and map to that.
5610 ObjCInterfaceDecl *Definition = D->getDefinition();
5611 if (Definition && Definition != D) {
5612 if (ExpectedDecl ImportedDefOrErr = import(Definition))
5613 return Importer.MapImported(D, *ImportedDefOrErr);
5614 else
5615 return ImportedDefOrErr.takeError();
5616 }
5617
5618 // Import the major distinguishing characteristics of an @interface.
5619 DeclContext *DC, *LexicalDC;
5620 DeclarationName Name;
5622 NamedDecl *ToD;
5623 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5624 return std::move(Err);
5625 if (ToD)
5626 return ToD;
5627
5628 // Look for an existing interface with the same name.
5629 ObjCInterfaceDecl *MergeWithIface = nullptr;
5630 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
5631 for (auto *FoundDecl : FoundDecls) {
5633 continue;
5634
5635 if ((MergeWithIface = dyn_cast<ObjCInterfaceDecl>(FoundDecl)))
5636 break;
5637 }
5638
5639 // Create an interface declaration, if one does not already exist.
5640 ObjCInterfaceDecl *ToIface = MergeWithIface;
5641 if (!ToIface) {
5642 ExpectedSLoc AtBeginLocOrErr = import(D->getAtStartLoc());
5643 if (!AtBeginLocOrErr)
5644 return AtBeginLocOrErr.takeError();
5645
5646 if (GetImportedOrCreateDecl(
5647 ToIface, D, Importer.getToContext(), DC,
5648 *AtBeginLocOrErr, Name.getAsIdentifierInfo(),
5649 /*TypeParamList=*/nullptr,
5650 /*PrevDecl=*/nullptr, Loc, D->isImplicitInterfaceDecl()))
5651 return ToIface;
5652 ToIface->setLexicalDeclContext(LexicalDC);
5653 LexicalDC->addDeclInternal(ToIface);
5654 }
5655 Importer.MapImported(D, ToIface);
5656 // Import the type parameter list after MapImported, to avoid
5657 // loops when bringing in their DeclContext.
5658 if (auto ToPListOrErr =
5659 ImportObjCTypeParamList(D->getTypeParamListAsWritten()))
5660 ToIface->setTypeParamList(*ToPListOrErr);
5661 else
5662 return ToPListOrErr.takeError();
5663
5664 if (D->isThisDeclarationADefinition())
5665 if (Error Err = ImportDefinition(D, ToIface))
5666 return std::move(Err);
5667
5668 return ToIface;
5669}
5670
5674 if (Error Err = importInto(Category, D->getCategoryDecl()))
5675 return std::move(Err);
5676
5677 ObjCCategoryImplDecl *ToImpl = Category->getImplementation();
5678 if (!ToImpl) {
5679 DeclContext *DC, *LexicalDC;
5680 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
5681 return std::move(Err);
5682
5683 Error Err = Error::success();
5684 auto ToLocation = importChecked(Err, D->getLocation());
5685 auto ToAtStartLoc = importChecked(Err, D->getAtStartLoc());
5686 auto ToCategoryNameLoc = importChecked(Err, D->getCategoryNameLoc());
5687 if (Err)
5688 return std::move(Err);
5689
5690 if (GetImportedOrCreateDecl(
5691 ToImpl, D, Importer.getToContext(), DC,
5692 Importer.Import(D->getIdentifier()), Category->getClassInterface(),
5693 ToLocation, ToAtStartLoc, ToCategoryNameLoc))
5694 return ToImpl;
5695
5696 ToImpl->setLexicalDeclContext(LexicalDC);
5697 LexicalDC->addDeclInternal(ToImpl);
5698 Category->setImplementation(ToImpl);
5699 }
5700
5701 Importer.MapImported(D, ToImpl);
5702 if (Error Err = ImportDeclContext(D))
5703 return std::move(Err);
5704
5705 return ToImpl;
5706}
5707
5710 // Find the corresponding interface.
5711 ObjCInterfaceDecl *Iface;
5712 if (Error Err = importInto(Iface, D->getClassInterface()))
5713 return std::move(Err);
5714
5715 // Import the superclass, if any.
5716 ObjCInterfaceDecl *Super;
5717 if (Error Err = importInto(Super, D->getSuperClass()))
5718 return std::move(Err);
5719
5721 if (!Impl) {
5722 // We haven't imported an implementation yet. Create a new @implementation
5723 // now.
5724 DeclContext *DC, *LexicalDC;
5725 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
5726 return std::move(Err);
5727
5728 Error Err = Error::success();
5729 auto ToLocation = importChecked(Err, D->getLocation());
5730 auto ToAtStartLoc = importChecked(Err, D->getAtStartLoc());
5731 auto ToSuperClassLoc = importChecked(Err, D->getSuperClassLoc());
5732 auto ToIvarLBraceLoc = importChecked(Err, D->getIvarLBraceLoc());
5733 auto ToIvarRBraceLoc = importChecked(Err, D->getIvarRBraceLoc());
5734 if (Err)
5735 return std::move(Err);
5736
5737 if (GetImportedOrCreateDecl(Impl, D, Importer.getToContext(),
5738 DC, Iface, Super,
5739 ToLocation,
5740 ToAtStartLoc,
5741 ToSuperClassLoc,
5742 ToIvarLBraceLoc,
5743 ToIvarRBraceLoc))
5744 return Impl;
5745
5746 Impl->setLexicalDeclContext(LexicalDC);
5747
5748 // Associate the implementation with the class it implements.
5749 Iface->setImplementation(Impl);
5750 Importer.MapImported(D, Iface->getImplementation());
5751 } else {
5752 Importer.MapImported(D, Iface->getImplementation());
5753
5754 // Verify that the existing @implementation has the same superclass.
5755 if ((Super && !Impl->getSuperClass()) ||
5756 (!Super && Impl->getSuperClass()) ||
5757 (Super && Impl->getSuperClass() &&
5759 Impl->getSuperClass()))) {
5760 Importer.ToDiag(Impl->getLocation(),
5761 diag::warn_odr_objc_superclass_inconsistent)
5762 << Iface->getDeclName();
5763 // FIXME: It would be nice to have the location of the superclass
5764 // below.
5765 if (Impl->getSuperClass())
5766 Importer.ToDiag(Impl->getLocation(),
5767 diag::note_odr_objc_superclass)
5768 << Impl->getSuperClass()->getDeclName();
5769 else
5770 Importer.ToDiag(Impl->getLocation(),
5771 diag::note_odr_objc_missing_superclass);
5772 if (D->getSuperClass())
5773 Importer.FromDiag(D->getLocation(),
5774 diag::note_odr_objc_superclass)
5775 << D->getSuperClass()->getDeclName();
5776 else
5777 Importer.FromDiag(D->getLocation(),
5778 diag::note_odr_objc_missing_superclass);
5779
5780 return make_error<ASTImportError>(ASTImportError::NameConflict);
5781 }
5782 }
5783
5784 // Import all of the members of this @implementation.
5785 if (Error Err = ImportDeclContext(D))
5786 return std::move(Err);
5787
5788 return Impl;
5789}
5790
5792 // Import the major distinguishing characteristics of an @property.
5793 DeclContext *DC, *LexicalDC;
5794 DeclarationName Name;
5796 NamedDecl *ToD;
5797 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
5798 return std::move(Err);
5799 if (ToD)
5800 return ToD;
5801
5802 // Check whether we have already imported this property.
5803 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
5804 for (auto *FoundDecl : FoundDecls) {
5805 if (auto *FoundProp = dyn_cast<ObjCPropertyDecl>(FoundDecl)) {
5806 // Instance and class properties can share the same name but are different
5807 // declarations.
5808 if (FoundProp->isInstanceProperty() != D->isInstanceProperty())
5809 continue;
5810
5811 // Check property types.
5812 if (!Importer.IsStructurallyEquivalent(D->getType(),
5813 FoundProp->getType())) {
5814 Importer.ToDiag(Loc, diag::warn_odr_objc_property_type_inconsistent)
5815 << Name << D->getType() << FoundProp->getType();
5816 Importer.ToDiag(FoundProp->getLocation(), diag::note_odr_value_here)
5817 << FoundProp->getType();
5818
5819 return make_error<ASTImportError>(ASTImportError::NameConflict);
5820 }
5821
5822 // FIXME: Check property attributes, getters, setters, etc.?
5823
5824 // Consider these properties to be equivalent.
5825 Importer.MapImported(D, FoundProp);
5826 return FoundProp;
5827 }
5828 }
5829
5830 Error Err = Error::success();
5831 auto ToType = importChecked(Err, D->getType());
5832 auto ToTypeSourceInfo = importChecked(Err, D->getTypeSourceInfo());
5833 auto ToAtLoc = importChecked(Err, D->getAtLoc());
5834 auto ToLParenLoc = importChecked(Err, D->getLParenLoc());
5835 if (Err)
5836 return std::move(Err);
5837
5838 // Create the new property.
5839 ObjCPropertyDecl *ToProperty;
5840 if (GetImportedOrCreateDecl(
5841 ToProperty, D, Importer.getToContext(), DC, Loc,
5842 Name.getAsIdentifierInfo(), ToAtLoc,
5843 ToLParenLoc, ToType,
5844 ToTypeSourceInfo, D->getPropertyImplementation()))
5845 return ToProperty;
5846
5847 auto ToGetterName = importChecked(Err, D->getGetterName());
5848 auto ToSetterName = importChecked(Err, D->getSetterName());
5849 auto ToGetterNameLoc = importChecked(Err, D->getGetterNameLoc());
5850 auto ToSetterNameLoc = importChecked(Err, D->getSetterNameLoc());
5851 auto ToGetterMethodDecl = importChecked(Err, D->getGetterMethodDecl());
5852 auto ToSetterMethodDecl = importChecked(Err, D->getSetterMethodDecl());
5853 auto ToPropertyIvarDecl = importChecked(Err, D->getPropertyIvarDecl());
5854 if (Err)
5855 return std::move(Err);
5856
5857 ToProperty->setLexicalDeclContext(LexicalDC);
5858 LexicalDC->addDeclInternal(ToProperty);
5859
5860 ToProperty->setPropertyAttributes(D->getPropertyAttributes());
5862 D->getPropertyAttributesAsWritten());
5863 ToProperty->setGetterName(ToGetterName, ToGetterNameLoc);
5864 ToProperty->setSetterName(ToSetterName, ToSetterNameLoc);
5865 ToProperty->setGetterMethodDecl(ToGetterMethodDecl);
5866 ToProperty->setSetterMethodDecl(ToSetterMethodDecl);
5867 ToProperty->setPropertyIvarDecl(ToPropertyIvarDecl);
5868 return ToProperty;
5869}
5870
5874 if (Error Err = importInto(Property, D->getPropertyDecl()))
5875 return std::move(Err);
5876
5877 DeclContext *DC, *LexicalDC;
5878 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
5879 return std::move(Err);
5880
5881 auto *InImpl = cast<ObjCImplDecl>(LexicalDC);
5882
5883 // Import the ivar (for an @synthesize).
5884 ObjCIvarDecl *Ivar = nullptr;
5885 if (Error Err = importInto(Ivar, D->getPropertyIvarDecl()))
5886 return std::move(Err);
5887
5888 ObjCPropertyImplDecl *ToImpl
5889 = InImpl->FindPropertyImplDecl(Property->getIdentifier(),
5890 Property->getQueryKind());
5891 if (!ToImpl) {
5892
5893 Error Err = Error::success();
5894 auto ToBeginLoc = importChecked(Err, D->getBeginLoc());
5895 auto ToLocation = importChecked(Err, D->getLocation());
5896 auto ToPropertyIvarDeclLoc =
5897 importChecked(Err, D->getPropertyIvarDeclLoc());
5898 if (Err)
5899 return std::move(Err);
5900
5901 if (GetImportedOrCreateDecl(ToImpl, D, Importer.getToContext(), DC,
5902 ToBeginLoc,
5903 ToLocation, Property,
5904 D->getPropertyImplementation(), Ivar,
5905 ToPropertyIvarDeclLoc))
5906 return ToImpl;
5907
5908 ToImpl->setLexicalDeclContext(LexicalDC);
5909 LexicalDC->addDeclInternal(ToImpl);
5910 } else {
5911 // Check that we have the same kind of property implementation (@synthesize
5912 // vs. @dynamic).
5913 if (D->getPropertyImplementation() != ToImpl->getPropertyImplementation()) {
5914 Importer.ToDiag(ToImpl->getLocation(),
5915 diag::warn_odr_objc_property_impl_kind_inconsistent)
5916 << Property->getDeclName()
5917 << (ToImpl->getPropertyImplementation()
5919 Importer.FromDiag(D->getLocation(),
5920 diag::note_odr_objc_property_impl_kind)
5921 << D->getPropertyDecl()->getDeclName()
5922 << (D->getPropertyImplementation() == ObjCPropertyImplDecl::Dynamic);
5923
5924 return make_error<ASTImportError>(ASTImportError::NameConflict);
5925 }
5926
5927 // For @synthesize, check that we have the same
5928 if (D->getPropertyImplementation() == ObjCPropertyImplDecl::Synthesize &&
5929 Ivar != ToImpl->getPropertyIvarDecl()) {
5930 Importer.ToDiag(ToImpl->getPropertyIvarDeclLoc(),
5931 diag::warn_odr_objc_synthesize_ivar_inconsistent)
5932 << Property->getDeclName()
5933 << ToImpl->getPropertyIvarDecl()->getDeclName()
5934 << Ivar->getDeclName();
5935 Importer.FromDiag(D->getPropertyIvarDeclLoc(),
5936 diag::note_odr_objc_synthesize_ivar_here)
5937 << D->getPropertyIvarDecl()->getDeclName();
5938
5939 return make_error<ASTImportError>(ASTImportError::NameConflict);
5940 }
5941
5942 // Merge the existing implementation with the new implementation.
5943 Importer.MapImported(D, ToImpl);
5944 }
5945
5946 return ToImpl;
5947}
5948
5951 // For template arguments, we adopt the translation unit as our declaration
5952 // context. This context will be fixed when (during) the actual template
5953 // declaration is created.
5954
5955 ExpectedSLoc BeginLocOrErr = import(D->getBeginLoc());
5956 if (!BeginLocOrErr)
5957 return BeginLocOrErr.takeError();
5958
5959 ExpectedSLoc LocationOrErr = import(D->getLocation());
5960 if (!LocationOrErr)
5961 return LocationOrErr.takeError();
5962
5963 TemplateTypeParmDecl *ToD = nullptr;
5964 if (GetImportedOrCreateDecl(
5965 ToD, D, Importer.getToContext(),
5967 *BeginLocOrErr, *LocationOrErr,
5968 D->getDepth(), D->getIndex(), Importer.Import(D->getIdentifier()),
5969 D->wasDeclaredWithTypename(), D->isParameterPack(),
5970 D->hasTypeConstraint()))
5971 return ToD;
5972
5973 // Import the type-constraint
5974 if (const TypeConstraint *TC = D->getTypeConstraint()) {
5975
5976 Error Err = Error::success();
5977 auto ToConceptRef = importChecked(Err, TC->getConceptReference());
5978 auto ToIDC = importChecked(Err, TC->getImmediatelyDeclaredConstraint());
5979 if (Err)
5980 return std::move(Err);
5981
5982 ToD->setTypeConstraint(ToConceptRef, ToIDC);
5983 }
5984
5985 if (Error Err = importTemplateParameterDefaultArgument(D, ToD))
5986 return Err;
5987
5988 return ToD;
5989}
5990
5993
5994 Error Err = Error::success();
5995 auto ToDeclName = importChecked(Err, D->getDeclName());
5996 auto ToLocation = importChecked(Err, D->getLocation());
5997 auto ToType = importChecked(Err, D->getType());
5998 auto ToTypeSourceInfo = importChecked(Err, D->getTypeSourceInfo());
5999 auto ToInnerLocStart = importChecked(Err, D->getInnerLocStart());
6000 if (Err)
6001 return std::move(Err);
6002
6003 NonTypeTemplateParmDecl *ToD = nullptr;
6004 if (GetImportedOrCreateDecl(ToD, D, Importer.getToContext(),
6006 ToInnerLocStart, ToLocation, D->getDepth(),
6007 D->getPosition(),
6008 ToDeclName.getAsIdentifierInfo(), ToType,
6009 D->isParameterPack(), ToTypeSourceInfo))
6010 return ToD;
6011
6012 Err = importTemplateParameterDefaultArgument(D, ToD);
6013 if (Err)
6014 return Err;
6015
6016 return ToD;
6017}
6018
6021 // Import the name of this declaration.
6022 auto NameOrErr = import(D->getDeclName());
6023 if (!NameOrErr)
6024 return NameOrErr.takeError();
6025
6026 // Import the location of this declaration.
6027 ExpectedSLoc LocationOrErr = import(D->getLocation());
6028 if (!LocationOrErr)
6029 return LocationOrErr.takeError();
6030
6031 // Import template parameters.
6032 auto TemplateParamsOrErr = import(D->getTemplateParameters());
6033 if (!TemplateParamsOrErr)
6034 return TemplateParamsOrErr.takeError();
6035
6036 TemplateTemplateParmDecl *ToD = nullptr;
6037 if (GetImportedOrCreateDecl(
6038 ToD, D, Importer.getToContext(),
6039 Importer.getToContext().getTranslationUnitDecl(), *LocationOrErr,
6040 D->getDepth(), D->getPosition(), D->isParameterPack(),
6041 (*NameOrErr).getAsIdentifierInfo(), D->wasDeclaredWithTypename(),
6042 *TemplateParamsOrErr))
6043 return ToD;
6044
6045 if (Error Err = importTemplateParameterDefaultArgument(D, ToD))
6046 return Err;
6047
6048 return ToD;
6049}
6050
6051// Returns the definition for a (forward) declaration of a TemplateDecl, if
6052// it has any definition in the redecl chain.
6053template <typename T> static auto getTemplateDefinition(T *D) -> T * {
6054 assert(D->getTemplatedDecl() && "Should be called on templates only");
6055 auto *ToTemplatedDef = D->getTemplatedDecl()->getDefinition();
6056 if (!ToTemplatedDef)
6057 return nullptr;
6058 auto *TemplateWithDef = ToTemplatedDef->getDescribedTemplate();
6059 return cast_or_null<T>(TemplateWithDef);
6060}
6061
6063
6064 // Import the major distinguishing characteristics of this class template.
6065 DeclContext *DC, *LexicalDC;
6066 DeclarationName Name;
6068 NamedDecl *ToD;
6069 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
6070 return std::move(Err);
6071 if (ToD)
6072 return ToD;
6073
6074 // Should check if a declaration is friend in a dependent context.
6075 // Such templates are not linked together in a declaration chain.
6076 // The ASTImporter strategy is to map existing forward declarations to
6077 // imported ones only if strictly necessary, otherwise import these as new
6078 // forward declarations. In case of the "dependent friend" declarations, new
6079 // declarations are created, but not linked in a declaration chain.
6080 auto IsDependentFriend = [](ClassTemplateDecl *TD) {
6081 return TD->getFriendObjectKind() != Decl::FOK_None &&
6083 };
6084 bool DependentFriend = IsDependentFriend(D);
6085
6086 ClassTemplateDecl *FoundByLookup = nullptr;
6087
6088 // We may already have a template of the same name; try to find and match it.
6089 if (!DC->isFunctionOrMethod()) {
6090 SmallVector<NamedDecl *, 4> ConflictingDecls;
6091 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
6092 for (auto *FoundDecl : FoundDecls) {
6095 continue;
6096
6097 auto *FoundTemplate = dyn_cast<ClassTemplateDecl>(FoundDecl);
6098 if (FoundTemplate) {
6099 if (!hasSameVisibilityContextAndLinkage(FoundTemplate, D))
6100 continue;
6101
6102 // FIXME: sufficient conditon for 'IgnoreTemplateParmDepth'?
6103 bool IgnoreTemplateParmDepth =
6104 (FoundTemplate->getFriendObjectKind() != Decl::FOK_None) !=
6106 if (IsStructuralMatch(D, FoundTemplate, /*Complain=*/true,
6107 IgnoreTemplateParmDepth)) {
6108 if (DependentFriend || IsDependentFriend(FoundTemplate))
6109 continue;
6110
6111 ClassTemplateDecl *TemplateWithDef =
6112 getTemplateDefinition(FoundTemplate);
6113 if (D->isThisDeclarationADefinition() && TemplateWithDef)
6114 return Importer.MapImported(D, TemplateWithDef);
6115 if (!FoundByLookup)
6116 FoundByLookup = FoundTemplate;
6117 // Search in all matches because there may be multiple decl chains,
6118 // see ASTTests test ImportExistingFriendClassTemplateDef.
6119 continue;
6120 }
6121 // When importing a friend, it is possible that multiple declarations
6122 // with same name can co-exist in specific cases (if a template contains
6123 // a friend template and has a specialization). For this case the
6124 // declarations should match, except that the "template depth" is
6125 // different. No linking of previous declaration is needed in this case.
6126 // FIXME: This condition may need refinement.
6128 FoundTemplate->getFriendObjectKind() != Decl::FOK_None &&
6129 D->getFriendObjectKind() != FoundTemplate->getFriendObjectKind() &&
6130 IsStructuralMatch(D, FoundTemplate, /*Complain=*/false,
6131 /*IgnoreTemplateParmDepth=*/true))
6132 continue;
6133
6134 ConflictingDecls.push_back(FoundDecl);
6135 }
6136 }
6137
6138 if (!ConflictingDecls.empty()) {
6139 ExpectedName NameOrErr = Importer.HandleNameConflict(
6140 Name, DC, Decl::IDNS_Ordinary, ConflictingDecls.data(),
6141 ConflictingDecls.size());
6142 if (NameOrErr)
6143 Name = NameOrErr.get();
6144 else
6145 return NameOrErr.takeError();
6146 }
6147 }
6148
6149 CXXRecordDecl *FromTemplated = D->getTemplatedDecl();
6150
6151 auto TemplateParamsOrErr = import(D->getTemplateParameters());
6152 if (!TemplateParamsOrErr)
6153 return TemplateParamsOrErr.takeError();
6154
6155 // Create the declaration that is being templated.
6156 CXXRecordDecl *ToTemplated;
6157 if (Error Err = importInto(ToTemplated, FromTemplated))
6158 return std::move(Err);
6159
6160 // Create the class template declaration itself.
6162 if (GetImportedOrCreateDecl(D2, D, Importer.getToContext(), DC, Loc, Name,
6163 *TemplateParamsOrErr, ToTemplated))
6164 return D2;
6165
6166 ToTemplated->setDescribedClassTemplate(D2);
6167
6168 D2->setAccess(D->getAccess());
6169 D2->setLexicalDeclContext(LexicalDC);
6170
6171 addDeclToContexts(D, D2);
6172 updateLookupTableForTemplateParameters(**TemplateParamsOrErr);
6173
6174 if (FoundByLookup) {
6175 auto *Recent =
6176 const_cast<ClassTemplateDecl *>(FoundByLookup->getMostRecentDecl());
6177
6178 // It is possible that during the import of the class template definition
6179 // we start the import of a fwd friend decl of the very same class template
6180 // and we add the fwd friend decl to the lookup table. But the ToTemplated
6181 // had been created earlier and by that time the lookup could not find
6182 // anything existing, so it has no previous decl. Later, (still during the
6183 // import of the fwd friend decl) we start to import the definition again
6184 // and this time the lookup finds the previous fwd friend class template.
6185 // In this case we must set up the previous decl for the templated decl.
6186 if (!ToTemplated->getPreviousDecl()) {
6187 assert(FoundByLookup->getTemplatedDecl() &&
6188 "Found decl must have its templated decl set");
6189 CXXRecordDecl *PrevTemplated =
6190 FoundByLookup->getTemplatedDecl()->getMostRecentDecl();
6191 if (ToTemplated != PrevTemplated)
6192 ToTemplated->setPreviousDecl(PrevTemplated);
6193 }
6194
6195 D2->setPreviousDecl(Recent);
6196 }
6197
6198 return D2;
6199}
6200
6203 ClassTemplateDecl *ClassTemplate;
6204 if (Error Err = importInto(ClassTemplate, D->getSpecializedTemplate()))
6205 return std::move(Err);
6206
6207 // Import the context of this declaration.
6208 DeclContext *DC, *LexicalDC;
6209 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
6210 return std::move(Err);
6211
6212 // Import template arguments.
6214 if (Error Err =
6215 ImportTemplateArguments(D->getTemplateArgs().asArray(), TemplateArgs))
6216 return std::move(Err);
6217 // Try to find an existing specialization with these template arguments and
6218 // template parameter list.
6219 void *InsertPos = nullptr;
6220 ClassTemplateSpecializationDecl *PrevDecl = nullptr;
6222 dyn_cast<ClassTemplatePartialSpecializationDecl>(D);
6223
6224 // Import template parameters.
6225 TemplateParameterList *ToTPList = nullptr;
6226
6227 if (PartialSpec) {
6228 auto ToTPListOrErr = import(PartialSpec->getTemplateParameters());
6229 if (!ToTPListOrErr)
6230 return ToTPListOrErr.takeError();
6231 ToTPList = *ToTPListOrErr;
6232 PrevDecl = ClassTemplate->findPartialSpecialization(TemplateArgs,
6233 *ToTPListOrErr,
6234 InsertPos);
6235 } else
6236 PrevDecl = ClassTemplate->findSpecialization(TemplateArgs, InsertPos);
6237
6238 if (PrevDecl) {
6239 if (IsStructuralMatch(D, PrevDecl)) {
6240 CXXRecordDecl *PrevDefinition = PrevDecl->getDefinition();
6241 if (D->isThisDeclarationADefinition() && PrevDefinition) {
6242 Importer.MapImported(D, PrevDefinition);
6243 // Import those default field initializers which have been
6244 // instantiated in the "From" context, but not in the "To" context.
6245 for (auto *FromField : D->fields()) {
6246 auto ToOrErr = import(FromField);
6247 if (!ToOrErr)
6248 return ToOrErr.takeError();
6249 }
6250
6251 // Import those methods which have been instantiated in the
6252 // "From" context, but not in the "To" context.
6253 for (CXXMethodDecl *FromM : D->methods()) {
6254 auto ToOrErr = import(FromM);
6255 if (!ToOrErr)
6256 return ToOrErr.takeError();
6257 }
6258
6259 // TODO Import instantiated default arguments.
6260 // TODO Import instantiated exception specifications.
6261 //
6262 // Generally, ASTCommon.h/DeclUpdateKind enum gives a very good hint
6263 // what else could be fused during an AST merge.
6264 return PrevDefinition;
6265 }
6266 } else { // ODR violation.
6267 // FIXME HandleNameConflict
6268 return make_error<ASTImportError>(ASTImportError::NameConflict);
6269 }
6270 }
6271
6272 // Import the location of this declaration.
6273 ExpectedSLoc BeginLocOrErr = import(D->getBeginLoc());
6274 if (!BeginLocOrErr)
6275 return BeginLocOrErr.takeError();
6276 ExpectedSLoc IdLocOrErr = import(D->getLocation());
6277 if (!IdLocOrErr)
6278 return IdLocOrErr.takeError();
6279
6280 // Import TemplateArgumentListInfo.
6281 TemplateArgumentListInfo ToTAInfo;
6282 if (const auto *ASTTemplateArgs = D->getTemplateArgsAsWritten()) {
6283 if (Error Err = ImportTemplateArgumentListInfo(*ASTTemplateArgs, ToTAInfo))
6284 return std::move(Err);
6285 }
6286
6287 // Create the specialization.
6288 ClassTemplateSpecializationDecl *D2 = nullptr;
6289 if (PartialSpec) {
6290 QualType CanonInjType;
6291 if (Error Err = importInto(
6292 CanonInjType, PartialSpec->getInjectedSpecializationType()))
6293 return std::move(Err);
6294 CanonInjType = CanonInjType.getCanonicalType();
6295
6296 if (GetImportedOrCreateDecl<ClassTemplatePartialSpecializationDecl>(
6297 D2, D, Importer.getToContext(), D->getTagKind(), DC, *BeginLocOrErr,
6298 *IdLocOrErr, ToTPList, ClassTemplate,
6299 llvm::ArrayRef(TemplateArgs.data(), TemplateArgs.size()),
6300 CanonInjType,
6301 cast_or_null<ClassTemplatePartialSpecializationDecl>(PrevDecl)))
6302 return D2;
6303
6304 // Update InsertPos, because preceding import calls may have invalidated
6305 // it by adding new specializations.
6306 auto *PartSpec2 = cast<ClassTemplatePartialSpecializationDecl>(D2);
6307 if (!ClassTemplate->findPartialSpecialization(TemplateArgs, ToTPList,
6308 InsertPos))
6309 // Add this partial specialization to the class template.
6310 ClassTemplate->AddPartialSpecialization(PartSpec2, InsertPos);
6312 import(PartialSpec->getInstantiatedFromMember()))
6313 PartSpec2->setInstantiatedFromMember(*ToInstOrErr);
6314 else
6315 return ToInstOrErr.takeError();
6316
6317 updateLookupTableForTemplateParameters(*ToTPList);
6318 } else { // Not a partial specialization.
6319 if (GetImportedOrCreateDecl(
6320 D2, D, Importer.getToContext(), D->getTagKind(), DC,
6321 *BeginLocOrErr, *IdLocOrErr, ClassTemplate, TemplateArgs,
6322 PrevDecl))
6323 return D2;
6324
6325 // Update InsertPos, because preceding import calls may have invalidated
6326 // it by adding new specializations.
6327 if (!ClassTemplate->findSpecialization(TemplateArgs, InsertPos))
6328 // Add this specialization to the class template.
6329 ClassTemplate->AddSpecialization(D2, InsertPos);
6330 }
6331
6332 D2->setSpecializationKind(D->getSpecializationKind());
6333
6334 // Set the context of this specialization/instantiation.
6335 D2->setLexicalDeclContext(LexicalDC);
6336
6337 // Add to the DC only if it was an explicit specialization/instantiation.
6339 LexicalDC->addDeclInternal(D2);
6340 }
6341
6342 if (auto BraceRangeOrErr = import(D->getBraceRange()))
6343 D2->setBraceRange(*BraceRangeOrErr);
6344 else
6345 return BraceRangeOrErr.takeError();
6346
6347 if (Error Err = ImportTemplateParameterLists(D, D2))
6348 return std::move(Err);
6349
6350 // Import the qualifier, if any.
6351 if (auto LocOrErr = import(D->getQualifierLoc()))
6352 D2->setQualifierInfo(*LocOrErr);
6353 else
6354 return LocOrErr.takeError();
6355
6356 if (D->getTemplateArgsAsWritten())
6357 D2->setTemplateArgsAsWritten(ToTAInfo);
6358
6359 if (auto LocOrErr = import(D->getTemplateKeywordLoc()))
6360 D2->setTemplateKeywordLoc(*LocOrErr);
6361 else
6362 return LocOrErr.takeError();
6363
6364 if (auto LocOrErr = import(D->getExternKeywordLoc()))
6365 D2->setExternKeywordLoc(*LocOrErr);
6366 else
6367 return LocOrErr.takeError();
6368
6369 if (D->getPointOfInstantiation().isValid()) {
6370 if (auto POIOrErr = import(D->getPointOfInstantiation()))
6371 D2->setPointOfInstantiation(*POIOrErr);
6372 else
6373 return POIOrErr.takeError();
6374 }
6375
6376 D2->setTemplateSpecializationKind(D->getTemplateSpecializationKind());
6377
6378 if (auto P = D->getInstantiatedFrom()) {
6379 if (auto *CTD = P.dyn_cast<ClassTemplateDecl *>()) {
6380 if (auto CTDorErr = import(CTD))
6381 D2->setInstantiationOf(*CTDorErr);
6382 } else {
6383 auto *CTPSD = cast<ClassTemplatePartialSpecializationDecl *>(P);
6384 auto CTPSDOrErr = import(CTPSD);
6385 if (!CTPSDOrErr)
6386 return CTPSDOrErr.takeError();
6387 const TemplateArgumentList &DArgs = D->getTemplateInstantiationArgs();
6388 SmallVector<TemplateArgument, 2> D2ArgsVec(DArgs.size());
6389 for (unsigned I = 0; I < DArgs.size(); ++I) {
6390 const TemplateArgument &DArg = DArgs[I];
6391 if (auto ArgOrErr = import(DArg))
6392 D2ArgsVec[I] = *ArgOrErr;
6393 else
6394 return ArgOrErr.takeError();
6395 }
6397 *CTPSDOrErr,
6398 TemplateArgumentList::CreateCopy(Importer.getToContext(), D2ArgsVec));
6399 }
6400 }
6401
6402 if (D->isCompleteDefinition())
6403 if (Error Err = ImportDefinition(D, D2))
6404 return std::move(Err);
6405
6406 return D2;
6407}
6408
6410 // Import the major distinguishing characteristics of this variable template.
6411 DeclContext *DC, *LexicalDC;
6412 DeclarationName Name;
6414 NamedDecl *ToD;
6415 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
6416 return std::move(Err);
6417 if (ToD)
6418 return ToD;
6419
6420 // We may already have a template of the same name; try to find and match it.
6421 assert(!DC->isFunctionOrMethod() &&
6422 "Variable templates cannot be declared at function scope");
6423
6424 SmallVector<NamedDecl *, 4> ConflictingDecls;
6425 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
6426 VarTemplateDecl *FoundByLookup = nullptr;
6427 for (auto *FoundDecl : FoundDecls) {
6429 continue;
6430
6431 if (VarTemplateDecl *FoundTemplate = dyn_cast<VarTemplateDecl>(FoundDecl)) {
6432 // Use the templated decl, some linkage flags are set only there.
6433 if (!hasSameVisibilityContextAndLinkage(FoundTemplate->getTemplatedDecl(),
6434 D->getTemplatedDecl()))
6435 continue;
6436 if (IsStructuralMatch(D, FoundTemplate)) {
6437 // FIXME Check for ODR error if the two definitions have
6438 // different initializers?
6439 VarTemplateDecl *FoundDef = getTemplateDefinition(FoundTemplate);
6440 if (D->getDeclContext()->isRecord()) {
6441 assert(FoundTemplate->getDeclContext()->isRecord() &&
6442 "Member variable template imported as non-member, "
6443 "inconsistent imported AST?");
6444 if (FoundDef)
6445 return Importer.MapImported(D, FoundDef);
6446 if (!D->isThisDeclarationADefinition())
6447 return Importer.MapImported(D, FoundTemplate);
6448 } else {
6449 if (FoundDef && D->isThisDeclarationADefinition())
6450 return Importer.MapImported(D, FoundDef);
6451 }
6452 FoundByLookup = FoundTemplate;
6453 break;
6454 }
6455 ConflictingDecls.push_back(FoundDecl);
6456 }
6457 }
6458
6459 if (!ConflictingDecls.empty()) {
6460 ExpectedName NameOrErr = Importer.HandleNameConflict(
6461 Name, DC, Decl::IDNS_Ordinary, ConflictingDecls.data(),
6462 ConflictingDecls.size());
6463 if (NameOrErr)
6464 Name = NameOrErr.get();
6465 else
6466 return NameOrErr.takeError();
6467 }
6468
6469 VarDecl *DTemplated = D->getTemplatedDecl();
6470
6471 // Import the type.
6472 // FIXME: Value not used?
6473 ExpectedType TypeOrErr = import(DTemplated->getType());
6474 if (!TypeOrErr)
6475 return TypeOrErr.takeError();
6476
6477 // Create the declaration that is being templated.
6478 VarDecl *ToTemplated;
6479 if (Error Err = importInto(ToTemplated, DTemplated))
6480 return std::move(Err);
6481
6482 // Create the variable template declaration itself.
6483 auto TemplateParamsOrErr = import(D->getTemplateParameters());
6484 if (!TemplateParamsOrErr)
6485 return TemplateParamsOrErr.takeError();
6486
6487 VarTemplateDecl *ToVarTD;
6488 if (GetImportedOrCreateDecl(ToVarTD, D, Importer.getToContext(), DC, Loc,
6489 Name, *TemplateParamsOrErr, ToTemplated))
6490 return ToVarTD;
6491
6492 ToTemplated->setDescribedVarTemplate(ToVarTD);
6493
6494 ToVarTD->setAccess(D->getAccess());
6495 ToVarTD->setLexicalDeclContext(LexicalDC);
6496 LexicalDC->addDeclInternal(ToVarTD);
6497 if (DC != Importer.getToContext().getTranslationUnitDecl())
6498 updateLookupTableForTemplateParameters(**TemplateParamsOrErr);
6499
6500 if (FoundByLookup) {
6501 auto *Recent =
6502 const_cast<VarTemplateDecl *>(FoundByLookup->getMostRecentDecl());
6503 if (!ToTemplated->getPreviousDecl()) {
6504 auto *PrevTemplated =
6505 FoundByLookup->getTemplatedDecl()->getMostRecentDecl();
6506 if (ToTemplated != PrevTemplated)
6507 ToTemplated->setPreviousDecl(PrevTemplated);
6508 }
6509 ToVarTD->setPreviousDecl(Recent);
6510 }
6511
6512 return ToVarTD;
6513}
6514
6517 // A VarTemplateSpecializationDecl inherits from VarDecl, the import is done
6518 // in an analog way (but specialized for this case).
6519
6521 auto RedeclIt = Redecls.begin();
6522 // Import the first part of the decl chain. I.e. import all previous
6523 // declarations starting from the canonical decl.
6524 for (; RedeclIt != Redecls.end() && *RedeclIt != D; ++RedeclIt) {
6525 ExpectedDecl RedeclOrErr = import(*RedeclIt);
6526 if (!RedeclOrErr)
6527 return RedeclOrErr.takeError();
6528 }
6529 assert(*RedeclIt == D);
6530
6531 VarTemplateDecl *VarTemplate = nullptr;
6532 if (Error Err = importInto(VarTemplate, D->getSpecializedTemplate()))
6533 return std::move(Err);
6534
6535 // Import the context of this declaration.
6536 DeclContext *DC, *LexicalDC;
6537 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
6538 return std::move(Err);
6539
6540 // Import the location of this declaration.
6541 ExpectedSLoc BeginLocOrErr = import(D->getBeginLoc());
6542 if (!BeginLocOrErr)
6543 return BeginLocOrErr.takeError();
6544
6545 auto IdLocOrErr = import(D->getLocation());
6546 if (!IdLocOrErr)
6547 return IdLocOrErr.takeError();
6548
6549 // Import template arguments.
6551 if (Error Err =
6552 ImportTemplateArguments(D->getTemplateArgs().asArray(), TemplateArgs))
6553 return std::move(Err);
6554
6555 // Try to find an existing specialization with these template arguments.
6556 void *InsertPos = nullptr;
6557 VarTemplateSpecializationDecl *FoundSpecialization =
6558 VarTemplate->findSpecialization(TemplateArgs, InsertPos);
6559 if (FoundSpecialization) {
6560 if (IsStructuralMatch(D, FoundSpecialization)) {
6561 VarDecl *FoundDef = FoundSpecialization->getDefinition();
6562 if (D->getDeclContext()->isRecord()) {
6563 // In a record, it is allowed only to have one optional declaration and
6564 // one definition of the (static or constexpr) variable template.
6565 assert(
6566 FoundSpecialization->getDeclContext()->isRecord() &&
6567 "Member variable template specialization imported as non-member, "
6568 "inconsistent imported AST?");
6569 if (FoundDef)
6570 return Importer.MapImported(D, FoundDef);
6571 if (!D->isThisDeclarationADefinition())
6572 return Importer.MapImported(D, FoundSpecialization);
6573 } else {
6574 // If definition is imported and there is already one, map to it.
6575 // Otherwise create a new variable and link it to the existing.
6576 if (FoundDef && D->isThisDeclarationADefinition())
6577 return Importer.MapImported(D, FoundDef);
6578 }
6579 } else {
6580 return make_error<ASTImportError>(ASTImportError::NameConflict);
6581 }
6582 }
6583
6584 VarTemplateSpecializationDecl *D2 = nullptr;
6585
6586 TemplateArgumentListInfo ToTAInfo;
6587 if (const auto *Args = D->getTemplateArgsAsWritten()) {
6588 if (Error Err = ImportTemplateArgumentListInfo(*Args, ToTAInfo))
6589 return std::move(Err);
6590 }
6591
6592 using PartVarSpecDecl = VarTemplatePartialSpecializationDecl;
6593 // Create a new specialization.
6594 if (auto *FromPartial = dyn_cast<PartVarSpecDecl>(D)) {
6595 auto ToTPListOrErr = import(FromPartial->getTemplateParameters());
6596 if (!ToTPListOrErr)
6597 return ToTPListOrErr.takeError();
6598
6599 PartVarSpecDecl *ToPartial;
6600 if (GetImportedOrCreateDecl(ToPartial, D, Importer.getToContext(), DC,
6601 *BeginLocOrErr, *IdLocOrErr, *ToTPListOrErr,
6602 VarTemplate, QualType(), nullptr,
6603 D->getStorageClass(), TemplateArgs))
6604 return ToPartial;
6605
6606 if (Expected<PartVarSpecDecl *> ToInstOrErr =
6607 import(FromPartial->getInstantiatedFromMember()))
6608 ToPartial->setInstantiatedFromMember(*ToInstOrErr);
6609 else
6610 return ToInstOrErr.takeError();
6611
6612 if (FromPartial->isMemberSpecialization())
6613 ToPartial->setMemberSpecialization();
6614
6615 D2 = ToPartial;
6616
6617 // FIXME: Use this update if VarTemplatePartialSpecializationDecl is fixed
6618 // to adopt template parameters.
6619 // updateLookupTableForTemplateParameters(**ToTPListOrErr);
6620 } else { // Full specialization
6621 if (GetImportedOrCreateDecl(D2, D, Importer.getToContext(), DC,
6622 *BeginLocOrErr, *IdLocOrErr, VarTemplate,
6623 QualType(), nullptr, D->getStorageClass(),
6624 TemplateArgs))
6625 return D2;
6626 }
6627
6628 // Update InsertPos, because preceding import calls may have invalidated
6629 // it by adding new specializations.
6630 if (!VarTemplate->findSpecialization(TemplateArgs, InsertPos))
6631 VarTemplate->AddSpecialization(D2, InsertPos);
6632
6633 QualType T;
6634 if (Error Err = importInto(T, D->getType()))
6635 return std::move(Err);
6636 D2->setType(T);
6637
6638 auto TInfoOrErr = import(D->getTypeSourceInfo());
6639 if (!TInfoOrErr)
6640 return TInfoOrErr.takeError();
6641 D2->setTypeSourceInfo(*TInfoOrErr);
6642
6643 if (D->getPointOfInstantiation().isValid()) {
6644 if (ExpectedSLoc POIOrErr = import(D->getPointOfInstantiation()))
6645 D2->setPointOfInstantiation(*POIOrErr);
6646 else
6647 return POIOrErr.takeError();
6648 }
6649
6650 D2->setSpecializationKind(D->getSpecializationKind());
6651
6652 if (D->getTemplateArgsAsWritten())
6653 D2->setTemplateArgsAsWritten(ToTAInfo);
6654
6655 if (auto LocOrErr = import(D->getQualifierLoc()))
6656 D2->setQualifierInfo(*LocOrErr);
6657 else
6658 return LocOrErr.takeError();
6659
6660 if (D->isConstexpr())
6661 D2->setConstexpr(true);
6662
6663 D2->setAccess(D->getAccess());
6664
6665 if (Error Err = ImportInitializer(D, D2))
6666 return std::move(Err);
6667
6668 if (FoundSpecialization)
6669 D2->setPreviousDecl(FoundSpecialization->getMostRecentDecl());
6670
6671 addDeclToContexts(D, D2);
6672
6673 // Import the rest of the chain. I.e. import all subsequent declarations.
6674 for (++RedeclIt; RedeclIt != Redecls.end(); ++RedeclIt) {
6675 ExpectedDecl RedeclOrErr = import(*RedeclIt);
6676 if (!RedeclOrErr)
6677 return RedeclOrErr.takeError();
6678 }
6679
6680 return D2;
6681}
6682
6685 DeclContext *DC, *LexicalDC;
6686 DeclarationName Name;
6688 NamedDecl *ToD;
6689
6690 if (Error Err = ImportDeclParts(D, DC, LexicalDC, Name, ToD, Loc))
6691 return std::move(Err);
6692
6693 if (ToD)
6694 return ToD;
6695
6696 const FunctionTemplateDecl *FoundByLookup = nullptr;
6697
6698 // Try to find a function in our own ("to") context with the same name, same
6699 // type, and in the same context as the function we're importing.
6700 // FIXME Split this into a separate function.
6701 if (!LexicalDC->isFunctionOrMethod()) {
6703 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
6704 for (auto *FoundDecl : FoundDecls) {
6705 if (!FoundDecl->isInIdentifierNamespace(IDNS))
6706 continue;
6707
6708 if (auto *FoundTemplate = dyn_cast<FunctionTemplateDecl>(FoundDecl)) {
6709 if (!hasSameVisibilityContextAndLinkage(FoundTemplate, D))
6710 continue;
6711 if (IsStructuralMatch(D, FoundTemplate)) {
6712 FunctionTemplateDecl *TemplateWithDef =
6713 getTemplateDefinition(FoundTemplate);
6714 if (D->isThisDeclarationADefinition() && TemplateWithDef)
6715 return Importer.MapImported(D, TemplateWithDef);
6716
6717 FoundByLookup = FoundTemplate;
6718 break;
6719 // TODO: handle conflicting names
6720 }
6721 }
6722 }
6723 }
6724
6725 auto ParamsOrErr = import(D->getTemplateParameters());
6726 if (!ParamsOrErr)
6727 return ParamsOrErr.takeError();
6728 TemplateParameterList *Params = *ParamsOrErr;
6729
6730 FunctionDecl *TemplatedFD;
6731 if (Error Err = importInto(TemplatedFD, D->getTemplatedDecl()))
6732 return std::move(Err);
6733
6734 // At creation of the template the template parameters are "adopted"
6735 // (DeclContext is changed). After this possible change the lookup table
6736 // must be updated.
6737 // At deduction guides the DeclContext of the template parameters may be
6738 // different from what we would expect, it may be the class template, or a
6739 // probably different CXXDeductionGuideDecl. This may come from the fact that
6740 // the template parameter objects may be shared between deduction guides or
6741 // the class template, and at creation of multiple FunctionTemplateDecl
6742 // objects (for deduction guides) the same parameters are re-used. The
6743 // "adoption" happens multiple times with different parent, even recursively
6744 // for TemplateTemplateParmDecl. The same happens at import when the
6745 // FunctionTemplateDecl objects are created, but in different order.
6746 // In this way the DeclContext of these template parameters is not necessarily
6747 // the same as in the "from" context.
6749 OldParamDC.reserve(Params->size());
6750 llvm::transform(*Params, std::back_inserter(OldParamDC),
6751 [](NamedDecl *ND) { return ND->getDeclContext(); });
6752
6753 FunctionTemplateDecl *ToFunc;
6754 if (GetImportedOrCreateDecl(ToFunc, D, Importer.getToContext(), DC, Loc, Name,
6755 Params, TemplatedFD))
6756 return ToFunc;
6757
6758 TemplatedFD->setDescribedFunctionTemplate(ToFunc);
6759
6760 ToFunc->setAccess(D->getAccess());
6761 ToFunc->setLexicalDeclContext(LexicalDC);
6762 addDeclToContexts(D, ToFunc);
6763
6764 ASTImporterLookupTable *LT = Importer.SharedState->getLookupTable();
6765 if (LT && !OldParamDC.empty()) {
6766 for (unsigned int I = 0; I < OldParamDC.size(); ++I)
6767 LT->updateForced(Params->getParam(I), OldParamDC[I]);
6768 }
6769
6770 if (FoundByLookup) {
6771 auto *Recent =
6772 const_cast<FunctionTemplateDecl *>(FoundByLookup->getMostRecentDecl());
6773 if (!TemplatedFD->getPreviousDecl()) {
6774 assert(FoundByLookup->getTemplatedDecl() &&
6775 "Found decl must have its templated decl set");
6776 auto *PrevTemplated =
6777 FoundByLookup->getTemplatedDecl()->getMostRecentDecl();
6778 if (TemplatedFD != PrevTemplated)
6779 TemplatedFD->setPreviousDecl(PrevTemplated);
6780 }
6781 ToFunc->setPreviousDecl(Recent);
6782 }
6783
6784 return ToFunc;
6785}
6786
6787//----------------------------------------------------------------------------
6788// Import Statements
6789//----------------------------------------------------------------------------
6790
6792 Importer.FromDiag(S->getBeginLoc(), diag::err_unsupported_ast_node)
6793 << S->getStmtClassName();
6794 return make_error<ASTImportError>(ASTImportError::UnsupportedConstruct);
6795}
6796
6797
6799 if (Importer.returnWithErrorInTest())
6800 return make_error<ASTImportError>(ASTImportError::UnsupportedConstruct);
6802 for (unsigned I = 0, E = S->getNumOutputs(); I != E; I++) {
6803 IdentifierInfo *ToII = Importer.Import(S->getOutputIdentifier(I));
6804 // ToII is nullptr when no symbolic name is given for output operand
6805 // see ParseStmtAsm::ParseAsmOperandsOpt
6806 Names.push_back(ToII);
6807 }
6808
6809 for (unsigned I = 0, E = S->getNumInputs(); I != E; I++) {
6810 IdentifierInfo *ToII = Importer.Import(S->getInputIdentifier(I));
6811 // ToII is nullptr when no symbolic name is given for input operand
6812 // see ParseStmtAsm::ParseAsmOperandsOpt
6813 Names.push_back(ToII);
6814 }
6815
6817 for (unsigned I = 0, E = S->getNumClobbers(); I != E; I++) {
6818 if (auto ClobberOrErr = import(S->getClobberStringLiteral(I)))
6819 Clobbers.push_back(*ClobberOrErr);
6820 else
6821 return ClobberOrErr.takeError();
6822
6823 }
6824
6826 for (unsigned I = 0, E = S->getNumOutputs(); I != E; I++) {
6827 if (auto OutputOrErr = import(S->getOutputConstraintLiteral(I)))
6828 Constraints.push_back(*OutputOrErr);
6829 else
6830 return OutputOrErr.takeError();
6831 }
6832
6833 for (unsigned I = 0, E = S->getNumInputs(); I != E; I++) {
6834 if (auto InputOrErr = import(S->getInputConstraintLiteral(I)))
6835 Constraints.push_back(*InputOrErr);
6836 else
6837 return InputOrErr.takeError();
6838 }
6839
6840 SmallVector<Expr *, 4> Exprs(S->getNumOutputs() + S->getNumInputs() +
6841 S->getNumLabels());
6842 if (Error Err = ImportContainerChecked(S->outputs(), Exprs))
6843 return std::move(Err);
6844
6845 if (Error Err =
6846 ImportArrayChecked(S->inputs(), Exprs.begin() + S->getNumOutputs()))
6847 return std::move(Err);
6848
6849 if (Error Err = ImportArrayChecked(
6850 S->labels(), Exprs.begin() + S->getNumOutputs() + S->getNumInputs()))
6851 return std::move(Err);
6852
6853 ExpectedSLoc AsmLocOrErr = import(S->getAsmLoc());
6854 if (!AsmLocOrErr)
6855 return AsmLocOrErr.takeError();
6856 auto AsmStrOrErr = import(S->getAsmString());
6857 if (!AsmStrOrErr)
6858 return AsmStrOrErr.takeError();
6859 ExpectedSLoc RParenLocOrErr = import(S->getRParenLoc());
6860 if (!RParenLocOrErr)
6861 return RParenLocOrErr.takeError();
6862
6863 return new (Importer.getToContext()) GCCAsmStmt(
6864 Importer.getToContext(),
6865 *AsmLocOrErr,
6866 S->isSimple(),
6867 S->isVolatile(),
6868 S->getNumOutputs(),
6869 S->getNumInputs(),
6870 Names.data(),
6871 Constraints.data(),
6872 Exprs.data(),
6873 *AsmStrOrErr,
6874 S->getNumClobbers(),
6875 Clobbers.data(),
6876 S->getNumLabels(),
6877 *RParenLocOrErr);
6878}
6879
6881
6882 Error Err = Error::success();
6883 auto ToDG = importChecked(Err, S->getDeclGroup());
6884 auto ToBeginLoc = importChecked(Err, S->getBeginLoc());
6885 auto ToEndLoc = importChecked(Err, S->getEndLoc());
6886 if (Err)
6887 return std::move(Err);
6888 return new (Importer.getToContext()) DeclStmt(ToDG, ToBeginLoc, ToEndLoc);
6889}
6890
6892 ExpectedSLoc ToSemiLocOrErr = import(S->getSemiLoc());
6893 if (!ToSemiLocOrErr)
6894 return ToSemiLocOrErr.takeError();
6895 return new (Importer.getToContext()) NullStmt(
6896 *ToSemiLocOrErr, S->hasLeadingEmptyMacro());
6897}
6898
6900 SmallVector<Stmt *, 8> ToStmts(S->size());
6901
6902 if (Error Err = ImportContainerChecked(S->body(), ToStmts))
6903 return std::move(Err);
6904
6905 ExpectedSLoc ToLBracLocOrErr = import(S->getLBracLoc());
6906 if (!ToLBracLocOrErr)
6907 return ToLBracLocOrErr.takeError();
6908
6909 ExpectedSLoc ToRBracLocOrErr = import(S->getRBracLoc());
6910 if (!ToRBracLocOrErr)
6911 return ToRBracLocOrErr.takeError();
6912
6913 FPOptionsOverride FPO =
6914 S->hasStoredFPFeatures() ? S->getStoredFPFeatures() : FPOptionsOverride();
6915 return CompoundStmt::Create(Importer.getToContext(), ToStmts, FPO,
6916 *ToLBracLocOrErr, *ToRBracLocOrErr);
6917}
6918
6920
6921 Error Err = Error::success();
6922 auto ToLHS = importChecked(Err, S->getLHS());
6923 auto ToRHS = importChecked(Err, S->getRHS());
6924 auto ToSubStmt = importChecked(Err, S->getSubStmt());
6925 auto ToCaseLoc = importChecked(Err, S->getCaseLoc());
6926 auto ToEllipsisLoc = importChecked(Err, S->getEllipsisLoc());
6927 auto ToColonLoc = importChecked(Err, S->getColonLoc());
6928 if (Err)
6929 return std::move(Err);
6930
6931 auto *ToStmt = CaseStmt::Create(Importer.getToContext(), ToLHS, ToRHS,
6932 ToCaseLoc, ToEllipsisLoc, ToColonLoc);
6933 ToStmt->setSubStmt(ToSubStmt);
6934
6935 return ToStmt;
6936}
6937
6939
6940 Error Err = Error::success();
6941 auto ToDefaultLoc = importChecked(Err, S->getDefaultLoc());
6942 auto ToColonLoc = importChecked(Err, S->getColonLoc());
6943 auto ToSubStmt = importChecked(Err, S->getSubStmt());
6944 if (Err)
6945 return std::move(Err);
6946
6947 return new (Importer.getToContext()) DefaultStmt(
6948 ToDefaultLoc, ToColonLoc, ToSubStmt);
6949}
6950
6952
6953 Error Err = Error::success();
6954 auto ToIdentLoc = importChecked(Err, S->getIdentLoc());
6955 auto ToLabelDecl = importChecked(Err, S->getDecl());
6956 auto ToSubStmt = importChecked(Err, S->getSubStmt());
6957 if (Err)
6958 return std::move(Err);
6959
6960 return new (Importer.getToContext()) LabelStmt(
6961 ToIdentLoc, ToLabelDecl, ToSubStmt);
6962}
6963
6965 ExpectedSLoc ToAttrLocOrErr = import(S->getAttrLoc());
6966 if (!ToAttrLocOrErr)
6967 return ToAttrLocOrErr.takeError();
6968 ArrayRef<const Attr*> FromAttrs(S->getAttrs());
6969 SmallVector<const Attr *, 1> ToAttrs(FromAttrs.size());
6970 if (Error Err = ImportContainerChecked(FromAttrs, ToAttrs))
6971 return std::move(Err);
6972 ExpectedStmt ToSubStmtOrErr = import(S->getSubStmt());
6973 if (!ToSubStmtOrErr)
6974 return ToSubStmtOrErr.takeError();
6975
6977 Importer.getToContext(), *ToAttrLocOrErr, ToAttrs, *ToSubStmtOrErr);
6978}
6979
6981
6982 Error Err = Error::success();
6983 auto ToIfLoc = importChecked(Err, S->getIfLoc());
6984 auto ToInit = importChecked(Err, S->getInit());
6985 auto ToConditionVariable = importChecked(Err, S->getConditionVariable());
6986 auto ToCond = importChecked(Err, S->getCond());
6987 auto ToLParenLoc = importChecked(Err, S->getLParenLoc());
6988 auto ToRParenLoc = importChecked(Err, S->getRParenLoc());
6989 auto ToThen = importChecked(Err, S->getThen());
6990 auto ToElseLoc = importChecked(Err, S->getElseLoc());
6991 auto ToElse = importChecked(Err, S->getElse());
6992 if (Err)
6993 return std::move(Err);
6994
6995 return IfStmt::Create(Importer.getToContext(), ToIfLoc, S->getStatementKind(),
6996 ToInit, ToConditionVariable, ToCond, ToLParenLoc,
6997 ToRParenLoc, ToThen, ToElseLoc, ToElse);
6998}
6999
7001
7002 Error Err = Error::success();
7003 auto ToInit = importChecked(Err, S->getInit());
7004 auto ToConditionVariable = importChecked(Err, S->getConditionVariable());
7005 auto ToCond = importChecked(Err, S->getCond());
7006 auto ToLParenLoc = importChecked(Err, S->getLParenLoc());
7007 auto ToRParenLoc = importChecked(Err, S->getRParenLoc());
7008 auto ToBody = importChecked(Err, S->getBody());
7009 auto ToSwitchLoc = importChecked(Err, S->getSwitchLoc());
7010 if (Err)
7011 return std::move(Err);
7012
7013 auto *ToStmt =
7014 SwitchStmt::Create(Importer.getToContext(), ToInit, ToConditionVariable,
7015 ToCond, ToLParenLoc, ToRParenLoc);
7016 ToStmt->setBody(ToBody);
7017 ToStmt->setSwitchLoc(ToSwitchLoc);
7018
7019 // Now we have to re-chain the cases.
7020 SwitchCase *LastChainedSwitchCase = nullptr;
7021 for (SwitchCase *SC = S->getSwitchCaseList(); SC != nullptr;
7022 SC = SC->getNextSwitchCase()) {
7023 Expected<SwitchCase *> ToSCOrErr = import(SC);
7024 if (!ToSCOrErr)
7025 return ToSCOrErr.takeError();
7026 if (LastChainedSwitchCase)
7027 LastChainedSwitchCase->setNextSwitchCase(*ToSCOrErr);
7028 else
7029 ToStmt->setSwitchCaseList(*ToSCOrErr);
7030 LastChainedSwitchCase = *ToSCOrErr;
7031 }
7032
7033 return ToStmt;
7034}
7035
7037
7038 Error Err = Error::success();
7039 auto ToConditionVariable = importChecked(Err, S->getConditionVariable());
7040 auto ToCond = importChecked(Err, S->getCond());
7041 auto ToBody = importChecked(Err, S->getBody());
7042 auto ToWhileLoc = importChecked(Err, S->getWhileLoc());
7043 auto ToLParenLoc = importChecked(Err, S->getLParenLoc());
7044 auto ToRParenLoc = importChecked(Err, S->getRParenLoc());
7045 if (Err)
7046 return std::move(Err);
7047
7048 return WhileStmt::Create(Importer.getToContext(), ToConditionVariable, ToCond,
7049 ToBody, ToWhileLoc, ToLParenLoc, ToRParenLoc);
7050}
7051
7053
7054 Error Err = Error::success();
7055 auto ToBody = importChecked(Err, S->getBody());
7056 auto ToCond = importChecked(Err, S->getCond());
7057 auto ToDoLoc = importChecked(Err, S->getDoLoc());
7058 auto ToWhileLoc = importChecked(Err, S->getWhileLoc());
7059 auto ToRParenLoc = importChecked(Err, S->getRParenLoc());
7060 if (Err)
7061 return std::move(Err);
7062
7063 return new (Importer.getToContext()) DoStmt(
7064 ToBody, ToCond, ToDoLoc, ToWhileLoc, ToRParenLoc);
7065}
7066
7068
7069 Error Err = Error::success();
7070 auto ToInit = importChecked(Err, S->getInit());
7071 auto ToCond = importChecked(Err, S->getCond());
7072 auto ToConditionVariable = importChecked(Err, S->getConditionVariable());
7073 auto ToInc = importChecked(Err, S->getInc());
7074 auto ToBody = importChecked(Err, S->getBody());
7075 auto ToForLoc = importChecked(Err, S->getForLoc());
7076 auto ToLParenLoc = importChecked(Err, S->getLParenLoc());
7077 auto ToRParenLoc = importChecked(Err, S->getRParenLoc());
7078 if (Err)
7079 return std::move(Err);
7080
7081 return new (Importer.getToContext()) ForStmt(
7082 Importer.getToContext(),
7083 ToInit, ToCond, ToConditionVariable, ToInc, ToBody, ToForLoc, ToLParenLoc,
7084 ToRParenLoc);
7085}
7086
7088
7089 Error Err = Error::success();
7090 auto ToLabel = importChecked(Err, S->getLabel());
7091 auto ToGotoLoc = importChecked(Err, S->getGotoLoc());
7092 auto ToLabelLoc = importChecked(Err, S->getLabelLoc());
7093 if (Err)
7094 return std::move(Err);
7095
7096 return new (Importer.getToContext()) GotoStmt(
7097 ToLabel, ToGotoLoc, ToLabelLoc);
7098}
7099
7101
7102 Error Err = Error::success();
7103 auto ToGotoLoc = importChecked(Err, S->getGotoLoc());
7104 auto ToStarLoc = importChecked(Err, S->getStarLoc());
7105 auto ToTarget = importChecked(Err, S->getTarget());
7106 if (Err)
7107 return std::move(Err);
7108
7109 return new (Importer.getToContext()) IndirectGotoStmt(
7110 ToGotoLoc, ToStarLoc, ToTarget);
7111}
7112
7114 ExpectedSLoc ToContinueLocOrErr = import(S->getContinueLoc());
7115 if (!ToContinueLocOrErr)
7116 return ToContinueLocOrErr.takeError();
7117 return new (Importer.getToContext()) ContinueStmt(*ToContinueLocOrErr);
7118}
7119
7121 auto ToBreakLocOrErr = import(S->getBreakLoc());
7122 if (!ToBreakLocOrErr)
7123 return ToBreakLocOrErr.takeError();
7124 return new (Importer.getToContext()) BreakStmt(*ToBreakLocOrErr);
7125}
7126
7128
7129 Error Err = Error::success();
7130 auto ToReturnLoc = importChecked(Err, S->getReturnLoc());
7131 auto ToRetValue = importChecked(Err, S->getRetValue());
7132 auto ToNRVOCandidate = importChecked(Err, S->getNRVOCandidate());
7133 if (Err)
7134 return std::move(Err);
7135
7136 return ReturnStmt::Create(Importer.getToContext(), ToReturnLoc, ToRetValue,
7137 ToNRVOCandidate);
7138}
7139
7141
7142 Error Err = Error::success();
7143 auto ToCatchLoc = importChecked(Err, S->getCatchLoc());
7144 auto ToExceptionDecl = importChecked(Err, S->getExceptionDecl());
7145 auto ToHandlerBlock = importChecked(Err, S->getHandlerBlock());
7146 if (Err)
7147 return std::move(Err);
7148
7149 return new (Importer.getToContext()) CXXCatchStmt (
7150 ToCatchLoc, ToExceptionDecl, ToHandlerBlock);
7151}
7152
7154 ExpectedSLoc ToTryLocOrErr = import(S->getTryLoc());
7155 if (!ToTryLocOrErr)
7156 return ToTryLocOrErr.takeError();
7157
7158 ExpectedStmt ToTryBlockOrErr = import(S->getTryBlock());
7159 if (!ToTryBlockOrErr)
7160 return ToTryBlockOrErr.takeError();
7161
7162 SmallVector<Stmt *, 1> ToHandlers(S->getNumHandlers());
7163 for (unsigned HI = 0, HE = S->getNumHandlers(); HI != HE; ++HI) {
7164 CXXCatchStmt *FromHandler = S->getHandler(HI);
7165 if (auto ToHandlerOrErr = import(FromHandler))
7166 ToHandlers[HI] = *ToHandlerOrErr;
7167 else
7168 return ToHandlerOrErr.takeError();
7169 }
7170
7171 return CXXTryStmt::Create(Importer.getToContext(), *ToTryLocOrErr,
7172 cast<CompoundStmt>(*ToTryBlockOrErr), ToHandlers);
7173}
7174
7176
7177 Error Err = Error::success();
7178 auto ToInit = importChecked(Err, S->getInit());
7179 auto ToRangeStmt = importChecked(Err, S->getRangeStmt());
7180 auto ToBeginStmt = importChecked(Err, S->getBeginStmt());
7181 auto ToEndStmt = importChecked(Err, S->getEndStmt());
7182 auto ToCond = importChecked(Err, S->getCond());
7183 auto ToInc = importChecked(Err, S->getInc());
7184 auto ToLoopVarStmt = importChecked(Err, S->getLoopVarStmt());
7185 auto ToBody = importChecked(Err, S->getBody());
7186 auto ToForLoc = importChecked(Err, S->getForLoc());
7187 auto ToCoawaitLoc = importChecked(Err, S->getCoawaitLoc());
7188 auto ToColonLoc = importChecked(Err, S->getColonLoc());
7189 auto ToRParenLoc = importChecked(Err, S->getRParenLoc());
7190 if (Err)
7191 return std::move(Err);
7192
7193 return new (Importer.getToContext()) CXXForRangeStmt(
7194 ToInit, ToRangeStmt, ToBeginStmt, ToEndStmt, ToCond, ToInc, ToLoopVarStmt,
7195 ToBody, ToForLoc, ToCoawaitLoc, ToColonLoc, ToRParenLoc);
7196}
7197
7200 Error Err = Error::success();
7201 auto ToElement = importChecked(Err, S->getElement());
7202 auto ToCollection = importChecked(Err, S->getCollection());
7203 auto ToBody = importChecked(Err, S->getBody());
7204 auto ToForLoc = importChecked(Err, S->getForLoc());
7205 auto ToRParenLoc = importChecked(Err, S->getRParenLoc());
7206 if (Err)
7207 return std::move(Err);
7208
7209 return new (Importer.getToContext()) ObjCForCollectionStmt(ToElement,
7210 ToCollection,
7211 ToBody,
7212 ToForLoc,
7213 ToRParenLoc);
7214}
7215
7217
7218 Error Err = Error::success();
7219 auto ToAtCatchLoc = importChecked(Err, S->getAtCatchLoc());
7220 auto ToRParenLoc = importChecked(Err, S->getRParenLoc());
7221 auto ToCatchParamDecl = importChecked(Err, S->getCatchParamDecl());
7222 auto ToCatchBody = importChecked(Err, S->getCatchBody());
7223 if (Err)
7224 return std::move(Err);
7225
7226 return new (Importer.getToContext()) ObjCAtCatchStmt (
7227 ToAtCatchLoc, ToRParenLoc, ToCatchParamDecl, ToCatchBody);
7228}
7229
7231 ExpectedSLoc ToAtFinallyLocOrErr = import(S->getAtFinallyLoc());
7232 if (!ToAtFinallyLocOrErr)
7233 return ToAtFinallyLocOrErr.takeError();
7234 ExpectedStmt ToAtFinallyStmtOrErr = import(S->getFinallyBody());
7235 if (!ToAtFinallyStmtOrErr)
7236 return ToAtFinallyStmtOrErr.takeError();
7237 return new (Importer.getToContext()) ObjCAtFinallyStmt(*ToAtFinallyLocOrErr,
7238 *ToAtFinallyStmtOrErr);
7239}
7240
7242
7243 Error Err = Error::success();
7244 auto ToAtTryLoc = importChecked(Err, S->getAtTryLoc());
7245 auto ToTryBody = importChecked(Err, S->getTryBody());
7246 auto ToFinallyStmt = importChecked(Err, S->getFinallyStmt());
7247 if (Err)
7248 return std::move(Err);
7249
7250 SmallVector<Stmt *, 1> ToCatchStmts(S->getNumCatchStmts());
7251 for (unsigned CI = 0, CE = S->getNumCatchStmts(); CI != CE; ++CI) {
7252 ObjCAtCatchStmt *FromCatchStmt = S->getCatchStmt(CI);
7253 if (ExpectedStmt ToCatchStmtOrErr = import(FromCatchStmt))
7254 ToCatchStmts[CI] = *ToCatchStmtOrErr;
7255 else
7256 return ToCatchStmtOrErr.takeError();
7257 }
7258
7259 return ObjCAtTryStmt::Create(Importer.getToContext(),
7260 ToAtTryLoc, ToTryBody,
7261 ToCatchStmts.begin(), ToCatchStmts.size(),
7262 ToFinallyStmt);
7263}
7264
7267
7268 Error Err = Error::success();
7269 auto ToAtSynchronizedLoc = importChecked(Err, S->getAtSynchronizedLoc());
7270 auto ToSynchExpr = importChecked(Err, S->getSynchExpr());
7271 auto ToSynchBody = importChecked(Err, S->getSynchBody());
7272 if (Err)
7273 return std::move(Err);
7274
7275 return new (Importer.getToContext()) ObjCAtSynchronizedStmt(
7276 ToAtSynchronizedLoc, ToSynchExpr, ToSynchBody);
7277}
7278
7280 ExpectedSLoc ToThrowLocOrErr = import(S->getThrowLoc());
7281 if (!ToThrowLocOrErr)
7282 return ToThrowLocOrErr.takeError();
7283 ExpectedExpr ToThrowExprOrErr = import(S->getThrowExpr());
7284 if (!ToThrowExprOrErr)
7285 return ToThrowExprOrErr.takeError();
7286 return new (Importer.getToContext()) ObjCAtThrowStmt(
7287 *ToThrowLocOrErr, *ToThrowExprOrErr);
7288}
7289
7292 ExpectedSLoc ToAtLocOrErr = import(S->getAtLoc());
7293 if (!ToAtLocOrErr)
7294 return ToAtLocOrErr.takeError();
7295 ExpectedStmt ToSubStmtOrErr = import(S->getSubStmt());
7296 if (!ToSubStmtOrErr)
7297 return ToSubStmtOrErr.takeError();
7298 return new (Importer.getToContext()) ObjCAutoreleasePoolStmt(*ToAtLocOrErr,
7299 *ToSubStmtOrErr);
7300}
7301
7302//----------------------------------------------------------------------------
7303// Import Expressions
7304//----------------------------------------------------------------------------
7306 Importer.FromDiag(E->getBeginLoc(), diag::err_unsupported_ast_node)
7307 << E->getStmtClassName();
7308 return make_error<ASTImportError>(ASTImportError::UnsupportedConstruct);
7309}
7310
7312 Error Err = Error::success();
7313 auto ToType = importChecked(Err, E->getType());
7314 auto BLoc = importChecked(Err, E->getBeginLoc());
7315 auto RParenLoc = importChecked(Err, E->getEndLoc());
7316 if (Err)
7317 return std::move(Err);
7318 auto ParentContextOrErr = Importer.ImportContext(E->getParentContext());
7319 if (!ParentContextOrErr)
7320 return ParentContextOrErr.takeError();
7321
7322 return new (Importer.getToContext())
7323 SourceLocExpr(Importer.getToContext(), E->getIdentKind(), ToType, BLoc,
7324 RParenLoc, *ParentContextOrErr);
7325}
7326
7328
7329 Error Err = Error::success();
7330 auto ToBuiltinLoc = importChecked(Err, E->getBuiltinLoc());
7331 auto ToSubExpr = importChecked(Err, E->getSubExpr());
7332 auto ToWrittenTypeInfo = importChecked(Err, E->getWrittenTypeInfo());
7333 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
7334 auto ToType = importChecked(Err, E->getType());
7335 if (Err)
7336 return std::move(Err);
7337
7338 return new (Importer.getToContext()) VAArgExpr(
7339 ToBuiltinLoc, ToSubExpr, ToWrittenTypeInfo, ToRParenLoc, ToType,
7340 E->isMicrosoftABI());
7341}
7342
7344
7345 Error Err = Error::success();
7346 auto ToCond = importChecked(Err, E->getCond());
7347 auto ToLHS = importChecked(Err, E->getLHS());
7348 auto ToRHS = importChecked(Err, E->getRHS());
7349 auto ToBuiltinLoc = importChecked(Err, E->getBuiltinLoc());
7350 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
7351 auto ToType = importChecked(Err, E->getType());
7352 if (Err)
7353 return std::move(Err);
7354
7357
7358 // The value of CondIsTrue only matters if the value is not
7359 // condition-dependent.
7360 bool CondIsTrue = !E->isConditionDependent() && E->isConditionTrue();
7361
7362 return new (Importer.getToContext())
7363 ChooseExpr(ToBuiltinLoc, ToCond, ToLHS, ToRHS, ToType, VK, OK,
7364 ToRParenLoc, CondIsTrue);
7365}
7366
7368 Error Err = Error::success();
7369 auto *ToSrcExpr = importChecked(Err, E->getSrcExpr());
7370 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
7371 auto ToBuiltinLoc = importChecked(Err, E->getBuiltinLoc());
7372 auto ToType = importChecked(Err, E->getType());
7373 auto *ToTSI = importChecked(Err, E->getTypeSourceInfo());
7374 if (Err)
7375 return std::move(Err);
7376
7377 return new (Importer.getToContext())
7378 ConvertVectorExpr(ToSrcExpr, ToTSI, ToType, E->getValueKind(),
7379 E->getObjectKind(), ToBuiltinLoc, ToRParenLoc);
7380}
7381
7383 Error Err = Error::success();
7384 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
7385 auto ToBeginLoc = importChecked(Err, E->getBeginLoc());
7386 auto ToType = importChecked(Err, E->getType());
7387 const unsigned NumSubExprs = E->getNumSubExprs();
7388
7390 llvm::ArrayRef<Expr *> FromSubExprs(E->getSubExprs(), NumSubExprs);
7391 ToSubExprs.resize(NumSubExprs);
7392
7393 if ((Err = ImportContainerChecked(FromSubExprs, ToSubExprs)))
7394 return std::move(Err);
7395
7396 return new (Importer.getToContext()) ShuffleVectorExpr(
7397 Importer.getToContext(), ToSubExprs, ToType, ToBeginLoc, ToRParenLoc);
7398}
7399
7401 ExpectedType TypeOrErr = import(E->getType());
7402 if (!TypeOrErr)
7403 return TypeOrErr.takeError();
7404
7405 ExpectedSLoc BeginLocOrErr = import(E->getBeginLoc());
7406 if (!BeginLocOrErr)
7407 return BeginLocOrErr.takeError();
7408
7409 return new (Importer.getToContext()) GNUNullExpr(*TypeOrErr, *BeginLocOrErr);
7410}
7411
7414 Error Err = Error::success();
7415 auto ToGenericLoc = importChecked(Err, E->getGenericLoc());
7416 Expr *ToControllingExpr = nullptr;
7417 TypeSourceInfo *ToControllingType = nullptr;
7418 if (E->isExprPredicate())
7419 ToControllingExpr = importChecked(Err, E->getControllingExpr());
7420 else
7421 ToControllingType = importChecked(Err, E->getControllingType());
7422 assert((ToControllingExpr || ToControllingType) &&
7423 "Either the controlling expr or type must be nonnull");
7424 auto ToDefaultLoc = importChecked(Err, E->getDefaultLoc());
7425 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
7426 if (Err)
7427 return std::move(Err);
7428
7429 ArrayRef<const TypeSourceInfo *> FromAssocTypes(E->getAssocTypeSourceInfos());
7430 SmallVector<TypeSourceInfo *, 1> ToAssocTypes(FromAssocTypes.size());
7431 if (Error Err = ImportContainerChecked(FromAssocTypes, ToAssocTypes))
7432 return std::move(Err);
7433
7434 ArrayRef<const Expr *> FromAssocExprs(E->getAssocExprs());
7435 SmallVector<Expr *, 1> ToAssocExprs(FromAssocExprs.size());
7436 if (Error Err = ImportContainerChecked(FromAssocExprs, ToAssocExprs))
7437 return std::move(Err);
7438
7439 const ASTContext &ToCtx = Importer.getToContext();
7440 if (E->isResultDependent()) {
7441 if (ToControllingExpr) {
7443 ToCtx, ToGenericLoc, ToControllingExpr, llvm::ArrayRef(ToAssocTypes),
7444 llvm::ArrayRef(ToAssocExprs), ToDefaultLoc, ToRParenLoc,
7446 }
7448 ToCtx, ToGenericLoc, ToControllingType, llvm::ArrayRef(ToAssocTypes),
7449 llvm::ArrayRef(ToAssocExprs), ToDefaultLoc, ToRParenLoc,
7451 }
7452
7453 if (ToControllingExpr) {
7455 ToCtx, ToGenericLoc, ToControllingExpr, llvm::ArrayRef(ToAssocTypes),
7456 llvm::ArrayRef(ToAssocExprs), ToDefaultLoc, ToRParenLoc,
7457 E->containsUnexpandedParameterPack(), E->getResultIndex());
7458 }
7460 ToCtx, ToGenericLoc, ToControllingType, llvm::ArrayRef(ToAssocTypes),
7461 llvm::ArrayRef(ToAssocExprs), ToDefaultLoc, ToRParenLoc,
7462 E->containsUnexpandedParameterPack(), E->getResultIndex());
7463}
7464
7466
7467 Error Err = Error::success();
7468 auto ToBeginLoc = importChecked(Err, E->getBeginLoc());
7469 auto ToType = importChecked(Err, E->getType());
7470 auto ToFunctionName = importChecked(Err, E->getFunctionName());
7471 if (Err)
7472 return std::move(Err);
7473
7474 return PredefinedExpr::Create(Importer.getToContext(), ToBeginLoc, ToType,
7475 E->getIdentKind(), E->isTransparent(),
7476 ToFunctionName);
7477}
7478
7480
7481 Error Err = Error::success();
7482 auto ToQualifierLoc = importChecked(Err, E->getQualifierLoc());
7483 auto ToTemplateKeywordLoc = importChecked(Err, E->getTemplateKeywordLoc());
7484 auto ToDecl = importChecked(Err, E->getDecl());
7485 auto ToLocation = importChecked(Err, E->getLocation());
7486 auto ToType = importChecked(Err, E->getType());
7487 if (Err)
7488 return std::move(Err);
7489
7490 NamedDecl *ToFoundD = nullptr;
7491 if (E->getDecl() != E->getFoundDecl()) {
7492 auto FoundDOrErr = import(E->getFoundDecl());
7493 if (!FoundDOrErr)
7494 return FoundDOrErr.takeError();
7495 ToFoundD = *FoundDOrErr;
7496 }
7497
7498 TemplateArgumentListInfo ToTAInfo;
7499 TemplateArgumentListInfo *ToResInfo = nullptr;
7500 if (E->hasExplicitTemplateArgs()) {
7501 if (Error Err =
7502 ImportTemplateArgumentListInfo(E->getLAngleLoc(), E->getRAngleLoc(),
7503 E->template_arguments(), ToTAInfo))
7504 return std::move(Err);
7505 ToResInfo = &ToTAInfo;
7506 }
7507
7508 auto *ToE = DeclRefExpr::Create(
7509 Importer.getToContext(), ToQualifierLoc, ToTemplateKeywordLoc, ToDecl,
7510 E->refersToEnclosingVariableOrCapture(), ToLocation, ToType,
7511 E->getValueKind(), ToFoundD, ToResInfo, E->isNonOdrUse());
7512 if (E->hadMultipleCandidates())
7513 ToE->setHadMultipleCandidates(true);
7514 ToE->setIsImmediateEscalating(E->isImmediateEscalating());
7515 return ToE;
7516}
7517
7519 ExpectedType TypeOrErr = import(E->getType());
7520 if (!TypeOrErr)
7521 return TypeOrErr.takeError();
7522
7523 return new (Importer.getToContext()) ImplicitValueInitExpr(*TypeOrErr);
7524}
7525
7527 ExpectedExpr ToInitOrErr = import(E->getInit());
7528 if (!ToInitOrErr)
7529 return ToInitOrErr.takeError();
7530
7531 ExpectedSLoc ToEqualOrColonLocOrErr = import(E->getEqualOrColonLoc());
7532 if (!ToEqualOrColonLocOrErr)
7533 return ToEqualOrColonLocOrErr.takeError();
7534
7535 SmallVector<Expr *, 4> ToIndexExprs(E->getNumSubExprs() - 1);
7536 // List elements from the second, the first is Init itself
7537 for (unsigned I = 1, N = E->getNumSubExprs(); I < N; I++) {
7538 if (ExpectedExpr ToArgOrErr = import(E->getSubExpr(I)))
7539 ToIndexExprs[I - 1] = *ToArgOrErr;
7540 else
7541 return ToArgOrErr.takeError();
7542 }
7543
7544 SmallVector<Designator, 4> ToDesignators(E->size());
7545 if (Error Err = ImportContainerChecked(E->designators(), ToDesignators))
7546 return std::move(Err);
7547
7549 Importer.getToContext(), ToDesignators,
7550 ToIndexExprs, *ToEqualOrColonLocOrErr,
7551 E->usesGNUSyntax(), *ToInitOrErr);
7552}
7553
7556 ExpectedType ToTypeOrErr = import(E->getType());
7557 if (!ToTypeOrErr)
7558 return ToTypeOrErr.takeError();
7559
7560 ExpectedSLoc ToLocationOrErr = import(E->getLocation());
7561 if (!ToLocationOrErr)
7562 return ToLocationOrErr.takeError();
7563
7564 return new (Importer.getToContext()) CXXNullPtrLiteralExpr(
7565 *ToTypeOrErr, *ToLocationOrErr);
7566}
7567
7569 ExpectedType ToTypeOrErr = import(E->getType());
7570 if (!ToTypeOrErr)
7571 return ToTypeOrErr.takeError();
7572
7573 ExpectedSLoc ToLocationOrErr = import(E->getLocation());
7574 if (!ToLocationOrErr)
7575 return ToLocationOrErr.takeError();
7576
7578 Importer.getToContext(), E->getValue(), *ToTypeOrErr, *ToLocationOrErr);
7579}
7580
7581
7583 ExpectedType ToTypeOrErr = import(E->getType());
7584 if (!ToTypeOrErr)
7585 return ToTypeOrErr.takeError();
7586
7587 ExpectedSLoc ToLocationOrErr = import(E->getLocation());
7588 if (!ToLocationOrErr)
7589 return ToLocationOrErr.takeError();
7590
7592 Importer.getToContext(), E->getValue(), E->isExact(),
7593 *ToTypeOrErr, *ToLocationOrErr);
7594}
7595
7597 auto ToTypeOrErr = import(E->getType());
7598 if (!ToTypeOrErr)
7599 return ToTypeOrErr.takeError();
7600
7601 ExpectedExpr ToSubExprOrErr = import(E->getSubExpr());
7602 if (!ToSubExprOrErr)
7603 return ToSubExprOrErr.takeError();
7604
7605 return new (Importer.getToContext()) ImaginaryLiteral(
7606 *ToSubExprOrErr, *ToTypeOrErr);
7607}
7608
7610 auto ToTypeOrErr = import(E->getType());
7611 if (!ToTypeOrErr)
7612 return ToTypeOrErr.takeError();
7613
7614 ExpectedSLoc ToLocationOrErr = import(E->getLocation());
7615 if (!ToLocationOrErr)
7616 return ToLocationOrErr.takeError();
7617
7618 return new (Importer.getToContext()) FixedPointLiteral(
7619 Importer.getToContext(), E->getValue(), *ToTypeOrErr, *ToLocationOrErr,
7620 Importer.getToContext().getFixedPointScale(*ToTypeOrErr));
7621}
7622
7624 ExpectedType ToTypeOrErr = import(E->getType());
7625 if (!ToTypeOrErr)
7626 return ToTypeOrErr.takeError();
7627
7628 ExpectedSLoc ToLocationOrErr = import(E->getLocation());
7629 if (!ToLocationOrErr)
7630 return ToLocationOrErr.takeError();
7631
7632 return new (Importer.getToContext()) CharacterLiteral(
7633 E->getValue(), E->getKind(), *ToTypeOrErr, *ToLocationOrErr);
7634}
7635
7637 ExpectedType ToTypeOrErr = import(E->getType());
7638 if (!ToTypeOrErr)
7639 return ToTypeOrErr.takeError();
7640
7641 SmallVector<SourceLocation, 4> ToLocations(E->getNumConcatenated());
7642 if (Error Err = ImportArrayChecked(
7643 E->tokloc_begin(), E->tokloc_end(), ToLocations.begin()))
7644 return std::move(Err);
7645
7646 return StringLiteral::Create(
7647 Importer.getToContext(), E->getBytes(), E->getKind(), E->isPascal(),
7648 *ToTypeOrErr, ToLocations.data(), ToLocations.size());
7649}
7650
7652
7653 Error Err = Error::success();
7654 auto ToLParenLoc = importChecked(Err, E->getLParenLoc());
7655 auto ToTypeSourceInfo = importChecked(Err, E->getTypeSourceInfo());
7656 auto ToType = importChecked(Err, E->getType());
7657 auto ToInitializer = importChecked(Err, E->getInitializer());
7658 if (Err)
7659 return std::move(Err);
7660
7661 return new (Importer.getToContext()) CompoundLiteralExpr(
7662 ToLParenLoc, ToTypeSourceInfo, ToType, E->getValueKind(),
7663 ToInitializer, E->isFileScope());
7664}
7665
7667
7668 Error Err = Error::success();
7669 auto ToBuiltinLoc = importChecked(Err, E->getBuiltinLoc());
7670 auto ToType = importChecked(Err, E->getType());
7671 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
7672 if (Err)
7673 return std::move(Err);
7674
7675 SmallVector<Expr *, 6> ToExprs(E->getNumSubExprs());
7676 if (Error Err = ImportArrayChecked(
7677 E->getSubExprs(), E->getSubExprs() + E->getNumSubExprs(),
7678 ToExprs.begin()))
7679 return std::move(Err);
7680
7681 return new (Importer.getToContext()) AtomicExpr(
7682
7683 ToBuiltinLoc, ToExprs, ToType, E->getOp(), ToRParenLoc);
7684}
7685
7687 Error Err = Error::success();
7688 auto ToAmpAmpLoc = importChecked(Err, E->getAmpAmpLoc());
7689 auto ToLabelLoc = importChecked(Err, E->getLabelLoc());
7690 auto ToLabel = importChecked(Err, E->getLabel());
7691 auto ToType = importChecked(Err, E->getType());
7692 if (Err)
7693 return std::move(Err);
7694
7695 return new (Importer.getToContext()) AddrLabelExpr(
7696 ToAmpAmpLoc, ToLabelLoc, ToLabel, ToType);
7697}
7699 Error Err = Error::success();
7700 auto ToSubExpr = importChecked(Err, E->getSubExpr());
7701 auto ToResult = importChecked(Err, E->getAPValueResult());
7702 if (Err)
7703 return std::move(Err);
7704
7705 return ConstantExpr::Create(Importer.getToContext(), ToSubExpr, ToResult);
7706}
7708 Error Err = Error::success();
7709 auto ToLParen = importChecked(Err, E->getLParen());
7710 auto ToRParen = importChecked(Err, E->getRParen());
7711 auto ToSubExpr = importChecked(Err, E->getSubExpr());
7712 if (Err)
7713 return std::move(Err);
7714
7715 return new (Importer.getToContext())
7716 ParenExpr(ToLParen, ToRParen, ToSubExpr);
7717}
7718
7720 SmallVector<Expr *, 4> ToExprs(E->getNumExprs());
7721 if (Error Err = ImportContainerChecked(E->exprs(), ToExprs))
7722 return std::move(Err);
7723
7724 ExpectedSLoc ToLParenLocOrErr = import(E->getLParenLoc());
7725 if (!ToLParenLocOrErr)
7726 return ToLParenLocOrErr.takeError();
7727
7728 ExpectedSLoc ToRParenLocOrErr = import(E->getRParenLoc());
7729 if (!ToRParenLocOrErr)
7730 return ToRParenLocOrErr.takeError();
7731
7732 return ParenListExpr::Create(Importer.getToContext(), *ToLParenLocOrErr,
7733 ToExprs, *ToRParenLocOrErr);
7734}
7735
7737 Error Err = Error::success();
7738 auto ToSubStmt = importChecked(Err, E->getSubStmt());
7739 auto ToType = importChecked(Err, E->getType());
7740 auto ToLParenLoc = importChecked(Err, E->getLParenLoc());
7741 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
7742 if (Err)
7743 return std::move(Err);
7744
7745 return new (Importer.getToContext())
7746 StmtExpr(ToSubStmt, ToType, ToLParenLoc, ToRParenLoc,
7747 E->getTemplateDepth());
7748}
7749
7751 Error Err = Error::success();
7752 auto ToSubExpr = importChecked(Err, E->getSubExpr());
7753 auto ToType = importChecked(Err, E->getType());
7754 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
7755 if (Err)
7756 return std::move(Err);
7757
7758 auto *UO = UnaryOperator::CreateEmpty(Importer.getToContext(),
7759 E->hasStoredFPFeatures());
7760 UO->setType(ToType);
7761 UO->setSubExpr(ToSubExpr);
7762 UO->setOpcode(E->getOpcode());
7763 UO->setOperatorLoc(ToOperatorLoc);
7764 UO->setCanOverflow(E->canOverflow());
7765 if (E->hasStoredFPFeatures())
7766 UO->setStoredFPFeatures(E->getStoredFPFeatures());
7767
7768 return UO;
7769}
7770
7772
7774 Error Err = Error::success();
7775 auto ToType = importChecked(Err, E->getType());
7776 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
7777 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
7778 if (Err)
7779 return std::move(Err);
7780
7781 if (E->isArgumentType()) {
7782 Expected<TypeSourceInfo *> ToArgumentTypeInfoOrErr =
7783 import(E->getArgumentTypeInfo());
7784 if (!ToArgumentTypeInfoOrErr)
7785 return ToArgumentTypeInfoOrErr.takeError();
7786
7787 return new (Importer.getToContext()) UnaryExprOrTypeTraitExpr(
7788 E->getKind(), *ToArgumentTypeInfoOrErr, ToType, ToOperatorLoc,
7789 ToRParenLoc);
7790 }
7791
7792 ExpectedExpr ToArgumentExprOrErr = import(E->getArgumentExpr());
7793 if (!ToArgumentExprOrErr)
7794 return ToArgumentExprOrErr.takeError();
7795
7796 return new (Importer.getToContext()) UnaryExprOrTypeTraitExpr(
7797 E->getKind(), *ToArgumentExprOrErr, ToType, ToOperatorLoc, ToRParenLoc);
7798}
7799
7801 Error Err = Error::success();
7802 auto ToLHS = importChecked(Err, E->getLHS());
7803 auto ToRHS = importChecked(Err, E->getRHS());
7804 auto ToType = importChecked(Err, E->getType());
7805 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
7806 if (Err)
7807 return std::move(Err);
7808
7810 Importer.getToContext(), ToLHS, ToRHS, E->getOpcode(), ToType,
7811 E->getValueKind(), E->getObjectKind(), ToOperatorLoc,
7812 E->getFPFeatures());
7813}
7814
7816 Error Err = Error::success();
7817 auto ToCond = importChecked(Err, E->getCond());
7818 auto ToQuestionLoc = importChecked(Err, E->getQuestionLoc());
7819 auto ToLHS = importChecked(Err, E->getLHS());
7820 auto ToColonLoc = importChecked(Err, E->getColonLoc());
7821 auto ToRHS = importChecked(Err, E->getRHS());
7822 auto ToType = importChecked(Err, E->getType());
7823 if (Err)
7824 return std::move(Err);
7825
7826 return new (Importer.getToContext()) ConditionalOperator(
7827 ToCond, ToQuestionLoc, ToLHS, ToColonLoc, ToRHS, ToType,
7828 E->getValueKind(), E->getObjectKind());
7829}
7830
7833 Error Err = Error::success();
7834 auto ToCommon = importChecked(Err, E->getCommon());
7835 auto ToOpaqueValue = importChecked(Err, E->getOpaqueValue());
7836 auto ToCond = importChecked(Err, E->getCond());
7837 auto ToTrueExpr = importChecked(Err, E->getTrueExpr());
7838 auto ToFalseExpr = importChecked(Err, E->getFalseExpr());
7839 auto ToQuestionLoc = importChecked(Err, E->getQuestionLoc());
7840 auto ToColonLoc = importChecked(Err, E->getColonLoc());
7841 auto ToType = importChecked(Err, E->getType());
7842 if (Err)
7843 return std::move(Err);
7844
7845 return new (Importer.getToContext()) BinaryConditionalOperator(
7846 ToCommon, ToOpaqueValue, ToCond, ToTrueExpr, ToFalseExpr,
7847 ToQuestionLoc, ToColonLoc, ToType, E->getValueKind(),
7848 E->getObjectKind());
7849}
7850
7853 Error Err = Error::success();
7854 auto ToSemanticForm = importChecked(Err, E->getSemanticForm());
7855 if (Err)
7856 return std::move(Err);
7857
7858 return new (Importer.getToContext())
7859 CXXRewrittenBinaryOperator(ToSemanticForm, E->isReversed());
7860}
7861
7863 Error Err = Error::success();
7864 auto ToBeginLoc = importChecked(Err, E->getBeginLoc());
7865 auto ToQueriedTypeSourceInfo =
7866 importChecked(Err, E->getQueriedTypeSourceInfo());
7867 auto ToDimensionExpression = importChecked(Err, E->getDimensionExpression());
7868 auto ToEndLoc = importChecked(Err, E->getEndLoc());
7869 auto ToType = importChecked(Err, E->getType());
7870 if (Err)
7871 return std::move(Err);
7872
7873 return new (Importer.getToContext()) ArrayTypeTraitExpr(
7874 ToBeginLoc, E->getTrait(), ToQueriedTypeSourceInfo, E->getValue(),
7875 ToDimensionExpression, ToEndLoc, ToType);
7876}
7877
7879 Error Err = Error::success();
7880 auto ToBeginLoc = importChecked(Err, E->getBeginLoc());
7881 auto ToQueriedExpression = importChecked(Err, E->getQueriedExpression());
7882 auto ToEndLoc = importChecked(Err, E->getEndLoc());
7883 auto ToType = importChecked(Err, E->getType());
7884 if (Err)
7885 return std::move(Err);
7886
7887 return new (Importer.getToContext()) ExpressionTraitExpr(
7888 ToBeginLoc, E->getTrait(), ToQueriedExpression, E->getValue(),
7889 ToEndLoc, ToType);
7890}
7891
7893 Error Err = Error::success();
7894 auto ToLocation = importChecked(Err, E->getLocation());
7895 auto ToType = importChecked(Err, E->getType());
7896 auto ToSourceExpr = importChecked(Err, E->getSourceExpr());
7897 if (Err)
7898 return std::move(Err);
7899
7900 return new (Importer.getToContext()) OpaqueValueExpr(
7901 ToLocation, ToType, E->getValueKind(), E->getObjectKind(), ToSourceExpr);
7902}
7903
7905 Error Err = Error::success();
7906 auto ToLHS = importChecked(Err, E->getLHS());
7907 auto ToRHS = importChecked(Err, E->getRHS());
7908 auto ToType = importChecked(Err, E->getType());
7909 auto ToRBracketLoc = importChecked(Err, E->getRBracketLoc());
7910 if (Err)
7911 return std::move(Err);
7912
7913 return new (Importer.getToContext()) ArraySubscriptExpr(
7914 ToLHS, ToRHS, ToType, E->getValueKind(), E->getObjectKind(),
7915 ToRBracketLoc);
7916}
7917
7920 Error Err = Error::success();
7921 auto ToLHS = importChecked(Err, E->getLHS());
7922 auto ToRHS = importChecked(Err, E->getRHS());
7923 auto ToType = importChecked(Err, E->getType());
7924 auto ToComputationLHSType = importChecked(Err, E->getComputationLHSType());
7925 auto ToComputationResultType =
7926 importChecked(Err, E->getComputationResultType());
7927 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
7928 if (Err)
7929 return std::move(Err);
7930
7932 Importer.getToContext(), ToLHS, ToRHS, E->getOpcode(), ToType,
7933 E->getValueKind(), E->getObjectKind(), ToOperatorLoc,
7934 E->getFPFeatures(),
7935 ToComputationLHSType, ToComputationResultType);
7936}
7937
7941 for (auto I = CE->path_begin(), E = CE->path_end(); I != E; ++I) {
7942 if (auto SpecOrErr = import(*I))
7943 Path.push_back(*SpecOrErr);
7944 else
7945 return SpecOrErr.takeError();
7946 }
7947 return Path;
7948}
7949
7951 ExpectedType ToTypeOrErr = import(E->getType());
7952 if (!ToTypeOrErr)
7953 return ToTypeOrErr.takeError();
7954
7955 ExpectedExpr ToSubExprOrErr = import(E->getSubExpr());
7956 if (!ToSubExprOrErr)
7957 return ToSubExprOrErr.takeError();
7958
7959 Expected<CXXCastPath> ToBasePathOrErr = ImportCastPath(E);
7960 if (!ToBasePathOrErr)
7961 return ToBasePathOrErr.takeError();
7962
7964 Importer.getToContext(), *ToTypeOrErr, E->getCastKind(), *ToSubExprOrErr,
7965 &(*ToBasePathOrErr), E->getValueKind(), E->getFPFeatures());
7966}
7967
7969 Error Err = Error::success();
7970 auto ToType = importChecked(Err, E->getType());
7971 auto ToSubExpr = importChecked(Err, E->getSubExpr());
7972 auto ToTypeInfoAsWritten = importChecked(Err, E->getTypeInfoAsWritten());
7973 if (Err)
7974 return std::move(Err);
7975
7976 Expected<CXXCastPath> ToBasePathOrErr = ImportCastPath(E);
7977 if (!ToBasePathOrErr)
7978 return ToBasePathOrErr.takeError();
7979 CXXCastPath *ToBasePath = &(*ToBasePathOrErr);
7980
7981 switch (E->getStmtClass()) {
7982 case Stmt::CStyleCastExprClass: {
7983 auto *CCE = cast<CStyleCastExpr>(E);
7984 ExpectedSLoc ToLParenLocOrErr = import(CCE->getLParenLoc());
7985 if (!ToLParenLocOrErr)
7986 return ToLParenLocOrErr.takeError();
7987 ExpectedSLoc ToRParenLocOrErr = import(CCE->getRParenLoc());
7988 if (!ToRParenLocOrErr)
7989 return ToRParenLocOrErr.takeError();
7991 Importer.getToContext(), ToType, E->getValueKind(), E->getCastKind(),
7992 ToSubExpr, ToBasePath, CCE->getFPFeatures(), ToTypeInfoAsWritten,
7993 *ToLParenLocOrErr, *ToRParenLocOrErr);
7994 }
7995
7996 case Stmt::CXXFunctionalCastExprClass: {
7997 auto *FCE = cast<CXXFunctionalCastExpr>(E);
7998 ExpectedSLoc ToLParenLocOrErr = import(FCE->getLParenLoc());
7999 if (!ToLParenLocOrErr)
8000 return ToLParenLocOrErr.takeError();
8001 ExpectedSLoc ToRParenLocOrErr = import(FCE->getRParenLoc());
8002 if (!ToRParenLocOrErr)
8003 return ToRParenLocOrErr.takeError();
8005 Importer.getToContext(), ToType, E->getValueKind(), ToTypeInfoAsWritten,
8006 E->getCastKind(), ToSubExpr, ToBasePath, FCE->getFPFeatures(),
8007 *ToLParenLocOrErr, *ToRParenLocOrErr);
8008 }
8009
8010 case Stmt::ObjCBridgedCastExprClass: {
8011 auto *OCE = cast<ObjCBridgedCastExpr>(E);
8012 ExpectedSLoc ToLParenLocOrErr = import(OCE->getLParenLoc());
8013 if (!ToLParenLocOrErr)
8014 return ToLParenLocOrErr.takeError();
8015 ExpectedSLoc ToBridgeKeywordLocOrErr = import(OCE->getBridgeKeywordLoc());
8016 if (!ToBridgeKeywordLocOrErr)
8017 return ToBridgeKeywordLocOrErr.takeError();
8018 return new (Importer.getToContext()) ObjCBridgedCastExpr(
8019 *ToLParenLocOrErr, OCE->getBridgeKind(), E->getCastKind(),
8020 *ToBridgeKeywordLocOrErr, ToTypeInfoAsWritten, ToSubExpr);
8021 }
8022 case Stmt::BuiltinBitCastExprClass: {
8023 auto *BBC = cast<BuiltinBitCastExpr>(E);
8024 ExpectedSLoc ToKWLocOrErr = import(BBC->getBeginLoc());
8025 if (!ToKWLocOrErr)
8026 return ToKWLocOrErr.takeError();
8027 ExpectedSLoc ToRParenLocOrErr = import(BBC->getEndLoc());
8028 if (!ToRParenLocOrErr)
8029 return ToRParenLocOrErr.takeError();
8030 return new (Importer.getToContext()) BuiltinBitCastExpr(
8031 ToType, E->getValueKind(), E->getCastKind(), ToSubExpr,
8032 ToTypeInfoAsWritten, *ToKWLocOrErr, *ToRParenLocOrErr);
8033 }
8034 default:
8035 llvm_unreachable("Cast expression of unsupported type!");
8036 return make_error<ASTImportError>(ASTImportError::UnsupportedConstruct);
8037 }
8038}
8039
8042 for (int I = 0, N = E->getNumComponents(); I < N; ++I) {
8043 const OffsetOfNode &FromNode = E->getComponent(I);
8044
8045 SourceLocation ToBeginLoc, ToEndLoc;
8046
8047 if (FromNode.getKind() != OffsetOfNode::Base) {
8048 Error Err = Error::success();
8049 ToBeginLoc = importChecked(Err, FromNode.getBeginLoc());
8050 ToEndLoc = importChecked(Err, FromNode.getEndLoc());
8051 if (Err)
8052 return std::move(Err);
8053 }
8054
8055 switch (FromNode.getKind()) {
8057 ToNodes.push_back(
8058 OffsetOfNode(ToBeginLoc, FromNode.getArrayExprIndex(), ToEndLoc));
8059 break;
8060 case OffsetOfNode::Base: {
8061 auto ToBSOrErr = import(FromNode.getBase());
8062 if (!ToBSOrErr)
8063 return ToBSOrErr.takeError();
8064 ToNodes.push_back(OffsetOfNode(*ToBSOrErr));
8065 break;
8066 }
8067 case OffsetOfNode::Field: {
8068 auto ToFieldOrErr = import(FromNode.getField());
8069 if (!ToFieldOrErr)
8070 return ToFieldOrErr.takeError();
8071 ToNodes.push_back(OffsetOfNode(ToBeginLoc, *ToFieldOrErr, ToEndLoc));
8072 break;
8073 }
8075 IdentifierInfo *ToII = Importer.Import(FromNode.getFieldName());
8076 ToNodes.push_back(OffsetOfNode(ToBeginLoc, ToII, ToEndLoc));
8077 break;
8078 }
8079 }
8080 }
8081
8082 SmallVector<Expr *, 4> ToExprs(E->getNumExpressions());
8083 for (int I = 0, N = E->getNumExpressions(); I < N; ++I) {
8084 ExpectedExpr ToIndexExprOrErr = import(E->getIndexExpr(I));
8085 if (!ToIndexExprOrErr)
8086 return ToIndexExprOrErr.takeError();
8087 ToExprs[I] = *ToIndexExprOrErr;
8088 }
8089
8090 Error Err = Error::success();
8091 auto ToType = importChecked(Err, E->getType());
8092 auto ToTypeSourceInfo = importChecked(Err, E->getTypeSourceInfo());
8093 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
8094 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
8095 if (Err)
8096 return std::move(Err);
8097
8098 return OffsetOfExpr::Create(
8099 Importer.getToContext(), ToType, ToOperatorLoc, ToTypeSourceInfo, ToNodes,
8100 ToExprs, ToRParenLoc);
8101}
8102
8104 Error Err = Error::success();
8105 auto ToType = importChecked(Err, E->getType());
8106 auto ToOperand = importChecked(Err, E->getOperand());
8107 auto ToBeginLoc = importChecked(Err, E->getBeginLoc());
8108 auto ToEndLoc = importChecked(Err, E->getEndLoc());
8109 if (Err)
8110 return std::move(Err);
8111
8112 CanThrowResult ToCanThrow;
8113 if (E->isValueDependent())
8114 ToCanThrow = CT_Dependent;
8115 else
8116 ToCanThrow = E->getValue() ? CT_Can : CT_Cannot;
8117
8118 return new (Importer.getToContext()) CXXNoexceptExpr(
8119 ToType, ToOperand, ToCanThrow, ToBeginLoc, ToEndLoc);
8120}
8121
8123 Error Err = Error::success();
8124 auto ToSubExpr = importChecked(Err, E->getSubExpr());
8125 auto ToType = importChecked(Err, E->getType());
8126 auto ToThrowLoc = importChecked(Err, E->getThrowLoc());
8127 if (Err)
8128 return std::move(Err);
8129
8130 return new (Importer.getToContext()) CXXThrowExpr(
8131 ToSubExpr, ToType, ToThrowLoc, E->isThrownVariableInScope());
8132}
8133
8135 ExpectedSLoc ToUsedLocOrErr = import(E->getUsedLocation());
8136 if (!ToUsedLocOrErr)
8137 return ToUsedLocOrErr.takeError();
8138
8139 auto ToParamOrErr = import(E->getParam());
8140 if (!ToParamOrErr)
8141 return ToParamOrErr.takeError();
8142
8143 auto UsedContextOrErr = Importer.ImportContext(E->getUsedContext());
8144 if (!UsedContextOrErr)
8145 return UsedContextOrErr.takeError();
8146
8147 // Import the default arg if it was not imported yet.
8148 // This is needed because it can happen that during the import of the
8149 // default expression (from VisitParmVarDecl) the same ParmVarDecl is
8150 // encountered here. The default argument for a ParmVarDecl is set in the
8151 // ParmVarDecl only after it is imported (set in VisitParmVarDecl if not here,
8152 // see VisitParmVarDecl).
8153 ParmVarDecl *ToParam = *ToParamOrErr;
8154 if (!ToParam->getDefaultArg()) {
8155 std::optional<ParmVarDecl *> FromParam =
8156 Importer.getImportedFromDecl(ToParam);
8157 assert(FromParam && "ParmVarDecl was not imported?");
8158
8159 if (Error Err = ImportDefaultArgOfParmVarDecl(*FromParam, ToParam))
8160 return std::move(Err);
8161 }
8162 Expr *RewrittenInit = nullptr;
8163 if (E->hasRewrittenInit()) {
8164 ExpectedExpr ExprOrErr = import(E->getRewrittenExpr());
8165 if (!ExprOrErr)
8166 return ExprOrErr.takeError();
8167 RewrittenInit = ExprOrErr.get();
8168 }
8169 return CXXDefaultArgExpr::Create(Importer.getToContext(), *ToUsedLocOrErr,
8170 *ToParamOrErr, RewrittenInit,
8171 *UsedContextOrErr);
8172}
8173
8176 Error Err = Error::success();
8177 auto ToType = importChecked(Err, E->getType());
8178 auto ToTypeSourceInfo = importChecked(Err, E->getTypeSourceInfo());
8179 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
8180 if (Err)
8181 return std::move(Err);
8182
8183 return new (Importer.getToContext()) CXXScalarValueInitExpr(
8184 ToType, ToTypeSourceInfo, ToRParenLoc);
8185}
8186
8189 ExpectedExpr ToSubExprOrErr = import(E->getSubExpr());
8190 if (!ToSubExprOrErr)
8191 return ToSubExprOrErr.takeError();
8192
8193 auto ToDtorOrErr = import(E->getTemporary()->getDestructor());
8194 if (!ToDtorOrErr)
8195 return ToDtorOrErr.takeError();
8196
8197 ASTContext &ToCtx = Importer.getToContext();
8198 CXXTemporary *Temp = CXXTemporary::Create(ToCtx, *ToDtorOrErr);
8199 return CXXBindTemporaryExpr::Create(ToCtx, Temp, *ToSubExprOrErr);
8200}
8201
8203
8205 Error Err = Error::success();
8206 auto ToConstructor = importChecked(Err, E->getConstructor());
8207 auto ToType = importChecked(Err, E->getType());
8208 auto ToTypeSourceInfo = importChecked(Err, E->getTypeSourceInfo());
8209 auto ToParenOrBraceRange = importChecked(Err, E->getParenOrBraceRange());
8210 if (Err)
8211 return std::move(Err);
8212
8213 SmallVector<Expr *, 8> ToArgs(E->getNumArgs());
8214 if (Error Err = ImportContainerChecked(E->arguments(), ToArgs))
8215 return std::move(Err);
8216
8218 Importer.getToContext(), ToConstructor, ToType, ToTypeSourceInfo, ToArgs,
8219 ToParenOrBraceRange, E->hadMultipleCandidates(),
8220 E->isListInitialization(), E->isStdInitListInitialization(),
8221 E->requiresZeroInitialization());
8222}
8223
8226 DeclContext *DC, *LexicalDC;
8227 if (Error Err = ImportDeclContext(D, DC, LexicalDC))
8228 return std::move(Err);
8229
8230 Error Err = Error::success();
8231 auto Temporary = importChecked(Err, D->getTemporaryExpr());
8232 auto ExtendingDecl = importChecked(Err, D->getExtendingDecl());
8233 if (Err)
8234 return std::move(Err);
8235 // FIXME: Should ManglingNumber get numbers associated with 'to' context?
8236
8238 if (GetImportedOrCreateDecl(To, D, Temporary, ExtendingDecl,
8239 D->getManglingNumber()))
8240 return To;
8241
8242 To->setLexicalDeclContext(LexicalDC);
8243 LexicalDC->addDeclInternal(To);
8244 return To;
8245}
8246
8249 Error Err = Error::success();
8250 auto ToType = importChecked(Err, E->getType());
8251 Expr *ToTemporaryExpr = importChecked(
8252 Err, E->getLifetimeExtendedTemporaryDecl() ? nullptr : E->getSubExpr());
8253 auto ToMaterializedDecl =
8254 importChecked(Err, E->getLifetimeExtendedTemporaryDecl());
8255 if (Err)
8256 return std::move(Err);
8257
8258 if (!ToTemporaryExpr)
8259 ToTemporaryExpr = cast<Expr>(ToMaterializedDecl->getTemporaryExpr());
8260
8261 auto *ToMTE = new (Importer.getToContext()) MaterializeTemporaryExpr(
8262 ToType, ToTemporaryExpr, E->isBoundToLvalueReference(),
8263 ToMaterializedDecl);
8264
8265 return ToMTE;
8266}
8267
8269 Error Err = Error::success();
8270 auto ToType = importChecked(Err, E->getType());
8271 auto ToPattern = importChecked(Err, E->getPattern());
8272 auto ToEllipsisLoc = importChecked(Err, E->getEllipsisLoc());
8273 if (Err)
8274 return std::move(Err);
8275
8276 return new (Importer.getToContext()) PackExpansionExpr(
8277 ToType, ToPattern, ToEllipsisLoc, E->getNumExpansions());
8278}
8279
8281 Error Err = Error::success();
8282 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
8283 auto ToPack = importChecked(Err, E->getPack());
8284 auto ToPackLoc = importChecked(Err, E->getPackLoc());
8285 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
8286 if (Err)
8287 return std::move(Err);
8288
8289 std::optional<unsigned> Length;
8290 if (!E->isValueDependent())
8291 Length = E->getPackLength();
8292
8293 SmallVector<TemplateArgument, 8> ToPartialArguments;
8294 if (E->isPartiallySubstituted()) {
8295 if (Error Err = ImportTemplateArguments(E->getPartialArguments(),
8296 ToPartialArguments))
8297 return std::move(Err);
8298 }
8299
8301 Importer.getToContext(), ToOperatorLoc, ToPack, ToPackLoc, ToRParenLoc,
8302 Length, ToPartialArguments);
8303}
8304
8305
8307 Error Err = Error::success();
8308 auto ToOperatorNew = importChecked(Err, E->getOperatorNew());
8309 auto ToOperatorDelete = importChecked(Err, E->getOperatorDelete());
8310 auto ToTypeIdParens = importChecked(Err, E->getTypeIdParens());
8311 auto ToArraySize = importChecked(Err, E->getArraySize());
8312 auto ToInitializer = importChecked(Err, E->getInitializer());
8313 auto ToType = importChecked(Err, E->getType());
8314 auto ToAllocatedTypeSourceInfo =
8315 importChecked(Err, E->getAllocatedTypeSourceInfo());
8316 auto ToSourceRange = importChecked(Err, E->getSourceRange());
8317 auto ToDirectInitRange = importChecked(Err, E->getDirectInitRange());
8318 if (Err)
8319 return std::move(Err);
8320
8321 SmallVector<Expr *, 4> ToPlacementArgs(E->getNumPlacementArgs());
8322 if (Error Err =
8323 ImportContainerChecked(E->placement_arguments(), ToPlacementArgs))
8324 return std::move(Err);
8325
8326 return CXXNewExpr::Create(
8327 Importer.getToContext(), E->isGlobalNew(), ToOperatorNew,
8328 ToOperatorDelete, E->passAlignment(), E->doesUsualArrayDeleteWantSize(),
8329 ToPlacementArgs, ToTypeIdParens, ToArraySize, E->getInitializationStyle(),
8330 ToInitializer, ToType, ToAllocatedTypeSourceInfo, ToSourceRange,
8331 ToDirectInitRange);
8332}
8333
8335 Error Err = Error::success();
8336 auto ToType = importChecked(Err, E->getType());
8337 auto ToOperatorDelete = importChecked(Err, E->getOperatorDelete());
8338 auto ToArgument = importChecked(Err, E->getArgument());
8339 auto ToBeginLoc = importChecked(Err, E->getBeginLoc());
8340 if (Err)
8341 return std::move(Err);
8342
8343 return new (Importer.getToContext()) CXXDeleteExpr(
8344 ToType, E->isGlobalDelete(), E->isArrayForm(), E->isArrayFormAsWritten(),
8345 E->doesUsualArrayDeleteWantSize(), ToOperatorDelete, ToArgument,
8346 ToBeginLoc);
8347}
8348
8350 Error Err = Error::success();
8351 auto ToType = importChecked(Err, E->getType());
8352 auto ToLocation = importChecked(Err, E->getLocation());
8353 auto ToConstructor = importChecked(Err, E->getConstructor());
8354 auto ToParenOrBraceRange = importChecked(Err, E->getParenOrBraceRange());
8355 if (Err)
8356 return std::move(Err);
8357
8358 SmallVector<Expr *, 6> ToArgs(E->getNumArgs());
8359 if (Error Err = ImportContainerChecked(E->arguments(), ToArgs))
8360 return std::move(Err);
8361
8363 Importer.getToContext(), ToType, ToLocation, ToConstructor,
8364 E->isElidable(), ToArgs, E->hadMultipleCandidates(),
8365 E->isListInitialization(), E->isStdInitListInitialization(),
8366 E->requiresZeroInitialization(), E->getConstructionKind(),
8367 ToParenOrBraceRange);
8368 ToE->setIsImmediateEscalating(E->isImmediateEscalating());
8369 return ToE;
8370}
8371
8373 ExpectedExpr ToSubExprOrErr = import(E->getSubExpr());
8374 if (!ToSubExprOrErr)
8375 return ToSubExprOrErr.takeError();
8376
8377 SmallVector<ExprWithCleanups::CleanupObject, 8> ToObjects(E->getNumObjects());
8378 if (Error Err = ImportContainerChecked(E->getObjects(), ToObjects))
8379 return std::move(Err);
8380
8382 Importer.getToContext(), *ToSubExprOrErr, E->cleanupsHaveSideEffects(),
8383 ToObjects);
8384}
8385
8387 Error Err = Error::success();
8388 auto ToCallee = importChecked(Err, E->getCallee());
8389 auto ToType = importChecked(Err, E->getType());
8390 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
8391 if (Err)
8392 return std::move(Err);
8393
8394 SmallVector<Expr *, 4> ToArgs(E->getNumArgs());
8395 if (Error Err = ImportContainerChecked(E->arguments(), ToArgs))
8396 return std::move(Err);
8397
8398 return CXXMemberCallExpr::Create(Importer.getToContext(), ToCallee, ToArgs,
8399 ToType, E->getValueKind(), ToRParenLoc,
8400 E->getFPFeatures());
8401}
8402
8404 ExpectedType ToTypeOrErr = import(E->getType());
8405 if (!ToTypeOrErr)
8406 return ToTypeOrErr.takeError();
8407
8408 ExpectedSLoc ToLocationOrErr = import(E->getLocation());
8409 if (!ToLocationOrErr)
8410 return ToLocationOrErr.takeError();
8411
8412 return CXXThisExpr::Create(Importer.getToContext(), *ToLocationOrErr,
8413 *ToTypeOrErr, E->isImplicit());
8414}
8415
8417 ExpectedType ToTypeOrErr = import(E->getType());
8418 if (!ToTypeOrErr)
8419 return ToTypeOrErr.takeError();
8420
8421 ExpectedSLoc ToLocationOrErr = import(E->getLocation());
8422 if (!ToLocationOrErr)
8423 return ToLocationOrErr.takeError();
8424
8425 return CXXBoolLiteralExpr::Create(Importer.getToContext(), E->getValue(),
8426 *ToTypeOrErr, *ToLocationOrErr);
8427}
8428
8430 Error Err = Error::success();
8431 auto ToBase = importChecked(Err, E->getBase());
8432 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
8433 auto ToQualifierLoc = importChecked(Err, E->getQualifierLoc());
8434 auto ToTemplateKeywordLoc = importChecked(Err, E->getTemplateKeywordLoc());
8435 auto ToMemberDecl = importChecked(Err, E->getMemberDecl());
8436 auto ToType = importChecked(Err, E->getType());
8437 auto ToDecl = importChecked(Err, E->getFoundDecl().getDecl());
8438 auto ToName = importChecked(Err, E->getMemberNameInfo().getName());
8439 auto ToLoc = importChecked(Err, E->getMemberNameInfo().getLoc());
8440 if (Err)
8441 return std::move(Err);
8442
8443 DeclAccessPair ToFoundDecl =
8444 DeclAccessPair::make(ToDecl, E->getFoundDecl().getAccess());
8445
8446 DeclarationNameInfo ToMemberNameInfo(ToName, ToLoc);
8447
8448 TemplateArgumentListInfo ToTAInfo, *ResInfo = nullptr;
8449 if (E->hasExplicitTemplateArgs()) {
8450 if (Error Err =
8451 ImportTemplateArgumentListInfo(E->getLAngleLoc(), E->getRAngleLoc(),
8452 E->template_arguments(), ToTAInfo))
8453 return std::move(Err);
8454 ResInfo = &ToTAInfo;
8455 }
8456
8457 return MemberExpr::Create(Importer.getToContext(), ToBase, E->isArrow(),
8458 ToOperatorLoc, ToQualifierLoc, ToTemplateKeywordLoc,
8459 ToMemberDecl, ToFoundDecl, ToMemberNameInfo,
8460 ResInfo, ToType, E->getValueKind(),
8461 E->getObjectKind(), E->isNonOdrUse());
8462}
8463
8466 Error Err = Error::success();
8467 auto ToBase = importChecked(Err, E->getBase());
8468 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
8469 auto ToQualifierLoc = importChecked(Err, E->getQualifierLoc());
8470 auto ToScopeTypeInfo = importChecked(Err, E->getScopeTypeInfo());
8471 auto ToColonColonLoc = importChecked(Err, E->getColonColonLoc());
8472 auto ToTildeLoc = importChecked(Err, E->getTildeLoc());
8473 if (Err)
8474 return std::move(Err);
8475
8477 if (const IdentifierInfo *FromII = E->getDestroyedTypeIdentifier()) {
8478 const IdentifierInfo *ToII = Importer.Import(FromII);
8479 ExpectedSLoc ToDestroyedTypeLocOrErr = import(E->getDestroyedTypeLoc());
8480 if (!ToDestroyedTypeLocOrErr)
8481 return ToDestroyedTypeLocOrErr.takeError();
8482 Storage = PseudoDestructorTypeStorage(ToII, *ToDestroyedTypeLocOrErr);
8483 } else {
8484 if (auto ToTIOrErr = import(E->getDestroyedTypeInfo()))
8485 Storage = PseudoDestructorTypeStorage(*ToTIOrErr);
8486 else
8487 return ToTIOrErr.takeError();
8488 }
8489
8490 return new (Importer.getToContext()) CXXPseudoDestructorExpr(
8491 Importer.getToContext(), ToBase, E->isArrow(), ToOperatorLoc,
8492 ToQualifierLoc, ToScopeTypeInfo, ToColonColonLoc, ToTildeLoc, Storage);
8493}
8494
8497 Error Err = Error::success();
8498 auto ToType = importChecked(Err, E->getType());
8499 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
8500 auto ToQualifierLoc = importChecked(Err, E->getQualifierLoc());
8501 auto ToTemplateKeywordLoc = importChecked(Err, E->getTemplateKeywordLoc());
8502 auto ToFirstQualifierFoundInScope =
8503 importChecked(Err, E->getFirstQualifierFoundInScope());
8504 if (Err)
8505 return std::move(Err);
8506
8507 Expr *ToBase = nullptr;
8508 if (!E->isImplicitAccess()) {
8509 if (ExpectedExpr ToBaseOrErr = import(E->getBase()))
8510 ToBase = *ToBaseOrErr;
8511 else
8512 return ToBaseOrErr.takeError();
8513 }
8514
8515 TemplateArgumentListInfo ToTAInfo, *ResInfo = nullptr;
8516
8517 if (E->hasExplicitTemplateArgs()) {
8518 if (Error Err =
8519 ImportTemplateArgumentListInfo(E->getLAngleLoc(), E->getRAngleLoc(),
8520 E->template_arguments(), ToTAInfo))
8521 return std::move(Err);
8522 ResInfo = &ToTAInfo;
8523 }
8524 auto ToMember = importChecked(Err, E->getMember());
8525 auto ToMemberLoc = importChecked(Err, E->getMemberLoc());
8526 if (Err)
8527 return std::move(Err);
8528 DeclarationNameInfo ToMemberNameInfo(ToMember, ToMemberLoc);
8529
8530 // Import additional name location/type info.
8531 if (Error Err =
8532 ImportDeclarationNameLoc(E->getMemberNameInfo(), ToMemberNameInfo))
8533 return std::move(Err);
8534
8536 Importer.getToContext(), ToBase, ToType, E->isArrow(), ToOperatorLoc,
8537 ToQualifierLoc, ToTemplateKeywordLoc, ToFirstQualifierFoundInScope,
8538 ToMemberNameInfo, ResInfo);
8539}
8540
8543 Error Err = Error::success();
8544 auto ToQualifierLoc = importChecked(Err, E->getQualifierLoc());
8545 auto ToTemplateKeywordLoc = importChecked(Err, E->getTemplateKeywordLoc());
8546 auto ToDeclName = importChecked(Err, E->getDeclName());
8547 auto ToNameLoc = importChecked(Err, E->getNameInfo().getLoc());
8548 auto ToLAngleLoc = importChecked(Err, E->getLAngleLoc());
8549 auto ToRAngleLoc = importChecked(Err, E->getRAngleLoc());
8550 if (Err)
8551 return std::move(Err);
8552
8553 DeclarationNameInfo ToNameInfo(ToDeclName, ToNameLoc);
8554 if (Error Err = ImportDeclarationNameLoc(E->getNameInfo(), ToNameInfo))
8555 return std::move(Err);
8556
8557 TemplateArgumentListInfo ToTAInfo(ToLAngleLoc, ToRAngleLoc);
8558 TemplateArgumentListInfo *ResInfo = nullptr;
8559 if (E->hasExplicitTemplateArgs()) {
8560 if (Error Err =
8561 ImportTemplateArgumentListInfo(E->template_arguments(), ToTAInfo))
8562 return std::move(Err);
8563 ResInfo = &ToTAInfo;
8564 }
8565
8567 Importer.getToContext(), ToQualifierLoc, ToTemplateKeywordLoc,
8568 ToNameInfo, ResInfo);
8569}
8570
8573 Error Err = Error::success();
8574 auto ToLParenLoc = importChecked(Err, E->getLParenLoc());
8575 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
8576 auto ToType = importChecked(Err, E->getType());
8577 auto ToTypeSourceInfo = importChecked(Err, E->getTypeSourceInfo());
8578 if (Err)
8579 return std::move(Err);
8580
8581 SmallVector<Expr *, 8> ToArgs(E->getNumArgs());
8582 if (Error Err =
8583 ImportArrayChecked(E->arg_begin(), E->arg_end(), ToArgs.begin()))
8584 return std::move(Err);
8585
8587 Importer.getToContext(), ToType, ToTypeSourceInfo, ToLParenLoc,
8588 llvm::ArrayRef(ToArgs), ToRParenLoc, E->isListInitialization());
8589}
8590
8593 Expected<CXXRecordDecl *> ToNamingClassOrErr = import(E->getNamingClass());
8594 if (!ToNamingClassOrErr)
8595 return ToNamingClassOrErr.takeError();
8596
8597 auto ToQualifierLocOrErr = import(E->getQualifierLoc());
8598 if (!ToQualifierLocOrErr)
8599 return ToQualifierLocOrErr.takeError();
8600
8601 Error Err = Error::success();
8602 auto ToName = importChecked(Err, E->getName());
8603 auto ToNameLoc = importChecked(Err, E->getNameLoc());
8604 if (Err)
8605 return std::move(Err);
8606 DeclarationNameInfo ToNameInfo(ToName, ToNameLoc);
8607
8608 // Import additional name location/type info.
8609 if (Error Err = ImportDeclarationNameLoc(E->getNameInfo(), ToNameInfo))
8610 return std::move(Err);
8611
8612 UnresolvedSet<8> ToDecls;
8613 for (auto *D : E->decls())
8614 if (auto ToDOrErr = import(D))
8615 ToDecls.addDecl(cast<NamedDecl>(*ToDOrErr));
8616 else
8617 return ToDOrErr.takeError();
8618
8619 if (E->hasExplicitTemplateArgs()) {
8620 TemplateArgumentListInfo ToTAInfo;
8621 if (Error Err = ImportTemplateArgumentListInfo(
8622 E->getLAngleLoc(), E->getRAngleLoc(), E->template_arguments(),
8623 ToTAInfo))
8624 return std::move(Err);
8625
8626 ExpectedSLoc ToTemplateKeywordLocOrErr = import(E->getTemplateKeywordLoc());
8627 if (!ToTemplateKeywordLocOrErr)
8628 return ToTemplateKeywordLocOrErr.takeError();
8629
8630 const bool KnownDependent =
8631 (E->getDependence() & ExprDependence::TypeValue) ==
8632 ExprDependence::TypeValue;
8634 Importer.getToContext(), *ToNamingClassOrErr, *ToQualifierLocOrErr,
8635 *ToTemplateKeywordLocOrErr, ToNameInfo, E->requiresADL(), &ToTAInfo,
8636 ToDecls.begin(), ToDecls.end(), KnownDependent,
8637 /*KnownInstantiationDependent=*/E->isInstantiationDependent());
8638 }
8639
8641 Importer.getToContext(), *ToNamingClassOrErr, *ToQualifierLocOrErr,
8642 ToNameInfo, E->requiresADL(), ToDecls.begin(), ToDecls.end(),
8643 /*KnownDependent=*/E->isTypeDependent(),
8644 /*KnownInstantiationDependent=*/E->isInstantiationDependent());
8645}
8646
8649 Error Err = Error::success();
8650 auto ToType = importChecked(Err, E->getType());
8651 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
8652 auto ToQualifierLoc = importChecked(Err, E->getQualifierLoc());
8653 auto ToTemplateKeywordLoc = importChecked(Err, E->getTemplateKeywordLoc());
8654 auto ToName = importChecked(Err, E->getName());
8655 auto ToNameLoc = importChecked(Err, E->getNameLoc());
8656 if (Err)
8657 return std::move(Err);
8658
8659 DeclarationNameInfo ToNameInfo(ToName, ToNameLoc);
8660 // Import additional name location/type info.
8661 if (Error Err = ImportDeclarationNameLoc(E->getNameInfo(), ToNameInfo))
8662 return std::move(Err);
8663
8664 UnresolvedSet<8> ToDecls;
8665 for (Decl *D : E->decls())
8666 if (auto ToDOrErr = import(D))
8667 ToDecls.addDecl(cast<NamedDecl>(*ToDOrErr));
8668 else
8669 return ToDOrErr.takeError();
8670
8671 TemplateArgumentListInfo ToTAInfo;
8672 TemplateArgumentListInfo *ResInfo = nullptr;
8673 if (E->hasExplicitTemplateArgs()) {
8674 TemplateArgumentListInfo FromTAInfo;
8675 E->copyTemplateArgumentsInto(FromTAInfo);
8676 if (Error Err = ImportTemplateArgumentListInfo(FromTAInfo, ToTAInfo))
8677 return std::move(Err);
8678 ResInfo = &ToTAInfo;
8679 }
8680
8681 Expr *ToBase = nullptr;
8682 if (!E->isImplicitAccess()) {
8683 if (ExpectedExpr ToBaseOrErr = import(E->getBase()))
8684 ToBase = *ToBaseOrErr;
8685 else
8686 return ToBaseOrErr.takeError();
8687 }
8688
8690 Importer.getToContext(), E->hasUnresolvedUsing(), ToBase, ToType,
8691 E->isArrow(), ToOperatorLoc, ToQualifierLoc, ToTemplateKeywordLoc,
8692 ToNameInfo, ResInfo, ToDecls.begin(), ToDecls.end());
8693}
8694
8696 Error Err = Error::success();
8697 auto ToCallee = importChecked(Err, E->getCallee());
8698 auto ToType = importChecked(Err, E->getType());
8699 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
8700 if (Err)
8701 return std::move(Err);
8702
8703 unsigned NumArgs = E->getNumArgs();
8704 llvm::SmallVector<Expr *, 2> ToArgs(NumArgs);
8705 if (Error Err = ImportContainerChecked(E->arguments(), ToArgs))
8706 return std::move(Err);
8707
8708 if (const auto *OCE = dyn_cast<CXXOperatorCallExpr>(E)) {
8710 Importer.getToContext(), OCE->getOperator(), ToCallee, ToArgs, ToType,
8711 OCE->getValueKind(), ToRParenLoc, OCE->getFPFeatures(),
8712 OCE->getADLCallKind());
8713 }
8714
8715 return CallExpr::Create(Importer.getToContext(), ToCallee, ToArgs, ToType,
8716 E->getValueKind(), ToRParenLoc, E->getFPFeatures(),
8717 /*MinNumArgs=*/0, E->getADLCallKind());
8718}
8719
8721 CXXRecordDecl *FromClass = E->getLambdaClass();
8722 auto ToClassOrErr = import(FromClass);
8723 if (!ToClassOrErr)
8724 return ToClassOrErr.takeError();
8725 CXXRecordDecl *ToClass = *ToClassOrErr;
8726
8727 auto ToCallOpOrErr = import(E->getCallOperator());
8728 if (!ToCallOpOrErr)
8729 return ToCallOpOrErr.takeError();
8730
8731 SmallVector<Expr *, 8> ToCaptureInits(E->capture_size());
8732 if (Error Err = ImportContainerChecked(E->capture_inits(), ToCaptureInits))
8733 return std::move(Err);
8734
8735 Error Err = Error::success();
8736 auto ToIntroducerRange = importChecked(Err, E->getIntroducerRange());
8737 auto ToCaptureDefaultLoc = importChecked(Err, E->getCaptureDefaultLoc());
8738 auto ToEndLoc = importChecked(Err, E->getEndLoc());
8739 if (Err)
8740 return std::move(Err);
8741
8742 return LambdaExpr::Create(Importer.getToContext(), ToClass, ToIntroducerRange,
8743 E->getCaptureDefault(), ToCaptureDefaultLoc,
8744 E->hasExplicitParameters(),
8745 E->hasExplicitResultType(), ToCaptureInits,
8746 ToEndLoc, E->containsUnexpandedParameterPack());
8747}
8748
8749
8751 Error Err = Error::success();
8752 auto ToLBraceLoc = importChecked(Err, E->getLBraceLoc());
8753 auto ToRBraceLoc = importChecked(Err, E->getRBraceLoc());
8754 auto ToType = importChecked(Err, E->getType());
8755 if (Err)
8756 return std::move(Err);
8757
8758 SmallVector<Expr *, 4> ToExprs(E->getNumInits());
8759 if (Error Err = ImportContainerChecked(E->inits(), ToExprs))
8760 return std::move(Err);
8761
8762 ASTContext &ToCtx = Importer.getToContext();
8763 InitListExpr *To = new (ToCtx) InitListExpr(
8764 ToCtx, ToLBraceLoc, ToExprs, ToRBraceLoc);
8765 To->setType(ToType);
8766
8767 if (E->hasArrayFiller()) {
8768 if (ExpectedExpr ToFillerOrErr = import(E->getArrayFiller()))
8769 To->setArrayFiller(*ToFillerOrErr);
8770 else
8771 return ToFillerOrErr.takeError();
8772 }
8773
8774 if (FieldDecl *FromFD = E->getInitializedFieldInUnion()) {
8775 if (auto ToFDOrErr = import(FromFD))
8776 To->setInitializedFieldInUnion(*ToFDOrErr);
8777 else
8778 return ToFDOrErr.takeError();
8779 }
8780
8781 if (InitListExpr *SyntForm = E->getSyntacticForm()) {
8782 if (auto ToSyntFormOrErr = import(SyntForm))
8783 To->setSyntacticForm(*ToSyntFormOrErr);
8784 else
8785 return ToSyntFormOrErr.takeError();
8786 }
8787
8788 // Copy InitListExprBitfields, which are not handled in the ctor of
8789 // InitListExpr.
8790 To->sawArrayRangeDesignator(E->hadArrayRangeDesignator());
8791
8792 return To;
8793}
8794
8797 ExpectedType ToTypeOrErr = import(E->getType());
8798 if (!ToTypeOrErr)
8799 return ToTypeOrErr.takeError();
8800
8801 ExpectedExpr ToSubExprOrErr = import(E->getSubExpr());
8802 if (!ToSubExprOrErr)
8803 return ToSubExprOrErr.takeError();
8804
8805 return new (Importer.getToContext()) CXXStdInitializerListExpr(
8806 *ToTypeOrErr, *ToSubExprOrErr);
8807}
8808
8811 Error Err = Error::success();
8812 auto ToLocation = importChecked(Err, E->getLocation());
8813 auto ToType = importChecked(Err, E->getType());
8814 auto ToConstructor = importChecked(Err, E->getConstructor());
8815 if (Err)
8816 return std::move(Err);
8817
8818 return new (Importer.getToContext()) CXXInheritedCtorInitExpr(
8819 ToLocation, ToType, ToConstructor, E->constructsVBase(),
8820 E->inheritedFromVBase());
8821}
8822
8824 Error Err = Error::success();
8825 auto ToType = importChecked(Err, E->getType());
8826 auto ToCommonExpr = importChecked(Err, E->getCommonExpr());
8827 auto ToSubExpr = importChecked(Err, E->getSubExpr());
8828 if (Err)
8829 return std::move(Err);
8830
8831 return new (Importer.getToContext()) ArrayInitLoopExpr(
8832 ToType, ToCommonExpr, ToSubExpr);
8833}
8834
8836 ExpectedType ToTypeOrErr = import(E->getType());
8837 if (!ToTypeOrErr)
8838 return ToTypeOrErr.takeError();
8839 return new (Importer.getToContext()) ArrayInitIndexExpr(*ToTypeOrErr);
8840}
8841
8843 ExpectedSLoc ToBeginLocOrErr = import(E->getBeginLoc());
8844 if (!ToBeginLocOrErr)
8845 return ToBeginLocOrErr.takeError();
8846
8847 auto ToFieldOrErr = import(E->getField());
8848 if (!ToFieldOrErr)
8849 return ToFieldOrErr.takeError();
8850
8851 auto UsedContextOrErr = Importer.ImportContext(E->getUsedContext());
8852 if (!UsedContextOrErr)
8853 return UsedContextOrErr.takeError();
8854
8855 FieldDecl *ToField = *ToFieldOrErr;
8856 assert(ToField->hasInClassInitializer() &&
8857 "Field should have in-class initializer if there is a default init "
8858 "expression that uses it.");
8859 if (!ToField->getInClassInitializer()) {
8860 // The in-class initializer may be not yet set in "To" AST even if the
8861 // field is already there. This must be set here to make construction of
8862 // CXXDefaultInitExpr work.
8863 auto ToInClassInitializerOrErr =
8864 import(E->getField()->getInClassInitializer());
8865 if (!ToInClassInitializerOrErr)
8866 return ToInClassInitializerOrErr.takeError();
8867 ToField->setInClassInitializer(*ToInClassInitializerOrErr);
8868 }
8869
8870 Expr *RewrittenInit = nullptr;
8871 if (E->hasRewrittenInit()) {
8872 ExpectedExpr ExprOrErr = import(E->getRewrittenExpr());
8873 if (!ExprOrErr)
8874 return ExprOrErr.takeError();
8875 RewrittenInit = ExprOrErr.get();
8876 }
8877
8878 return CXXDefaultInitExpr::Create(Importer.getToContext(), *ToBeginLocOrErr,
8879 ToField, *UsedContextOrErr, RewrittenInit);
8880}
8881
8883 Error Err = Error::success();
8884 auto ToType = importChecked(Err, E->getType());
8885 auto ToSubExpr = importChecked(Err, E->getSubExpr());
8886 auto ToTypeInfoAsWritten = importChecked(Err, E->getTypeInfoAsWritten());
8887 auto ToOperatorLoc = importChecked(Err, E->getOperatorLoc());
8888 auto ToRParenLoc = importChecked(Err, E->getRParenLoc());
8889 auto ToAngleBrackets = importChecked(Err, E->getAngleBrackets());
8890 if (Err)
8891 return std::move(Err);
8892
8894 CastKind CK = E->getCastKind();
8895 auto ToBasePathOrErr = ImportCastPath(E);
8896 if (!ToBasePathOrErr)
8897 return ToBasePathOrErr.takeError();
8898
8899 if (auto CCE = dyn_cast<CXXStaticCastExpr>(E)) {
8901 Importer.getToContext(), ToType, VK, CK, ToSubExpr, &(*ToBasePathOrErr),
8902 ToTypeInfoAsWritten, CCE->getFPFeatures(), ToOperatorLoc, ToRParenLoc,
8903 ToAngleBrackets);
8904 } else if (isa<CXXDynamicCastExpr>(E)) {
8906 Importer.getToContext(), ToType, VK, CK, ToSubExpr, &(*ToBasePathOrErr),
8907 ToTypeInfoAsWritten, ToOperatorLoc, ToRParenLoc, ToAngleBrackets);
8908 } else if (isa<CXXReinterpretCastExpr>(E)) {
8910 Importer.getToContext(), ToType, VK, CK, ToSubExpr, &(*ToBasePathOrErr),
8911 ToTypeInfoAsWritten, ToOperatorLoc, ToRParenLoc, ToAngleBrackets);
8912 } else if (isa<CXXConstCastExpr>(E)) {
8914 Importer.getToContext(), ToType, VK, ToSubExpr, ToTypeInfoAsWritten,
8915 ToOperatorLoc, ToRParenLoc, ToAngleBrackets);
8916 } else {
8917 llvm_unreachable("Unknown cast type");
8918 return make_error<ASTImportError>();
8919 }
8920}
8921
8924 Error Err = Error::success();
8925 auto ToType = importChecked(Err, E->getType());
8926 auto ToExprLoc = importChecked(Err, E->getExprLoc());
8927 auto ToAssociatedDecl = importChecked(Err, E->getAssociatedDecl());
8928 auto ToReplacement = importChecked(Err, E->getReplacement());
8929 if (Err)
8930 return std::move(Err);
8931
8932 return new (Importer.getToContext()) SubstNonTypeTemplateParmExpr(
8933 ToType, E->getValueKind(), ToExprLoc, ToReplacement, ToAssociatedDecl,
8934 E->getIndex(), E->getPackIndex(), E->isReferenceParameter());
8935}
8936
8938 Error Err = Error::success();
8939 auto ToType = importChecked(Err, E->getType());
8940 auto ToBeginLoc = importChecked(Err, E->getBeginLoc());
8941 auto ToEndLoc = importChecked(Err, E->getEndLoc());
8942 if (Err)
8943 return std::move(Err);
8944
8945 SmallVector<TypeSourceInfo *, 4> ToArgs(E->getNumArgs());
8946 if (Error Err = ImportContainerChecked(E->getArgs(), ToArgs))
8947 return std::move(Err);
8948
8949 // According to Sema::BuildTypeTrait(), if E is value-dependent,
8950 // Value is always false.
8951 bool ToValue = (E->isValueDependent() ? false : E->getValue());
8952
8953 return TypeTraitExpr::Create(
8954 Importer.getToContext(), ToType, ToBeginLoc, E->getTrait(), ToArgs,
8955 ToEndLoc, ToValue);
8956}
8957
8959 ExpectedType ToTypeOrErr = import(E->getType());
8960 if (!ToTypeOrErr)
8961 return ToTypeOrErr.takeError();
8962
8963 auto ToSourceRangeOrErr = import(E->getSourceRange());
8964 if (!ToSourceRangeOrErr)
8965 return ToSourceRangeOrErr.takeError();
8966
8967 if (E->isTypeOperand()) {
8968 if (auto ToTSIOrErr = import(E->getTypeOperandSourceInfo()))
8969 return new (Importer.getToContext()) CXXTypeidExpr(
8970 *ToTypeOrErr, *ToTSIOrErr, *ToSourceRangeOrErr);
8971 else
8972 return ToTSIOrErr.takeError();
8973 }
8974
8975 ExpectedExpr ToExprOperandOrErr = import(E->getExprOperand());
8976 if (!ToExprOperandOrErr)
8977 return ToExprOperandOrErr.takeError();
8978
8979 return new (Importer.getToContext()) CXXTypeidExpr(
8980 *ToTypeOrErr, *ToExprOperandOrErr, *ToSourceRangeOrErr);
8981}
8982
8984 Error Err = Error::success();
8985
8986 QualType ToType = importChecked(Err, E->getType());
8987 UnresolvedLookupExpr *ToCallee = importChecked(Err, E->getCallee());
8988 SourceLocation ToLParenLoc = importChecked(Err, E->getLParenLoc());
8989 Expr *ToLHS = importChecked(Err, E->getLHS());
8990 SourceLocation ToEllipsisLoc = importChecked(Err, E->getEllipsisLoc());
8991 Expr *ToRHS = importChecked(Err, E->getRHS());
8992 SourceLocation ToRParenLoc = importChecked(Err, E->getRParenLoc());
8993
8994 if (Err)
8995 return std::move(Err);
8996
8997 return new (Importer.getToContext())
8998 CXXFoldExpr(ToType, ToCallee, ToLParenLoc, ToLHS, E->getOperator(),
8999 ToEllipsisLoc, ToRHS, ToRParenLoc, E->getNumExpansions());
9000}
9001
9003 CXXMethodDecl *FromMethod) {
9004 Error ImportErrors = Error::success();
9005 for (auto *FromOverriddenMethod : FromMethod->overridden_methods()) {
9006 if (auto ImportedOrErr = import(FromOverriddenMethod))
9007 ToMethod->getCanonicalDecl()->addOverriddenMethod(cast<CXXMethodDecl>(
9008 (*ImportedOrErr)->getCanonicalDecl()));
9009 else
9010 ImportErrors =
9011 joinErrors(std::move(ImportErrors), ImportedOrErr.takeError());
9012 }
9013 return ImportErrors;
9014}
9015
9017 ASTContext &FromContext, FileManager &FromFileManager,
9018 bool MinimalImport,
9019 std::shared_ptr<ASTImporterSharedState> SharedState)
9020 : SharedState(SharedState), ToContext(ToContext), FromContext(FromContext),
9021 ToFileManager(ToFileManager), FromFileManager(FromFileManager),
9022 Minimal(MinimalImport), ODRHandling(ODRHandlingType::Conservative) {
9023
9024 // Create a default state without the lookup table: LLDB case.
9025 if (!SharedState) {
9026 this->SharedState = std::make_shared<ASTImporterSharedState>();
9027 }
9028
9029 ImportedDecls[FromContext.getTranslationUnitDecl()] =
9030 ToContext.getTranslationUnitDecl();
9031}
9032
9033ASTImporter::~ASTImporter() = default;
9034
9035std::optional<unsigned> ASTImporter::getFieldIndex(Decl *F) {
9036 assert(F && (isa<FieldDecl>(*F) || isa<IndirectFieldDecl>(*F)) &&
9037 "Try to get field index for non-field.");
9038
9039 auto *Owner = dyn_cast<RecordDecl>(F->getDeclContext());
9040 if (!Owner)
9041 return std::nullopt;
9042
9043 unsigned Index = 0;
9044 for (const auto *D : Owner->decls()) {
9045 if (D == F)
9046 return Index;
9047
9048 if (isa<FieldDecl>(*D) || isa<IndirectFieldDecl>(*D))
9049 ++Index;
9050 }
9051
9052 llvm_unreachable("Field was not found in its parent context.");
9053
9054 return std::nullopt;
9055}
9056
9058ASTImporter::findDeclsInToCtx(DeclContext *DC, DeclarationName Name) {
9059 // We search in the redecl context because of transparent contexts.
9060 // E.g. a simple C language enum is a transparent context:
9061 // enum E { A, B };
9062 // Now if we had a global variable in the TU
9063 // int A;
9064 // then the enum constant 'A' and the variable 'A' violates ODR.
9065 // We can diagnose this only if we search in the redecl context.
9066 DeclContext *ReDC = DC->getRedeclContext();
9067 if (SharedState->getLookupTable()) {
9068 if (ReDC->isNamespace()) {
9069 // Namespaces can be reopened.
9070 // Lookup table does not handle this, we must search here in all linked
9071 // namespaces.
9072 FoundDeclsTy Result;
9073 SmallVector<Decl *, 2> NSChain =
9074 getCanonicalForwardRedeclChain<NamespaceDecl>(
9075 dyn_cast<NamespaceDecl>(ReDC));
9076 for (auto *D : NSChain) {
9078 SharedState->getLookupTable()->lookup(dyn_cast<NamespaceDecl>(D),
9079 Name);
9081 }
9082 return Result;
9083 } else {
9085 SharedState->getLookupTable()->lookup(ReDC, Name);
9086 return FoundDeclsTy(LookupResult.begin(), LookupResult.end());
9087 }
9088 } else {
9089 DeclContext::lookup_result NoloadLookupResult = ReDC->noload_lookup(Name);
9090 FoundDeclsTy Result(NoloadLookupResult.begin(), NoloadLookupResult.end());
9091 // We must search by the slow case of localUncachedLookup because that is
9092 // working even if there is no LookupPtr for the DC. We could use
9093 // DC::buildLookup() to create the LookupPtr, but that would load external
9094 // decls again, we must avoid that case.
9095 // Also, even if we had the LookupPtr, we must find Decls which are not
9096 // in the LookupPtr, so we need the slow case.
9097 // These cases are handled in ASTImporterLookupTable, but we cannot use
9098 // that with LLDB since that traverses through the AST which initiates the
9099 // load of external decls again via DC::decls(). And again, we must avoid
9100 // loading external decls during the import.
9101 if (Result.empty())
9102 ReDC->localUncachedLookup(Name, Result);
9103 return Result;
9104 }
9105}
9106
9107void ASTImporter::AddToLookupTable(Decl *ToD) {
9108 SharedState->addDeclToLookup(ToD);
9109}
9110
9112 // Import the decl using ASTNodeImporter.
9113 ASTNodeImporter Importer(*this);
9114 return Importer.Visit(FromD);
9115}
9116
9118 MapImported(FromD, ToD);
9119}
9120
9123 if (auto *CLE = From.dyn_cast<CompoundLiteralExpr *>()) {
9124 if (Expected<Expr *> R = Import(CLE))
9125 return ExprWithCleanups::CleanupObject(cast<CompoundLiteralExpr>(*R));
9126 }
9127
9128 // FIXME: Handle BlockDecl when we implement importing BlockExpr in
9129 // ASTNodeImporter.
9130 return make_error<ASTImportError>(ASTImportError::UnsupportedConstruct);
9131}
9132
9134 if (!FromT)
9135 return FromT;
9136
9137 // Check whether we've already imported this type.
9138 llvm::DenseMap<const Type *, const Type *>::iterator Pos =
9139 ImportedTypes.find(FromT);
9140 if (Pos != ImportedTypes.end())
9141 return Pos->second;
9142
9143 // Import the type.
9144 ASTNodeImporter Importer(*this);
9145 ExpectedType ToTOrErr = Importer.Visit(FromT);
9146 if (!ToTOrErr)
9147 return ToTOrErr.takeError();
9148
9149 // Record the imported type.
9150 ImportedTypes[FromT] = ToTOrErr->getTypePtr();
9151
9152 return ToTOrErr->getTypePtr();
9153}
9154
9156 if (FromT.isNull())
9157 return QualType{};
9158
9159 ExpectedTypePtr ToTyOrErr = Import(FromT.getTypePtr());
9160 if (!ToTyOrErr)
9161 return ToTyOrErr.takeError();
9162
9163 return ToContext.getQualifiedType(*ToTyOrErr, FromT.getLocalQualifiers());
9164}
9165
9167 if (!FromTSI)
9168 return FromTSI;
9169
9170 // FIXME: For now we just create a "trivial" type source info based
9171 // on the type and a single location. Implement a real version of this.
9172 ExpectedType TOrErr = Import(FromTSI->getType());
9173 if (!TOrErr)
9174 return TOrErr.takeError();
9175 ExpectedSLoc BeginLocOrErr = Import(FromTSI->getTypeLoc().getBeginLoc());
9176 if (!BeginLocOrErr)
9177 return BeginLocOrErr.takeError();
9178
9179 return ToContext.getTrivialTypeSourceInfo(*TOrErr, *BeginLocOrErr);
9180}
9181
9182namespace {
9183// To use this object, it should be created before the new attribute is created,
9184// and destructed after it is created. The construction already performs the
9185// import of the data.
9186template <typename T> struct AttrArgImporter {
9187 AttrArgImporter(const AttrArgImporter<T> &) = delete;
9188 AttrArgImporter(AttrArgImporter<T> &&) = default;
9189 AttrArgImporter<T> &operator=(const AttrArgImporter<T> &) = delete;
9190 AttrArgImporter<T> &operator=(AttrArgImporter<T> &&) = default;
9191
9192 AttrArgImporter(ASTNodeImporter &I, Error &Err, const T &From)
9193 : To(I.importChecked(Err, From)) {}
9194
9195 const T &value() { return To; }
9196
9197private:
9198 T To;
9199};
9200
9201// To use this object, it should be created before the new attribute is created,
9202// and destructed after it is created. The construction already performs the
9203// import of the data. The array data is accessible in a pointer form, this form
9204// is used by the attribute classes. This object should be created once for the
9205// array data to be imported (the array size is not imported, just copied).
9206template <typename T> struct AttrArgArrayImporter {
9207 AttrArgArrayImporter(const AttrArgArrayImporter<T> &) = delete;
9208 AttrArgArrayImporter(AttrArgArrayImporter<T> &&) = default;
9209 AttrArgArrayImporter<T> &operator=(const AttrArgArrayImporter<T> &) = delete;
9210 AttrArgArrayImporter<T> &operator=(AttrArgArrayImporter<T> &&) = default;
9211
9212 AttrArgArrayImporter(ASTNodeImporter &I, Error &Err,
9213 const llvm::iterator_range<T *> &From,
9214 unsigned ArraySize) {
9215 if (Err)
9216 return;
9217 To.reserve(ArraySize);
9218 Err = I.ImportContainerChecked(From, To);
9219 }
9220
9221 T *value() { return To.data(); }
9222
9223private:
9225};
9226
9227class AttrImporter {
9228 Error Err{Error::success()};
9229 Attr *ToAttr = nullptr;
9230 ASTImporter &Importer;
9231 ASTNodeImporter NImporter;
9232
9233public:
9234 AttrImporter(ASTImporter &I) : Importer(I), NImporter(I) {}
9235
9236 // Useful for accessing the imported attribute.
9237 template <typename T> T *castAttrAs() { return cast<T>(ToAttr); }
9238 template <typename T> const T *castAttrAs() const { return cast<T>(ToAttr); }
9239
9240 // Create an "importer" for an attribute parameter.
9241 // Result of the 'value()' of that object is to be passed to the function
9242 // 'importAttr', in the order that is expected by the attribute class.
9243 template <class T> AttrArgImporter<T> importArg(const T &From) {
9244 return AttrArgImporter<T>(NImporter, Err, From);
9245 }
9246
9247 // Create an "importer" for an attribute parameter that has array type.
9248 // Result of the 'value()' of that object is to be passed to the function
9249 // 'importAttr', then the size of the array as next argument.
9250 template <typename T>
9251 AttrArgArrayImporter<T> importArrayArg(const llvm::iterator_range<T *> &From,
9252 unsigned ArraySize) {
9253 return AttrArgArrayImporter<T>(NImporter, Err, From, ArraySize);
9254 }
9255
9256 // Create an attribute object with the specified arguments.
9257 // The 'FromAttr' is the original (not imported) attribute, the 'ImportedArg'
9258 // should be values that are passed to the 'Create' function of the attribute.
9259 // (The 'Create' with 'ASTContext' first and 'AttributeCommonInfo' last is
9260 // used here.) As much data is copied or imported from the old attribute
9261 // as possible. The passed arguments should be already imported.
9262 // If an import error happens, the internal error is set to it, and any
9263 // further import attempt is ignored.
9264 template <typename T, typename... Arg>
9265 void importAttr(const T *FromAttr, Arg &&...ImportedArg) {
9266 static_assert(std::is_base_of<Attr, T>::value,
9267 "T should be subclass of Attr.");
9268 assert(!ToAttr && "Use one AttrImporter to import one Attribute object.");
9269
9270 const IdentifierInfo *ToAttrName = Importer.Import(FromAttr->getAttrName());
9271 const IdentifierInfo *ToScopeName =
9272 Importer.Import(FromAttr->getScopeName());
9273 SourceRange ToAttrRange =
9274 NImporter.importChecked(Err, FromAttr->getRange());
9275 SourceLocation ToScopeLoc =
9276 NImporter.importChecked(Err, FromAttr->getScopeLoc());
9277
9278 if (Err)
9279 return;
9280
9281 AttributeCommonInfo ToI(ToAttrName, ToScopeName, ToAttrRange, ToScopeLoc,
9282 FromAttr->getParsedKind(), FromAttr->getForm());
9283 // The "SemanticSpelling" is not needed to be passed to the constructor.
9284 // That value is recalculated from the SpellingListIndex if needed.
9285 ToAttr = T::Create(Importer.getToContext(),
9286 std::forward<Arg>(ImportedArg)..., ToI);
9287
9288 ToAttr->setImplicit(FromAttr->isImplicit());
9289 ToAttr->setPackExpansion(FromAttr->isPackExpansion());
9290 if (auto *ToInheritableAttr = dyn_cast<InheritableAttr>(ToAttr))
9291 ToInheritableAttr->setInherited(FromAttr->isInherited());
9292 }
9293
9294 // Create a clone of the 'FromAttr' and import its source range only.
9295 // This causes objects with invalid references to be created if the 'FromAttr'
9296 // contains other data that should be imported.
9297 void cloneAttr(const Attr *FromAttr) {
9298 assert(!ToAttr && "Use one AttrImporter to import one Attribute object.");
9299
9300 SourceRange ToRange = NImporter.importChecked(Err, FromAttr->getRange());
9301 if (Err)
9302 return;
9303
9304 ToAttr = FromAttr->clone(Importer.getToContext());
9305 ToAttr->setRange(ToRange);
9306 ToAttr->setAttrName(Importer.Import(FromAttr->getAttrName()));
9307 }
9308
9309 // Get the result of the previous import attempt (can be used only once).
9310 llvm::Expected<Attr *> getResult() && {
9311 if (Err)
9312 return std::move(Err);
9313 assert(ToAttr && "Attribute should be created.");
9314 return ToAttr;
9315 }
9316};
9317} // namespace
9318
9320 AttrImporter AI(*this);
9321
9322 // FIXME: Is there some kind of AttrVisitor to use here?
9323 switch (FromAttr->getKind()) {
9324 case attr::Aligned: {
9325 auto *From = cast<AlignedAttr>(FromAttr);
9326 if (From->isAlignmentExpr())
9327 AI.importAttr(From, true, AI.importArg(From->getAlignmentExpr()).value());
9328 else
9329 AI.importAttr(From, false,
9330 AI.importArg(From->getAlignmentType()).value());
9331 break;
9332 }
9333
9334 case attr::AlignValue: {
9335 auto *From = cast<AlignValueAttr>(FromAttr);
9336 AI.importAttr(From, AI.importArg(From->getAlignment()).value());
9337 break;
9338 }
9339
9340 case attr::Format: {
9341 const auto *From = cast<FormatAttr>(FromAttr);
9342 AI.importAttr(From, Import(From->getType()), From->getFormatIdx(),
9343 From->getFirstArg());
9344 break;
9345 }
9346
9347 case attr::EnableIf: {
9348 const auto *From = cast<EnableIfAttr>(FromAttr);
9349 AI.importAttr(From, AI.importArg(From->getCond()).value(),
9350 From->getMessage());
9351 break;
9352 }
9353
9354 case attr::AssertCapability: {
9355 const auto *From = cast<AssertCapabilityAttr>(FromAttr);
9356 AI.importAttr(From,
9357 AI.importArrayArg(From->args(), From->args_size()).value(),
9358 From->args_size());
9359 break;
9360 }
9361 case attr::AcquireCapability: {
9362 const auto *From = cast<AcquireCapabilityAttr>(FromAttr);
9363 AI.importAttr(From,
9364 AI.importArrayArg(From->args(), From->args_size()).value(),
9365 From->args_size());
9366 break;
9367 }
9368 case attr::TryAcquireCapability: {
9369 const auto *From = cast<TryAcquireCapabilityAttr>(FromAttr);
9370 AI.importAttr(From, AI.importArg(From->getSuccessValue()).value(),
9371 AI.importArrayArg(From->args(), From->args_size()).value(),
9372 From->args_size());
9373 break;
9374 }
9375 case attr::ReleaseCapability: {
9376 const auto *From = cast<ReleaseCapabilityAttr>(FromAttr);
9377 AI.importAttr(From,
9378 AI.importArrayArg(From->args(), From->args_size()).value(),
9379 From->args_size());
9380 break;
9381 }
9382 case attr::RequiresCapability: {
9383 const auto *From = cast<RequiresCapabilityAttr>(FromAttr);
9384 AI.importAttr(From,
9385 AI.importArrayArg(From->args(), From->args_size()).value(),
9386 From->args_size());
9387 break;
9388 }
9389 case attr::GuardedBy: {
9390 const auto *From = cast<GuardedByAttr>(FromAttr);
9391 AI.importAttr(From, AI.importArg(From->getArg()).value());
9392 break;
9393 }
9394 case attr::PtGuardedBy: {
9395 const auto *From = cast<PtGuardedByAttr>(FromAttr);
9396 AI.importAttr(From, AI.importArg(From->getArg()).value());
9397 break;
9398 }
9399 case attr::AcquiredAfter: {
9400 const auto *From = cast<AcquiredAfterAttr>(FromAttr);
9401 AI.importAttr(From,
9402 AI.importArrayArg(From->args(), From->args_size()).value(),
9403 From->args_size());
9404 break;
9405 }
9406 case attr::AcquiredBefore: {
9407 const auto *From = cast<AcquiredBeforeAttr>(FromAttr);
9408 AI.importAttr(From,
9409 AI.importArrayArg(From->args(), From->args_size()).value(),
9410 From->args_size());
9411 break;
9412 }
9413 case attr::AssertExclusiveLock: {
9414 const auto *From = cast<AssertExclusiveLockAttr>(FromAttr);
9415 AI.importAttr(From,
9416 AI.importArrayArg(From->args(), From->args_size()).value(),
9417 From->args_size());
9418 break;
9419 }
9420 case attr::AssertSharedLock: {
9421 const auto *From = cast<AssertSharedLockAttr>(FromAttr);
9422 AI.importAttr(From,
9423 AI.importArrayArg(From->args(), From->args_size()).value(),
9424 From->args_size());
9425 break;
9426 }
9427 case attr::ExclusiveTrylockFunction: {
9428 const auto *From = cast<ExclusiveTrylockFunctionAttr>(FromAttr);
9429 AI.importAttr(From, AI.importArg(From->getSuccessValue()).value(),
9430 AI.importArrayArg(From->args(), From->args_size()).value(),
9431 From->args_size());
9432 break;
9433 }
9434 case attr::SharedTrylockFunction: {
9435 const auto *From = cast<SharedTrylockFunctionAttr>(FromAttr);
9436 AI.importAttr(From, AI.importArg(From->getSuccessValue()).value(),
9437 AI.importArrayArg(From->args(), From->args_size()).value(),
9438 From->args_size());
9439 break;
9440 }
9441 case attr::LockReturned: {
9442 const auto *From = cast<LockReturnedAttr>(FromAttr);
9443 AI.importAttr(From, AI.importArg(From->getArg()).value());
9444 break;
9445 }
9446 case attr::LocksExcluded: {
9447 const auto *From = cast<LocksExcludedAttr>(FromAttr);
9448 AI.importAttr(From,
9449 AI.importArrayArg(From->args(), From->args_size()).value(),
9450 From->args_size());
9451 break;
9452 }
9453 default: {
9454 // The default branch works for attributes that have no arguments to import.
9455 // FIXME: Handle every attribute type that has arguments of type to import
9456 // (most often Expr* or Decl* or type) in the switch above.
9457 AI.cloneAttr(FromAttr);
9458 break;
9459 }
9460 }
9461
9462 return std::move(AI).getResult();
9463}
9464
9466 return ImportedDecls.lookup(FromD);
9467}
9468
9470 auto FromDPos = ImportedFromDecls.find(ToD);
9471 if (FromDPos == ImportedFromDecls.end())
9472 return nullptr;
9473 return FromDPos->second->getTranslationUnitDecl();
9474}
9475
9477 if (!FromD)
9478 return nullptr;
9479
9480 // Push FromD to the stack, and remove that when we return.
9481 ImportPath.push(FromD);
9482 auto ImportPathBuilder =
9483 llvm::make_scope_exit([this]() { ImportPath.pop(); });
9484
9485 // Check whether there was a previous failed import.
9486 // If yes return the existing error.
9487 if (auto Error = getImportDeclErrorIfAny(FromD))
9488 return make_error<ASTImportError>(*Error);
9489
9490 // Check whether we've already imported this declaration.
9491 Decl *ToD = GetAlreadyImportedOrNull(FromD);
9492 if (ToD) {
9493 // Already imported (possibly from another TU) and with an error.
9494 if (auto Error = SharedState->getImportDeclErrorIfAny(ToD)) {
9495 setImportDeclError(FromD, *Error);
9496 return make_error<ASTImportError>(*Error);
9497 }
9498
9499 // If FromD has some updated flags after last import, apply it.
9500 updateFlags(FromD, ToD);
9501 // If we encounter a cycle during an import then we save the relevant part
9502 // of the import path associated to the Decl.
9503 if (ImportPath.hasCycleAtBack())
9504 SavedImportPaths[FromD].push_back(ImportPath.copyCycleAtBack());
9505 return ToD;
9506 }
9507
9508 // Import the declaration.
9509 ExpectedDecl ToDOrErr = ImportImpl(FromD);
9510 if (!ToDOrErr) {
9511 // Failed to import.
9512
9513 auto Pos = ImportedDecls.find(FromD);
9514 if (Pos != ImportedDecls.end()) {
9515 // Import failed after the object was created.
9516 // Remove all references to it.
9517 auto *ToD = Pos->second;
9518 ImportedDecls.erase(Pos);
9519
9520 // ImportedDecls and ImportedFromDecls are not symmetric. It may happen
9521 // (e.g. with namespaces) that several decls from the 'from' context are
9522 // mapped to the same decl in the 'to' context. If we removed entries
9523 // from the LookupTable here then we may end up removing them multiple
9524 // times.
9525
9526 // The Lookuptable contains decls only which are in the 'to' context.
9527 // Remove from the Lookuptable only if it is *imported* into the 'to'
9528 // context (and do not remove it if it was added during the initial
9529 // traverse of the 'to' context).
9530 auto PosF = ImportedFromDecls.find(ToD);
9531 if (PosF != ImportedFromDecls.end()) {
9532 // In the case of TypedefNameDecl we create the Decl first and only
9533 // then we import and set its DeclContext. So, the DC might not be set
9534 // when we reach here.
9535 if (ToD->getDeclContext())
9536 SharedState->removeDeclFromLookup(ToD);
9537 ImportedFromDecls.erase(PosF);
9538 }
9539
9540 // FIXME: AST may contain remaining references to the failed object.
9541 // However, the ImportDeclErrors in the shared state contains all the
9542 // failed objects together with their error.
9543 }
9544
9545 // Error encountered for the first time.
9546 // After takeError the error is not usable any more in ToDOrErr.
9547 // Get a copy of the error object (any more simple solution for this?).
9548 ASTImportError ErrOut;
9549 handleAllErrors(ToDOrErr.takeError(),
9550 [&ErrOut](const ASTImportError &E) { ErrOut = E; });
9551 setImportDeclError(FromD, ErrOut);
9552 // Set the error for the mapped to Decl, which is in the "to" context.
9553 if (Pos != ImportedDecls.end())
9554 SharedState->setImportDeclError(Pos->second, ErrOut);
9555
9556 // Set the error for all nodes which have been created before we
9557 // recognized the error.
9558 for (const auto &Path : SavedImportPaths[FromD]) {
9559 // The import path contains import-dependency nodes first.
9560 // Save the node that was imported as dependency of the current node.
9561 Decl *PrevFromDi = FromD;
9562 for (Decl *FromDi : Path) {
9563 // Begin and end of the path equals 'FromD', skip it.
9564 if (FromDi == FromD)
9565 continue;
9566 // We should not set import error on a node and all following nodes in
9567 // the path if child import errors are ignored.
9568 if (ChildErrorHandlingStrategy(FromDi).ignoreChildErrorOnParent(
9569 PrevFromDi))
9570 break;
9571 PrevFromDi = FromDi;
9572 setImportDeclError(FromDi, ErrOut);
9573 //FIXME Should we remove these Decls from ImportedDecls?
9574 // Set the error for the mapped to Decl, which is in the "to" context.
9575 auto Ii = ImportedDecls.find(FromDi);
9576 if (Ii != ImportedDecls.end())
9577 SharedState->setImportDeclError(Ii->second, ErrOut);
9578 // FIXME Should we remove these Decls from the LookupTable,
9579 // and from ImportedFromDecls?
9580 }
9581 }
9582 SavedImportPaths.erase(FromD);
9583
9584 // Do not return ToDOrErr, error was taken out of it.
9585 return make_error<ASTImportError>(ErrOut);
9586 }
9587
9588 ToD = *ToDOrErr;
9589
9590 // FIXME: Handle the "already imported with error" case. We can get here
9591 // nullptr only if GetImportedOrCreateDecl returned nullptr (after a
9592 // previously failed create was requested).
9593 // Later GetImportedOrCreateDecl can be updated to return the error.
9594 if (!ToD) {
9595 auto Err = getImportDeclErrorIfAny(FromD);
9596 assert(Err);
9597 return make_error<ASTImportError>(*Err);
9598 }
9599
9600 // We could import from the current TU without error. But previously we
9601 // already had imported a Decl as `ToD` from another TU (with another
9602 // ASTImporter object) and with an error.
9603 if (auto Error = SharedState->getImportDeclErrorIfAny(ToD)) {
9604 setImportDeclError(FromD, *Error);
9605 return make_error<ASTImportError>(*Error);
9606 }
9607 // Make sure that ImportImpl registered the imported decl.
9608 assert(ImportedDecls.count(FromD) != 0 && "Missing call to MapImported?");
9609
9610 if (FromD->hasAttrs())
9611 for (const Attr *FromAttr : FromD->getAttrs()) {
9612 auto ToAttrOrErr = Import(FromAttr);
9613 if (ToAttrOrErr)
9614 ToD->addAttr(*ToAttrOrErr);
9615 else
9616 return ToAttrOrErr.takeError();
9617 }
9618
9619 // Notify subclasses.
9620 Imported(FromD, ToD);
9621
9622 updateFlags(FromD, ToD);
9623 SavedImportPaths.erase(FromD);
9624 return ToDOrErr;
9625}
9626
9629 return ASTNodeImporter(*this).ImportInheritedConstructor(From);
9630}
9631
9633 if (!FromDC)
9634 return FromDC;
9635
9636 ExpectedDecl ToDCOrErr = Import(cast<Decl>(FromDC));
9637 if (!ToDCOrErr)
9638 return ToDCOrErr.takeError();
9639 auto *ToDC = cast<DeclContext>(*ToDCOrErr);
9640
9641 // When we're using a record/enum/Objective-C class/protocol as a context, we
9642 // need it to have a definition.
9643 if (auto *ToRecord = dyn_cast<RecordDecl>(ToDC)) {
9644 auto *FromRecord = cast<RecordDecl>(FromDC);
9645 if (ToRecord->isCompleteDefinition())
9646 return ToDC;
9647
9648 // If FromRecord is not defined we need to force it to be.
9649 // Simply calling CompleteDecl(...) for a RecordDecl will break some cases
9650 // it will start the definition but we never finish it.
9651 // If there are base classes they won't be imported and we will
9652 // be missing anything that we inherit from those bases.
9653 if (FromRecord->getASTContext().getExternalSource() &&
9654 !FromRecord->isCompleteDefinition())
9655 FromRecord->getASTContext().getExternalSource()->CompleteType(FromRecord);
9656
9657 if (FromRecord->isCompleteDefinition())
9658 if (Error Err = ASTNodeImporter(*this).ImportDefinition(
9659 FromRecord, ToRecord, ASTNodeImporter::IDK_Basic))
9660 return std::move(Err);
9661 } else if (auto *ToEnum = dyn_cast<EnumDecl>(ToDC)) {
9662 auto *FromEnum = cast<EnumDecl>(FromDC);
9663 if (ToEnum->isCompleteDefinition()) {
9664 // Do nothing.
9665 } else if (FromEnum->isCompleteDefinition()) {
9666 if (Error Err = ASTNodeImporter(*this).ImportDefinition(
9667 FromEnum, ToEnum, ASTNodeImporter::IDK_Basic))
9668 return std::move(Err);
9669 } else {
9670 CompleteDecl(ToEnum);
9671 }
9672 } else if (auto *ToClass = dyn_cast<ObjCInterfaceDecl>(ToDC)) {
9673 auto *FromClass = cast<ObjCInterfaceDecl>(FromDC);
9674 if (ToClass->getDefinition()) {
9675 // Do nothing.
9676 } else if (ObjCInterfaceDecl *FromDef = FromClass->getDefinition()) {
9677 if (Error Err = ASTNodeImporter(*this).ImportDefinition(
9678 FromDef, ToClass, ASTNodeImporter::IDK_Basic))
9679 return std::move(Err);
9680 } else {
9681 CompleteDecl(ToClass);
9682 }
9683 } else if (auto *ToProto = dyn_cast<ObjCProtocolDecl>(ToDC)) {
9684 auto *FromProto = cast<ObjCProtocolDecl>(FromDC);
9685 if (ToProto->getDefinition()) {
9686 // Do nothing.
9687 } else if (ObjCProtocolDecl *FromDef = FromProto->getDefinition()) {
9688 if (Error Err = ASTNodeImporter(*this).ImportDefinition(
9689 FromDef, ToProto, ASTNodeImporter::IDK_Basic))
9690 return std::move(Err);
9691 } else {
9692 CompleteDecl(ToProto);
9693 }
9694 }
9695
9696 return ToDC;
9697}
9698
9700 if (ExpectedStmt ToSOrErr = Import(cast_or_null<Stmt>(FromE)))
9701 return cast_or_null<Expr>(*ToSOrErr);
9702 else
9703 return ToSOrErr.takeError();
9704}
9705
9707 if (!FromS)
9708 return nullptr;
9709
9710 // Check whether we've already imported this statement.
9711 llvm::DenseMap<Stmt *, Stmt *>::iterator Pos = ImportedStmts.find(FromS);
9712 if (Pos != ImportedStmts.end())
9713 return Pos->second;
9714
9715 // Import the statement.
9716 ASTNodeImporter Importer(*this);
9717 ExpectedStmt ToSOrErr = Importer.Visit(FromS);
9718 if (!ToSOrErr)
9719 return ToSOrErr;
9720
9721 if (auto *ToE = dyn_cast<Expr>(*ToSOrErr)) {
9722 auto *FromE = cast<Expr>(FromS);
9723 // Copy ExprBitfields, which may not be handled in Expr subclasses
9724 // constructors.
9725 ToE->setValueKind(FromE->getValueKind());
9726 ToE->setObjectKind(FromE->getObjectKind());
9727 ToE->setDependence(FromE->getDependence());
9728 }
9729
9730 // Record the imported statement object.
9731 ImportedStmts[FromS] = *ToSOrErr;
9732 return ToSOrErr;
9733}
9734
9737 if (!FromNNS)
9738 return nullptr;
9739
9740 NestedNameSpecifier *Prefix = nullptr;
9741 if (Error Err = importInto(Prefix, FromNNS->getPrefix()))
9742 return std::move(Err);
9743
9744 switch (FromNNS->getKind()) {
9746 assert(FromNNS->getAsIdentifier() && "NNS should contain identifier.");
9747 return NestedNameSpecifier::Create(ToContext, Prefix,
9748 Import(FromNNS->getAsIdentifier()));
9749
9751 if (ExpectedDecl NSOrErr = Import(FromNNS->getAsNamespace())) {
9752 return NestedNameSpecifier::Create(ToContext, Prefix,
9753 cast<NamespaceDecl>(*NSOrErr));
9754 } else
9755 return NSOrErr.takeError();
9756
9758 if (ExpectedDecl NSADOrErr = Import(FromNNS->getAsNamespaceAlias()))
9759 return NestedNameSpecifier::Create(ToContext, Prefix,
9760 cast<NamespaceAliasDecl>(*NSADOrErr));
9761 else
9762 return NSADOrErr.takeError();
9763
9765 return NestedNameSpecifier::GlobalSpecifier(ToContext);
9766
9768 if (ExpectedDecl RDOrErr = Import(FromNNS->getAsRecordDecl()))
9769 return NestedNameSpecifier::SuperSpecifier(ToContext,
9770 cast<CXXRecordDecl>(*RDOrErr));
9771 else
9772 return RDOrErr.takeError();
9773
9776 if (ExpectedTypePtr TyOrErr = Import(FromNNS->getAsType())) {
9777 bool TSTemplate =
9779 return NestedNameSpecifier::Create(ToContext, Prefix, TSTemplate,
9780 *TyOrErr);
9781 } else {
9782 return TyOrErr.takeError();
9783 }
9784 }
9785
9786 llvm_unreachable("Invalid nested name specifier kind");
9787}
9788
9791 // Copied from NestedNameSpecifier mostly.
9793 NestedNameSpecifierLoc NNS = FromNNS;
9794
9795 // Push each of the nested-name-specifiers's onto a stack for
9796 // serialization in reverse order.
9797 while (NNS) {
9798 NestedNames.push_back(NNS);
9799 NNS = NNS.getPrefix();
9800 }
9801
9803
9804 while (!NestedNames.empty()) {
9805 NNS = NestedNames.pop_back_val();
9806 NestedNameSpecifier *Spec = nullptr;
9807 if (Error Err = importInto(Spec, NNS.getNestedNameSpecifier()))
9808 return std::move(Err);
9809
9811
9812 SourceLocation ToLocalBeginLoc, ToLocalEndLoc;
9813 if (Kind != NestedNameSpecifier::Super) {
9814 if (Error Err = importInto(ToLocalBeginLoc, NNS.getLocalBeginLoc()))
9815 return std::move(Err);
9816
9817 if (Kind != NestedNameSpecifier::Global)
9818 if (Error Err = importInto(ToLocalEndLoc, NNS.getLocalEndLoc()))
9819 return std::move(Err);
9820 }
9821
9822 switch (Kind) {
9824 Builder.Extend(getToContext(), Spec->getAsIdentifier(), ToLocalBeginLoc,
9825 ToLocalEndLoc);
9826 break;
9827
9829 Builder.Extend(getToContext(), Spec->getAsNamespace(), ToLocalBeginLoc,
9830 ToLocalEndLoc);
9831 break;
9832
9834 Builder.Extend(getToContext(), Spec->getAsNamespaceAlias(),
9835 ToLocalBeginLoc, ToLocalEndLoc);
9836 break;
9837
9840 SourceLocation ToTLoc;
9841 if (Error Err = importInto(ToTLoc, NNS.getTypeLoc().getBeginLoc()))
9842 return std::move(Err);
9844 QualType(Spec->getAsType(), 0), ToTLoc);
9846 // ToLocalBeginLoc is here the location of the 'template' keyword.
9847 Builder.Extend(getToContext(), ToLocalBeginLoc, TSI->getTypeLoc(),
9848 ToLocalEndLoc);
9849 else
9850 // No location for 'template' keyword here.
9851 Builder.Extend(getToContext(), SourceLocation{}, TSI->getTypeLoc(),
9852 ToLocalEndLoc);
9853 break;
9854 }
9855
9857 Builder.MakeGlobal(getToContext(), ToLocalBeginLoc);
9858 break;
9859
9861 auto ToSourceRangeOrErr = Import(NNS.getSourceRange());
9862 if (!ToSourceRangeOrErr)
9863 return ToSourceRangeOrErr.takeError();
9864
9865 Builder.MakeSuper(getToContext(), Spec->getAsRecordDecl(),
9866 ToSourceRangeOrErr->getBegin(),
9867 ToSourceRangeOrErr->getEnd());
9868 }
9869 }
9870 }
9871
9872 return Builder.getWithLocInContext(getToContext());
9873}
9874
9876 switch (From.getKind()) {
9878 if (ExpectedDecl ToTemplateOrErr = Import(From.getAsTemplateDecl()))
9879 return TemplateName(cast<TemplateDecl>((*ToTemplateOrErr)->getCanonicalDecl()));
9880 else
9881 return ToTemplateOrErr.takeError();
9882
9885 UnresolvedSet<2> ToTemplates;
9886 for (auto *I : *FromStorage) {
9887 if (auto ToOrErr = Import(I))
9888 ToTemplates.addDecl(cast<NamedDecl>(*ToOrErr));
9889 else
9890 return ToOrErr.takeError();
9891 }
9892 return ToContext.getOverloadedTemplateName(ToTemplates.begin(),
9893 ToTemplates.end());
9894 }
9895
9898 auto DeclNameOrErr = Import(FromStorage->getDeclName());
9899 if (!DeclNameOrErr)
9900 return DeclNameOrErr.takeError();
9901 return ToContext.getAssumedTemplateName(*DeclNameOrErr);
9902 }
9903
9906 auto QualifierOrErr = Import(QTN->getQualifier());
9907 if (!QualifierOrErr)
9908 return QualifierOrErr.takeError();
9909 auto TNOrErr = Import(QTN->getUnderlyingTemplate());
9910 if (!TNOrErr)
9911 return TNOrErr.takeError();
9912 return ToContext.getQualifiedTemplateName(
9913 *QualifierOrErr, QTN->hasTemplateKeyword(), *TNOrErr);
9914 }
9915
9918 auto QualifierOrErr = Import(DTN->getQualifier());
9919 if (!QualifierOrErr)
9920 return QualifierOrErr.takeError();
9921
9922 if (DTN->isIdentifier()) {
9923 return ToContext.getDependentTemplateName(*QualifierOrErr,
9924 Import(DTN->getIdentifier()));
9925 }
9926
9927 return ToContext.getDependentTemplateName(*QualifierOrErr,
9928 DTN->getOperator());
9929 }
9930
9934 auto ReplacementOrErr = Import(Subst->getReplacement());
9935 if (!ReplacementOrErr)
9936 return ReplacementOrErr.takeError();
9937
9938 auto AssociatedDeclOrErr = Import(Subst->getAssociatedDecl());
9939 if (!AssociatedDeclOrErr)
9940 return AssociatedDeclOrErr.takeError();
9941
9942 return ToContext.getSubstTemplateTemplateParm(
9943 *ReplacementOrErr, *AssociatedDeclOrErr, Subst->getIndex(),
9944 Subst->getPackIndex());
9945 }
9946
9950 ASTNodeImporter Importer(*this);
9951 auto ArgPackOrErr =
9952 Importer.ImportTemplateArgument(SubstPack->getArgumentPack());
9953 if (!ArgPackOrErr)
9954 return ArgPackOrErr.takeError();
9955
9956 auto AssociatedDeclOrErr = Import(SubstPack->getAssociatedDecl());
9957 if (!AssociatedDeclOrErr)
9958 return AssociatedDeclOrErr.takeError();
9959
9960 return ToContext.getSubstTemplateTemplateParmPack(
9961 *ArgPackOrErr, *AssociatedDeclOrErr, SubstPack->getIndex(),
9962 SubstPack->getFinal());
9963 }
9965 auto UsingOrError = Import(From.getAsUsingShadowDecl());
9966 if (!UsingOrError)
9967 return UsingOrError.takeError();
9968 return TemplateName(cast<UsingShadowDecl>(*UsingOrError));
9969 }
9971 llvm_unreachable("Unexpected DeducedTemplate");
9972 }
9973
9974 llvm_unreachable("Invalid template name kind");
9975}
9976
9978 if (FromLoc.isInvalid())
9979 return SourceLocation{};
9980
9981 SourceManager &FromSM = FromContext.getSourceManager();
9982 bool IsBuiltin = FromSM.isWrittenInBuiltinFile(FromLoc);
9983
9984 std::pair<FileID, unsigned> Decomposed = FromSM.getDecomposedLoc(FromLoc);
9985 Expected<FileID> ToFileIDOrErr = Import(Decomposed.first, IsBuiltin);
9986 if (!ToFileIDOrErr)
9987 return ToFileIDOrErr.takeError();
9988 SourceManager &ToSM = ToContext.getSourceManager();
9989 return ToSM.getComposedLoc(*ToFileIDOrErr, Decomposed.second);
9990}
9991
9993 SourceLocation ToBegin, ToEnd;
9994 if (Error Err = importInto(ToBegin, FromRange.getBegin()))
9995 return std::move(Err);
9996 if (Error Err = importInto(ToEnd, FromRange.getEnd()))
9997 return std::move(Err);
9998
9999 return SourceRange(ToBegin, ToEnd);
10000}
10001
10003 llvm::DenseMap<FileID, FileID>::iterator Pos = ImportedFileIDs.find(FromID);
10004 if (Pos != ImportedFileIDs.end())
10005 return Pos->second;
10006
10007 SourceManager &FromSM = FromContext.getSourceManager();
10008 SourceManager &ToSM = ToContext.getSourceManager();
10009 const SrcMgr::SLocEntry &FromSLoc = FromSM.getSLocEntry(FromID);
10010
10011 // Map the FromID to the "to" source manager.
10012 FileID ToID;
10013 if (FromSLoc.isExpansion()) {
10014 const SrcMgr::ExpansionInfo &FromEx = FromSLoc.getExpansion();
10015 ExpectedSLoc ToSpLoc = Import(FromEx.getSpellingLoc());
10016 if (!ToSpLoc)
10017 return ToSpLoc.takeError();
10018 ExpectedSLoc ToExLocS = Import(FromEx.getExpansionLocStart());
10019 if (!ToExLocS)
10020 return ToExLocS.takeError();
10021 unsigned ExLength = FromSM.getFileIDSize(FromID);
10022 SourceLocation MLoc;
10023 if (FromEx.isMacroArgExpansion()) {
10024 MLoc = ToSM.createMacroArgExpansionLoc(*ToSpLoc, *ToExLocS, ExLength);
10025 } else {
10026 if (ExpectedSLoc ToExLocE = Import(FromEx.getExpansionLocEnd()))
10027 MLoc = ToSM.createExpansionLoc(*ToSpLoc, *ToExLocS, *ToExLocE, ExLength,
10028 FromEx.isExpansionTokenRange());
10029 else
10030 return ToExLocE.takeError();
10031 }
10032 ToID = ToSM.getFileID(MLoc);
10033 } else {
10034 const SrcMgr::ContentCache *Cache = &FromSLoc.getFile().getContentCache();
10035
10036 if (!IsBuiltin && !Cache->BufferOverridden) {
10037 // Include location of this file.
10038 ExpectedSLoc ToIncludeLoc = Import(FromSLoc.getFile().getIncludeLoc());
10039 if (!ToIncludeLoc)
10040 return ToIncludeLoc.takeError();
10041
10042 // Every FileID that is not the main FileID needs to have a valid include
10043 // location so that the include chain points to the main FileID. When
10044 // importing the main FileID (which has no include location), we need to
10045 // create a fake include location in the main file to keep this property
10046 // intact.
10047 SourceLocation ToIncludeLocOrFakeLoc = *ToIncludeLoc;
10048 if (FromID == FromSM.getMainFileID())
10049 ToIncludeLocOrFakeLoc = ToSM.getLocForStartOfFile(ToSM.getMainFileID());
10050
10051 if (Cache->OrigEntry && Cache->OrigEntry->getDir()) {
10052 // FIXME: We probably want to use getVirtualFileRef(), so we don't hit
10053 // the disk again
10054 // FIXME: We definitely want to re-use the existing MemoryBuffer, rather
10055 // than mmap the files several times.
10056 auto Entry =
10057 ToFileManager.getOptionalFileRef(Cache->OrigEntry->getName());
10058 // FIXME: The filename may be a virtual name that does probably not
10059 // point to a valid file and we get no Entry here. In this case try with
10060 // the memory buffer below.
10061 if (Entry)
10062 ToID = ToSM.createFileID(*Entry, ToIncludeLocOrFakeLoc,
10063 FromSLoc.getFile().getFileCharacteristic());
10064 }
10065 }
10066
10067 if (ToID.isInvalid() || IsBuiltin) {
10068 // FIXME: We want to re-use the existing MemoryBuffer!
10069 std::optional<llvm::MemoryBufferRef> FromBuf =
10070 Cache->getBufferOrNone(FromContext.getDiagnostics(),
10071 FromSM.getFileManager(), SourceLocation{});
10072 if (!FromBuf)
10073 return llvm::make_error<ASTImportError>(ASTImportError::Unknown);
10074
10075 std::unique_ptr<llvm::MemoryBuffer> ToBuf =
10076 llvm::MemoryBuffer::getMemBufferCopy(FromBuf->getBuffer(),
10077 FromBuf->getBufferIdentifier());
10078 ToID = ToSM.createFileID(std::move(ToBuf),
10079 FromSLoc.getFile().getFileCharacteristic());
10080 }
10081 }
10082
10083 assert(ToID.isValid() && "Unexpected invalid fileID was created.");
10084
10085 ImportedFileIDs[FromID] = ToID;
10086 return ToID;
10087}
10088
10090 ExpectedExpr ToExprOrErr = Import(From->getInit());
10091 if (!ToExprOrErr)
10092 return ToExprOrErr.takeError();
10093
10094 auto LParenLocOrErr = Import(From->getLParenLoc());
10095 if (!LParenLocOrErr)
10096 return LParenLocOrErr.takeError();
10097
10098 auto RParenLocOrErr = Import(From->getRParenLoc());
10099 if (!RParenLocOrErr)
10100 return RParenLocOrErr.takeError();
10101
10102 if (From->isBaseInitializer()) {
10103 auto ToTInfoOrErr = Import(From->getTypeSourceInfo());
10104 if (!ToTInfoOrErr)
10105 return ToTInfoOrErr.takeError();
10106
10107 SourceLocation EllipsisLoc;
10108 if (From->isPackExpansion())
10109 if (Error Err = importInto(EllipsisLoc, From->getEllipsisLoc()))
10110 return std::move(Err);
10111
10112 return new (ToContext) CXXCtorInitializer(
10113 ToContext, *ToTInfoOrErr, From->isBaseVirtual(), *LParenLocOrErr,
10114 *ToExprOrErr, *RParenLocOrErr, EllipsisLoc);
10115 } else if (From->isMemberInitializer()) {
10116 ExpectedDecl ToFieldOrErr = Import(From->getMember());
10117 if (!ToFieldOrErr)
10118 return ToFieldOrErr.takeError();
10119
10120 auto MemberLocOrErr = Import(From->getMemberLocation());
10121 if (!MemberLocOrErr)
10122 return MemberLocOrErr.takeError();
10123
10124 return new (ToContext) CXXCtorInitializer(
10125 ToContext, cast_or_null<FieldDecl>(*ToFieldOrErr), *MemberLocOrErr,
10126 *LParenLocOrErr, *ToExprOrErr, *RParenLocOrErr);
10127 } else if (From->isIndirectMemberInitializer()) {
10128 ExpectedDecl ToIFieldOrErr = Import(From->getIndirectMember());
10129 if (!ToIFieldOrErr)
10130 return ToIFieldOrErr.takeError();
10131
10132 auto MemberLocOrErr = Import(From->getMemberLocation());
10133 if (!MemberLocOrErr)
10134 return MemberLocOrErr.takeError();
10135
10136 return new (ToContext) CXXCtorInitializer(
10137 ToContext, cast_or_null<IndirectFieldDecl>(*ToIFieldOrErr),
10138 *MemberLocOrErr, *LParenLocOrErr, *ToExprOrErr, *RParenLocOrErr);
10139 } else if (From->isDelegatingInitializer()) {
10140 auto ToTInfoOrErr = Import(From->getTypeSourceInfo());
10141 if (!ToTInfoOrErr)
10142 return ToTInfoOrErr.takeError();
10143
10144 return new (ToContext)
10145 CXXCtorInitializer(ToContext, *ToTInfoOrErr, *LParenLocOrErr,
10146 *ToExprOrErr, *RParenLocOrErr);
10147 } else {
10148 // FIXME: assert?
10149 return make_error<ASTImportError>();
10150 }
10151}
10152
10155 auto Pos = ImportedCXXBaseSpecifiers.find(BaseSpec);
10156 if (Pos != ImportedCXXBaseSpecifiers.end())
10157 return Pos->second;
10158
10159 Expected<SourceRange> ToSourceRange = Import(BaseSpec->getSourceRange());
10160 if (!ToSourceRange)
10161 return ToSourceRange.takeError();
10163 if (!ToTSI)
10164 return ToTSI.takeError();
10165 ExpectedSLoc ToEllipsisLoc = Import(BaseSpec->getEllipsisLoc());
10166 if (!ToEllipsisLoc)
10167 return ToEllipsisLoc.takeError();
10168 CXXBaseSpecifier *Imported = new (ToContext) CXXBaseSpecifier(
10169 *ToSourceRange, BaseSpec->isVirtual(), BaseSpec->isBaseOfClass(),
10170 BaseSpec->getAccessSpecifierAsWritten(), *ToTSI, *ToEllipsisLoc);
10171 ImportedCXXBaseSpecifiers[BaseSpec] = Imported;
10172 return Imported;
10173}
10174
10176 ASTNodeImporter Importer(*this);
10177 return Importer.ImportAPValue(FromValue);
10178}
10179
10181 ExpectedDecl ToOrErr = Import(From);
10182 if (!ToOrErr)
10183 return ToOrErr.takeError();
10184 Decl *To = *ToOrErr;
10185
10186 auto *FromDC = cast<DeclContext>(From);
10187 ASTNodeImporter Importer(*this);
10188
10189 if (auto *ToRecord = dyn_cast<RecordDecl>(To)) {
10190 if (!ToRecord->getDefinition()) {
10191 return Importer.ImportDefinition(
10192 cast<RecordDecl>(FromDC), ToRecord,
10194 }
10195 }
10196
10197 if (auto *ToEnum = dyn_cast<EnumDecl>(To)) {
10198 if (!ToEnum->getDefinition()) {
10199 return Importer.ImportDefinition(
10200 cast<EnumDecl>(FromDC), ToEnum, ASTNodeImporter::IDK_Everything);
10201 }
10202 }
10203
10204 if (auto *ToIFace = dyn_cast<ObjCInterfaceDecl>(To)) {
10205 if (!ToIFace->getDefinition()) {
10206 return Importer.ImportDefinition(
10207 cast<ObjCInterfaceDecl>(FromDC), ToIFace,
10209 }
10210 }
10211
10212 if (auto *ToProto = dyn_cast<ObjCProtocolDecl>(To)) {
10213 if (!ToProto->getDefinition()) {
10214 return Importer.ImportDefinition(
10215 cast<ObjCProtocolDecl>(FromDC), ToProto,
10217 }
10218 }
10219
10220 return Importer.ImportDeclContext(FromDC, true);
10221}
10222
10224 if (!FromName)
10225 return DeclarationName{};
10226
10227 switch (FromName.getNameKind()) {
10229 return DeclarationName(Import(FromName.getAsIdentifierInfo()));
10230
10234 if (auto ToSelOrErr = Import(FromName.getObjCSelector()))
10235 return DeclarationName(*ToSelOrErr);
10236 else
10237 return ToSelOrErr.takeError();
10238
10240 if (auto ToTyOrErr = Import(FromName.getCXXNameType()))
10241 return ToContext.DeclarationNames.getCXXConstructorName(
10242 ToContext.getCanonicalType(*ToTyOrErr));
10243 else
10244 return ToTyOrErr.takeError();
10245 }
10246
10248 if (auto ToTyOrErr = Import(FromName.getCXXNameType()))
10249 return ToContext.DeclarationNames.getCXXDestructorName(
10250 ToContext.getCanonicalType(*ToTyOrErr));
10251 else
10252 return ToTyOrErr.takeError();
10253 }
10254
10256 if (auto ToTemplateOrErr = Import(FromName.getCXXDeductionGuideTemplate()))
10258 cast<TemplateDecl>(*ToTemplateOrErr));
10259 else
10260 return ToTemplateOrErr.takeError();
10261 }
10262
10264 if (auto ToTyOrErr = Import(FromName.getCXXNameType()))
10266 ToContext.getCanonicalType(*ToTyOrErr));
10267 else
10268 return ToTyOrErr.takeError();
10269 }
10270
10272 return ToContext.DeclarationNames.getCXXOperatorName(
10273 FromName.getCXXOverloadedOperator());
10274
10277 Import(FromName.getCXXLiteralIdentifier()));
10278
10280 // FIXME: STATICS!
10282 }
10283
10284 llvm_unreachable("Invalid DeclarationName Kind!");
10285}
10286
10288 if (!FromId)
10289 return nullptr;
10290
10291 IdentifierInfo *ToId = &ToContext.Idents.get(FromId->getName());
10292
10293 if (!ToId->getBuiltinID() && FromId->getBuiltinID())
10294 ToId->setBuiltinID(FromId->getBuiltinID());
10295
10296 return ToId;
10297}
10298
10300 if (FromSel.isNull())
10301 return Selector{};
10302
10304 Idents.push_back(Import(FromSel.getIdentifierInfoForSlot(0)));
10305 for (unsigned I = 1, N = FromSel.getNumArgs(); I < N; ++I)
10306 Idents.push_back(Import(FromSel.getIdentifierInfoForSlot(I)));
10307 return ToContext.Selectors.getSelector(FromSel.getNumArgs(), Idents.data());
10308}
10309
10313 llvm::Error Err = llvm::Error::success();
10314 auto ImportLoop = [&](const APValue *From, APValue *To, unsigned Size) {
10315 for (unsigned Idx = 0; Idx < Size; Idx++) {
10316 APValue Tmp = importChecked(Err, From[Idx]);
10317 To[Idx] = Tmp;
10318 }
10319 };
10320 switch (FromValue.getKind()) {
10321 case APValue::None:
10323 case APValue::Int:
10324 case APValue::Float:
10328 Result = FromValue;
10329 break;
10330 case APValue::Vector: {
10331 Result.MakeVector();
10333 Result.setVectorUninit(FromValue.getVectorLength());
10334 ImportLoop(((const APValue::Vec *)(const char *)&FromValue.Data)->Elts,
10335 Elts.data(), FromValue.getVectorLength());
10336 break;
10337 }
10338 case APValue::Array:
10339 Result.MakeArray(FromValue.getArrayInitializedElts(),
10340 FromValue.getArraySize());
10341 ImportLoop(((const APValue::Arr *)(const char *)&FromValue.Data)->Elts,
10342 ((const APValue::Arr *)(const char *)&Result.Data)->Elts,
10343 FromValue.getArrayInitializedElts());
10344 break;
10345 case APValue::Struct:
10346 Result.MakeStruct(FromValue.getStructNumBases(),
10347 FromValue.getStructNumFields());
10348 ImportLoop(
10349 ((const APValue::StructData *)(const char *)&FromValue.Data)->Elts,
10350 ((const APValue::StructData *)(const char *)&Result.Data)->Elts,
10351 FromValue.getStructNumBases() + FromValue.getStructNumFields());
10352 break;
10353 case APValue::Union: {
10354 Result.MakeUnion();
10355 const Decl *ImpFDecl = importChecked(Err, FromValue.getUnionField());
10356 APValue ImpValue = importChecked(Err, FromValue.getUnionValue());
10357 if (Err)
10358 return std::move(Err);
10359 Result.setUnion(cast<FieldDecl>(ImpFDecl), ImpValue);
10360 break;
10361 }
10363 Result.MakeAddrLabelDiff();
10364 const Expr *ImpLHS = importChecked(Err, FromValue.getAddrLabelDiffLHS());
10365 const Expr *ImpRHS = importChecked(Err, FromValue.getAddrLabelDiffRHS());
10366 if (Err)
10367 return std::move(Err);
10368 Result.setAddrLabelDiff(cast<AddrLabelExpr>(ImpLHS),
10369 cast<AddrLabelExpr>(ImpRHS));
10370 break;
10371 }
10373 const Decl *ImpMemPtrDecl =
10374 importChecked(Err, FromValue.getMemberPointerDecl());
10375 if (Err)
10376 return std::move(Err);
10378 Result.setMemberPointerUninit(
10379 cast<const ValueDecl>(ImpMemPtrDecl),
10381 FromValue.getMemberPointerPath().size());
10383 Result.getMemberPointerPath();
10384 for (unsigned Idx = 0; Idx < FromValue.getMemberPointerPath().size();
10385 Idx++) {
10386 const Decl *ImpDecl = importChecked(Err, FromPath[Idx]);
10387 if (Err)
10388 return std::move(Err);
10389 ToPath[Idx] = cast<const CXXRecordDecl>(ImpDecl->getCanonicalDecl());
10390 }
10391 break;
10392 }
10393 case APValue::LValue:
10395 QualType FromElemTy;
10396 if (FromValue.getLValueBase()) {
10397 assert(!FromValue.getLValueBase().is<DynamicAllocLValue>() &&
10398 "in C++20 dynamic allocation are transient so they shouldn't "
10399 "appear in the AST");
10400 if (!FromValue.getLValueBase().is<TypeInfoLValue>()) {
10401 if (const auto *E =
10402 FromValue.getLValueBase().dyn_cast<const Expr *>()) {
10403 FromElemTy = E->getType();
10404 const Expr *ImpExpr = importChecked(Err, E);
10405 if (Err)
10406 return std::move(Err);
10407 Base = APValue::LValueBase(ImpExpr,
10408 FromValue.getLValueBase().getCallIndex(),
10409 FromValue.getLValueBase().getVersion());
10410 } else {
10411 FromElemTy =
10412 FromValue.getLValueBase().get<const ValueDecl *>()->getType();
10413 const Decl *ImpDecl = importChecked(
10414 Err, FromValue.getLValueBase().get<const ValueDecl *>());
10415 if (Err)
10416 return std::move(Err);
10417 Base = APValue::LValueBase(cast<ValueDecl>(ImpDecl),
10418 FromValue.getLValueBase().getCallIndex(),
10419 FromValue.getLValueBase().getVersion());
10420 }
10421 } else {
10422 FromElemTy = FromValue.getLValueBase().getTypeInfoType();
10423 const Type *ImpTypeInfo = importChecked(
10424 Err, FromValue.getLValueBase().get<TypeInfoLValue>().getType());
10425 QualType ImpType =
10426 importChecked(Err, FromValue.getLValueBase().getTypeInfoType());
10427 if (Err)
10428 return std::move(Err);
10430 ImpType);
10431 }
10432 }
10433 CharUnits Offset = FromValue.getLValueOffset();
10434 unsigned PathLength = FromValue.getLValuePath().size();
10435 Result.MakeLValue();
10436 if (FromValue.hasLValuePath()) {
10437 MutableArrayRef<APValue::LValuePathEntry> ToPath = Result.setLValueUninit(
10438 Base, Offset, PathLength, FromValue.isLValueOnePastTheEnd(),
10439 FromValue.isNullPointer());
10441 FromValue.getLValuePath();
10442 for (unsigned LoopIdx = 0; LoopIdx < PathLength; LoopIdx++) {
10443 if (FromElemTy->isRecordType()) {
10444 const Decl *FromDecl =
10445 FromPath[LoopIdx].getAsBaseOrMember().getPointer();
10446 const Decl *ImpDecl = importChecked(Err, FromDecl);
10447 if (Err)
10448 return std::move(Err);
10449 if (auto *RD = dyn_cast<CXXRecordDecl>(FromDecl))
10450 FromElemTy = Importer.FromContext.getRecordType(RD);
10451 else
10452 FromElemTy = cast<ValueDecl>(FromDecl)->getType();
10454 ImpDecl, FromPath[LoopIdx].getAsBaseOrMember().getInt()));
10455 } else {
10456 FromElemTy =
10457 Importer.FromContext.getAsArrayType(FromElemTy)->getElementType();
10458 ToPath[LoopIdx] = APValue::LValuePathEntry::ArrayIndex(
10459 FromPath[LoopIdx].getAsArrayIndex());
10460 }
10461 }
10462 } else
10463 Result.setLValue(Base, Offset, APValue::NoLValuePath{},
10464 FromValue.isNullPointer());
10465 }
10466 if (Err)
10467 return std::move(Err);
10468 return Result;
10469}
10470
10472 DeclContext *DC,
10473 unsigned IDNS,
10474 NamedDecl **Decls,
10475 unsigned NumDecls) {
10476 if (ODRHandling == ODRHandlingType::Conservative)
10477 // Report error at any name conflict.
10478 return make_error<ASTImportError>(ASTImportError::NameConflict);
10479 else
10480 // Allow to create the new Decl with the same name.
10481 return Name;
10482}
10483
10485 if (LastDiagFromFrom)
10487 FromContext.getDiagnostics());
10488 LastDiagFromFrom = false;
10489 return ToContext.getDiagnostics().Report(Loc, DiagID);
10490}
10491
10493 if (!LastDiagFromFrom)
10495 ToContext.getDiagnostics());
10496 LastDiagFromFrom = true;
10497 return FromContext.getDiagnostics().Report(Loc, DiagID);
10498}
10499
10501 if (auto *ID = dyn_cast<ObjCInterfaceDecl>(D)) {
10502 if (!ID->getDefinition())
10503 ID->startDefinition();
10504 }
10505 else if (auto *PD = dyn_cast<ObjCProtocolDecl>(D)) {
10506 if (!PD->getDefinition())
10507 PD->startDefinition();
10508 }
10509 else if (auto *TD = dyn_cast<TagDecl>(D)) {
10510 if (!TD->getDefinition() && !TD->isBeingDefined()) {
10511 TD->startDefinition();
10512 TD->setCompleteDefinition(true);
10513 }
10514 }
10515 else {
10516 assert(0 && "CompleteDecl called on a Decl that can't be completed");
10517 }
10518}
10519
10521 llvm::DenseMap<Decl *, Decl *>::iterator Pos = ImportedDecls.find(From);
10522 assert((Pos == ImportedDecls.end() || Pos->second == To) &&
10523 "Try to import an already imported Decl");
10524 if (Pos != ImportedDecls.end())
10525 return Pos->second;
10526 ImportedDecls[From] = To;
10527 // This mapping should be maintained only in this function. Therefore do not
10528 // check for additional consistency.
10529 ImportedFromDecls[To] = From;
10530 // In the case of TypedefNameDecl we create the Decl first and only then we
10531 // import and set its DeclContext. So, the DC is still not set when we reach
10532 // here from GetImportedOrCreateDecl.
10533 if (To->getDeclContext())
10534 AddToLookupTable(To);
10535 return To;
10536}
10537
10538std::optional<ASTImportError>
10540 auto Pos = ImportDeclErrors.find(FromD);
10541 if (Pos != ImportDeclErrors.end())
10542 return Pos->second;
10543 else
10544 return std::nullopt;
10545}
10546
10548 auto InsertRes = ImportDeclErrors.insert({From, Error});
10549 (void)InsertRes;
10550 // Either we set the error for the first time, or we already had set one and
10551 // now we want to set the same error.
10552 assert(InsertRes.second || InsertRes.first->second.Error == Error.Error);
10553}
10554
10556 bool Complain) {
10557 llvm::DenseMap<const Type *, const Type *>::iterator Pos =
10558 ImportedTypes.find(From.getTypePtr());
10559 if (Pos != ImportedTypes.end()) {
10560 if (ExpectedType ToFromOrErr = Import(From)) {
10561 if (ToContext.hasSameType(*ToFromOrErr, To))
10562 return true;
10563 } else {
10564 llvm::consumeError(ToFromOrErr.takeError());
10565 }
10566 }
10567
10568 StructuralEquivalenceContext Ctx(FromContext, ToContext, NonEquivalentDecls,
10569 getStructuralEquivalenceKind(*this), false,
10570 Complain);
10571 return Ctx.IsEquivalent(From, To);
10572}
Defines the clang::ASTContext interface.
ASTImporterLookupTable & LT
static FriendCountAndPosition getFriendCountAndPosition(ASTImporter &Importer, FriendDecl *FD)
static bool IsEquivalentFriend(ASTImporter &Importer, FriendDecl *FD1, FriendDecl *FD2)
static auto getTemplateDefinition(T *D) -> T *
static bool isAncestorDeclContextOf(const DeclContext *DC, const Decl *D)
static Error setTypedefNameForAnonDecl(TagDecl *From, TagDecl *To, ASTImporter &Importer)
static StructuralEquivalenceKind getStructuralEquivalenceKind(const ASTImporter &Importer)
Defines enum values for all the target-independent builtin functions.
const Decl * D
enum clang::sema::@1724::IndirectLocalPathEntry::EntryKind Kind
IndirectLocalPath & Path
Expr * E
Defines the C++ Decl subclasses, other than those for templates (found in DeclTemplate....
Defines the C++ template declaration subclasses.
Defines the ExceptionSpecificationType enumeration and various utility functions.
Defines the clang::Expr interface and subclasses for C++ expressions.
Defines the clang::FileManager interface and associated types.
int Category
Definition: Format.cpp:3054
Defines the clang::IdentifierInfo, clang::IdentifierTable, and clang::Selector interfaces.
Forward-declares and imports various common LLVM datatypes that clang wants to use unqualified.
Defines the LambdaCapture class.
Defines the clang::LangOptions interface.
llvm::MachO::Record Record
Definition: MachO.h:31
llvm::SmallVector< std::pair< const MemRegion *, SVal >, 4 > Bindings
SourceLocation Loc
Definition: SemaObjC.cpp:759
Defines the clang::SourceLocation class and associated facilities.
Defines the SourceManager interface.
Defines various enumerations that describe declaration and type specifiers.
Defines the Objective-C statement AST node classes.
Defines the clang::TypeLoc interface and its subclasses.
C Language Family Type Representation.
const NamedDecl * FromDecl
unsigned getVersion() const
Definition: APValue.cpp:113
QualType getTypeInfoType() const
Definition: APValue.cpp:117
static LValueBase getTypeInfo(TypeInfoLValue LV, QualType TypeInfo)
Definition: APValue.cpp:55
unsigned getCallIndex() const
Definition: APValue.cpp:108
A non-discriminated union of a base, field, or array index.
Definition: APValue.h:206
static LValuePathEntry ArrayIndex(uint64_t Index)
Definition: APValue.h:214
APValue - This class implements a discriminated union of [uninitialized] [APSInt] [APFloat],...
Definition: APValue.h:122
const LValueBase getLValueBase() const
Definition: APValue.cpp:973
ArrayRef< LValuePathEntry > getLValuePath() const
Definition: APValue.cpp:993
const FieldDecl * getUnionField() const
Definition: APValue.h:605
unsigned getStructNumFields() const
Definition: APValue.h:584
llvm::PointerIntPair< const Decl *, 1, bool > BaseOrMemberType
A FieldDecl or CXXRecordDecl, along with a flag indicating whether we mean a virtual or non-virtual b...
Definition: APValue.h:203
ValueKind getKind() const
Definition: APValue.h:437
bool isLValueOnePastTheEnd() const
Definition: APValue.cpp:978
bool isMemberPointerToDerivedMember() const
Definition: APValue.cpp:1063
unsigned getArrayInitializedElts() const
Definition: APValue.h:571
unsigned getStructNumBases() const
Definition: APValue.h:580
bool hasLValuePath() const
Definition: APValue.cpp:988
const ValueDecl * getMemberPointerDecl() const
Definition: APValue.cpp:1056
APValue & getUnionValue()
Definition: APValue.h:609
const AddrLabelExpr * getAddrLabelDiffRHS() const
Definition: APValue.h:625
CharUnits & getLValueOffset()
Definition: APValue.cpp:983
unsigned getVectorLength() const
Definition: APValue.h:547
ArrayRef< const CXXRecordDecl * > getMemberPointerPath() const
Definition: APValue.cpp:1070
unsigned getArraySize() const
Definition: APValue.h:575
@ Indeterminate
This object has an indeterminate value (C++ [basic.indet]).
Definition: APValue.h:131
@ None
There is no such object (it's outside its lifetime).
Definition: APValue.h:129
bool isNullPointer() const
Definition: APValue.cpp:1009
const AddrLabelExpr * getAddrLabelDiffLHS() const
Definition: APValue.h:621
Holds long-lived AST nodes (such as types and decls) that can be referred to throughout the semantic ...
Definition: ASTContext.h:188
QualType getUsingType(const UsingShadowDecl *Found, QualType Underlying) const
SourceManager & getSourceManager()
Definition: ASTContext.h:741
TranslationUnitDecl * getTranslationUnitDecl() const
Definition: ASTContext.h:1141
QualType getAtomicType(QualType T) const
Return the uniqued reference to the atomic type for the specified type.
QualType getParenType(QualType NamedType) const
QualType getRValueReferenceType(QualType T) const
Return the uniqued reference to the type for an rvalue reference to the specified type.
BuiltinTemplateDecl * getBuiltinCommonTypeDecl() const
BuiltinTemplateDecl * getMakeIntegerSeqDecl() const
void setInstantiatedFromUsingDecl(NamedDecl *Inst, NamedDecl *Pattern)
Remember that the using decl Inst is an instantiation of the using decl Pattern of a class template.
QualType getAutoType(QualType DeducedType, AutoTypeKeyword Keyword, bool IsDependent, bool IsPack=false, ConceptDecl *TypeConstraintConcept=nullptr, ArrayRef< TemplateArgument > TypeConstraintArgs={}) const
C++11 deduced auto type.
QualType getDependentTemplateSpecializationType(ElaboratedTypeKeyword Keyword, NestedNameSpecifier *NNS, const IdentifierInfo *Name, ArrayRef< TemplateArgumentLoc > Args) const
QualType getObjCInterfaceType(const ObjCInterfaceDecl *Decl, ObjCInterfaceDecl *PrevDecl=nullptr) const
getObjCInterfaceType - Return the unique reference to the type for the specified ObjC interface decl.
QualType getBlockPointerType(QualType T) const
Return the uniqued reference to the type for a block of the specified type.
QualType getTagDeclType(const TagDecl *Decl) const
Return the unique reference to the type for the specified TagDecl (struct/union/class/enum) decl.
QualType getMemberPointerType(QualType T, const Type *Cls) const
Return the uniqued reference to the type for a member pointer to the specified type in the specified ...
NamedDecl * getInstantiatedFromUsingDecl(NamedDecl *Inst)
If the given using decl Inst is an instantiation of another (possibly unresolved) using decl,...
DeclarationNameTable DeclarationNames
Definition: ASTContext.h:684
QualType getAttributedType(attr::Kind attrKind, QualType modifiedType, QualType equivalentType, const Attr *attr=nullptr) const
QualType getTemplateSpecializationType(TemplateName T, ArrayRef< TemplateArgument > Args, QualType Canon=QualType()) const
QualType getRecordType(const RecordDecl *Decl) const
QualType getInjectedClassNameType(CXXRecordDecl *Decl, QualType TST) const
getInjectedClassNameType - Return the unique reference to the injected class name type for the specif...
QualType getVariableArrayType(QualType EltTy, Expr *NumElts, ArraySizeModifier ASM, unsigned IndexTypeQuals, SourceRange Brackets) const
Return a non-unique reference to the type for a variable array of the specified element type.
QualType getFunctionNoProtoType(QualType ResultTy, const FunctionType::ExtInfo &Info) const
Return a K&R style C function type like 'int()'.
QualType getArrayParameterType(QualType Ty) const
Return the uniqued reference to a specified array parameter type from the original array type.
QualType getCountAttributedType(QualType T, Expr *CountExpr, bool CountInBytes, bool OrNull, ArrayRef< TypeCoupledDeclRefInfo > DependentDecls) const
CanQualType getCanonicalType(QualType T) const
Return the canonical (structural) type corresponding to the specified potentially non-canonical type ...
Definition: ASTContext.h:2716
bool hasSameType(QualType T1, QualType T2) const
Determine whether the given types T1 and T2 are equivalent.
Definition: ASTContext.h:2732
void setInstantiatedFromUsingShadowDecl(UsingShadowDecl *Inst, UsingShadowDecl *Pattern)
TemplateName getQualifiedTemplateName(NestedNameSpecifier *NNS, bool TemplateKeyword, TemplateName Template) const
Retrieve the template name that represents a qualified template name such as std::vector.
QualType getVectorType(QualType VectorType, unsigned NumElts, VectorKind VecKind) const
Return the unique reference to a vector type of the specified element type and size.
QualType getReadPipeType(QualType T) const
Return a read_only pipe type for the specified type.
QualType getSubstTemplateTypeParmType(QualType Replacement, Decl *AssociatedDecl, unsigned Index, std::optional< unsigned > PackIndex, SubstTemplateTypeParmTypeFlag Flag=SubstTemplateTypeParmTypeFlag::None) const
Retrieve a substitution-result type.
QualType getPointerType(QualType T) const
Return the uniqued reference to the type for a pointer to the specified type.
QualType getLValueReferenceType(QualType T, bool SpelledAsLValue=true) const
Return the uniqued reference to the type for an lvalue reference to the specified type.
QualType getTypeDeclType(const TypeDecl *Decl, const TypeDecl *PrevDecl=nullptr) const
Return the unique reference to the type for the specified type declaration.
Definition: ASTContext.h:1703
IdentifierTable & Idents
Definition: ASTContext.h:680
TemplateName getSubstTemplateTemplateParm(TemplateName replacement, Decl *AssociatedDecl, unsigned Index, std::optional< unsigned > PackIndex) const
QualType getConstantArrayType(QualType EltTy, const llvm::APInt &ArySize, const Expr *SizeExpr, ArraySizeModifier ASM, unsigned IndexTypeQuals) const
Return the unique reference to the type for a constant array of the specified element type.
const LangOptions & getLangOpts() const
Definition: ASTContext.h:834
SelectorTable & Selectors
Definition: ASTContext.h:681
QualType getMacroQualifiedType(QualType UnderlyingTy, const IdentifierInfo *MacroII) const
QualType getDecayedType(QualType T) const
Return the uniqued reference to the decayed version of the given type.
void setInstantiatedFromUsingEnumDecl(UsingEnumDecl *Inst, UsingEnumDecl *Pattern)
Remember that the using enum decl Inst is an instantiation of the using enum decl Pattern of a class ...
UsingEnumDecl * getInstantiatedFromUsingEnumDecl(UsingEnumDecl *Inst)
If the given using-enum decl Inst is an instantiation of another using-enum decl, return it.
QualType getDeducedTemplateSpecializationType(TemplateName Template, QualType DeducedType, bool IsDependent) const
C++17 deduced class template specialization type.
QualType getTemplateTypeParmType(unsigned Depth, unsigned Index, bool ParameterPack, TemplateTypeParmDecl *ParmDecl=nullptr) const
Retrieve the template type parameter type for a template parameter or parameter pack with the given d...
TypeSourceInfo * getTrivialTypeSourceInfo(QualType T, SourceLocation Loc=SourceLocation()) const
Allocate a TypeSourceInfo where all locations have been initialized to a given location,...
QualType getSubstTemplateTypeParmPackType(Decl *AssociatedDecl, unsigned Index, bool Final, const TemplateArgument &ArgPack)
Retrieve a.
CanQualType CharTy
Definition: ASTContext.h:1162
QualType getQualifiedType(SplitQualType split) const
Un-split a SplitQualType.
Definition: ASTContext.h:2289
QualType getElaboratedType(ElaboratedTypeKeyword Keyword, NestedNameSpecifier *NNS, QualType NamedType, TagDecl *OwnedTagDecl=nullptr) const
CanQualType SignedCharTy
Definition: ASTContext.h:1169
QualType getObjCObjectPointerType(QualType OIT) const
Return a ObjCObjectPointerType type for the given ObjCObjectType.
QualType getPackExpansionType(QualType Pattern, std::optional< unsigned > NumExpansions, bool ExpectPackInType=true) const
Form a pack expansion type with the given pattern.
QualType getObjCObjectType(QualType Base, ObjCProtocolDecl *const *Protocols, unsigned NumProtocols) const
Legacy interface: cannot provide type arguments or __kindof.
QualType getDependentSizedArrayType(QualType EltTy, Expr *NumElts, ArraySizeModifier ASM, unsigned IndexTypeQuals, SourceRange Brackets) const
Return a non-unique reference to the type for a dependently-sized array of the specified element type...
UsingShadowDecl * getInstantiatedFromUsingShadowDecl(UsingShadowDecl *Inst)
const ArrayType * getAsArrayType(QualType T) const
Type Query functions.
QualType getWritePipeType(QualType T) const
Return a write_only pipe type for the specified type.
CanQualType VoidTy
Definition: ASTContext.h:1160
CanQualType UnsignedCharTy
Definition: ASTContext.h:1170
TemplateName getDependentTemplateName(NestedNameSpecifier *NNS, const IdentifierInfo *Name) const
Retrieve the template name that represents a dependent template name such as MetaFun::template apply.
QualType getFunctionType(QualType ResultTy, ArrayRef< QualType > Args, const FunctionProtoType::ExtProtoInfo &EPI) const
Return a normal function type with a typed argument list.
Definition: ASTContext.h:1681
QualType getDependentNameType(ElaboratedTypeKeyword Keyword, NestedNameSpecifier *NNS, const IdentifierInfo *Name, QualType Canon=QualType()) const
QualType getPackIndexingType(QualType Pattern, Expr *IndexExpr, bool FullySubstituted=false, ArrayRef< QualType > Expansions={}, int Index=-1) const
QualType getUnaryTransformType(QualType BaseType, QualType UnderlyingType, UnaryTransformType::UTTKind UKind) const
Unary type transforms.
QualType getComplexType(QualType T) const
Return the uniqued reference to the type for a complex number with the specified element type.
DiagnosticsEngine & getDiagnostics() const
QualType getExtVectorType(QualType VectorType, unsigned NumElts) const
Return the unique reference to an extended vector type of the specified element type and size.
TemplateName getOverloadedTemplateName(UnresolvedSetIterator Begin, UnresolvedSetIterator End) const
Retrieve the template name that corresponds to a non-empty lookup.
TemplateName getSubstTemplateTemplateParmPack(const TemplateArgument &ArgPack, Decl *AssociatedDecl, unsigned Index, bool Final) const
ExternalASTSource * getExternalSource() const
Retrieve a pointer to the external AST source associated with this AST context, if any.
Definition: ASTContext.h:1274
BuiltinTemplateDecl * getTypePackElementDecl() const
QualType getTypeOfType(QualType QT, TypeOfKind Kind) const
getTypeOfType - Unlike many "get<Type>" functions, we don't unique TypeOfType nodes.
CanQualType WCharTy
Definition: ASTContext.h:1163
QualType getDecltypeType(Expr *e, QualType UnderlyingType) const
C++11 decltype.
QualType getTypedefType(const TypedefNameDecl *Decl, QualType Underlying=QualType()) const
Return the unique reference to the type for the specified typedef-name decl.
unsigned char getFixedPointScale(QualType Ty) const
QualType getIncompleteArrayType(QualType EltTy, ArraySizeModifier ASM, unsigned IndexTypeQuals) const
Return a unique reference to the type for an incomplete array of the specified element type.
QualType getDependentSizedExtVectorType(QualType VectorType, Expr *SizeExpr, SourceLocation AttrLoc) const
TemplateName getAssumedTemplateName(DeclarationName Name) const
Retrieve a template name representing an unqualified-id that has been assumed to name a template for ...
QualType getTypeOfExprType(Expr *E, TypeOfKind Kind) const
C23 feature and GCC extension.
std::error_code convertToErrorCode() const override
void log(llvm::raw_ostream &OS) const override
Definition: ASTImporter.cpp:98
std::string toString() const
Definition: ASTImporter.cpp:84
@ Unknown
Not supported node or case.
@ UnsupportedConstruct
Naming ambiguity (likely ODR violation).
void update(NamedDecl *ND, DeclContext *OldDC)
void updateForced(NamedDecl *ND, DeclContext *OldDC)
bool hasCycleAtBack() const
Returns true if the last element can be found earlier in the path.
Definition: ASTImporter.h:165
VecTy copyCycleAtBack() const
Returns the copy of the cycle.
Definition: ASTImporter.h:179
Imports selected nodes from one AST context into another context, merging AST nodes where appropriate...
Definition: ASTImporter.h:62
ASTContext & getFromContext() const
Retrieve the context that AST nodes are being imported from.
Definition: ASTImporter.h:528
NonEquivalentDeclSet & getNonEquivalentDecls()
Return the set of declarations that we know are not equivalent.
Definition: ASTImporter.h:543
ASTContext & getToContext() const
Retrieve the context that AST nodes are being imported into.
Definition: ASTImporter.h:525
DiagnosticBuilder ToDiag(SourceLocation Loc, unsigned DiagID)
Report a diagnostic in the "to" context.
Decl * MapImported(Decl *From, Decl *To)
Store and assign the imported declaration to its counterpart.
llvm::DenseSet< std::tuple< Decl *, Decl *, int > > NonEquivalentDeclSet
Definition: ASTImporter.h:66
TranslationUnitDecl * GetFromTU(Decl *ToD)
Return the translation unit from where the declaration was imported.
llvm::Expected< DeclContext * > ImportContext(DeclContext *FromDC)
Import the given declaration context from the "from" AST context into the "to" AST context.
llvm::Error ImportDefinition(Decl *From)
Import the definition of the given declaration, including all of the declarations it contains.
virtual Expected< DeclarationName > HandleNameConflict(DeclarationName Name, DeclContext *DC, unsigned IDNS, NamedDecl **Decls, unsigned NumDecls)
Cope with a name conflict when importing a declaration into the given context.
virtual bool returnWithErrorInTest()
Used only in unittests to verify the behaviour of the error handling.
Definition: ASTImporter.h:270
std::optional< DeclT * > getImportedFromDecl(const DeclT *ToD) const
Return the declaration in the "from" context from which the declaration in the "to" context was impor...
Definition: ASTImporter.h:371
void RegisterImportedDecl(Decl *FromD, Decl *ToD)
std::optional< ASTImportError > getImportDeclErrorIfAny(Decl *FromD) const
Return if import of the given declaration has failed and if yes the kind of the problem.
friend class ASTNodeImporter
Definition: ASTImporter.h:63
static std::optional< unsigned > getFieldIndex(Decl *F)
Determine the index of a field in its parent record.
llvm::Error importInto(ImportT &To, const ImportT &From)
Import the given object, returns the result.
Definition: ASTImporter.h:308
virtual Decl * GetOriginalDecl(Decl *To)
Called by StructuralEquivalenceContext.
Definition: ASTImporter.h:568
virtual void Imported(Decl *From, Decl *To)
Subclasses can override this function to observe all of the From -> To declaration mappings as they a...
Definition: ASTImporter.h:553
DiagnosticBuilder FromDiag(SourceLocation Loc, unsigned DiagID)
Report a diagnostic in the "from" context.
virtual ~ASTImporter()
bool IsStructurallyEquivalent(QualType From, QualType To, bool Complain=true)
Determine whether the given types are structurally equivalent.
virtual Expected< Decl * > ImportImpl(Decl *From)
Can be overwritten by subclasses to implement their own import logic.
bool isMinimalImport() const
Whether the importer will perform a minimal import, creating to-be-completed forward declarations whe...
Definition: ASTImporter.h:298
ASTImporter(ASTContext &ToContext, FileManager &ToFileManager, ASTContext &FromContext, FileManager &FromFileManager, bool MinimalImport, std::shared_ptr< ASTImporterSharedState > SharedState=nullptr)
llvm::Expected< ExprWithCleanups::CleanupObject > Import(ExprWithCleanups::CleanupObject From)
Import cleanup objects owned by ExprWithCleanup.
virtual void CompleteDecl(Decl *D)
Called for ObjCInterfaceDecl, ObjCProtocolDecl, and TagDecl.
Decl * GetAlreadyImportedOrNull(const Decl *FromD) const
Return the copy of the given declaration in the "to" context if it has already been imported from the...
void setImportDeclError(Decl *From, ASTImportError Error)
Mark (newly) imported declaration with error.
ExpectedDecl VisitObjCImplementationDecl(ObjCImplementationDecl *D)
ExpectedStmt VisitGenericSelectionExpr(GenericSelectionExpr *E)
ExpectedStmt VisitTypeTraitExpr(TypeTraitExpr *E)
ExpectedDecl VisitTypeAliasTemplateDecl(TypeAliasTemplateDecl *D)
ExpectedDecl VisitObjCInterfaceDecl(ObjCInterfaceDecl *D)
ExpectedStmt VisitDeclRefExpr(DeclRefExpr *E)
ExpectedDecl VisitAccessSpecDecl(AccessSpecDecl *D)
ExpectedDecl VisitFunctionDecl(FunctionDecl *D)
ExpectedDecl VisitParmVarDecl(ParmVarDecl *D)
ExpectedStmt VisitImplicitValueInitExpr(ImplicitValueInitExpr *E)
ExpectedStmt VisitImplicitCastExpr(ImplicitCastExpr *E)
ExpectedDecl VisitCXXMethodDecl(CXXMethodDecl *D)
ExpectedDecl VisitUsingDecl(UsingDecl *D)
ExpectedDecl VisitObjCProtocolDecl(ObjCProtocolDecl *D)
ExpectedStmt VisitStmt(Stmt *S)
ExpectedDecl VisitTranslationUnitDecl(TranslationUnitDecl *D)
ExpectedDecl VisitFieldDecl(FieldDecl *D)
Error ImportFieldDeclDefinition(const FieldDecl *From, const FieldDecl *To)
Error ImportDefinitionIfNeeded(Decl *FromD, Decl *ToD=nullptr)
ExpectedStmt VisitCharacterLiteral(CharacterLiteral *E)
ExpectedStmt VisitCXXConstructExpr(CXXConstructExpr *E)
ExpectedStmt VisitObjCAtThrowStmt(ObjCAtThrowStmt *S)
ExpectedDecl VisitStaticAssertDecl(StaticAssertDecl *D)
ExpectedStmt VisitShuffleVectorExpr(ShuffleVectorExpr *E)
ExpectedDecl VisitObjCPropertyDecl(ObjCPropertyDecl *D)
ExpectedDecl VisitRecordDecl(RecordDecl *D)
ExpectedStmt VisitDependentScopeDeclRefExpr(DependentScopeDeclRefExpr *E)
ExpectedDecl VisitUsingShadowDecl(UsingShadowDecl *D)
Error ImportArrayChecked(const InContainerTy &InContainer, OIter Obegin)
ExpectedStmt VisitObjCAtFinallyStmt(ObjCAtFinallyStmt *S)
T importChecked(Error &Err, const T &From)
ExpectedStmt VisitVAArgExpr(VAArgExpr *E)
ExpectedStmt VisitDefaultStmt(DefaultStmt *S)
ExpectedDecl VisitUnresolvedUsingTypenameDecl(UnresolvedUsingTypenameDecl *D)
ExpectedStmt VisitCXXThrowExpr(CXXThrowExpr *E)
ExpectedDecl VisitLabelDecl(LabelDecl *D)
ExpectedStmt VisitSizeOfPackExpr(SizeOfPackExpr *E)
ExpectedStmt VisitObjCAtTryStmt(ObjCAtTryStmt *S)
ExpectedStmt VisitUnaryOperator(UnaryOperator *E)
Error ImportTemplateParameterLists(const DeclTy *FromD, DeclTy *ToD)
Error ImportDeclContext(DeclContext *FromDC, bool ForceImport=false)
ExpectedStmt VisitContinueStmt(ContinueStmt *S)
ExpectedStmt VisitCXXMemberCallExpr(CXXMemberCallExpr *E)
ExpectedDecl VisitVarDecl(VarDecl *D)
ExpectedStmt VisitCXXStdInitializerListExpr(CXXStdInitializerListExpr *E)
ExpectedDecl VisitUnresolvedUsingValueDecl(UnresolvedUsingValueDecl *D)
Error ImportImplicitMethods(const CXXRecordDecl *From, CXXRecordDecl *To)
ExpectedStmt VisitCXXBindTemporaryExpr(CXXBindTemporaryExpr *E)
ExpectedStmt VisitImaginaryLiteral(ImaginaryLiteral *E)
ExpectedDecl VisitLinkageSpecDecl(LinkageSpecDecl *D)
ExpectedDecl VisitCXXDestructorDecl(CXXDestructorDecl *D)
ExpectedStmt VisitCXXNamedCastExpr(CXXNamedCastExpr *E)
ExpectedStmt VisitOffsetOfExpr(OffsetOfExpr *OE)
ExpectedStmt VisitExprWithCleanups(ExprWithCleanups *E)
ExpectedDecl VisitIndirectFieldDecl(IndirectFieldDecl *D)
ExpectedStmt VisitCXXFoldExpr(CXXFoldExpr *E)
ExpectedDecl VisitTypeAliasDecl(TypeAliasDecl *D)
Expected< InheritedConstructor > ImportInheritedConstructor(const InheritedConstructor &From)
ExpectedStmt VisitCXXNewExpr(CXXNewExpr *E)
Error ImportDeclParts(NamedDecl *D, DeclarationName &Name, NamedDecl *&ToD, SourceLocation &Loc)
Error ImportDefinition(RecordDecl *From, RecordDecl *To, ImportDefinitionKind Kind=IDK_Default)
ExpectedStmt VisitObjCAutoreleasePoolStmt(ObjCAutoreleasePoolStmt *S)
ExpectedStmt VisitConstantExpr(ConstantExpr *E)
ExpectedStmt VisitCompoundLiteralExpr(CompoundLiteralExpr *E)
ExpectedStmt VisitCXXScalarValueInitExpr(CXXScalarValueInitExpr *E)
ExpectedDecl VisitDecl(Decl *D)
bool hasSameVisibilityContextAndLinkage(T *Found, T *From)
ExpectedStmt VisitParenExpr(ParenExpr *E)
ExpectedStmt VisitObjCForCollectionStmt(ObjCForCollectionStmt *S)
ExpectedStmt VisitSourceLocExpr(SourceLocExpr *E)
ExpectedStmt VisitInitListExpr(InitListExpr *E)
Expected< FunctionTemplateAndArgsTy > ImportFunctionTemplateWithTemplateArgsFromSpecialization(FunctionDecl *FromFD)
ExpectedStmt VisitReturnStmt(ReturnStmt *S)
ExpectedStmt VisitAtomicExpr(AtomicExpr *E)
ExpectedStmt VisitConditionalOperator(ConditionalOperator *E)
ExpectedStmt VisitChooseExpr(ChooseExpr *E)
ExpectedStmt VisitCompoundStmt(CompoundStmt *S)
Expected< TemplateArgument > ImportTemplateArgument(const TemplateArgument &From)
ExpectedStmt VisitCXXNullPtrLiteralExpr(CXXNullPtrLiteralExpr *E)
ExpectedStmt VisitCaseStmt(CaseStmt *S)
ExpectedStmt VisitCXXRewrittenBinaryOperator(CXXRewrittenBinaryOperator *E)
ExpectedStmt VisitDesignatedInitExpr(DesignatedInitExpr *E)
ExpectedDecl VisitObjCTypeParamDecl(ObjCTypeParamDecl *D)
ExpectedStmt VisitCompoundAssignOperator(CompoundAssignOperator *E)
ExpectedStmt VisitMaterializeTemporaryExpr(MaterializeTemporaryExpr *E)
ExpectedStmt VisitLambdaExpr(LambdaExpr *LE)
ExpectedStmt VisitBinaryOperator(BinaryOperator *E)
ExpectedStmt VisitCallExpr(CallExpr *E)
ExpectedStmt VisitDeclStmt(DeclStmt *S)
ExpectedStmt VisitCXXDeleteExpr(CXXDeleteExpr *E)
ExpectedStmt VisitUnaryExprOrTypeTraitExpr(UnaryExprOrTypeTraitExpr *E)
Error ImportArrayChecked(IIter Ibegin, IIter Iend, OIter Obegin)
ExpectedDecl VisitClassTemplateDecl(ClassTemplateDecl *D)
ExpectedDecl VisitTemplateTypeParmDecl(TemplateTypeParmDecl *D)
Expected< CXXCastPath > ImportCastPath(CastExpr *E)
Expected< APValue > ImportAPValue(const APValue &FromValue)
ExpectedDecl VisitFunctionTemplateDecl(FunctionTemplateDecl *D)
ExpectedStmt VisitGNUNullExpr(GNUNullExpr *E)
ExpectedDecl VisitClassTemplateSpecializationDecl(ClassTemplateSpecializationDecl *D)
ExpectedStmt VisitCXXDefaultArgExpr(CXXDefaultArgExpr *E)
ExpectedDecl VisitLifetimeExtendedTemporaryDecl(LifetimeExtendedTemporaryDecl *D)
ExpectedDecl VisitTypedefNameDecl(TypedefNameDecl *D, bool IsAlias)
ExpectedDecl VisitCXXConstructorDecl(CXXConstructorDecl *D)
ExpectedDecl VisitObjCCategoryImplDecl(ObjCCategoryImplDecl *D)
ExpectedDecl VisitObjCIvarDecl(ObjCIvarDecl *D)
Expected< ObjCTypeParamList * > ImportObjCTypeParamList(ObjCTypeParamList *list)
ExpectedDecl VisitUsingPackDecl(UsingPackDecl *D)
ExpectedStmt VisitWhileStmt(WhileStmt *S)
ExpectedDecl VisitEnumConstantDecl(EnumConstantDecl *D)
ExpectedStmt VisitUnresolvedMemberExpr(UnresolvedMemberExpr *E)
ExpectedStmt VisitCXXForRangeStmt(CXXForRangeStmt *S)
ExpectedDecl VisitFriendDecl(FriendDecl *D)
Error ImportContainerChecked(const InContainerTy &InContainer, OutContainerTy &OutContainer)
ExpectedStmt VisitCXXBoolLiteralExpr(CXXBoolLiteralExpr *E)
ExpectedStmt VisitExpressionTraitExpr(ExpressionTraitExpr *E)
bool IsStructuralMatch(Decl *From, Decl *To, bool Complain=true, bool IgnoreTemplateParmDepth=false)
ExpectedStmt VisitFixedPointLiteral(FixedPointLiteral *E)
ExpectedStmt VisitForStmt(ForStmt *S)
ExpectedStmt VisitUnresolvedLookupExpr(UnresolvedLookupExpr *E)
ExpectedDecl VisitEnumDecl(EnumDecl *D)
ExpectedDecl VisitObjCCategoryDecl(ObjCCategoryDecl *D)
ExpectedStmt VisitAddrLabelExpr(AddrLabelExpr *E)
ExpectedStmt VisitBinaryConditionalOperator(BinaryConditionalOperator *E)
ExpectedStmt VisitSwitchStmt(SwitchStmt *S)
ExpectedType VisitType(const Type *T)
ExpectedDecl VisitVarTemplateDecl(VarTemplateDecl *D)
ExpectedDecl ImportUsingShadowDecls(BaseUsingDecl *D, BaseUsingDecl *ToSI)
ExpectedStmt VisitPredefinedExpr(PredefinedExpr *E)
ExpectedStmt VisitOpaqueValueExpr(OpaqueValueExpr *E)
ExpectedDecl VisitNamespaceAliasDecl(NamespaceAliasDecl *D)
ExpectedStmt VisitCXXInheritedCtorInitExpr(CXXInheritedCtorInitExpr *E)
ExpectedDecl VisitVarTemplateSpecializationDecl(VarTemplateSpecializationDecl *D)
ExpectedStmt VisitPackExpansionExpr(PackExpansionExpr *E)
ExpectedStmt VisitCXXUnresolvedConstructExpr(CXXUnresolvedConstructExpr *E)
ExpectedDecl VisitObjCMethodDecl(ObjCMethodDecl *D)
Error ImportTemplateArguments(ArrayRef< TemplateArgument > FromArgs, SmallVectorImpl< TemplateArgument > &ToArgs)
ExpectedDecl VisitObjCPropertyImplDecl(ObjCPropertyImplDecl *D)
ExpectedStmt VisitCXXTemporaryObjectExpr(CXXTemporaryObjectExpr *E)
ExpectedDecl VisitImplicitParamDecl(ImplicitParamDecl *D)
ExpectedDecl VisitNonTypeTemplateParmDecl(NonTypeTemplateParmDecl *D)
ExpectedStmt VisitExplicitCastExpr(ExplicitCastExpr *E)
ExpectedStmt VisitArrayInitIndexExpr(ArrayInitIndexExpr *E)
Error ImportTemplateArgumentListInfo(const InContainerTy &Container, TemplateArgumentListInfo &ToTAInfo)
ExpectedStmt VisitDoStmt(DoStmt *S)
ExpectedStmt VisitNullStmt(NullStmt *S)
ExpectedStmt VisitCXXPseudoDestructorExpr(CXXPseudoDestructorExpr *E)
ExpectedDecl VisitBuiltinTemplateDecl(BuiltinTemplateDecl *D)
Error ImportOverriddenMethods(CXXMethodDecl *ToMethod, CXXMethodDecl *FromMethod)
ExpectedStmt VisitStringLiteral(StringLiteral *E)
Error ImportDeclarationNameLoc(const DeclarationNameInfo &From, DeclarationNameInfo &To)
ExpectedStmt VisitCXXDependentScopeMemberExpr(CXXDependentScopeMemberExpr *E)
bool hasReturnTypeDeclaredInside(FunctionDecl *D)
This function checks if the given function has a return type that contains a reference (in any way) t...
ASTNodeImporter(ASTImporter &Importer)
std::tuple< FunctionTemplateDecl *, TemplateArgsTy > FunctionTemplateAndArgsTy
ExpectedDecl VisitCXXDeductionGuideDecl(CXXDeductionGuideDecl *D)
ExpectedStmt VisitMemberExpr(MemberExpr *E)
ExpectedStmt VisitCXXThisExpr(CXXThisExpr *E)
Error ImportInitializer(VarDecl *From, VarDecl *To)
ImportDefinitionKind
What we should import from the definition.
@ IDK_Everything
Import everything.
@ IDK_Default
Import the default subset of the definition, which might be nothing (if minimal import is set) or mig...
@ IDK_Basic
Import only the bare bones needed to establish a valid DeclContext.
ExpectedDecl VisitTypedefDecl(TypedefDecl *D)
ExpectedDecl VisitUsingDirectiveDecl(UsingDirectiveDecl *D)
ExpectedStmt VisitArrayTypeTraitExpr(ArrayTypeTraitExpr *E)
ExpectedDecl VisitTemplateTemplateParmDecl(TemplateTemplateParmDecl *D)
ExpectedStmt VisitFloatingLiteral(FloatingLiteral *E)
ExpectedStmt VisitIfStmt(IfStmt *S)
ExpectedStmt VisitLabelStmt(LabelStmt *S)
ExpectedStmt VisitCXXTypeidExpr(CXXTypeidExpr *E)
ExpectedStmt VisitConvertVectorExpr(ConvertVectorExpr *E)
ExpectedDecl VisitUsingEnumDecl(UsingEnumDecl *D)
ExpectedStmt VisitGotoStmt(GotoStmt *S)
ExpectedStmt VisitSubstNonTypeTemplateParmExpr(SubstNonTypeTemplateParmExpr *E)
ExpectedStmt VisitObjCAtSynchronizedStmt(ObjCAtSynchronizedStmt *S)
ExpectedStmt VisitGCCAsmStmt(GCCAsmStmt *S)
ExpectedDecl VisitNamespaceDecl(NamespaceDecl *D)
ExpectedStmt VisitCXXTryStmt(CXXTryStmt *S)
ExpectedDecl VisitImportDecl(ImportDecl *D)
Error ImportFunctionDeclBody(FunctionDecl *FromFD, FunctionDecl *ToFD)
ExpectedStmt VisitArraySubscriptExpr(ArraySubscriptExpr *E)
ExpectedStmt VisitIntegerLiteral(IntegerLiteral *E)
ExpectedDecl VisitEmptyDecl(EmptyDecl *D)
ExpectedStmt VisitCXXNoexceptExpr(CXXNoexceptExpr *E)
ExpectedStmt VisitExpr(Expr *E)
Error ImportDefaultArgOfParmVarDecl(const ParmVarDecl *FromParam, ParmVarDecl *ToParam)
ExpectedStmt VisitArrayInitLoopExpr(ArrayInitLoopExpr *E)
ExpectedStmt VisitCXXCatchStmt(CXXCatchStmt *S)
ExpectedStmt VisitAttributedStmt(AttributedStmt *S)
ExpectedStmt VisitIndirectGotoStmt(IndirectGotoStmt *S)
ExpectedStmt VisitParenListExpr(ParenListExpr *E)
Expected< FunctionDecl * > FindFunctionTemplateSpecialization(FunctionDecl *FromFD)
ExpectedDecl VisitCXXConversionDecl(CXXConversionDecl *D)
ExpectedStmt VisitObjCAtCatchStmt(ObjCAtCatchStmt *S)
Error ImportTemplateInformation(FunctionDecl *FromFD, FunctionDecl *ToFD)
ExpectedStmt VisitStmtExpr(StmtExpr *E)
ExpectedStmt VisitCXXDefaultInitExpr(CXXDefaultInitExpr *E)
bool shouldForceImportDeclContext(ImportDefinitionKind IDK)
ExpectedDecl VisitBindingDecl(BindingDecl *D)
ExpectedStmt VisitBreakStmt(BreakStmt *S)
Represents an access specifier followed by colon ':'.
Definition: DeclCXX.h:86
AddrLabelExpr - The GNU address of label extension, representing &&label.
Definition: Expr.h:4421
Represents a type which was implicitly adjusted by the semantic engine for arbitrary reasons.
Definition: Type.h:3357
Represents the index of the current element of an array being initialized by an ArrayInitLoopExpr.
Definition: Expr.h:5805
Represents a loop initializing the elements of an array.
Definition: Expr.h:5752
Represents a constant array type that does not decay to a pointer when used as a function parameter.
Definition: Type.h:3747
ArraySubscriptExpr - [C99 6.5.2.1] Array Subscripting.
Definition: Expr.h:2718
An Embarcadero array type trait, as used in the implementation of __array_rank and __array_extent.
Definition: ExprCXX.h:2853
Represents an array type, per C99 6.7.5.2 - Array Declarators.
Definition: Type.h:3577
QualType getElementType() const
Definition: Type.h:3589
A structure for storing the information associated with a name that has been assumed to be a template...
DeclarationName getDeclName() const
Get the name of the template.
AtomicExpr - Variadic atomic builtins: __atomic_exchange, __atomic_fetch_*, __atomic_load,...
Definition: Expr.h:6678
Attr - This represents one attribute.
Definition: Attr.h:43
attr::Kind getKind() const
Definition: Attr.h:89
void setPackExpansion(bool PE)
Definition: Attr.h:105
Attr * clone(ASTContext &C) const
void setImplicit(bool I)
Definition: Attr.h:103
void setAttrName(const IdentifierInfo *AttrNameII)
const IdentifierInfo * getAttrName() const
Represents an attribute applied to a statement.
Definition: Stmt.h:2107
static AttributedStmt * Create(const ASTContext &C, SourceLocation Loc, ArrayRef< const Attr * > Attrs, Stmt *SubStmt)
Definition: Stmt.cpp:432
An attributed type is a type to which a type attribute has been applied.
Definition: Type.h:6132
Represents a C++11 auto or C++14 decltype(auto) type, possibly constrained by a type-constraint.
Definition: Type.h:6561
Represents a C++ declaration that introduces decls from somewhere else.
Definition: DeclCXX.h:3440
void addShadowDecl(UsingShadowDecl *S)
Definition: DeclCXX.cpp:3272
BinaryConditionalOperator - The GNU extension to the conditional operator which allows the middle ope...
Definition: Expr.h:4324
A builtin binary operation expression such as "x + y" or "x <= y".
Definition: Expr.h:3909
static BinaryOperator * Create(const ASTContext &C, Expr *lhs, Expr *rhs, Opcode opc, QualType ResTy, ExprValueKind VK, ExprObjectKind OK, SourceLocation opLoc, FPOptionsOverride FPFeatures)
Definition: Expr.cpp:4902
A binding in a decomposition declaration.
Definition: DeclCXX.h:4130
void setBinding(QualType DeclaredType, Expr *Binding)
Set the binding for this BindingDecl, along with its declared type (which should be a possibly-cv-qua...
Definition: DeclCXX.h:4167
void setDecomposedDecl(ValueDecl *Decomposed)
Set the decomposed variable for this BindingDecl.
Definition: DeclCXX.h:4173
A fixed int type of a specified bitwidth.
Definition: Type.h:7819
Pointer to a block type.
Definition: Type.h:3408
BreakStmt - This represents a break.
Definition: Stmt.h:3007
Represents a C++2a __builtin_bit_cast(T, v) expression.
Definition: ExprCXX.h:5298
Represents the builtin template declaration which is used to implement __make_integer_seq and other b...
This class is used for builtin types like 'int'.
Definition: Type.h:3034
static CStyleCastExpr * Create(const ASTContext &Context, QualType T, ExprValueKind VK, CastKind K, Expr *Op, const CXXCastPath *BasePath, FPOptionsOverride FPO, TypeSourceInfo *WrittenTy, SourceLocation L, SourceLocation R)
Definition: Expr.cpp:2120
Represents a base class of a C++ class.
Definition: DeclCXX.h:146
AccessSpecifier getAccessSpecifierAsWritten() const
Retrieves the access specifier as written in the source code (which may mean that no access specifier...
Definition: DeclCXX.h:242
SourceLocation getEllipsisLoc() const
For a pack expansion, determine the location of the ellipsis.
Definition: DeclCXX.h:221
bool isVirtual() const
Determines whether the base class is a virtual base class (or not).
Definition: DeclCXX.h:203
TypeSourceInfo * getTypeSourceInfo() const
Retrieves the type and source location of the base class.
Definition: DeclCXX.h:254
bool isBaseOfClass() const
Determine whether this base class is a base of a class declared with the 'class' keyword (vs.
Definition: DeclCXX.h:207
SourceRange getSourceRange() const LLVM_READONLY
Retrieves the source range that contains the entire base specifier.
Definition: DeclCXX.h:193
Represents binding an expression to a temporary.
Definition: ExprCXX.h:1491
static CXXBindTemporaryExpr * Create(const ASTContext &C, CXXTemporary *Temp, Expr *SubExpr)
Definition: ExprCXX.cpp:1097
A boolean literal, per ([C++ lex.bool] Boolean literals).
Definition: ExprCXX.h:720
static CXXBoolLiteralExpr * Create(const ASTContext &C, bool Val, QualType Ty, SourceLocation Loc)
Definition: ExprCXX.h:732
CXXCatchStmt - This represents a C++ catch block.
Definition: StmtCXX.h:28
static CXXConstCastExpr * Create(const ASTContext &Context, QualType T, ExprValueKind VK, Expr *Op, TypeSourceInfo *WrittenTy, SourceLocation L, SourceLocation RParenLoc, SourceRange AngleBrackets)
Definition: ExprCXX.cpp:875
Represents a call to a C++ constructor.
Definition: ExprCXX.h:1546
void setIsImmediateEscalating(bool Set)
Definition: ExprCXX.h:1708
static CXXConstructExpr * Create(const ASTContext &Ctx, QualType Ty, SourceLocation Loc, CXXConstructorDecl *Ctor, bool Elidable, ArrayRef< Expr * > Args, bool HadMultipleCandidates, bool ListInitialization, bool StdInitListInitialization, bool ZeroInitialization, CXXConstructionKind ConstructKind, SourceRange ParenOrBraceRange)
Create a C++ construction expression.
Definition: ExprCXX.cpp:1159
Represents a C++ constructor within a class.
Definition: DeclCXX.h:2553
Represents a C++ conversion function within a class.
Definition: DeclCXX.h:2885
Represents a C++ base or member initializer.
Definition: DeclCXX.h:2318
FieldDecl * getMember() const
If this is a member initializer, returns the declaration of the non-static data member being initiali...
Definition: DeclCXX.h:2458
bool isDelegatingInitializer() const
Determine whether this initializer is creating a delegating constructor.
Definition: DeclCXX.h:2418
Expr * getInit() const
Get the initializer.
Definition: DeclCXX.h:2520
SourceLocation getRParenLoc() const
Definition: DeclCXX.h:2517
SourceLocation getEllipsisLoc() const
Definition: DeclCXX.h:2428
SourceLocation getLParenLoc() const
Definition: DeclCXX.h:2516
bool isPackExpansion() const
Determine whether this initializer is a pack expansion.
Definition: DeclCXX.h:2423
TypeSourceInfo * getTypeSourceInfo() const
Returns the declarator information for a base class or delegating initializer.
Definition: DeclCXX.h:2452
bool isMemberInitializer() const
Determine whether this initializer is initializing a non-static data member.
Definition: DeclCXX.h:2396
bool isBaseInitializer() const
Determine whether this initializer is initializing a base class.
Definition: DeclCXX.h:2390
bool isIndirectMemberInitializer() const
Definition: DeclCXX.h:2402
SourceLocation getMemberLocation() const
Definition: DeclCXX.h:2478
IndirectFieldDecl * getIndirectMember() const
Definition: DeclCXX.h:2472
bool isBaseVirtual() const
Returns whether the base is virtual or not.
Definition: DeclCXX.h:2444
Represents a C++ deduction guide declaration.
Definition: DeclCXX.h:1967
A default argument (C++ [dcl.fct.default]).
Definition: ExprCXX.h:1268
static CXXDefaultArgExpr * Create(const ASTContext &C, SourceLocation Loc, ParmVarDecl *Param, Expr *RewrittenExpr, DeclContext *UsedContext)
Definition: ExprCXX.cpp:1018
A use of a default initializer in a constructor or in aggregate initialization.
Definition: ExprCXX.h:1375
static CXXDefaultInitExpr * Create(const ASTContext &Ctx, SourceLocation Loc, FieldDecl *Field, DeclContext *UsedContext, Expr *RewrittenInitExpr)
Field is the non-static data member whose default initializer is used by this expression.
Definition: ExprCXX.cpp:1072
Represents a delete expression for memory deallocation and destructor calls, e.g.
Definition: ExprCXX.h:2498
Represents a C++ member access expression where the actual member referenced could not be resolved be...
Definition: ExprCXX.h:3683
static CXXDependentScopeMemberExpr * Create(const ASTContext &Ctx, Expr *Base, QualType BaseType, bool IsArrow, SourceLocation OperatorLoc, NestedNameSpecifierLoc QualifierLoc, SourceLocation TemplateKWLoc, NamedDecl *FirstQualifierFoundInScope, DeclarationNameInfo MemberNameInfo, const TemplateArgumentListInfo *TemplateArgs)
Definition: ExprCXX.cpp:1533
Represents a C++ destructor within a class.
Definition: DeclCXX.h:2817
void setOperatorDelete(FunctionDecl *OD, Expr *ThisArg)
Definition: DeclCXX.cpp:3001
static CXXDynamicCastExpr * Create(const ASTContext &Context, QualType T, ExprValueKind VK, CastKind Kind, Expr *Op, const CXXCastPath *Path, TypeSourceInfo *Written, SourceLocation L, SourceLocation RParenLoc, SourceRange AngleBrackets)
Definition: ExprCXX.cpp:787
Represents a folding of a pack over an operator.
Definition: ExprCXX.h:4846
CXXForRangeStmt - This represents C++0x [stmt.ranged]'s ranged for statement, represented as 'for (ra...
Definition: StmtCXX.h:135
static CXXFunctionalCastExpr * Create(const ASTContext &Context, QualType T, ExprValueKind VK, TypeSourceInfo *Written, CastKind Kind, Expr *Op, const CXXCastPath *Path, FPOptionsOverride FPO, SourceLocation LPLoc, SourceLocation RPLoc)
Definition: ExprCXX.cpp:901
Represents a call to an inherited base class constructor from an inheriting constructor.
Definition: ExprCXX.h:1737
Represents a call to a member function that may be written either with member call syntax (e....
Definition: ExprCXX.h:176
static CXXMemberCallExpr * Create(const ASTContext &Ctx, Expr *Fn, ArrayRef< Expr * > Args, QualType Ty, ExprValueKind VK, SourceLocation RP, FPOptionsOverride FPFeatures, unsigned MinNumArgs=0)
Definition: ExprCXX.cpp:675
Represents a static or instance method of a struct/union/class.
Definition: DeclCXX.h:2078
void addOverriddenMethod(const CXXMethodDecl *MD)
Definition: DeclCXX.cpp:2642
overridden_method_range overridden_methods() const
Definition: DeclCXX.cpp:2665
CXXMethodDecl * getCanonicalDecl() override
Retrieves the "canonical" declaration of the given declaration.
Definition: DeclCXX.h:2174
Abstract class common to all of the C++ "named"/"keyword" casts.
Definition: ExprCXX.h:372
Represents a new-expression for memory allocation and constructor calls, e.g: "new CXXNewExpr(foo)".
Definition: ExprCXX.h:2241
static CXXNewExpr * Create(const ASTContext &Ctx, bool IsGlobalNew, FunctionDecl *OperatorNew, FunctionDecl *OperatorDelete, bool ShouldPassAlignment, bool UsualArrayDeleteWantsSize, ArrayRef< Expr * > PlacementArgs, SourceRange TypeIdParens, std::optional< Expr * > ArraySize, CXXNewInitializationStyle InitializationStyle, Expr *Initializer, QualType Ty, TypeSourceInfo *AllocatedTypeInfo, SourceRange Range, SourceRange DirectInitRange)
Create a c++ new expression.
Definition: ExprCXX.cpp:291
Represents a C++11 noexcept expression (C++ [expr.unary.noexcept]).
Definition: ExprCXX.h:4126
The null pointer literal (C++11 [lex.nullptr])
Definition: ExprCXX.h:765
static CXXOperatorCallExpr * Create(const ASTContext &Ctx, OverloadedOperatorKind OpKind, Expr *Fn, ArrayRef< Expr * > Args, QualType Ty, ExprValueKind VK, SourceLocation OperatorLoc, FPOptionsOverride FPFeatures, ADLCallKind UsesADL=NotADL)
Definition: ExprCXX.cpp:611
Represents a C++ pseudo-destructor (C++ [expr.pseudo]).
Definition: ExprCXX.h:2617
Represents a C++ struct/union/class.
Definition: DeclCXX.h:258
CXXRecordDecl * getMostRecentDecl()
Definition: DeclCXX.h:541
CXXRecordDecl * getInstantiatedFromMemberClass() const
If this record is an instantiation of a member class, retrieves the member class from which it was in...
Definition: DeclCXX.cpp:1982
method_range methods() const
Definition: DeclCXX.h:662
CXXRecordDecl * getDefinition() const
Definition: DeclCXX.h:565
static CXXRecordDecl * CreateLambda(const ASTContext &C, DeclContext *DC, TypeSourceInfo *Info, SourceLocation Loc, unsigned DependencyKind, bool IsGeneric, LambdaCaptureDefault CaptureDefault)
Definition: DeclCXX.cpp:148
void setInstantiationOfMemberClass(CXXRecordDecl *RD, TemplateSpecializationKind TSK)
Specify that this record is an instantiation of the member class RD.
Definition: DeclCXX.cpp:1994
void setDescribedClassTemplate(ClassTemplateDecl *Template)
Definition: DeclCXX.cpp:2007
void setLambdaNumbering(LambdaNumbering Numbering)
Set the mangling numbers and context declaration for a lambda class.
Definition: DeclCXX.cpp:1797
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this class is an instantiation of a member class of a class template specialization,...
Definition: DeclCXX.cpp:1989
void setTemplateSpecializationKind(TemplateSpecializationKind TSK)
Set the kind of specialization or template instantiation this is.
Definition: DeclCXX.cpp:2022
CXXRecordDecl * getPreviousDecl()
Definition: DeclCXX.h:532
static CXXReinterpretCastExpr * Create(const ASTContext &Context, QualType T, ExprValueKind VK, CastKind Kind, Expr *Op, const CXXCastPath *Path, TypeSourceInfo *WrittenTy, SourceLocation L, SourceLocation RParenLoc, SourceRange AngleBrackets)
Definition: ExprCXX.cpp:852
A rewritten comparison expression that was originally written using operator syntax.
Definition: ExprCXX.h:283
An expression "T()" which creates an rvalue of a non-class type T.
Definition: ExprCXX.h:2182
static CXXStaticCastExpr * Create(const ASTContext &Context, QualType T, ExprValueKind VK, CastKind K, Expr *Op, const CXXCastPath *Path, TypeSourceInfo *Written, FPOptionsOverride FPO, SourceLocation L, SourceLocation RParenLoc, SourceRange AngleBrackets)
Definition: ExprCXX.cpp:761
Implicit construction of a std::initializer_list<T> object from an array temporary within list-initia...
Definition: ExprCXX.h:797
Represents a C++ functional cast expression that builds a temporary object.
Definition: ExprCXX.h:1885
static CXXTemporaryObjectExpr * Create(const ASTContext &Ctx, CXXConstructorDecl *Cons, QualType Ty, TypeSourceInfo *TSI, ArrayRef< Expr * > Args, SourceRange ParenOrBraceRange, bool HadMultipleCandidates, bool ListInitialization, bool StdInitListInitialization, bool ZeroInitialization)
Definition: ExprCXX.cpp:1125
Represents a C++ temporary.
Definition: ExprCXX.h:1457
static CXXTemporary * Create(const ASTContext &C, const CXXDestructorDecl *Destructor)
Definition: ExprCXX.cpp:1092
Represents the this expression in C++.
Definition: ExprCXX.h:1152
static CXXThisExpr * Create(const ASTContext &Ctx, SourceLocation L, QualType Ty, bool IsImplicit)
Definition: ExprCXX.cpp:1568
A C++ throw-expression (C++ [except.throw]).
Definition: ExprCXX.h:1206
CXXTryStmt - A C++ try block, including all handlers.
Definition: StmtCXX.h:69
static CXXTryStmt * Create(const ASTContext &C, SourceLocation tryLoc, CompoundStmt *tryBlock, ArrayRef< Stmt * > handlers)
Definition: StmtCXX.cpp:25
A C++ typeid expression (C++ [expr.typeid]), which gets the type_info that corresponds to the supplie...
Definition: ExprCXX.h:845
Describes an explicit type conversion that uses functional notion but could not be resolved because o...
Definition: ExprCXX.h:3557
static CXXUnresolvedConstructExpr * Create(const ASTContext &Context, QualType T, TypeSourceInfo *TSI, SourceLocation LParenLoc, ArrayRef< Expr * > Args, SourceLocation RParenLoc, bool IsListInit)
Definition: ExprCXX.cpp:1471
CallExpr - Represents a function call (C99 6.5.2.2, C++ [expr.call]).
Definition: Expr.h:2874
static CallExpr * Create(const ASTContext &Ctx, Expr *Fn, ArrayRef< Expr * > Args, QualType Ty, ExprValueKind VK, SourceLocation RParenLoc, FPOptionsOverride FPFeatures, unsigned MinNumArgs=0, ADLCallKind UsesADL=NotADL)
Create a call expression.
Definition: Expr.cpp:1499
CaseStmt - Represent a case statement.
Definition: Stmt.h:1828
static CaseStmt * Create(const ASTContext &Ctx, Expr *lhs, Expr *rhs, SourceLocation caseLoc, SourceLocation ellipsisLoc, SourceLocation colonLoc)
Build a case statement.
Definition: Stmt.cpp:1227
CastExpr - Base class for type casts, including both implicit casts (ImplicitCastExpr) and explicit c...
Definition: Expr.h:3547
path_iterator path_begin()
Definition: Expr.h:3617
path_iterator path_end()
Definition: Expr.h:3618
CharUnits - This is an opaque type for sizes expressed in character units.
Definition: CharUnits.h:38
How to handle import errors that occur when import of a child declaration of a DeclContext fails.
bool ignoreChildErrorOnParent(Decl *FromChildD) const
Determine if import failure of a child does not cause import failure of its parent.
ChildErrorHandlingStrategy(const Decl *FromD)
void handleChildImportResult(Error &ResultErr, Error &&ChildErr)
Process the import result of a child (of the current declaration).
ChildErrorHandlingStrategy(const DeclContext *FromDC)
ChooseExpr - GNU builtin-in function __builtin_choose_expr.
Definition: Expr.h:4641
Declaration of a class template.
void AddPartialSpecialization(ClassTemplatePartialSpecializationDecl *D, void *InsertPos)
Insert the specified partial specialization knowing that it is not already in.
ClassTemplateDecl * getMostRecentDecl()
CXXRecordDecl * getTemplatedDecl() const
Get the underlying class declarations of the template.
ClassTemplatePartialSpecializationDecl * findPartialSpecialization(ArrayRef< TemplateArgument > Args, TemplateParameterList *TPL, void *&InsertPos)
Return the partial specialization with the provided arguments if it exists, otherwise return the inse...
void AddSpecialization(ClassTemplateSpecializationDecl *D, void *InsertPos)
Insert the specified specialization knowing that it is not already in.
QualType getInjectedClassNameSpecialization()
Retrieve the template specialization type of the injected-class-name for this class template.
ClassTemplateSpecializationDecl * findSpecialization(ArrayRef< TemplateArgument > Args, void *&InsertPos)
Return the specialization with the provided arguments if it exists, otherwise return the insertion po...
ClassTemplatePartialSpecializationDecl * getInstantiatedFromMember() const
Retrieve the member class template partial specialization from which this particular class template p...
QualType getInjectedSpecializationType() const
Retrieves the injected specialization type for this partial specialization.
TemplateParameterList * getTemplateParameters() const
Get the list of template parameters.
Represents a class template specialization, which refers to a class template with a given set of temp...
void setPointOfInstantiation(SourceLocation Loc)
void setExternKeywordLoc(SourceLocation Loc)
Sets the location of the extern keyword.
void setSpecializationKind(TemplateSpecializationKind TSK)
void setTemplateKeywordLoc(SourceLocation Loc)
Sets the location of the template keyword.
void setInstantiationOf(ClassTemplatePartialSpecializationDecl *PartialSpec, const TemplateArgumentList *TemplateArgs)
Note that this class template specialization is actually an instantiation of the given class template...
bool isExplicitInstantiationOrSpecialization() const
True if this declaration is an explicit specialization, explicit instantiation declaration,...
void setTemplateArgsAsWritten(const ASTTemplateArgumentListInfo *ArgsWritten)
Set the template argument list as written in the sources.
Complex values, per C99 6.2.5p11.
Definition: Type.h:3145
CompoundAssignOperator - For compound assignments (e.g.
Definition: Expr.h:4171
static CompoundAssignOperator * Create(const ASTContext &C, Expr *lhs, Expr *rhs, Opcode opc, QualType ResTy, ExprValueKind VK, ExprObjectKind OK, SourceLocation opLoc, FPOptionsOverride FPFeatures, QualType CompLHSType=QualType(), QualType CompResultType=QualType())
Definition: Expr.cpp:4924
CompoundLiteralExpr - [C99 6.5.2.5].
Definition: Expr.h:3477
CompoundStmt - This represents a group of statements like { stmt stmt }.
Definition: Stmt.h:1628
static CompoundStmt * Create(const ASTContext &C, ArrayRef< Stmt * > Stmts, FPOptionsOverride FPFeatures, SourceLocation LB, SourceLocation RB)
Definition: Stmt.cpp:390
A reference to a concept and its template args, as it appears in the code.
Definition: ASTConcept.h:124
const NestedNameSpecifierLoc & getNestedNameSpecifierLoc() const
Definition: ASTConcept.h:163
NamedDecl * getFoundDecl() const
Definition: ASTConcept.h:195
const DeclarationNameInfo & getConceptNameInfo() const
Definition: ASTConcept.h:167
ConceptDecl * getNamedConcept() const
Definition: ASTConcept.h:199
static ConceptReference * Create(const ASTContext &C, NestedNameSpecifierLoc NNS, SourceLocation TemplateKWLoc, DeclarationNameInfo ConceptNameInfo, NamedDecl *FoundDecl, ConceptDecl *NamedConcept, const ASTTemplateArgumentListInfo *ArgsAsWritten)
Definition: ASTConcept.cpp:87
const ASTTemplateArgumentListInfo * getTemplateArgsAsWritten() const
Definition: ASTConcept.h:203
SourceLocation getTemplateKWLoc() const
Definition: ASTConcept.h:173
ConditionalOperator - The ?: ternary operator.
Definition: Expr.h:4262
Represents the canonical version of C arrays with a specified constant size.
Definition: Type.h:3615
ConstantExpr - An expression that occurs in a constant context and optionally the result of evaluatin...
Definition: Expr.h:1077
static ConstantExpr * Create(const ASTContext &Context, Expr *E, const APValue &Result)
Definition: Expr.cpp:349
Represents a concrete matrix type with constant number of rows and columns.
Definition: Type.h:4232
Represents a shadow constructor declaration introduced into a class by a C++11 using-declaration that...
Definition: DeclCXX.h:3621
ContinueStmt - This represents a continue.
Definition: Stmt.h:2977
ConvertVectorExpr - Clang builtin function __builtin_convertvector This AST node provides support for...
Definition: Expr.h:4582
Represents a sugar type with __counted_by or __sized_by annotations, including their _or_null variant...
Definition: Type.h:3306
Represents a pointer type decayed from an array or function type.
Definition: Type.h:3391
A POD class for pairing a NamedDecl* with an access specifier.
static DeclAccessPair make(NamedDecl *D, AccessSpecifier AS)
The results of name lookup within a DeclContext.
Definition: DeclBase.h:1368
DeclContext - This is used only as base class of specific decl types that can act as declaration cont...
Definition: DeclBase.h:1435
DeclContext * getParent()
getParent - Returns the containing DeclContext.
Definition: DeclBase.h:2100
void makeDeclVisibleInContext(NamedDecl *D)
Makes a declaration visible within this context.
Definition: DeclBase.cpp:2045
bool isDependentContext() const
Determines whether this context is dependent on a template parameter.
Definition: DeclBase.cpp:1334
bool isNamespace() const
Definition: DeclBase.h:2189
lookup_result lookup(DeclarationName Name) const
lookup - Find the declarations (if any) with the given Name in this context.
Definition: DeclBase.cpp:1854
bool isRecord() const
Definition: DeclBase.h:2180
DeclContext * getRedeclContext()
getRedeclContext - Retrieve the context in which an entity conflicts with other entities of the same ...
Definition: DeclBase.cpp:1990
void addDeclInternal(Decl *D)
Add the declaration D into this context, but suppress searches for external declarations with the sam...
Definition: DeclBase.cpp:1776
bool containsDeclAndLoad(Decl *D) const
Checks whether a declaration is in this context.
Definition: DeclBase.cpp:1642
void removeDecl(Decl *D)
Removes a declaration from this context.
Definition: DeclBase.cpp:1687
lookup_result noload_lookup(DeclarationName Name)
Find the declarations with the given name that are visible within this context; don't attempt to retr...
Definition: DeclBase.cpp:1919
bool containsDecl(Decl *D) const
Checks whether a declaration is in this context.
Definition: DeclBase.cpp:1637
decl_range decls() const
decls_begin/decls_end - Iterate over the declarations stored in this context.
Definition: DeclBase.h:2360
bool isFunctionOrMethod() const
Definition: DeclBase.h:2152
void localUncachedLookup(DeclarationName Name, SmallVectorImpl< NamedDecl * > &Results)
A simplistic name lookup mechanism that performs name lookup into this declaration context without co...
Definition: DeclBase.cpp:1951
static DeclGroupRef Create(ASTContext &C, Decl **Decls, unsigned NumDecls)
Definition: DeclGroup.h:68
iterator begin()
Definition: DeclGroup.h:99
iterator end()
Definition: DeclGroup.h:105
bool isNull() const
Definition: DeclGroup.h:79
A reference to a declared variable, function, enum, etc.
Definition: Expr.h:1265
static DeclRefExpr * Create(const ASTContext &Context, NestedNameSpecifierLoc QualifierLoc, SourceLocation TemplateKWLoc, ValueDecl *D, bool RefersToEnclosingVariableOrCapture, SourceLocation NameLoc, QualType T, ExprValueKind VK, NamedDecl *FoundD=nullptr, const TemplateArgumentListInfo *TemplateArgs=nullptr, NonOdrUseReason NOUR=NOUR_None)
Definition: Expr.cpp:487
DeclStmt - Adaptor class for mixing declarations with statements and expressions.
Definition: Stmt.h:1519
A simple visitor class that helps create declaration visitors.
Definition: DeclVisitor.h:67
Decl - This represents one declaration (or definition), e.g.
Definition: DeclBase.h:86
SourceLocation getEndLoc() const LLVM_READONLY
Definition: DeclBase.h:438
TemplateDecl * getDescribedTemplate() const
If this is a declaration that describes some template, this method returns that template declaration.
Definition: DeclBase.cpp:258
FriendObjectKind getFriendObjectKind() const
Determines whether this declaration is the object of a friend declaration and, if so,...
Definition: DeclBase.h:1215
bool hasAttrs() const
Definition: DeclBase.h:521
ASTContext & getASTContext() const LLVM_READONLY
Definition: DeclBase.cpp:520
void addAttr(Attr *A)
Definition: DeclBase.cpp:1010
bool isImplicit() const
isImplicit - Indicates whether the declaration was implicitly generated by the implementation.
Definition: DeclBase.h:596
bool isParameterPack() const
Whether this declaration is a parameter pack.
Definition: DeclBase.cpp:239
bool isInIdentifierNamespace(unsigned NS) const
Definition: DeclBase.h:882
@ FOK_None
Not a friend object.
Definition: DeclBase.h:1206
void setObjectOfFriendDecl(bool PerformFriendInjection=false)
Changes the namespace of this declaration to reflect that it's the object of a friend declaration.
Definition: DeclBase.h:1169
void setAccess(AccessSpecifier AS)
Definition: DeclBase.h:505
SourceLocation getLocation() const
Definition: DeclBase.h:442
const char * getDeclKindName() const
Definition: DeclBase.cpp:142
IdentifierNamespace
IdentifierNamespace - The different namespaces in which declarations may appear.
Definition: DeclBase.h:115
@ IDNS_NonMemberOperator
This declaration is a C++ operator declared in a non-class context.
Definition: DeclBase.h:168
@ IDNS_TagFriend
This declaration is a friend class.
Definition: DeclBase.h:157
@ IDNS_Ordinary
Ordinary names.
Definition: DeclBase.h:144
@ IDNS_ObjCProtocol
Objective C @protocol.
Definition: DeclBase.h:147
@ IDNS_Namespace
Namespaces, declared with 'namespace foo {}'.
Definition: DeclBase.h:140
@ IDNS_OrdinaryFriend
This declaration is a friend function.
Definition: DeclBase.h:152
@ IDNS_Tag
Tags, declared with 'struct foo;' and referenced with 'struct foo'.
Definition: DeclBase.h:125
void setImplicit(bool I=true)
Definition: DeclBase.h:597
redecl_range redecls() const
Returns an iterator range for all the redeclarations of the same decl.
Definition: DeclBase.h:1038
void setIsUsed()
Set whether the declaration is used, in the sense of odr-use.
Definition: DeclBase.h:611
bool isUsed(bool CheckUsedAttr=true) const
Whether any (re-)declaration of the entity was used, meaning that a definition is required.
Definition: DeclBase.cpp:549
DeclContext * getDeclContext()
Definition: DeclBase.h:451
AccessSpecifier getAccess() const
Definition: DeclBase.h:510
bool isInAnonymousNamespace() const
Definition: DeclBase.cpp:412
SourceLocation getBeginLoc() const LLVM_READONLY
Definition: DeclBase.h:434
TranslationUnitDecl * getTranslationUnitDecl()
Definition: DeclBase.cpp:505
AttrVec & getAttrs()
Definition: DeclBase.h:527
void setDeclContext(DeclContext *DC)
setDeclContext - Set both the semantic and lexical DeclContext to DC.
Definition: DeclBase.cpp:355
DeclContext * getLexicalDeclContext()
getLexicalDeclContext - The declaration context where this Decl was lexically declared (LexicalDC).
Definition: DeclBase.h:907
void setLexicalDeclContext(DeclContext *DC)
Definition: DeclBase.cpp:359
virtual Decl * getCanonicalDecl()
Retrieves the "canonical" declaration of the given declaration.
Definition: DeclBase.h:967
DeclarationName getCXXConversionFunctionName(CanQualType Ty)
Returns the name of a C++ conversion function for the given Type.
DeclarationName getCXXDestructorName(CanQualType Ty)
Returns the name of a C++ destructor for the given Type.
DeclarationName getCXXOperatorName(OverloadedOperatorKind Op)
Get the name of the overloadable C++ operator corresponding to Op.
DeclarationName getCXXDeductionGuideName(TemplateDecl *TD)
Returns the name of a C++ deduction guide for the given template.
DeclarationName getCXXConstructorName(CanQualType Ty)
Returns the name of a C++ constructor for the given Type.
DeclarationName getCXXLiteralOperatorName(const IdentifierInfo *II)
Get the name of the literal operator function with II as the identifier.
The name of a declaration.
IdentifierInfo * getAsIdentifierInfo() const
Retrieve the IdentifierInfo * stored in this declaration name, or null if this declaration name isn't...
TemplateDecl * getCXXDeductionGuideTemplate() const
If this name is the name of a C++ deduction guide, return the template associated with that name.
const IdentifierInfo * getCXXLiteralIdentifier() const
If this name is the name of a literal operator, retrieve the identifier associated with it.
static DeclarationName getUsingDirectiveName()
Returns the name for all C++ using-directives.
OverloadedOperatorKind getCXXOverloadedOperator() const
If this name is the name of an overloadable operator in C++ (e.g., operator+), retrieve the kind of o...
QualType getCXXNameType() const
If this name is one of the C++ names (of a constructor, destructor, or conversion function),...
Selector getObjCSelector() const
Get the Objective-C selector stored in this declaration name.
NameKind getNameKind() const
Determine what kind of name this is.
bool isEmpty() const
Evaluates true when this declaration name is empty.
void setTypeSourceInfo(TypeSourceInfo *TI)
Definition: Decl.h:769
void setQualifierInfo(NestedNameSpecifierLoc QualifierLoc)
Definition: Decl.cpp:1989
Represents the type decltype(expr) (C++11).
Definition: Type.h:5879
A decomposition declaration.
Definition: DeclCXX.h:4189
Represents a C++17 deduced template specialization type.
Definition: Type.h:6609
Represents an extended address space qualifier where the input address space value is dependent.
Definition: Type.h:3920
Represents a qualified type name for which the type name is dependent.
Definition: Type.h:7029
A qualified reference to a name whose declaration cannot yet be resolved.
Definition: ExprCXX.h:3323
static DependentScopeDeclRefExpr * Create(const ASTContext &Context, NestedNameSpecifierLoc QualifierLoc, SourceLocation TemplateKWLoc, const DeclarationNameInfo &NameInfo, const TemplateArgumentListInfo *TemplateArgs)
Definition: ExprCXX.cpp:531
Represents an array type in C++ whose size is a value-dependent expression.
Definition: Type.h:3862
Represents an extended vector type where either the type or size is dependent.
Definition: Type.h:3960
Represents a matrix type where the type and the number of rows and columns is dependent on a template...
Definition: Type.h:4291
Represents a dependent template name that cannot be resolved prior to template instantiation.
Definition: TemplateName.h:548
OverloadedOperatorKind getOperator() const
Return the overloaded operator to which this template name refers.
Definition: TemplateName.h:620
bool isIdentifier() const
Determine whether this template name refers to an identifier.
Definition: TemplateName.h:607
NestedNameSpecifier * getQualifier() const
Return the nested name specifier that qualifies this name.
Definition: TemplateName.h:604
const IdentifierInfo * getIdentifier() const
Returns the identifier to which this template name refers.
Definition: TemplateName.h:610
Represents a template specialization type whose template cannot be resolved, e.g.
Definition: Type.h:7081
Represents a vector type where either the type or size is dependent.
Definition: Type.h:4086
Represents a single C99 designator.
Definition: Expr.h:5376
static Designator CreateArrayRangeDesignator(unsigned Index, SourceLocation LBracketLoc, SourceLocation EllipsisLoc, SourceLocation RBracketLoc)
Creates a GNU array-range designator.
Definition: Expr.h:5503
static Designator CreateFieldDesignator(const IdentifierInfo *FieldName, SourceLocation DotLoc, SourceLocation FieldLoc)
Creates a field designator.
Definition: Expr.h:5457
static Designator CreateArrayDesignator(unsigned Index, SourceLocation LBracketLoc, SourceLocation RBracketLoc)
Creates an array designator.
Definition: Expr.h:5493
Represents a C99 designated initializer expression.
Definition: Expr.h:5333
static DesignatedInitExpr * Create(const ASTContext &C, llvm::ArrayRef< Designator > Designators, ArrayRef< Expr * > IndexExprs, SourceLocation EqualOrColonLoc, bool GNUSyntax, Expr *Init)
Definition: Expr.cpp:4634
A little helper class used to produce diagnostics.
Definition: Diagnostic.h:1220
DiagnosticBuilder Report(SourceLocation Loc, unsigned DiagID)
Issue the message to the client.
Definition: Diagnostic.h:1493
void notePriorDiagnosticFrom(const DiagnosticsEngine &Other)
Note that the prior diagnostic was emitted by some other DiagnosticsEngine, and we may be attaching a...
Definition: Diagnostic.h:919
DoStmt - This represents a 'do/while' stmt.
Definition: Stmt.h:2752
Symbolic representation of a dynamic allocation.
Definition: APValue.h:65
Represents a type that was referred to using an elaborated type keyword, e.g., struct S,...
Definition: Type.h:6948
Represents an empty-declaration.
Definition: Decl.h:4934
An instance of this object exists for each enum constant that is defined.
Definition: Decl.h:3291
Represents an enum.
Definition: Decl.h:3861
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this enumeration is an instantiation of a member enumeration of a class template specialization,...
Definition: Decl.h:4120
unsigned getNumNegativeBits() const
Returns the width in bits required to store all the negative enumerators of this enum.
Definition: Decl.h:4058
void setIntegerType(QualType T)
Set the underlying integer type.
Definition: Decl.h:4030
EnumDecl * getMostRecentDecl()
Definition: Decl.h:3957
void completeDefinition(QualType NewType, QualType PromotionType, unsigned NumPositiveBits, unsigned NumNegativeBits)
When created, the EnumDecl corresponds to a forward-declared enum.
Definition: Decl.cpp:4903
EnumDecl * getDefinition() const
Definition: Decl.h:3964
unsigned getNumPositiveBits() const
Returns the width in bits required to store all the non-negative enumerators of this enum.
Definition: Decl.h:4047
QualType getPromotionType() const
Return the integer type that enumerators should promote to.
Definition: Decl.h:4013
A helper class that allows the use of isa/cast/dyncast to detect TagType objects of enums.
Definition: Type.h:6103
ExplicitCastExpr - An explicit cast written in the source code.
Definition: Expr.h:3799
Store information needed for an explicit specifier.
Definition: DeclCXX.h:1912
ExplicitSpecKind getKind() const
Definition: DeclCXX.h:1920
const Expr * getExpr() const
Definition: DeclCXX.h:1921
Represents an expression – generally a full-expression – that introduces cleanups to be run at the en...
Definition: ExprCXX.h:3474
llvm::PointerUnion< BlockDecl *, CompoundLiteralExpr * > CleanupObject
The type of objects that are kept in the cleanup.
Definition: ExprCXX.h:3480
static ExprWithCleanups * Create(const ASTContext &C, EmptyShell empty, unsigned numObjects)
Definition: ExprCXX.cpp:1446
This represents one expression.
Definition: Expr.h:110
void setType(QualType t)
Definition: Expr.h:143
bool isValueDependent() const
Determines whether the value of this expression depends on.
Definition: Expr.h:175
ExprValueKind getValueKind() const
getValueKind - The value kind that this expression produces.
Definition: Expr.h:437
bool isTypeDependent() const
Determines whether the type of this expression depends on.
Definition: Expr.h:192
bool containsUnexpandedParameterPack() const
Whether this expression contains an unexpanded parameter pack (for C++11 variadic templates).
Definition: Expr.h:239
ExprObjectKind getObjectKind() const
getObjectKind - The object kind that this expression produces.
Definition: Expr.h:444
bool isInstantiationDependent() const
Whether this expression is instantiation-dependent, meaning that it depends in some way on.
Definition: Expr.h:221
SourceLocation getExprLoc() const LLVM_READONLY
getExprLoc - Return the preferred location for the arrow when diagnosing a problem with a generic exp...
Definition: Expr.cpp:276
QualType getType() const
Definition: Expr.h:142
ExprDependence getDependence() const
Definition: Expr.h:162
An expression trait intrinsic.
Definition: ExprCXX.h:2924
ExtVectorType - Extended vector type.
Definition: Type.h:4126
virtual void CompleteType(TagDecl *Tag)
Gives the external AST source an opportunity to complete an incomplete type.
Represents difference between two FPOptions values.
Definition: LangOptions.h:978
Represents a member of a struct/union/class.
Definition: Decl.h:3033
Expr * getInClassInitializer() const
Get the C++11 default member initializer for this member, or null if one has not been set.
Definition: Decl.cpp:4580
bool hasInClassInitializer() const
Determine whether this member has a C++11 default member initializer.
Definition: Decl.h:3208
void setInClassInitializer(Expr *NewInit)
Set the C++11 in-class initializer for this member.
Definition: Decl.cpp:4590
void setCapturedVLAType(const VariableArrayType *VLAType)
Set the captured variable length array type for this field.
Definition: Decl.cpp:4687
An opaque identifier used by SourceManager which refers to a source file (MemoryBuffer) along with it...
bool isValid() const
bool isInvalid() const
Implements support for file system lookup, file system caching, and directory search management.
Definition: FileManager.h:53
OptionalFileEntryRef getOptionalFileRef(StringRef Filename, bool OpenFile=false, bool CacheFailure=true)
Get a FileEntryRef if it exists, without doing anything on error.
Definition: FileManager.h:245
static FloatingLiteral * Create(const ASTContext &C, const llvm::APFloat &V, bool isexact, QualType Type, SourceLocation L)
Definition: Expr.cpp:1081
ForStmt - This represents a 'for (init;cond;inc)' stmt.
Definition: Stmt.h:2808
FriendDecl - Represents the declaration of a friend entity, which can be a function,...
Definition: DeclFriend.h:54
llvm::PointerUnion< NamedDecl *, TypeSourceInfo * > FriendUnion
Definition: DeclFriend.h:58
TypeSourceInfo * getFriendType() const
If this friend declaration names an (untemplated but possibly dependent) type, return the type; other...
Definition: DeclFriend.h:126
static DefaultedOrDeletedFunctionInfo * Create(ASTContext &Context, ArrayRef< DeclAccessPair > Lookups, StringLiteral *DeletedMessage=nullptr)
Definition: Decl.cpp:3103
Represents a function declaration or definition.
Definition: Decl.h:1935
Stmt * getBody(const FunctionDecl *&Definition) const
Retrieve the body (definition) of the function.
Definition: Decl.cpp:3243
void setDescribedFunctionTemplate(FunctionTemplateDecl *Template)
Definition: Decl.cpp:4057
FunctionTemplateDecl * getDescribedFunctionTemplate() const
Retrieves the function template that is described by this function declaration.
Definition: Decl.cpp:4052
void setIsPureVirtual(bool P=true)
Definition: Decl.cpp:3262
void setDefaultedOrDeletedInfo(DefaultedOrDeletedFunctionInfo *Info)
Definition: Decl.cpp:3124
void setFriendConstraintRefersToEnclosingTemplate(bool V=true)
Definition: Decl.h:2577
ArrayRef< ParmVarDecl * > parameters() const
Definition: Decl.h:2649
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this function is an instantiation of a member function of a class template specialization,...
Definition: Decl.cpp:4031
FunctionTemplateSpecializationInfo * getTemplateSpecializationInfo() const
If this function is actually a function template specialization, retrieve information about this func...
Definition: Decl.cpp:4182
void setDefaultLoc(SourceLocation NewLoc)
Definition: Decl.h:2330
DependentFunctionTemplateSpecializationInfo * getDependentSpecializationInfo() const
Definition: Decl.cpp:4247
@ TK_MemberSpecialization
Definition: Decl.h:1947
@ TK_DependentNonTemplate
Definition: Decl.h:1956
@ TK_FunctionTemplateSpecialization
Definition: Decl.h:1951
@ TK_DependentFunctionTemplateSpecialization
Definition: Decl.h:1954
void setTrivial(bool IT)
Definition: Decl.h:2306
TemplatedKind getTemplatedKind() const
What kind of templated function this is.
Definition: Decl.cpp:4003
void setInstantiatedFromDecl(FunctionDecl *FD)
Specify that this function declaration was instantiated from a FunctionDecl FD.
Definition: Decl.cpp:4070
void setDependentTemplateSpecialization(ASTContext &Context, const UnresolvedSetImpl &Templates, const TemplateArgumentListInfo *TemplateArgs)
Specifies that this function declaration is actually a dependent function template specialization.
Definition: Decl.cpp:4236
void setVirtualAsWritten(bool V)
State that this function is marked as virtual explicitly.
Definition: Decl.h:2284
void setRangeEnd(SourceLocation E)
Definition: Decl.h:2153
FunctionDecl * getInstantiatedFromDecl() const
Definition: Decl.cpp:4076
TemplateSpecializationKind getTemplateSpecializationKind() const
Determine what kind of template instantiation this function represents.
Definition: Decl.cpp:4276
void setDefaulted(bool D=true)
Definition: Decl.h:2314
void setBody(Stmt *B)
Definition: Decl.cpp:3255
void setDeletedAsWritten(bool D=true, StringLiteral *Message=nullptr)
Definition: Decl.cpp:3133
void setExplicitlyDefaulted(bool ED=true)
State that this function is explicitly defaulted.
Definition: Decl.h:2322
FunctionDecl * getInstantiatedFromMemberFunction() const
If this function is an instantiation of a member function of a class template specialization,...
Definition: Decl.cpp:4024
bool hasBody(const FunctionDecl *&Definition) const
Returns true if the function has a body.
Definition: Decl.cpp:3163
Represents a K&R-style 'int foo()' function, which has no information available about its arguments.
Definition: Type.h:4686
Represents a prototype with parameter type info, e.g.
Definition: Type.h:5107
QualType desugar() const
Definition: Type.h:5651
ExtProtoInfo getExtProtoInfo() const
Definition: Type.h:5371
ArrayRef< QualType > exceptions() const
Definition: Type.h:5530
ArrayRef< QualType > param_types() const
Definition: Type.h:5516
Declaration of a template function.
Definition: DeclTemplate.h:959
FunctionDecl * findSpecialization(ArrayRef< TemplateArgument > Args, void *&InsertPos)
Return the specialization with the provided arguments if it exists, otherwise return the insertion po...
FunctionDecl * getTemplatedDecl() const
Get the underlying function declaration of the template.
FunctionTemplateDecl * getMostRecentDecl()
ExtInfo getExtInfo() const
Definition: Type.h:4660
QualType getReturnType() const
Definition: Type.h:4648
This represents a GCC inline-assembly statement extension.
Definition: Stmt.h:3286
GNUNullExpr - Implements the GNU __null extension, which is a name for a null pointer constant that h...
Definition: Expr.h:4716
Represents a C11 generic selection.
Definition: Expr.h:5966
static GenericSelectionExpr * Create(const ASTContext &Context, SourceLocation GenericLoc, Expr *ControllingExpr, ArrayRef< TypeSourceInfo * > AssocTypes, ArrayRef< Expr * > AssocExprs, SourceLocation DefaultLoc, SourceLocation RParenLoc, bool ContainsUnexpandedParameterPack, unsigned ResultIndex)
Create a non-result-dependent generic selection expression accepting an expression predicate.
Definition: Expr.cpp:4522
GotoStmt - This represents a direct goto.
Definition: Stmt.h:2889
One of these records is kept for each identifier that is lexed.
unsigned getBuiltinID() const
Return a value indicating whether this is a builtin function.
void setBuiltinID(unsigned ID)
StringRef getName() const
Return the actual identifier string.
IdentifierInfo & get(StringRef Name)
Return the identifier token info for the specified named identifier.
IfStmt - This represents an if/then/else.
Definition: Stmt.h:2165
static IfStmt * Create(const ASTContext &Ctx, SourceLocation IL, IfStatementKind Kind, Stmt *Init, VarDecl *Var, Expr *Cond, SourceLocation LPL, SourceLocation RPL, Stmt *Then, SourceLocation EL=SourceLocation(), Stmt *Else=nullptr)
Create an IfStmt.
Definition: Stmt.cpp:965
ImaginaryLiteral - We support imaginary integer and floating point literals, like "1....
Definition: Expr.h:1717
ImplicitCastExpr - Allows us to explicitly represent implicit type conversions, which have no direct ...
Definition: Expr.h:3724
static ImplicitCastExpr * Create(const ASTContext &Context, QualType T, CastKind Kind, Expr *Operand, const CXXCastPath *BasePath, ExprValueKind Cat, FPOptionsOverride FPO)
Definition: Expr.cpp:2089
Represents an implicitly-generated value initialization of an object of a given type.
Definition: Expr.h:5841
Describes a module import declaration, which makes the contents of the named module visible in the cu...
Definition: Decl.h:4808
Represents a C array with an unspecified size.
Definition: Type.h:3764
Represents a field injected from an anonymous union/struct into the parent scope.
Definition: Decl.h:3335
IndirectGotoStmt - This represents an indirect goto.
Definition: Stmt.h:2928
Description of a constructor that was inherited from a base class.
Definition: DeclCXX.h:2524
CXXConstructorDecl * getConstructor() const
Definition: DeclCXX.h:2537
ConstructorUsingShadowDecl * getShadowDecl() const
Definition: DeclCXX.h:2536
Describes an C or C++ initializer list.
Definition: Expr.h:5088
void setSyntacticForm(InitListExpr *Init)
Definition: Expr.h:5258
void setArrayFiller(Expr *filler)
Definition: Expr.cpp:2443
void setInitializedFieldInUnion(FieldDecl *FD)
Definition: Expr.h:5213
void sawArrayRangeDesignator(bool ARD=true)
Definition: Expr.h:5268
The injected class name of a C++ class template or class template partial specialization.
Definition: Type.h:6798
static IntegerLiteral * Create(const ASTContext &C, const llvm::APInt &V, QualType type, SourceLocation l)
Returns a new integer literal with value 'V' and type 'type'.
Definition: Expr.cpp:980
An lvalue reference type, per C++11 [dcl.ref].
Definition: Type.h:3483
Represents the declaration of a label.
Definition: Decl.h:503
void setStmt(LabelStmt *T)
Definition: Decl.h:528
LabelStmt - Represents a label, which has a substatement.
Definition: Stmt.h:2058
Describes the capture of a variable or of this, or of a C++1y init-capture.
Definition: LambdaCapture.h:25
bool capturesVariable() const
Determine whether this capture handles a variable.
Definition: LambdaCapture.h:88
bool isPackExpansion() const
Determine whether this capture is a pack expansion, which captures a function parameter pack.
SourceLocation getEllipsisLoc() const
Retrieve the location of the ellipsis for a capture that is a pack expansion.
LambdaCaptureKind getCaptureKind() const
Determine the kind of capture.
Definition: ExprCXX.cpp:1245
ValueDecl * getCapturedVar() const
Retrieve the declaration of the local variable being captured.
bool isImplicit() const
Determine whether this was an implicit capture (not written between the square brackets introducing t...
SourceLocation getLocation() const
Retrieve the source location of the capture.
A C++ lambda expression, which produces a function object (of unspecified type) that can be invoked l...
Definition: ExprCXX.h:1954
static LambdaExpr * Create(const ASTContext &C, CXXRecordDecl *Class, SourceRange IntroducerRange, LambdaCaptureDefault CaptureDefault, SourceLocation CaptureDefaultLoc, bool ExplicitParams, bool ExplicitResultType, ArrayRef< Expr * > CaptureInits, SourceLocation ClosingBrace, bool ContainsUnexpandedParameterPack)
Construct a new lambda expression.
Definition: ExprCXX.cpp:1293
Implicit declaration of a temporary that was materialized by a MaterializeTemporaryExpr and lifetime-...
Definition: DeclCXX.h:3252
Represents a linkage specification.
Definition: DeclCXX.h:2957
void setRBraceLoc(SourceLocation L)
Definition: DeclCXX.h:2999
Represents the results of name lookup.
Definition: Lookup.h:46
iterator end() const
Definition: Lookup.h:359
iterator begin() const
Definition: Lookup.h:358
Sugar type that represents a type that was qualified by a qualifier written as a macro invocation.
Definition: Type.h:5770
Represents a prvalue temporary that is written into memory so that a reference can bind to it.
Definition: ExprCXX.h:4734
MemberExpr - [C99 6.5.2.3] Structure and Union Members.
Definition: Expr.h:3236
static MemberExpr * Create(const ASTContext &C, Expr *Base, bool IsArrow, SourceLocation OperatorLoc, NestedNameSpecifierLoc QualifierLoc, SourceLocation TemplateKWLoc, ValueDecl *MemberDecl, DeclAccessPair FoundDecl, DeclarationNameInfo MemberNameInfo, const TemplateArgumentListInfo *TemplateArgs, QualType T, ExprValueKind VK, ExprObjectKind OK, NonOdrUseReason NOUR)
Definition: Expr.cpp:1769
A pointer to member type per C++ 8.3.3 - Pointers to members.
Definition: Type.h:3519
Provides information a specialization of a member of a class template, which may be a member function...
Definition: DeclTemplate.h:620
SourceLocation getPointOfInstantiation() const
Retrieve the first point of instantiation of this member.
Definition: DeclTemplate.h:660
void setPointOfInstantiation(SourceLocation POI)
Set the first point of instantiation.
Definition: DeclTemplate.h:665
This represents a decl that may have a name.
Definition: Decl.h:253
Linkage getLinkageInternal() const
Determine what kind of linkage this entity has.
Definition: Decl.cpp:1176
DeclarationName getDeclName() const
Get the actual, stored name of the declaration, which may be a special name.
Definition: Decl.h:319
Represents a C++ namespace alias.
Definition: DeclCXX.h:3143
Represent a C++ namespace.
Definition: Decl.h:551
NamespaceDecl * getAnonymousNamespace() const
Retrieve the anonymous namespace that inhabits this namespace, if any.
Definition: Decl.h:634
void setRBraceLoc(SourceLocation L)
Definition: Decl.h:653
Class that aids in the construction of nested-name-specifiers along with source-location information ...
A C++ nested-name-specifier augmented with source location information.
SourceLocation getLocalEndLoc() const
Retrieve the location of the end of this component of the nested-name-specifier.
TypeLoc getTypeLoc() const
For a nested-name-specifier that refers to a type, retrieve the type with source-location information...
NestedNameSpecifierLoc getPrefix() const
Return the prefix of this nested-name-specifier.
NestedNameSpecifier * getNestedNameSpecifier() const
Retrieve the nested-name-specifier to which this instance refers.
SourceLocation getLocalBeginLoc() const
Retrieve the location of the beginning of this component of the nested-name-specifier.
SourceRange getSourceRange() const LLVM_READONLY
Retrieve the source range covering the entirety of this nested-name-specifier.
Represents a C++ nested name specifier, such as "\::std::vector<int>::".
CXXRecordDecl * getAsRecordDecl() const
Retrieve the record declaration stored in this nested name specifier.
SpecifierKind getKind() const
Determine what kind of nested name specifier is stored.
static NestedNameSpecifier * Create(const ASTContext &Context, NestedNameSpecifier *Prefix, const IdentifierInfo *II)
Builds a specifier combining a prefix and an identifier.
NamespaceAliasDecl * getAsNamespaceAlias() const
Retrieve the namespace alias stored in this nested name specifier.
IdentifierInfo * getAsIdentifier() const
Retrieve the identifier stored in this nested name specifier.
static NestedNameSpecifier * GlobalSpecifier(const ASTContext &Context)
Returns the nested name specifier representing the global scope.
NestedNameSpecifier * getPrefix() const
Return the prefix of this nested name specifier.
SpecifierKind
The kind of specifier that completes this nested name specifier.
@ NamespaceAlias
A namespace alias, stored as a NamespaceAliasDecl*.
@ TypeSpec
A type, stored as a Type*.
@ TypeSpecWithTemplate
A type that was preceded by the 'template' keyword, stored as a Type*.
@ Super
Microsoft's '__super' specifier, stored as a CXXRecordDecl* of the class it appeared in.
@ Identifier
An identifier, stored as an IdentifierInfo*.
@ Global
The global specifier '::'. There is no stored value.
@ Namespace
A namespace, stored as a NamespaceDecl*.
NamespaceDecl * getAsNamespace() const
Retrieve the namespace stored in this nested name specifier.
static NestedNameSpecifier * SuperSpecifier(const ASTContext &Context, CXXRecordDecl *RD)
Returns the nested name specifier representing the __super scope for the given CXXRecordDecl.
const Type * getAsType() const
Retrieve the type stored in this nested name specifier.
NonTypeTemplateParmDecl - Declares a non-type template parameter, e.g., "Size" in.
NullStmt - This is the null statement ";": C99 6.8.3p3.
Definition: Stmt.h:1591
Represents Objective-C's @catch statement.
Definition: StmtObjC.h:77
Represents Objective-C's @finally statement.
Definition: StmtObjC.h:127
Represents Objective-C's @synchronized statement.
Definition: StmtObjC.h:303
Represents Objective-C's @throw statement.
Definition: StmtObjC.h:358
Represents Objective-C's @try ... @catch ... @finally statement.
Definition: StmtObjC.h:167
static ObjCAtTryStmt * Create(const ASTContext &Context, SourceLocation atTryLoc, Stmt *atTryStmt, Stmt **CatchStmts, unsigned NumCatchStmts, Stmt *atFinallyStmt)
Definition: StmtObjC.cpp:45
Represents Objective-C's @autoreleasepool Statement.
Definition: StmtObjC.h:394
An Objective-C "bridged" cast expression, which casts between Objective-C pointers and C pointers,...
Definition: ExprObjC.h:1632
ObjCCategoryDecl - Represents a category declaration.
Definition: DeclObjC.h:2328
void setTypeParamList(ObjCTypeParamList *TPL)
Set the type parameters of this category.
Definition: DeclObjC.cpp:2165
void setProtocolList(ObjCProtocolDecl *const *List, unsigned Num, const SourceLocation *Locs, ASTContext &C)
setProtocolList - Set the list of protocols that this interface implements.
Definition: DeclObjC.h:2390
void setImplementation(ObjCCategoryImplDecl *ImplD)
Definition: DeclObjC.cpp:2161
ObjCProtocolList::iterator protocol_iterator
Definition: DeclObjC.h:2399
ObjCCategoryImplDecl - An object of this class encapsulates a category @implementation declaration.
Definition: DeclObjC.h:2544
Represents Objective-C's collection statement.
Definition: StmtObjC.h:23
ObjCImplementationDecl - Represents a class definition - this is where method definitions are specifi...
Definition: DeclObjC.h:2596
const ObjCInterfaceDecl * getSuperClass() const
Definition: DeclObjC.h:2734
Represents an ObjC class declaration.
Definition: DeclObjC.h:1153
void setProtocolList(ObjCProtocolDecl *const *List, unsigned Num, const SourceLocation *Locs, ASTContext &C)
setProtocolList - Set the list of protocols that this interface implements.
Definition: DeclObjC.h:1484
ObjCCategoryDecl * FindCategoryDeclaration(const IdentifierInfo *CategoryId) const
FindCategoryDeclaration - Finds category declaration in the list of categories for this class and ret...
Definition: DeclObjC.cpp:1746
protocol_loc_iterator protocol_loc_begin() const
Definition: DeclObjC.h:1391
void setImplementation(ObjCImplementationDecl *ImplD)
Definition: DeclObjC.cpp:1640
known_categories_range known_categories() const
Definition: DeclObjC.h:1686
void setSuperClass(TypeSourceInfo *superClass)
Definition: DeclObjC.h:1587
protocol_iterator protocol_end() const
Definition: DeclObjC.h:1373
SourceLocation getSuperClassLoc() const
Retrieve the starting location of the superclass.
Definition: DeclObjC.cpp:370
void setTypeParamList(ObjCTypeParamList *TPL)
Set the type parameters of this class.
Definition: DeclObjC.cpp:341
ObjCProtocolList::iterator protocol_iterator
Definition: DeclObjC.h:1355
ObjCImplementationDecl * getImplementation() const
Definition: DeclObjC.cpp:1627
protocol_iterator protocol_begin() const
Definition: DeclObjC.h:1362
void startDefinition()
Starts the definition of this Objective-C class, taking it from a forward declaration (@class) to a d...
Definition: DeclObjC.cpp:614
ObjCInterfaceDecl * getCanonicalDecl() override
Retrieves the canonical declaration of this Objective-C class.
Definition: DeclObjC.h:1914
ObjCInterfaceDecl * getSuperClass() const
Definition: DeclObjC.cpp:350
ObjCInterfaceDecl * getDefinition()
Retrieve the definition of this class, or NULL if this class has been forward-declared (with @class) ...
Definition: DeclObjC.h:1541
TypeSourceInfo * getSuperClassTInfo() const
Definition: DeclObjC.h:1572
Interfaces are the core concept in Objective-C for object oriented design.
Definition: Type.h:7529
ObjCIvarDecl - Represents an ObjC instance variable.
Definition: DeclObjC.h:1951
ObjCMethodDecl - Represents an instance or class method declaration.
Definition: DeclObjC.h:140
void setMethodParams(ASTContext &C, ArrayRef< ParmVarDecl * > Params, ArrayRef< SourceLocation > SelLocs={})
Sets the method's parameters and selector source locations.
Definition: DeclObjC.cpp:942
void createImplicitParams(ASTContext &Context, const ObjCInterfaceDecl *ID)
createImplicitParams - Used to lazily create the self and cmd implicit parameters.
Definition: DeclObjC.cpp:1188
ParmVarDecl *const * param_iterator
Definition: DeclObjC.h:350
ObjCInterfaceDecl * getClassInterface()
Definition: DeclObjC.cpp:1209
Represents a pointer to an Objective C object.
Definition: Type.h:7585
Represents a class type in Objective C.
Definition: Type.h:7331
Represents one property declaration in an Objective-C interface.
Definition: DeclObjC.h:730
void setSetterName(Selector Sel, SourceLocation Loc=SourceLocation())
Definition: DeclObjC.h:895
void setPropertyAttributes(ObjCPropertyAttribute::Kind PRVal)
Definition: DeclObjC.h:818
void setPropertyAttributesAsWritten(ObjCPropertyAttribute::Kind PRVal)
Definition: DeclObjC.h:830
void setPropertyIvarDecl(ObjCIvarDecl *Ivar)
Definition: DeclObjC.h:919
void setSetterMethodDecl(ObjCMethodDecl *gDecl)
Definition: DeclObjC.h:904
void setGetterName(Selector Sel, SourceLocation Loc=SourceLocation())
Definition: DeclObjC.h:887
void setGetterMethodDecl(ObjCMethodDecl *gDecl)
Definition: DeclObjC.h:901
ObjCPropertyImplDecl - Represents implementation declaration of a property in a class or category imp...
Definition: DeclObjC.h:2804
ObjCIvarDecl * getPropertyIvarDecl() const
Definition: DeclObjC.h:2878
SourceLocation getPropertyIvarDeclLoc() const
Definition: DeclObjC.h:2881
Kind getPropertyImplementation() const
Definition: DeclObjC.h:2874
Represents an Objective-C protocol declaration.
Definition: DeclObjC.h:2083
void setProtocolList(ObjCProtocolDecl *const *List, unsigned Num, const SourceLocation *Locs, ASTContext &C)
setProtocolList - Set the list of protocols that this interface implements.
Definition: DeclObjC.h:2208
ObjCProtocolDecl * getDefinition()
Retrieve the definition of this protocol, if any.
Definition: DeclObjC.h:2249
void startDefinition()
Starts the definition of this Objective-C protocol.
Definition: DeclObjC.cpp:2021
ObjCProtocolList::iterator protocol_iterator
Definition: DeclObjC.h:2157
protocol_iterator protocol_begin() const
Definition: DeclObjC.h:2164
protocol_iterator protocol_end() const
Definition: DeclObjC.h:2171
protocol_loc_iterator protocol_loc_begin() const
Definition: DeclObjC.h:2185
Represents the declaration of an Objective-C type parameter.
Definition: DeclObjC.h:578
Stores a list of Objective-C type parameters for a parameterized class or a category/extension thereo...
Definition: DeclObjC.h:659
SourceLocation getRAngleLoc() const
Definition: DeclObjC.h:710
static ObjCTypeParamList * create(ASTContext &ctx, SourceLocation lAngleLoc, ArrayRef< ObjCTypeParamDecl * > typeParams, SourceLocation rAngleLoc)
Create a new Objective-C type parameter list.
Definition: DeclObjC.cpp:1518
SourceLocation getLAngleLoc() const
Definition: DeclObjC.h:709
Represents a type parameter type in Objective C.
Definition: Type.h:7257
OffsetOfExpr - [C99 7.17] - This represents an expression of the form offsetof(record-type,...
Definition: Expr.h:2519
static OffsetOfExpr * Create(const ASTContext &C, QualType type, SourceLocation OperatorLoc, TypeSourceInfo *tsi, ArrayRef< OffsetOfNode > comps, ArrayRef< Expr * > exprs, SourceLocation RParenLoc)
Definition: Expr.cpp:1672
Helper class for OffsetOfExpr.
Definition: Expr.h:2413
unsigned getArrayExprIndex() const
For an array element node, returns the index into the array of expressions.
Definition: Expr.h:2471
FieldDecl * getField() const
For a field offsetof node, returns the field.
Definition: Expr.h:2477
IdentifierInfo * getFieldName() const
For a field or identifier offsetof node, returns the name of the field.
Definition: Expr.cpp:1707
@ Array
An index into an array.
Definition: Expr.h:2418
@ Identifier
A field in a dependent type, known only by its name.
Definition: Expr.h:2422
@ Field
A field.
Definition: Expr.h:2420
@ Base
An implicit indirection through a C++ base class, when the field found is in a base class.
Definition: Expr.h:2425
SourceLocation getBeginLoc() const LLVM_READONLY
Definition: Expr.h:2499
Kind getKind() const
Determine what kind of offsetof node this is.
Definition: Expr.h:2467
SourceLocation getEndLoc() const LLVM_READONLY
Definition: Expr.h:2500
CXXBaseSpecifier * getBase() const
For a base class node, returns the base specifier.
Definition: Expr.h:2487
OpaqueValueExpr - An expression referring to an opaque object of a fixed type and value class.
Definition: Expr.h:1173
A structure for storing the information associated with an overloaded template name.
Definition: TemplateName.h:116
Represents a C++11 pack expansion that produces a sequence of expressions.
Definition: ExprCXX.h:4180
Represents a pack expansion of types.
Definition: Type.h:7146
ParenExpr - This represents a parenthesized expression, e.g.
Definition: Expr.h:2170
static ParenListExpr * Create(const ASTContext &Ctx, SourceLocation LParenLoc, ArrayRef< Expr * > Exprs, SourceLocation RParenLoc)
Create a paren list.
Definition: Expr.cpp:4774
Sugar for parentheses used when specifying types.
Definition: Type.h:3172
Represents a parameter to a function.
Definition: Decl.h:1725
bool isKNRPromoted() const
True if the value passed to this parameter must undergo K&R-style default argument promotion:
Definition: Decl.h:1806
void setObjCDeclQualifier(ObjCDeclQualifier QTVal)
Definition: Decl.h:1793
void setDefaultArg(Expr *defarg)
Definition: Decl.cpp:2987
SourceLocation getExplicitObjectParamThisLoc() const
Definition: Decl.h:1821
void setUnparsedDefaultArg()
Specify that this parameter has an unparsed default argument.
Definition: Decl.h:1866
bool hasUnparsedDefaultArg() const
Determines whether this parameter has a default argument that has not yet been parsed.
Definition: Decl.h:1854
void setUninstantiatedDefaultArg(Expr *arg)
Definition: Decl.cpp:3012
void setScopeInfo(unsigned scopeDepth, unsigned parameterIndex)
Definition: Decl.h:1758
bool hasUninstantiatedDefaultArg() const
Definition: Decl.h:1858
void setObjCMethodScopeInfo(unsigned parameterIndex)
Definition: Decl.h:1753
bool hasInheritedDefaultArg() const
Definition: Decl.h:1870
void setKNRPromoted(bool promoted)
Definition: Decl.h:1809
void setExplicitObjectParameterLoc(SourceLocation Loc)
Definition: Decl.h:1817
Expr * getDefaultArg()
Definition: Decl.cpp:2975
Expr * getUninstantiatedDefaultArg()
Definition: Decl.cpp:3017
bool hasDefaultArg() const
Determines whether this parameter has a default argument, either parsed or not.
Definition: Decl.cpp:3023
void setHasInheritedDefaultArg(bool I=true)
Definition: Decl.h:1874
PipeType - OpenCL20.
Definition: Type.h:7785
PointerType - C99 6.7.5.1 - Pointer Declarators.
Definition: Type.h:3198
[C99 6.4.2.2] - A predefined identifier such as func.
Definition: Expr.h:1991
static PredefinedExpr * Create(const ASTContext &Ctx, SourceLocation L, QualType FNTy, PredefinedIdentKind IK, bool IsTransparent, StringLiteral *SL)
Create a PredefinedExpr.
Definition: Expr.cpp:637
Stores the type being destroyed by a pseudo-destructor expression.
Definition: ExprCXX.h:2566
A (possibly-)qualified type.
Definition: Type.h:929
bool isNull() const
Return true if this QualType doesn't point to a type yet.
Definition: Type.h:996
const Type * getTypePtr() const
Retrieves a pointer to the underlying (unqualified) type.
Definition: Type.h:7936
QualType getCanonicalType() const
Definition: Type.h:7988
Qualifiers getLocalQualifiers() const
Retrieve the set of qualifiers local to this particular QualType instance, not including any qualifie...
Definition: Type.h:7968
Represents a template name as written in source code.
Definition: TemplateName.h:491
TemplateName getUnderlyingTemplate() const
Return the underlying template name.
Definition: TemplateName.h:526
NestedNameSpecifier * getQualifier() const
Return the nested name specifier that qualifies this name.
Definition: TemplateName.h:519
bool hasTemplateKeyword() const
Whether the template name was prefixed by the "template" keyword.
Definition: TemplateName.h:523
An rvalue reference type, per C++11 [dcl.ref].
Definition: Type.h:3501
Represents a struct/union/class.
Definition: Decl.h:4162
bool isLambda() const
Determine whether this record is a class describing a lambda function object.
Definition: Decl.cpp:5066
void setAnonymousStructOrUnion(bool Anon)
Definition: Decl.h:4218
RecordDecl * getMostRecentDecl()
Definition: Decl.h:4188
virtual void completeDefinition()
Note that the definition of this type is now complete.
Definition: Decl.cpp:5107
RecordDecl * getDefinition() const
Returns the RecordDecl that actually defines this struct/union/class.
Definition: Decl.h:4361
A helper class that allows the use of isa/cast/dyncast to detect TagType objects of structs/unions/cl...
Definition: Type.h:6077
RecordDecl * getDecl() const
Definition: Type.h:6087
Provides common interface for the Decls that can be redeclared.
Definition: Redeclarable.h:84
decl_type * getPreviousDecl()
Return the previous declaration of this declaration or NULL if this is the first declaration.
Definition: Redeclarable.h:203
decl_type * getMostRecentDecl()
Returns the most recent (re)declaration of this declaration.
Definition: Redeclarable.h:225
void setPreviousDecl(decl_type *PrevDecl)
Set the previous declaration.
Definition: Decl.h:5003
Base for LValueReferenceType and RValueReferenceType.
Definition: Type.h:3439
ReturnStmt - This represents a return, optionally of an expression: return; return 4;.
Definition: Stmt.h:3046
static ReturnStmt * Create(const ASTContext &Ctx, SourceLocation RL, Expr *E, const VarDecl *NRVOCandidate)
Create a return statement.
Definition: Stmt.cpp:1211
Selector getSelector(unsigned NumArgs, const IdentifierInfo **IIV)
Can create any sort of selector.
Smart pointer class that efficiently represents Objective-C method names.
const IdentifierInfo * getIdentifierInfoForSlot(unsigned argIndex) const
Retrieve the identifier at a given position in the selector.
bool isNull() const
Determine whether this is the empty selector.
unsigned getNumArgs() const
static std::enable_if_t< std::is_base_of_v< Attr, AttrInfo >, SourceLocation > getAttrLoc(const AttrInfo &AL)
A helper function to provide Attribute Location for the Attr types AND the ParsedAttr.
Definition: Sema.h:4412
ShuffleVectorExpr - clang-specific builtin-in function __builtin_shufflevector.
Definition: Expr.h:4514
Represents an expression that computes the length of a parameter pack.
Definition: ExprCXX.h:4258
static SizeOfPackExpr * Create(ASTContext &Context, SourceLocation OperatorLoc, NamedDecl *Pack, SourceLocation PackLoc, SourceLocation RParenLoc, std::optional< unsigned > Length=std::nullopt, ArrayRef< TemplateArgument > PartialArgs={})
Definition: ExprCXX.cpp:1693
Represents a function call to one of __builtin_LINE(), __builtin_COLUMN(), __builtin_FUNCTION(),...
Definition: Expr.h:4810
Encodes a location in the source.
This class handles loading and caching of source files into memory.
FileID getFileID(SourceLocation SpellingLoc) const
Return the FileID for a SourceLocation.
bool isWrittenInBuiltinFile(SourceLocation Loc) const
Returns whether Loc is located in a <built-in> file.
FileID createFileID(FileEntryRef SourceFile, SourceLocation IncludePos, SrcMgr::CharacteristicKind FileCharacter, int LoadedID=0, SourceLocation::UIntTy LoadedOffset=0)
Create a new FileID that represents the specified file being #included from the specified IncludePosi...
SourceLocation getComposedLoc(FileID FID, unsigned Offset) const
Form a SourceLocation from a FileID and Offset pair.
FileManager & getFileManager() const
FileID getMainFileID() const
Returns the FileID of the main source file.
unsigned getFileIDSize(FileID FID) const
The size of the SLocEntry that FID represents.
std::pair< FileID, unsigned > getDecomposedLoc(SourceLocation Loc) const
Decompose the specified location into a raw FileID + Offset pair.
SourceLocation getLocForStartOfFile(FileID FID) const
Return the source location corresponding to the first byte of the specified file.
SourceLocation createExpansionLoc(SourceLocation SpellingLoc, SourceLocation ExpansionLocStart, SourceLocation ExpansionLocEnd, unsigned Length, bool ExpansionIsTokenRange=true, int LoadedID=0, SourceLocation::UIntTy LoadedOffset=0)
Creates an expansion SLocEntry for a macro use.
const SrcMgr::SLocEntry & getSLocEntry(FileID FID, bool *Invalid=nullptr) const
SourceLocation createMacroArgExpansionLoc(SourceLocation SpellingLoc, SourceLocation ExpansionLoc, unsigned Length)
Creates an expansion SLocEntry for the substitution of an argument into a function-like macro's body.
A trivial tuple used to represent a source range.
SourceLocation getEnd() const
SourceLocation getBegin() const
One instance of this struct is kept for every file loaded or used.
Each ExpansionInfo encodes the expansion location - where the token was ultimately expanded,...
SourceLocation getExpansionLocStart() const
SourceLocation getSpellingLoc() const
SourceLocation getExpansionLocEnd() const
const ContentCache & getContentCache() const
CharacteristicKind getFileCharacteristic() const
Return whether this is a system header or not.
SourceLocation getIncludeLoc() const
This is a discriminated union of FileInfo and ExpansionInfo.
const FileInfo & getFile() const
const ExpansionInfo & getExpansion() const
Represents a C++11 static_assert declaration.
Definition: DeclCXX.h:4081
StmtExpr - This is the GNU Statement Expression extension: ({int X=4; X;}).
Definition: Expr.h:4466
StmtVisitor - This class implements a simple visitor for Stmt subclasses.
Definition: StmtVisitor.h:185
Stmt - This represents one statement.
Definition: Stmt.h:84
SourceLocation getEndLoc() const LLVM_READONLY
Definition: Stmt.cpp:357
child_iterator child_begin()
Definition: Stmt.h:1479
StmtClass getStmtClass() const
Definition: Stmt.h:1380
SourceRange getSourceRange() const LLVM_READONLY
SourceLocation tokens are not useful in isolation - they are low level value objects created/interpre...
Definition: Stmt.cpp:333
child_iterator child_end()
Definition: Stmt.h:1480
const char * getStmtClassName() const
Definition: Stmt.cpp:86
SourceLocation getBeginLoc() const LLVM_READONLY
Definition: Stmt.cpp:345
StringLiteral - This represents a string literal expression, e.g.
Definition: Expr.h:1778
static StringLiteral * Create(const ASTContext &Ctx, StringRef Str, StringLiteralKind Kind, bool Pascal, QualType Ty, const SourceLocation *Loc, unsigned NumConcatenated)
This is the "fully general" constructor that allows representation of strings formed from multiple co...
Definition: Expr.cpp:1194
Represents a reference to a non-type template parameter that has been substituted with a template arg...
Definition: ExprCXX.h:4490
A structure for storing an already-substituted template template parameter pack.
Definition: TemplateName.h:149
Decl * getAssociatedDecl() const
A template-like entity which owns the whole pattern being substituted.
TemplateArgument getArgumentPack() const
Retrieve the template template argument pack with which this parameter was substituted.
unsigned getIndex() const
Returns the index of the replaced parameter in the associated declaration.
Definition: TemplateName.h:164
A structure for storing the information associated with a substituted template template parameter.
Definition: TemplateName.h:408
std::optional< unsigned > getPackIndex() const
Definition: TemplateName.h:432
unsigned getIndex() const
Returns the index of the replaced parameter in the associated declaration.
Definition: TemplateName.h:430
Decl * getAssociatedDecl() const
A template-like entity which owns the whole pattern being substituted.
Definition: TemplateName.h:426
Represents the result of substituting a set of types for a template type parameter pack.
Definition: Type.h:6469
Represents the result of substituting a type for a template type parameter.
Definition: Type.h:6388
void setNextSwitchCase(SwitchCase *SC)
Definition: Stmt.h:1803
SwitchStmt - This represents a 'switch' stmt.
Definition: Stmt.h:2415
static SwitchStmt * Create(const ASTContext &Ctx, Stmt *Init, VarDecl *Var, Expr *Cond, SourceLocation LParenLoc, SourceLocation RParenLoc)
Create a switch statement.
Definition: Stmt.cpp:1088
Represents the declaration of a struct/union/class/enum.
Definition: Decl.h:3578
bool isBeingDefined() const
Return true if this decl is currently being defined.
Definition: Decl.h:3701
bool isCompleteDefinition() const
Return true if this decl has its body fully specified.
Definition: Decl.h:3681
TypedefNameDecl * getTypedefNameForAnonDecl() const
Definition: Decl.h:3806
void startDefinition()
Starts the definition of this tag declaration.
Definition: Decl.cpp:4762
void setTypedefNameForAnonDecl(TypedefNameDecl *TDD)
Definition: Decl.cpp:4753
void setQualifierInfo(NestedNameSpecifierLoc QualifierLoc)
Definition: Decl.cpp:4808
void setBraceRange(SourceRange R)
Definition: Decl.h:3658
void setCompleteDefinition(bool V=true)
True if this decl has its body fully specified.
Definition: Decl.h:3684
A convenient class for passing around template argument information.
Definition: TemplateBase.h:632
SourceLocation getRAngleLoc() const
Definition: TemplateBase.h:648
void addArgument(const TemplateArgumentLoc &Loc)
Definition: TemplateBase.h:667
llvm::ArrayRef< TemplateArgumentLoc > arguments() const
Definition: TemplateBase.h:659
SourceLocation getLAngleLoc() const
Definition: TemplateBase.h:647
A template argument list.
Definition: DeclTemplate.h:250
static TemplateArgumentList * CreateCopy(ASTContext &Context, ArrayRef< TemplateArgument > Args)
Create a new template argument list that copies the given set of template arguments.
unsigned size() const
Retrieve the number of template arguments in this template argument list.
Definition: DeclTemplate.h:286
Location wrapper for a TemplateArgument.
Definition: TemplateBase.h:524
TemplateArgumentLocInfo getLocInfo() const
Definition: TemplateBase.h:576
const TemplateArgument & getArgument() const
Definition: TemplateBase.h:574
Represents a template argument.
Definition: TemplateBase.h:61
ArrayRef< TemplateArgument > getPackAsArray() const
Return the array of arguments in this template argument pack.
Definition: TemplateBase.h:444
QualType getStructuralValueType() const
Get the type of a StructuralValue.
Definition: TemplateBase.h:399
QualType getParamTypeForDecl() const
Definition: TemplateBase.h:331
Expr * getAsExpr() const
Retrieve the template argument as an expression.
Definition: TemplateBase.h:408
std::optional< unsigned > getNumTemplateExpansions() const
Retrieve the number of expansions that a template template argument expansion will produce,...
QualType getAsType() const
Retrieve the type for a type template argument.
Definition: TemplateBase.h:319
QualType getNullPtrType() const
Retrieve the type for null non-type template argument.
Definition: TemplateBase.h:337
TemplateName getAsTemplate() const
Retrieve the template name for a template name argument.
Definition: TemplateBase.h:343
unsigned pack_size() const
The number of template arguments in the given template argument pack.
Definition: TemplateBase.h:438
QualType getIntegralType() const
Retrieve the type of the integral value.
Definition: TemplateBase.h:377
bool getIsDefaulted() const
If returns 'true', this TemplateArgument corresponds to a default template parameter.
Definition: TemplateBase.h:393
ValueDecl * getAsDecl() const
Retrieve the declaration for a declaration non-type template argument.
Definition: TemplateBase.h:326
ArrayRef< TemplateArgument > pack_elements() const
Iterator range referencing all of the elements of a template argument pack.
Definition: TemplateBase.h:432
@ Declaration
The template argument is a declaration that was provided for a pointer, reference,...
Definition: TemplateBase.h:74
@ Template
The template argument is a template name that was provided for a template template parameter.
Definition: TemplateBase.h:93
@ StructuralValue
The template argument is a non-type template argument that can't be represented by the special-case D...
Definition: TemplateBase.h:89
@ Pack
The template argument is actually a parameter pack.
Definition: TemplateBase.h:107
@ TemplateExpansion
The template argument is a pack expansion of a template name that was provided for a template templat...
Definition: TemplateBase.h:97
@ NullPtr
The template argument is a null pointer or null pointer to member that was provided for a non-type te...
Definition: TemplateBase.h:78
@ Type
The template argument is a type.
Definition: TemplateBase.h:70
@ Null
Represents an empty template argument, e.g., one that has not been deduced.
Definition: TemplateBase.h:67
@ Integral
The template argument is an integral value stored in an llvm::APSInt that was provided for an integra...
Definition: TemplateBase.h:82
@ Expression
The template argument is an expression, and we've not resolved it to one of the other forms yet,...
Definition: TemplateBase.h:103
ArgKind getKind() const
Return the kind of stored template argument.
Definition: TemplateBase.h:295
TemplateName getAsTemplateOrTemplatePattern() const
Retrieve the template argument as a template name; if the argument is a pack expansion,...
Definition: TemplateBase.h:350
const APValue & getAsStructuralValue() const
Get the value of a StructuralValue.
Definition: TemplateBase.h:396
Represents a C++ template name within the type system.
Definition: TemplateName.h:220
TemplateDecl * getAsTemplateDecl(bool IgnoreDeduced=false) const
Retrieve the underlying template declaration that this template name refers to, if known.
DependentTemplateName * getAsDependentTemplateName() const
Retrieve the underlying dependent template name structure, if any.
QualifiedTemplateName * getAsQualifiedTemplateName() const
Retrieve the underlying qualified template name structure, if any.
OverloadedTemplateStorage * getAsOverloadedTemplate() const
Retrieve the underlying, overloaded function template declarations that this template name refers to,...
AssumedTemplateStorage * getAsAssumedTemplateName() const
Retrieve information on a name that has been assumed to be a template-name in order to permit a call ...
NameKind getKind() const
@ UsingTemplate
A template name that refers to a template declaration found through a specific using shadow declarati...
Definition: TemplateName.h:265
@ OverloadedTemplate
A set of overloaded template declarations.
Definition: TemplateName.h:240
@ Template
A single template declaration.
Definition: TemplateName.h:237
@ DependentTemplate
A dependent template name that has not been resolved to a template (or set of templates).
Definition: TemplateName.h:252
@ SubstTemplateTemplateParm
A template template parameter that has been substituted for some other template name.
Definition: TemplateName.h:256
@ SubstTemplateTemplateParmPack
A template template parameter pack that has been substituted for a template template argument pack,...
Definition: TemplateName.h:261
@ DeducedTemplate
A template name that refers to another TemplateName with deduced default arguments.
Definition: TemplateName.h:269
@ QualifiedTemplate
A qualified template name, where the qualification is kept to describe the source code as written.
Definition: TemplateName.h:248
@ AssumedTemplate
An unqualified-id that has been assumed to name a function template that will be found by ADL.
Definition: TemplateName.h:244
UsingShadowDecl * getAsUsingShadowDecl() const
Retrieve the using shadow declaration through which the underlying template declaration is introduced...
SubstTemplateTemplateParmPackStorage * getAsSubstTemplateTemplateParmPack() const
Retrieve the substituted template template parameter pack, if known.
SubstTemplateTemplateParmStorage * getAsSubstTemplateTemplateParm() const
Retrieve the substituted template template parameter, if known.
Stores a list of template parameters for a TemplateDecl and its derived classes.
Definition: DeclTemplate.h:73
NamedDecl * getParam(unsigned Idx)
Definition: DeclTemplate.h:147
static TemplateParameterList * Create(const ASTContext &C, SourceLocation TemplateLoc, SourceLocation LAngleLoc, ArrayRef< NamedDecl * > Params, SourceLocation RAngleLoc, Expr *RequiresClause)
Expr * getRequiresClause()
The constraint-expression of the associated requires-clause.
Definition: DeclTemplate.h:183
SourceLocation getRAngleLoc() const
Definition: DeclTemplate.h:207
SourceLocation getLAngleLoc() const
Definition: DeclTemplate.h:206
SourceLocation getTemplateLoc() const
Definition: DeclTemplate.h:205
Represents a type template specialization; the template must be a class template, a type alias templa...
Definition: Type.h:6666
TemplateTemplateParmDecl - Declares a template template parameter, e.g., "T" in.
Declaration of a template type parameter.
void setTypeConstraint(ConceptReference *CR, Expr *ImmediatelyDeclaredConstraint)
The top declaration context.
Definition: Decl.h:84
Represents the declaration of a typedef-name via a C++11 alias-declaration.
Definition: Decl.h:3549
TypeAliasTemplateDecl * getDescribedAliasTemplate() const
Definition: Decl.h:3567
Declaration of an alias template.
Models the abbreviated syntax to constrain a template type parameter: template <convertible_to<string...
Definition: ASTConcept.h:227
[BoundsSafety] Represents information of declarations referenced by the arguments of the counted_by a...
Definition: Type.h:3226
void setTypeForDecl(const Type *TD)
Definition: Decl.h:3410
const Type * getTypeForDecl() const
Definition: Decl.h:3409
Symbolic representation of typeid(T) for some type T.
Definition: APValue.h:44
const Type * getType() const
Definition: APValue.h:51
SourceLocation getBeginLoc() const
Get the begin source location.
Definition: TypeLoc.cpp:192
Represents a typeof (or typeof) expression (a C23 feature and GCC extension) or a typeof_unqual expre...
Definition: Type.h:5802
Represents typeof(type), a C23 feature and GCC extension, or `typeof_unqual(type),...
Definition: Type.h:5852
The type-property cache.
Definition: Type.cpp:4501
A container of type source information.
Definition: Type.h:7907
TypeLoc getTypeLoc() const
Return the TypeLoc wrapper for the type source info.
Definition: TypeLoc.h:256
QualType getType() const
Return the type wrapped by this type source info.
Definition: Type.h:7918
A type trait used in the implementation of various C++11 and Library TR1 trait templates.
Definition: ExprCXX.h:2768
static TypeTraitExpr * Create(const ASTContext &C, QualType T, SourceLocation Loc, TypeTrait Kind, ArrayRef< TypeSourceInfo * > Args, SourceLocation RParenLoc, bool Value)
Create a new type trait expression.
Definition: ExprCXX.cpp:1876
An operation on a type.
Definition: TypeVisitor.h:64
ExpectedType Visit(const Type *T)
Performs the operation associated with this visitor object.
Definition: TypeVisitor.h:68
The base class of the type hierarchy.
Definition: Type.h:1828
const Type * getPointeeOrArrayElementType() const
If this is a pointer type, return the pointee type.
Definition: Type.h:8693
bool isArrayType() const
Definition: Type.h:8263
bool isPointerType() const
Definition: Type.h:8191
QualType getPointeeType() const
If this is a pointer, ObjC object pointer, or block pointer, this returns the respective pointee.
Definition: Type.cpp:738
bool isDependentType() const
Whether this type is a dependent type, meaning that its definition somehow depends on a template para...
Definition: Type.h:2706
QualType getCanonicalTypeInternal() const
Definition: Type.h:2989
const char * getTypeClassName() const
Definition: Type.cpp:3318
const Type * getBaseElementTypeUnsafe() const
Get the base element type of this type, potentially discarding type qualifiers.
Definition: Type.h:8686
bool isIncompleteType(NamedDecl **Def=nullptr) const
Types are partitioned into 3 broad categories (C99 6.2.5p1): object types, function types,...
Definition: Type.cpp:2396
bool isCanonicalUnqualified() const
Determines if this type would be canonical if it had no further qualification.
Definition: Type.h:2367
const T * getAs() const
Member-template getAs<specific type>'.
Definition: Type.h:8736
bool isRecordType() const
Definition: Type.h:8291
RecordDecl * getAsRecordDecl() const
Retrieves the RecordDecl this type refers to.
Definition: Type.cpp:1920
Represents the declaration of a typedef-name via the 'typedef' type specifier.
Definition: Decl.h:3528
Base class for declarations which introduce a typedef-name.
Definition: Decl.h:3427
UnaryExprOrTypeTraitExpr - expression with either a type or (unevaluated) expression operand.
Definition: Expr.h:2622
UnaryOperator - This represents the unary-expression's (except sizeof and alignof),...
Definition: Expr.h:2232
static UnaryOperator * CreateEmpty(const ASTContext &C, bool hasFPFeatures)
Definition: Expr.cpp:4938
A unary type transform, which is a type constructed from another.
Definition: Type.h:5994
A reference to a name which we were able to look up during parsing but could not resolve to a specifi...
Definition: ExprCXX.h:3203
static UnresolvedLookupExpr * Create(const ASTContext &Context, CXXRecordDecl *NamingClass, NestedNameSpecifierLoc QualifierLoc, const DeclarationNameInfo &NameInfo, bool RequiresADL, UnresolvedSetIterator Begin, UnresolvedSetIterator End, bool KnownDependent, bool KnownInstantiationDependent)
Definition: ExprCXX.cpp:419
Represents a C++ member access expression for which lookup produced a set of overloaded functions.
Definition: ExprCXX.h:3943
static UnresolvedMemberExpr * Create(const ASTContext &Context, bool HasUnresolvedUsing, Expr *Base, QualType BaseType, bool IsArrow, SourceLocation OperatorLoc, NestedNameSpecifierLoc QualifierLoc, SourceLocation TemplateKWLoc, const DeclarationNameInfo &MemberNameInfo, const TemplateArgumentListInfo *TemplateArgs, UnresolvedSetIterator Begin, UnresolvedSetIterator End)
Definition: ExprCXX.cpp:1635
void addDecl(NamedDecl *D)
Definition: UnresolvedSet.h:92
A set of unresolved declarations.
Represents the dependent type named by a dependently-scoped typename using declaration,...
Definition: Type.h:5672
Represents a dependent using declaration which was marked with typename.
Definition: DeclCXX.h:3982
Represents a dependent using declaration which was not marked with typename.
Definition: DeclCXX.h:3885
Represents a C++ using-declaration.
Definition: DeclCXX.h:3535
Represents C++ using-directive.
Definition: DeclCXX.h:3038
Represents a C++ using-enum-declaration.
Definition: DeclCXX.h:3736
Represents a pack of using declarations that a single using-declarator pack-expanded into.
Definition: DeclCXX.h:3817
Represents a shadow declaration implicitly introduced into a scope by a (resolved) using-declaration ...
Definition: DeclCXX.h:3343
Represents a call to the builtin function __builtin_va_arg.
Definition: Expr.h:4750
Represent the declaration of a variable (in which case it is an lvalue) a function (in which case it ...
Definition: Decl.h:671
void setType(QualType newType)
Definition: Decl.h:683
QualType getType() const
Definition: Decl.h:682
Represents a variable declaration or definition.
Definition: Decl.h:882
void setInstantiationOfStaticDataMember(VarDecl *VD, TemplateSpecializationKind TSK)
Specify that this variable is an instantiation of the static data member VD.
Definition: Decl.cpp:2911
VarDecl * getDefinition(ASTContext &)
Get the real (not just tentative) definition for this declaration.
Definition: Decl.cpp:2355
EvaluatedStmt * getEvaluatedStmt() const
Definition: Decl.cpp:2543
EvaluatedStmt * ensureEvaluatedStmt() const
Convert the initializer for this declaration to the elaborated EvaluatedStmt form,...
Definition: Decl.cpp:2529
void setInlineSpecified()
Definition: Decl.h:1502
void setTSCSpec(ThreadStorageClassSpecifier TSC)
Definition: Decl.h:1124
const Expr * getInit() const
Definition: Decl.h:1319
void setConstexpr(bool IC)
Definition: Decl.h:1516
void setInit(Expr *I)
Definition: Decl.cpp:2449
void setDescribedVarTemplate(VarTemplateDecl *Template)
Definition: Decl.cpp:2791
void setImplicitlyInline()
Definition: Decl.h:1507
const Expr * getAnyInitializer() const
Get the initializer for this variable, no matter which declaration it is attached to.
Definition: Decl.h:1309
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this variable is an instantiation of a static data member of a class template specialization,...
Definition: Decl.cpp:2874
Declaration of a variable template.
VarDecl * getTemplatedDecl() const
Get the underlying variable declarations of the template.
void AddSpecialization(VarTemplateSpecializationDecl *D, void *InsertPos)
Insert the specified specialization knowing that it is not already in.
VarTemplateSpecializationDecl * findSpecialization(ArrayRef< TemplateArgument > Args, void *&InsertPos)
Return the specialization with the provided arguments if it exists, otherwise return the insertion po...
VarTemplateDecl * getMostRecentDecl()
void setInstantiatedFromMember(VarTemplatePartialSpecializationDecl *PartialSpec)
Represents a variable template specialization, which refers to a variable template with a given set o...
void setTemplateArgsAsWritten(const ASTTemplateArgumentListInfo *ArgsWritten)
Set the template argument list as written in the sources.
void setSpecializationKind(TemplateSpecializationKind TSK)
void setPointOfInstantiation(SourceLocation Loc)
VarTemplateSpecializationDecl * getMostRecentDecl()
Represents a C array with a specified size that is not an integer-constant-expression.
Definition: Type.h:3808
Represents a GCC generic vector type.
Definition: Type.h:4034
WhileStmt - This represents a 'while' stmt.
Definition: Stmt.h:2611
static WhileStmt * Create(const ASTContext &Ctx, VarDecl *Var, Expr *Cond, Stmt *Body, SourceLocation WL, SourceLocation LParenLoc, SourceLocation RParenLoc)
Create a while statement.
Definition: Stmt.cpp:1150
The JSON file list parser is used to communicate input to InstallAPI.
bool isa(CodeGen::Address addr)
Definition: Address.h:328
StructuralEquivalenceKind
Whether to perform a normal or minimal equivalence check.
CanThrowResult
Possible results from evaluation of a noexcept expression.
ExprObjectKind
A further classification of the kind of object referenced by an l-value or x-value.
Definition: Specifiers.h:149
@ Property
The type of a property.
@ Result
The result type of a method or function.
@ BTK__type_pack_element
This names the __type_pack_element BuiltinTemplateDecl.
Definition: Builtins.h:313
@ BTK__builtin_common_type
This names the __builtin_common_type BuiltinTemplateDecl.
Definition: Builtins.h:316
@ BTK__make_integer_seq
This names the __make_integer_seq BuiltinTemplateDecl.
Definition: Builtins.h:310
CastKind
CastKind - The kind of operation required for a conversion.
ExprValueKind
The categorization of expression values, currently following the C++11 scheme.
Definition: Specifiers.h:132
const FunctionProtoType * T
llvm::SmallVector< Decl *, 2 > getCanonicalForwardRedeclChain(Decl *D)
bool declaresSameEntity(const Decl *D1, const Decl *D2)
Determine whether two declarations declare the same entity.
Definition: DeclBase.h:1274
TemplateSpecializationKind
Describes the kind of template specialization that a particular template specialization declaration r...
Definition: Specifiers.h:188
static void updateFlags(const Decl *From, Decl *To)
#define false
Definition: stdbool.h:26
Used as return type of getFriendCountAndPosition.
unsigned int IndexOfDecl
Index of the specific FriendDecl.
unsigned int TotalCount
Number of similar looking friends.
Represents an explicit template argument list in C++, e.g., the "<int>" in "sort<int>".
Definition: TemplateBase.h:676
static const ASTTemplateArgumentListInfo * Create(const ASTContext &C, const TemplateArgumentListInfo &List)
Information about how a lambda is numbered within its context.
Definition: DeclCXX.h:1813
DeclarationNameInfo - A collector data type for bundling together a DeclarationName and the correspon...
SourceLocation getLoc() const
getLoc - Returns the main location of the declaration name.
DeclarationName getName() const
getName - Returns the embedded declaration name.
void setCXXLiteralOperatorNameLoc(SourceLocation Loc)
setCXXLiteralOperatorNameLoc - Sets the location of the literal operator name (not the operator keywo...
void setNamedTypeInfo(TypeSourceInfo *TInfo)
setNamedTypeInfo - Sets the source type info associated to the name.
void setCXXOperatorNameRange(SourceRange R)
setCXXOperatorNameRange - Sets the range of the operator name (without the operator keyword).
SourceRange getCXXOperatorNameRange() const
getCXXOperatorNameRange - Gets the range of the operator name (without the operator keyword).
TypeSourceInfo * getNamedTypeInfo() const
getNamedTypeInfo - Returns the source type info associated to the name.
SourceLocation getCXXLiteralOperatorNameLoc() const
getCXXLiteralOperatorNameLoc - Returns the location of the literal operator name (not the operator ke...
Structure used to store a statement, the constant value to which it was evaluated (if any),...
Definition: Decl.h:847
bool HasConstantDestruction
Whether this variable is known to have constant destruction.
Definition: Decl.h:865
bool HasConstantInitialization
Whether this variable is known to have constant initialization.
Definition: Decl.h:858
FunctionDecl * SourceDecl
The function whose exception specification this is, for EST_Unevaluated and EST_Uninstantiated.
Definition: Type.h:5176
FunctionDecl * SourceTemplate
The function template whose exception specification this is instantiated from, for EST_Uninstantiated...
Definition: Type.h:5180
ExceptionSpecificationType Type
The kind of exception specification this is.
Definition: Type.h:5166
ArrayRef< QualType > Exceptions
Explicitly-specified list of exception types.
Definition: Type.h:5169
Expr * NoexceptExpr
Noexcept expression, if this is a computed noexcept specification.
Definition: Type.h:5172
Extra information about a function prototype.
Definition: Type.h:5192
ExceptionSpecInfo ExceptionSpec
Definition: Type.h:5199
FunctionType::ExtInfo ExtInfo
Definition: Type.h:5193
bool IsEquivalent(Decl *D1, Decl *D2)
Determine whether the two declarations are structurally equivalent.
Location information for a TemplateArgument.
Definition: TemplateBase.h:472
SourceLocation getTemplateEllipsisLoc() const
Definition: TemplateBase.h:517
NestedNameSpecifierLoc getTemplateQualifierLoc() const
Definition: TemplateBase.h:507
TypeSourceInfo * getAsTypeSourceInfo() const
Definition: TemplateBase.h:501
SourceLocation getTemplateNameLoc() const
Definition: TemplateBase.h:513