57#include "llvm/ADT/ArrayRef.h"
58#include "llvm/ADT/DenseMap.h"
59#include "llvm/ADT/STLExtras.h"
60#include "llvm/ADT/ScopeExit.h"
61#include "llvm/ADT/SmallVector.h"
62#include "llvm/Support/ErrorHandling.h"
63#include "llvm/Support/MemoryBuffer.h"
74 using llvm::make_error;
89 return "NameConflict";
91 return "UnsupportedConstruct";
93 return "Unknown error";
95 llvm_unreachable(
"Invalid error code.");
96 return "Invalid error code.";
102 llvm_unreachable(
"Function not implemented.");
113 Redecls.push_back(R);
116 std::reverse(Redecls.begin(), Redecls.end());
121 if (
auto *FD = dyn_cast<FunctionDecl>(D))
123 if (
auto *VD = dyn_cast<VarDecl>(D))
125 if (
auto *TD = dyn_cast<TagDecl>(D))
127 llvm_unreachable(
"Bad declaration kind");
148 bool const IgnoreChildErrors;
152 : FromDC(FromDC), IgnoreChildErrors(!
isa<
TagDecl>(FromDC)) {}
162 if (ChildErr && !IgnoreChildErrors)
163 ResultErr = joinErrors(std::move(ResultErr), std::move(ChildErr));
165 consumeError(std::move(ChildErr));
171 if (!IgnoreChildErrors || !FromDC)
173 return FromDC->containsDecl(FromChildD);
179 public StmtVisitor<ASTNodeImporter, ExpectedStmt> {
183 template <
typename ImportT>
184 [[nodiscard]]
Error importInto(ImportT &To,
const ImportT &From) {
185 return Importer.importInto(To, From);
189 template <
typename ImportT>
190 [[nodiscard]]
Error importInto(ImportT *&To, ImportT *From) {
191 auto ToOrErr = Importer.Import(From);
193 To = cast_or_null<ImportT>(*ToOrErr);
194 return ToOrErr.takeError();
199 template <
typename T>
203 auto ToOrErr = Importer.Import(From);
205 return ToOrErr.takeError();
206 return cast_or_null<T>(*ToOrErr);
209 template <
typename T>
210 auto import(
const T *From) {
211 return import(
const_cast<T *
>(From));
215 template <
typename T>
217 return Importer.Import(From);
221 template <
typename T>
225 return import(*From);
232 template <
typename ToDeclT>
struct CallOverloadedCreateFun {
233 template <
typename... Args>
decltype(
auto)
operator()(Args &&... args) {
234 return ToDeclT::Create(std::forward<Args>(args)...);
244 template <
typename ToDeclT,
typename FromDeclT,
typename... Args>
245 [[nodiscard]]
bool GetImportedOrCreateDecl(ToDeclT *&ToD, FromDeclT *FromD,
250 CallOverloadedCreateFun<ToDeclT> OC;
251 return GetImportedOrCreateSpecialDecl(ToD, OC, FromD,
252 std::forward<Args>(args)...);
259 template <
typename NewDeclT,
typename ToDeclT,
typename FromDeclT,
261 [[nodiscard]]
bool GetImportedOrCreateDecl(ToDeclT *&ToD, FromDeclT *FromD,
263 CallOverloadedCreateFun<NewDeclT> OC;
264 return GetImportedOrCreateSpecialDecl(ToD, OC, FromD,
265 std::forward<Args>(args)...);
269 template <
typename ToDeclT,
typename CreateFunT,
typename FromDeclT,
272 GetImportedOrCreateSpecialDecl(ToDeclT *&ToD, CreateFunT CreateFun,
273 FromDeclT *FromD, Args &&...args) {
274 if (Importer.getImportDeclErrorIfAny(FromD)) {
278 ToD = cast_or_null<ToDeclT>(Importer.GetAlreadyImportedOrNull(FromD));
281 ToD = CreateFun(std::forward<Args>(args)...);
283 Importer.RegisterImportedDecl(FromD, ToD);
284 Importer.SharedState->markAsNewDecl(ToD);
285 InitializeImportedDecl(FromD, ToD);
289 void InitializeImportedDecl(
Decl *FromD,
Decl *ToD) {
293 if (FromD->isImplicit())
307 void addDeclToContexts(
Decl *FromD,
Decl *ToD) {
308 if (Importer.isMinimalImport()) {
312 if (!FromD->getDescribedTemplate() &&
319 DeclContext *FromLexicalDC = FromD->getLexicalDeclContext();
323 bool Visible =
false;
336 if (
auto *FromNamed = dyn_cast<NamedDecl>(FromD)) {
339 FromDC->
lookup(FromNamed->getDeclName());
340 if (llvm::is_contained(FromLookup, FromNamed))
353 LT->update(TP, OldDC);
357 updateLookupTableForTemplateParameters(
358 Params, Importer.getToContext().getTranslationUnitDecl());
361 template <
typename TemplateParmDeclT>
362 Error importTemplateParameterDefaultArgument(
const TemplateParmDeclT *D,
363 TemplateParmDeclT *ToD) {
364 if (D->hasDefaultArgument()) {
365 if (D->defaultArgumentWasInherited()) {
367 import(D->getDefaultArgStorage().getInheritedFrom());
368 if (!ToInheritedFromOrErr)
369 return ToInheritedFromOrErr.takeError();
370 TemplateParmDeclT *ToInheritedFrom = *ToInheritedFromOrErr;
371 if (!ToInheritedFrom->hasDefaultArgument()) {
375 import(D->getDefaultArgStorage()
377 ->getDefaultArgument());
378 if (!ToInheritedDefaultArgOrErr)
379 return ToInheritedDefaultArgOrErr.takeError();
380 ToInheritedFrom->setDefaultArgument(Importer.getToContext(),
381 *ToInheritedDefaultArgOrErr);
383 ToD->setInheritedDefaultArgument(ToD->getASTContext(),
387 import(D->getDefaultArgument());
388 if (!ToDefaultArgOrErr)
389 return ToDefaultArgOrErr.takeError();
392 if (!ToD->hasDefaultArgument())
393 ToD->setDefaultArgument(Importer.getToContext(),
397 return Error::success();
409#define TYPE(Class, Base) \
410 ExpectedType Visit##Class##Type(const Class##Type *T);
411#include "clang/AST/TypeNodes.inc"
448 (IDK ==
IDK_Default && !Importer.isMinimalImport());
469 template <
typename InContainerTy>
473 template<
typename InContainerTy>
480 std::tuple<FunctionTemplateDecl *, TemplateArgsTy>;
485 template <
typename DeclTy>
509 template <
typename T>
513 bool IgnoreTemplateParmDepth =
false);
710 Err = MaybeVal.takeError();
716 template<
typename IIter,
typename OIter>
718 using ItemT = std::remove_reference_t<
decltype(*Obegin)>;
719 for (; Ibegin != Iend; ++Ibegin, ++Obegin) {
722 return ToOrErr.takeError();
725 return Error::success();
732 template<
typename InContainerTy,
typename OutContainerTy>
734 const InContainerTy &InContainer, OutContainerTy &OutContainer) {
736 InContainer.begin(), InContainer.end(), OutContainer.begin());
739 template<
typename InContainerTy,
typename OIter>
756template <
typename InContainerTy>
760 auto ToLAngleLocOrErr =
import(FromLAngleLoc);
761 if (!ToLAngleLocOrErr)
762 return ToLAngleLocOrErr.takeError();
763 auto ToRAngleLocOrErr =
import(FromRAngleLoc);
764 if (!ToRAngleLocOrErr)
765 return ToRAngleLocOrErr.takeError();
771 return Error::success();
787 From.LAngleLoc, From.RAngleLoc, From.arguments(),
Result);
799 if (
Error Err = importInto(std::get<0>(
Result), FTSInfo->getTemplate()))
800 return std::move(Err);
805 return std::move(Err);
815 return std::move(Err);
818 if (!ToRequiresClause)
819 return ToRequiresClause.takeError();
822 if (!ToTemplateLocOrErr)
823 return ToTemplateLocOrErr.takeError();
825 if (!ToLAngleLocOrErr)
826 return ToLAngleLocOrErr.takeError();
828 if (!ToRAngleLocOrErr)
829 return ToRAngleLocOrErr.takeError();
832 Importer.getToContext(),
850 return ToTypeOrErr.takeError();
858 return ToTypeOrErr.takeError();
865 return ToOrErr.takeError();
868 return ToTypeOrErr.takeError();
869 return TemplateArgument(dyn_cast<ValueDecl>((*ToOrErr)->getCanonicalDecl()),
876 return ToTypeOrErr.takeError();
884 return ToTypeOrErr.takeError();
887 return ToValueOrErr.takeError();
894 if (!ToTemplateOrErr)
895 return ToTemplateOrErr.takeError();
903 if (!ToTemplateOrErr)
904 return ToTemplateOrErr.takeError();
915 return ToExpr.takeError();
921 return std::move(Err);
927 llvm_unreachable(
"Invalid template argument kind");
935 return ArgOrErr.takeError();
944 return E.takeError();
950 return TSIOrErr.takeError();
953 if (!ToTemplateKWLocOrErr)
954 return ToTemplateKWLocOrErr.takeError();
956 if (!ToTemplateQualifierLocOrErr)
957 return ToTemplateQualifierLocOrErr.takeError();
959 if (!ToTemplateNameLocOrErr)
960 return ToTemplateNameLocOrErr.takeError();
961 auto ToTemplateEllipsisLocOrErr =
963 if (!ToTemplateEllipsisLocOrErr)
964 return ToTemplateEllipsisLocOrErr.takeError();
966 Importer.getToContext(), *ToTemplateKWLocOrErr,
967 *ToTemplateQualifierLocOrErr, *ToTemplateNameLocOrErr,
968 *ToTemplateEllipsisLocOrErr);
978 size_t NumDecls = DG.
end() - DG.
begin();
980 ToDecls.reserve(NumDecls);
981 for (
Decl *FromD : DG) {
982 if (
auto ToDOrErr =
import(FromD))
983 ToDecls.push_back(*ToDOrErr);
985 return ToDOrErr.takeError();
1000 return ToDotLocOrErr.takeError();
1003 if (!ToFieldLocOrErr)
1004 return ToFieldLocOrErr.takeError();
1007 ToFieldName, *ToDotLocOrErr, *ToFieldLocOrErr);
1011 if (!ToLBracketLocOrErr)
1012 return ToLBracketLocOrErr.takeError();
1015 if (!ToRBracketLocOrErr)
1016 return ToRBracketLocOrErr.takeError();
1020 *ToLBracketLocOrErr,
1021 *ToRBracketLocOrErr);
1024 if (!ToEllipsisLocOrErr)
1025 return ToEllipsisLocOrErr.takeError();
1029 D.
getArrayIndex(), *ToLBracketLocOrErr, *ToEllipsisLocOrErr,
1030 *ToRBracketLocOrErr);
1035 Error Err = Error::success();
1038 auto ToConceptNameLoc =
1044 return std::move(Err);
1047 if (ASTTemplateArgs)
1049 return std::move(Err);
1051 Importer.getToContext(), ToNNS, ToTemplateKWLoc,
1055 Importer.getToContext(), ToTAInfo)
1061 char *ToStore =
new (Importer.getToContext())
char[FromStr.size()];
1062 std::copy(FromStr.begin(), FromStr.end(), ToStore);
1063 return StringRef(ToStore, FromStr.size());
1075 return ToSecondExpr.takeError();
1076 ToSat.
Details.emplace_back(ToSecondExpr.get());
1078 auto Pair =
Record->dyn_cast<std::pair<SourceLocation, StringRef> *>();
1082 return ToPairFirst.takeError();
1085 new (Importer.getToContext())
1087 ToPairFirst.get(), ToPairSecond});
1091 return Error::success();
1096ASTNodeImporter::import(
1101 return ToLoc.takeError();
1103 return new (Importer.getToContext())
1115 return DiagOrErr.takeError();
1116 return new (Importer.getToContext()) TypeRequirement(*DiagOrErr);
1120 return ToType.takeError();
1121 return new (Importer.getToContext()) TypeRequirement(*ToType);
1129 bool IsRKSimple = From->
getKind() == Requirement::RK_Simple;
1132 std::optional<ExprRequirement::ReturnTypeRequirement> Req;
1138 const ExprRequirement::ReturnTypeRequirement &FromTypeRequirement =
1141 if (FromTypeRequirement.isTypeConstraint()) {
1142 const bool IsDependent = FromTypeRequirement.isDependent();
1144 import(FromTypeRequirement.getTypeConstraintTemplateParameterList());
1146 return ParamsOrErr.takeError();
1147 if (Status >= ExprRequirement::SS_ConstraintsNotSatisfied) {
1148 auto SubstConstraintExprOrErr =
1150 if (!SubstConstraintExprOrErr)
1151 return SubstConstraintExprOrErr.takeError();
1152 SubstitutedConstraintExpr = SubstConstraintExprOrErr.get();
1154 Req.emplace(ParamsOrErr.get(), IsDependent);
1155 }
else if (FromTypeRequirement.isSubstitutionFailure()) {
1156 auto DiagOrErr =
import(FromTypeRequirement.getSubstitutionDiagnostic());
1158 return DiagOrErr.takeError();
1159 Req.emplace(DiagOrErr.get());
1166 if (!NoexceptLocOrErr)
1167 return NoexceptLocOrErr.takeError();
1169 if (Status == ExprRequirement::SS_ExprSubstitutionFailure) {
1172 return DiagOrErr.takeError();
1173 return new (Importer.getToContext()) ExprRequirement(
1174 *DiagOrErr, IsRKSimple, *NoexceptLocOrErr, std::move(*Req));
1178 return ExprOrErr.takeError();
1180 *ExprOrErr, IsRKSimple, *NoexceptLocOrErr, std::move(*Req), Status,
1181 SubstitutedConstraintExpr);
1196 return new (Importer.getToContext())
1197 NestedRequirement(ToEntity, ToSatisfaction);
1201 return ToExpr.takeError();
1202 if (ToExpr.get()->isInstantiationDependent()) {
1203 return new (Importer.getToContext()) NestedRequirement(ToExpr.get());
1208 return std::move(Err);
1209 return new (Importer.getToContext()) NestedRequirement(
1210 Importer.getToContext(), ToExpr.get(), Satisfaction);
1218 switch (FromRequire->
getKind()) {
1228 llvm_unreachable(
"Unhandled requirement kind");
1238 return VarOrErr.takeError();
1243 return LocationOrErr.takeError();
1248 return std::move(Err);
1255template <
typename T>
1257 if (
Found->getLinkageInternal() != From->getLinkageInternal())
1260 if (From->hasExternalFormalLinkage())
1261 return Found->hasExternalFormalLinkage();
1262 if (Importer.GetFromTU(
Found) != From->getTranslationUnitDecl())
1264 if (From->isInAnonymousNamespace())
1265 return Found->isInAnonymousNamespace();
1267 return !
Found->isInAnonymousNamespace() &&
1268 !
Found->hasExternalFormalLinkage();
1288using namespace clang;
1291 Importer.FromDiag(
SourceLocation(), diag::err_unsupported_ast_node)
1292 <<
T->getTypeClassName();
1297 ExpectedType UnderlyingTypeOrErr =
import(
T->getValueType());
1298 if (!UnderlyingTypeOrErr)
1299 return UnderlyingTypeOrErr.takeError();
1305 switch (
T->getKind()) {
1306#define IMAGE_TYPE(ImgType, Id, SingletonId, Access, Suffix) \
1307 case BuiltinType::Id: \
1308 return Importer.getToContext().SingletonId;
1309#include "clang/Basic/OpenCLImageTypes.def"
1310#define EXT_OPAQUE_TYPE(ExtType, Id, Ext) \
1311 case BuiltinType::Id: \
1312 return Importer.getToContext().Id##Ty;
1313#include "clang/Basic/OpenCLExtensionTypes.def"
1314#define SVE_TYPE(Name, Id, SingletonId) \
1315 case BuiltinType::Id: \
1316 return Importer.getToContext().SingletonId;
1317#include "clang/Basic/AArch64ACLETypes.def"
1318#define PPC_VECTOR_TYPE(Name, Id, Size) \
1319 case BuiltinType::Id: \
1320 return Importer.getToContext().Id##Ty;
1321#include "clang/Basic/PPCTypes.def"
1322#define RVV_TYPE(Name, Id, SingletonId) \
1323 case BuiltinType::Id: \
1324 return Importer.getToContext().SingletonId;
1325#include "clang/Basic/RISCVVTypes.def"
1326#define WASM_TYPE(Name, Id, SingletonId) \
1327 case BuiltinType::Id: \
1328 return Importer.getToContext().SingletonId;
1329#include "clang/Basic/WebAssemblyReferenceTypes.def"
1330#define AMDGPU_TYPE(Name, Id, SingletonId, Width, Align) \
1331 case BuiltinType::Id: \
1332 return Importer.getToContext().SingletonId;
1333#include "clang/Basic/AMDGPUTypes.def"
1334#define HLSL_INTANGIBLE_TYPE(Name, Id, SingletonId) \
1335 case BuiltinType::Id: \
1336 return Importer.getToContext().SingletonId;
1337#include "clang/Basic/HLSLIntangibleTypes.def"
1338#define SHARED_SINGLETON_TYPE(Expansion)
1339#define BUILTIN_TYPE(Id, SingletonId) \
1340 case BuiltinType::Id: return Importer.getToContext().SingletonId;
1341#include "clang/AST/BuiltinTypes.def"
1349 case BuiltinType::Char_U:
1358 case BuiltinType::Char_S:
1367 case BuiltinType::WChar_S:
1368 case BuiltinType::WChar_U:
1374 llvm_unreachable(
"Invalid BuiltinType Kind!");
1378 ExpectedType ToOriginalTypeOrErr =
import(
T->getOriginalType());
1379 if (!ToOriginalTypeOrErr)
1380 return ToOriginalTypeOrErr.takeError();
1382 return Importer.getToContext().getDecayedType(*ToOriginalTypeOrErr);
1386 ExpectedType ToElementTypeOrErr =
import(
T->getElementType());
1387 if (!ToElementTypeOrErr)
1388 return ToElementTypeOrErr.takeError();
1390 return Importer.getToContext().getComplexType(*ToElementTypeOrErr);
1395 if (!ToPointeeTypeOrErr)
1396 return ToPointeeTypeOrErr.takeError();
1398 return Importer.getToContext().getPointerType(*ToPointeeTypeOrErr);
1404 if (!ToPointeeTypeOrErr)
1405 return ToPointeeTypeOrErr.takeError();
1407 return Importer.getToContext().getBlockPointerType(*ToPointeeTypeOrErr);
1413 ExpectedType ToPointeeTypeOrErr =
import(
T->getPointeeTypeAsWritten());
1414 if (!ToPointeeTypeOrErr)
1415 return ToPointeeTypeOrErr.takeError();
1417 return Importer.getToContext().getLValueReferenceType(*ToPointeeTypeOrErr);
1423 ExpectedType ToPointeeTypeOrErr =
import(
T->getPointeeTypeAsWritten());
1424 if (!ToPointeeTypeOrErr)
1425 return ToPointeeTypeOrErr.takeError();
1427 return Importer.getToContext().getRValueReferenceType(*ToPointeeTypeOrErr);
1434 if (!ToPointeeTypeOrErr)
1435 return ToPointeeTypeOrErr.takeError();
1437 auto QualifierOrErr =
import(
T->getQualifier());
1438 if (!QualifierOrErr)
1439 return QualifierOrErr.takeError();
1441 auto ClsOrErr =
import(
T->getMostRecentCXXRecordDecl());
1443 return ClsOrErr.takeError();
1445 return Importer.getToContext().getMemberPointerType(
1446 *ToPointeeTypeOrErr, *QualifierOrErr, *ClsOrErr);
1451 Error Err = Error::success();
1455 return std::move(Err);
1457 return Importer.getToContext().getConstantArrayType(
1458 ToElementType,
T->getSize(), ToSizeExpr,
T->getSizeModifier(),
1459 T->getIndexTypeCVRQualifiers());
1465 if (!ToArrayTypeOrErr)
1466 return ToArrayTypeOrErr.takeError();
1468 return Importer.getToContext().getArrayParameterType(*ToArrayTypeOrErr);
1473 ExpectedType ToElementTypeOrErr =
import(
T->getElementType());
1474 if (!ToElementTypeOrErr)
1475 return ToElementTypeOrErr.takeError();
1477 return Importer.getToContext().getIncompleteArrayType(*ToElementTypeOrErr,
1478 T->getSizeModifier(),
1479 T->getIndexTypeCVRQualifiers());
1484 Error Err = Error::success();
1485 QualType ToElementType =
importChecked(Err,
T->getElementType());
1488 return std::move(Err);
1489 return Importer.getToContext().getVariableArrayType(
1490 ToElementType, ToSizeExpr,
T->getSizeModifier(),
1491 T->getIndexTypeCVRQualifiers());
1494ExpectedType ASTNodeImporter::VisitDependentSizedArrayType(
1496 Error Err = Error::success();
1497 QualType ToElementType =
importChecked(Err,
T->getElementType());
1500 return std::move(Err);
1504 return Importer.getToContext().getDependentSizedArrayType(
1505 ToElementType, ToSizeExpr,
T->getSizeModifier(),
1506 T->getIndexTypeCVRQualifiers());
1509ExpectedType ASTNodeImporter::VisitDependentSizedExtVectorType(
1511 Error Err = Error::success();
1512 QualType ToElementType =
importChecked(Err,
T->getElementType());
1514 SourceLocation ToAttrLoc =
importChecked(Err,
T->getAttributeLoc());
1516 return std::move(Err);
1517 return Importer.getToContext().getDependentSizedExtVectorType(
1518 ToElementType, ToSizeExpr, ToAttrLoc);
1522 ExpectedType ToElementTypeOrErr =
import(
T->getElementType());
1523 if (!ToElementTypeOrErr)
1524 return ToElementTypeOrErr.takeError();
1526 return Importer.getToContext().getVectorType(*ToElementTypeOrErr,
1527 T->getNumElements(),
1528 T->getVectorKind());
1532 ExpectedType ToElementTypeOrErr =
import(
T->getElementType());
1533 if (!ToElementTypeOrErr)
1534 return ToElementTypeOrErr.takeError();
1536 return Importer.getToContext().getExtVectorType(*ToElementTypeOrErr,
1537 T->getNumElements());
1545 if (!ToReturnTypeOrErr)
1546 return ToReturnTypeOrErr.takeError();
1548 return Importer.getToContext().getFunctionNoProtoType(*ToReturnTypeOrErr,
1555 if (!ToReturnTypeOrErr)
1556 return ToReturnTypeOrErr.takeError();
1559 SmallVector<QualType, 4> ArgTypes;
1563 return TyOrErr.takeError();
1564 ArgTypes.push_back(*TyOrErr);
1568 SmallVector<QualType, 4> ExceptionTypes;
1572 return TyOrErr.takeError();
1573 ExceptionTypes.push_back(*TyOrErr);
1577 Error Err = Error::success();
1578 FunctionProtoType::ExtProtoInfo ToEPI;
1594 return std::move(Err);
1596 return Importer.getToContext().getFunctionType(
1597 *ToReturnTypeOrErr, ArgTypes, ToEPI);
1602 Error Err = Error::success();
1606 return std::move(Err);
1609 return Importer.getToContext().getCanonicalUnresolvedUsingType(ToD);
1610 return Importer.getToContext().getUnresolvedUsingType(
T->getKeyword(),
1616 if (!ToInnerTypeOrErr)
1617 return ToInnerTypeOrErr.takeError();
1619 return Importer.getToContext().getParenType(*ToInnerTypeOrErr);
1623ASTNodeImporter::VisitPackIndexingType(clang::PackIndexingType
const *
T) {
1627 return Pattern.takeError();
1630 return Index.takeError();
1631 return Importer.getToContext().getPackIndexingType(*Pattern, *Index);
1635 Expected<TypedefNameDecl *> ToDeclOrErr =
import(
T->getDecl());
1637 return ToDeclOrErr.takeError();
1639 auto ToQualifierOrErr =
import(
T->getQualifier());
1640 if (!ToQualifierOrErr)
1641 return ToQualifierOrErr.takeError();
1644 T->typeMatchesDecl() ? QualType() : import(
T->desugar());
1645 if (!ToUnderlyingTypeOrErr)
1646 return ToUnderlyingTypeOrErr.takeError();
1648 return Importer.getToContext().getTypedefType(
1649 T->getKeyword(), *ToQualifierOrErr, *ToDeclOrErr, *ToUnderlyingTypeOrErr);
1655 return ToExprOrErr.takeError();
1656 return Importer.getToContext().getTypeOfExprType(*ToExprOrErr,
T->getKind());
1659ExpectedType ASTNodeImporter::VisitTypeOfType(
const TypeOfType *
T) {
1660 ExpectedType ToUnderlyingTypeOrErr =
import(
T->getUnmodifiedType());
1661 if (!ToUnderlyingTypeOrErr)
1662 return ToUnderlyingTypeOrErr.takeError();
1663 return Importer.getToContext().getTypeOfType(*ToUnderlyingTypeOrErr,
1668 Error Err = Error::success();
1673 return std::move(Err);
1674 return Importer.getToContext().getUsingType(
T->getKeyword(), ToQualifier, ToD,
1678ExpectedType ASTNodeImporter::VisitDecltypeType(
const DecltypeType *
T) {
1682 return ToExprOrErr.takeError();
1684 ExpectedType ToUnderlyingTypeOrErr =
import(
T->getUnderlyingType());
1685 if (!ToUnderlyingTypeOrErr)
1686 return ToUnderlyingTypeOrErr.takeError();
1688 return Importer.getToContext().getDecltypeType(
1689 *ToExprOrErr, *ToUnderlyingTypeOrErr);
1693ASTNodeImporter::VisitUnaryTransformType(
const UnaryTransformType *
T) {
1695 if (!ToBaseTypeOrErr)
1696 return ToBaseTypeOrErr.takeError();
1698 ExpectedType ToUnderlyingTypeOrErr =
import(
T->getUnderlyingType());
1699 if (!ToUnderlyingTypeOrErr)
1700 return ToUnderlyingTypeOrErr.takeError();
1702 return Importer.getToContext().getUnaryTransformType(
1703 *ToBaseTypeOrErr, *ToUnderlyingTypeOrErr,
T->getUTTKind());
1706ExpectedType ASTNodeImporter::VisitAutoType(
const AutoType *
T) {
1708 ExpectedType ToDeducedTypeOrErr =
import(
T->getDeducedType());
1709 if (!ToDeducedTypeOrErr)
1710 return ToDeducedTypeOrErr.takeError();
1712 ExpectedDecl ToTypeConstraintConcept =
import(
T->getTypeConstraintConcept());
1713 if (!ToTypeConstraintConcept)
1714 return ToTypeConstraintConcept.takeError();
1716 SmallVector<TemplateArgument, 2> ToTemplateArgs;
1719 return std::move(Err);
1721 return Importer.getToContext().getAutoType(
1722 *ToDeducedTypeOrErr,
T->getKeyword(),
false,
1723 false, cast_or_null<ConceptDecl>(*ToTypeConstraintConcept),
1727ExpectedType ASTNodeImporter::VisitDeducedTemplateSpecializationType(
1728 const DeducedTemplateSpecializationType *
T) {
1730 Expected<TemplateName> ToTemplateNameOrErr =
import(
T->getTemplateName());
1731 if (!ToTemplateNameOrErr)
1732 return ToTemplateNameOrErr.takeError();
1733 ExpectedType ToDeducedTypeOrErr =
import(
T->getDeducedType());
1734 if (!ToDeducedTypeOrErr)
1735 return ToDeducedTypeOrErr.takeError();
1737 return Importer.getToContext().getDeducedTemplateSpecializationType(
1738 T->getKeyword(), *ToTemplateNameOrErr, *ToDeducedTypeOrErr,
1742ExpectedType ASTNodeImporter::VisitTagType(
const TagType *
T) {
1743 TagDecl *DeclForType =
T->getOriginalDecl();
1744 Expected<TagDecl *> ToDeclOrErr =
import(DeclForType);
1746 return ToDeclOrErr.takeError();
1752 Expected<TagDecl *> ToDefDeclOrErr =
import(DeclForType->
getDefinition());
1753 if (!ToDefDeclOrErr)
1754 return ToDefDeclOrErr.takeError();
1757 return Importer.getToContext().getCanonicalTagType(*ToDeclOrErr);
1759 auto ToQualifierOrErr =
import(
T->getQualifier());
1760 if (!ToQualifierOrErr)
1761 return ToQualifierOrErr.takeError();
1763 return Importer.getToContext().getTagType(
T->getKeyword(), *ToQualifierOrErr,
1764 *ToDeclOrErr,
T->isTagOwned());
1767ExpectedType ASTNodeImporter::VisitEnumType(
const EnumType *
T) {
1768 return VisitTagType(
T);
1771ExpectedType ASTNodeImporter::VisitRecordType(
const RecordType *
T) {
1772 return VisitTagType(
T);
1776ASTNodeImporter::VisitInjectedClassNameType(
const InjectedClassNameType *
T) {
1777 return VisitTagType(
T);
1780ExpectedType ASTNodeImporter::VisitAttributedType(
const AttributedType *
T) {
1781 ExpectedType ToModifiedTypeOrErr =
import(
T->getModifiedType());
1782 if (!ToModifiedTypeOrErr)
1783 return ToModifiedTypeOrErr.takeError();
1784 ExpectedType ToEquivalentTypeOrErr =
import(
T->getEquivalentType());
1785 if (!ToEquivalentTypeOrErr)
1786 return ToEquivalentTypeOrErr.takeError();
1788 return Importer.getToContext().getAttributedType(
1789 T->getAttrKind(), *ToModifiedTypeOrErr, *ToEquivalentTypeOrErr,
1796 if (!ToWrappedTypeOrErr)
1797 return ToWrappedTypeOrErr.takeError();
1799 Error Err = Error::success();
1802 SmallVector<TypeCoupledDeclRefInfo, 1> CoupledDecls;
1803 for (
const TypeCoupledDeclRefInfo &TI :
T->dependent_decls()) {
1804 Expected<ValueDecl *> ToDeclOrErr =
import(TI.getDecl());
1806 return ToDeclOrErr.takeError();
1807 CoupledDecls.emplace_back(*ToDeclOrErr, TI.isDeref());
1810 return Importer.getToContext().getCountAttributedType(
1811 *ToWrappedTypeOrErr, CountExpr,
T->isCountInBytes(),
T->isOrNull(),
1812 ArrayRef(CoupledDecls));
1815ExpectedType ASTNodeImporter::VisitTemplateTypeParmType(
1816 const TemplateTypeParmType *
T) {
1817 Expected<TemplateTypeParmDecl *> ToDeclOrErr =
import(
T->getDecl());
1819 return ToDeclOrErr.takeError();
1821 return Importer.getToContext().getTemplateTypeParmType(
1822 T->getDepth(),
T->getIndex(),
T->isParameterPack(), *ToDeclOrErr);
1825ExpectedType ASTNodeImporter::VisitSubstTemplateTypeParmType(
1826 const SubstTemplateTypeParmType *
T) {
1827 Expected<Decl *> ReplacedOrErr =
import(
T->getAssociatedDecl());
1829 return ReplacedOrErr.takeError();
1831 ExpectedType ToReplacementTypeOrErr =
import(
T->getReplacementType());
1832 if (!ToReplacementTypeOrErr)
1833 return ToReplacementTypeOrErr.takeError();
1835 return Importer.getToContext().getSubstTemplateTypeParmType(
1836 *ToReplacementTypeOrErr, *ReplacedOrErr,
T->getIndex(),
T->getPackIndex(),
1840ExpectedType ASTNodeImporter::VisitSubstTemplateTypeParmPackType(
1841 const SubstTemplateTypeParmPackType *
T) {
1842 Expected<Decl *> ReplacedOrErr =
import(
T->getAssociatedDecl());
1844 return ReplacedOrErr.takeError();
1846 Expected<TemplateArgument> ToArgumentPack =
import(
T->getArgumentPack());
1847 if (!ToArgumentPack)
1848 return ToArgumentPack.takeError();
1850 return Importer.getToContext().getSubstTemplateTypeParmPackType(
1851 *ReplacedOrErr,
T->getIndex(),
T->getFinal(), *ToArgumentPack);
1854ExpectedType ASTNodeImporter::VisitSubstBuiltinTemplatePackType(
1855 const SubstBuiltinTemplatePackType *
T) {
1856 Expected<TemplateArgument> ToArgumentPack =
import(
T->getArgumentPack());
1857 if (!ToArgumentPack)
1858 return ToArgumentPack.takeError();
1859 return Importer.getToContext().getSubstBuiltinTemplatePack(*ToArgumentPack);
1862ExpectedType ASTNodeImporter::VisitTemplateSpecializationType(
1863 const TemplateSpecializationType *
T) {
1864 auto ToTemplateOrErr =
import(
T->getTemplateName());
1865 if (!ToTemplateOrErr)
1866 return ToTemplateOrErr.takeError();
1868 SmallVector<TemplateArgument, 2> ToTemplateArgs;
1871 return std::move(Err);
1875 if (!ToUnderlyingOrErr)
1876 return ToUnderlyingOrErr.takeError();
1877 return Importer.getToContext().getTemplateSpecializationType(
1878 T->getKeyword(), *ToTemplateOrErr, ToTemplateArgs, {},
1879 *ToUnderlyingOrErr);
1883ASTNodeImporter::VisitPackExpansionType(
const PackExpansionType *
T) {
1885 if (!ToPatternOrErr)
1886 return ToPatternOrErr.takeError();
1888 return Importer.getToContext().getPackExpansionType(*ToPatternOrErr,
1889 T->getNumExpansions(),
1894ASTNodeImporter::VisitDependentNameType(
const DependentNameType *
T) {
1895 auto ToQualifierOrErr =
import(
T->getQualifier());
1896 if (!ToQualifierOrErr)
1897 return ToQualifierOrErr.takeError();
1899 IdentifierInfo *Name = Importer.Import(
T->getIdentifier());
1900 return Importer.getToContext().getDependentNameType(
T->getKeyword(),
1901 *ToQualifierOrErr, Name);
1906 Expected<ObjCInterfaceDecl *> ToDeclOrErr =
import(
T->getDecl());
1908 return ToDeclOrErr.takeError();
1910 return Importer.getToContext().getObjCInterfaceType(*ToDeclOrErr);
1913ExpectedType ASTNodeImporter::VisitObjCObjectType(
const ObjCObjectType *
T) {
1915 if (!ToBaseTypeOrErr)
1916 return ToBaseTypeOrErr.takeError();
1918 SmallVector<QualType, 4> TypeArgs;
1919 for (
auto TypeArg :
T->getTypeArgsAsWritten()) {
1921 TypeArgs.push_back(*TyOrErr);
1923 return TyOrErr.takeError();
1926 SmallVector<ObjCProtocolDecl *, 4> Protocols;
1927 for (
auto *
P :
T->quals()) {
1928 if (Expected<ObjCProtocolDecl *> ProtocolOrErr =
import(
P))
1929 Protocols.push_back(*ProtocolOrErr);
1931 return ProtocolOrErr.takeError();
1935 return Importer.getToContext().getObjCObjectType(*ToBaseTypeOrErr, TypeArgs,
1937 T->isKindOfTypeAsWritten());
1943 if (!ToPointeeTypeOrErr)
1944 return ToPointeeTypeOrErr.takeError();
1946 return Importer.getToContext().getObjCObjectPointerType(*ToPointeeTypeOrErr);
1951 ExpectedType ToUnderlyingTypeOrErr =
import(
T->getUnderlyingType());
1952 if (!ToUnderlyingTypeOrErr)
1953 return ToUnderlyingTypeOrErr.takeError();
1955 IdentifierInfo *ToIdentifier = Importer.Import(
T->getMacroIdentifier());
1956 return Importer.getToContext().getMacroQualifiedType(*ToUnderlyingTypeOrErr,
1961 Error Err = Error::success();
1962 QualType ToOriginalType = importChecked(Err,
T->getOriginalType());
1963 QualType ToAdjustedType = importChecked(Err,
T->getAdjustedType());
1965 return std::move(Err);
1967 return Importer.getToContext().getAdjustedType(ToOriginalType,
1972 return Importer.getToContext().getBitIntType(
T->isUnsigned(),
1976ExpectedType clang::ASTNodeImporter::VisitBTFTagAttributedType(
1977 const clang::BTFTagAttributedType *
T) {
1978 Error Err = Error::success();
1979 const BTFTypeTagAttr *ToBTFAttr = importChecked(Err,
T->getAttr());
1980 QualType ToWrappedType = importChecked(Err,
T->getWrappedType());
1982 return std::move(Err);
1984 return Importer.getToContext().getBTFTagAttributedType(ToBTFAttr,
1988ExpectedType clang::ASTNodeImporter::VisitHLSLAttributedResourceType(
1989 const clang::HLSLAttributedResourceType *
T) {
1990 Error Err = Error::success();
1991 const HLSLAttributedResourceType::Attributes &ToAttrs =
T->getAttrs();
1992 QualType ToWrappedType = importChecked(Err,
T->getWrappedType());
1993 QualType ToContainedType = importChecked(Err,
T->getContainedType());
1995 return std::move(Err);
1997 return Importer.getToContext().getHLSLAttributedResourceType(
1998 ToWrappedType, ToContainedType, ToAttrs);
2001ExpectedType clang::ASTNodeImporter::VisitHLSLInlineSpirvType(
2002 const clang::HLSLInlineSpirvType *
T) {
2003 Error Err = Error::success();
2007 uint32_t ToAlignment =
T->getAlignment();
2011 for (
auto &Operand :
T->getOperands()) {
2012 using SpirvOperandKind = SpirvOperand::SpirvOperandKind;
2015 case SpirvOperandKind::ConstantId:
2016 ToOperands.push_back(SpirvOperand::createConstant(
2017 importChecked(Err,
Operand.getResultType()),
Operand.getValue()));
2019 case SpirvOperandKind::Literal:
2020 ToOperands.push_back(SpirvOperand::createLiteral(
Operand.getValue()));
2022 case SpirvOperandKind::TypeId:
2023 ToOperands.push_back(SpirvOperand::createType(
2024 importChecked(Err,
Operand.getResultType())));
2027 llvm_unreachable(
"Invalid SpirvOperand kind");
2031 return std::move(Err);
2034 return Importer.getToContext().getHLSLInlineSpirvType(
2035 ToOpcode, ToSize, ToAlignment, ToOperands);
2038ExpectedType clang::ASTNodeImporter::VisitConstantMatrixType(
2039 const clang::ConstantMatrixType *
T) {
2040 ExpectedType ToElementTypeOrErr =
import(
T->getElementType());
2041 if (!ToElementTypeOrErr)
2042 return ToElementTypeOrErr.takeError();
2044 return Importer.getToContext().getConstantMatrixType(
2045 *ToElementTypeOrErr,
T->getNumRows(),
T->getNumColumns());
2048ExpectedType clang::ASTNodeImporter::VisitDependentAddressSpaceType(
2049 const clang::DependentAddressSpaceType *
T) {
2050 Error Err = Error::success();
2051 QualType ToPointeeType = importChecked(Err,
T->getPointeeType());
2052 Expr *ToAddrSpaceExpr = importChecked(Err,
T->getAddrSpaceExpr());
2055 return std::move(Err);
2057 return Importer.getToContext().getDependentAddressSpaceType(
2058 ToPointeeType, ToAddrSpaceExpr, ToAttrLoc);
2061ExpectedType clang::ASTNodeImporter::VisitDependentBitIntType(
2062 const clang::DependentBitIntType *
T) {
2063 ExpectedExpr ToNumBitsExprOrErr =
import(
T->getNumBitsExpr());
2064 if (!ToNumBitsExprOrErr)
2065 return ToNumBitsExprOrErr.takeError();
2066 return Importer.getToContext().getDependentBitIntType(
T->isUnsigned(),
2067 *ToNumBitsExprOrErr);
2070ExpectedType clang::ASTNodeImporter::VisitPredefinedSugarType(
2071 const clang::PredefinedSugarType *
T) {
2072 return Importer.getToContext().getPredefinedSugarType(
T->getKind());
2075ExpectedType clang::ASTNodeImporter::VisitDependentSizedMatrixType(
2076 const clang::DependentSizedMatrixType *
T) {
2077 Error Err = Error::success();
2078 QualType ToElementType = importChecked(Err,
T->getElementType());
2079 Expr *ToRowExpr = importChecked(Err,
T->getRowExpr());
2080 Expr *ToColumnExpr = importChecked(Err,
T->getColumnExpr());
2083 return std::move(Err);
2085 return Importer.getToContext().getDependentSizedMatrixType(
2086 ToElementType, ToRowExpr, ToColumnExpr, ToAttrLoc);
2089ExpectedType clang::ASTNodeImporter::VisitDependentVectorType(
2090 const clang::DependentVectorType *
T) {
2091 Error Err = Error::success();
2092 QualType ToElementType = importChecked(Err,
T->getElementType());
2093 Expr *ToSizeExpr = importChecked(Err,
T->getSizeExpr());
2096 return std::move(Err);
2098 return Importer.getToContext().getDependentVectorType(
2099 ToElementType, ToSizeExpr, ToAttrLoc,
T->getVectorKind());
2102ExpectedType clang::ASTNodeImporter::VisitObjCTypeParamType(
2103 const clang::ObjCTypeParamType *
T) {
2106 return ToDeclOrErr.takeError();
2111 if (!ToProtocolOrErr)
2112 return ToProtocolOrErr.takeError();
2113 ToProtocols.push_back(*ToProtocolOrErr);
2116 return Importer.getToContext().getObjCTypeParamType(*ToDeclOrErr,
2120ExpectedType clang::ASTNodeImporter::VisitPipeType(
const clang::PipeType *
T) {
2121 ExpectedType ToElementTypeOrErr =
import(
T->getElementType());
2122 if (!ToElementTypeOrErr)
2123 return ToElementTypeOrErr.takeError();
2126 if (
T->isReadOnly())
2146 if (
isa<RecordDecl>(D) && (FunDecl = dyn_cast<FunctionDecl>(OrigDC)) &&
2148 auto getLeafPointeeType = [](
const Type *
T) {
2149 while (
T->isPointerType() ||
T->isArrayType()) {
2150 T =
T->getPointeeOrArrayElementType();
2156 getLeafPointeeType(
P->getType().getCanonicalType().getTypePtr());
2157 auto *RT = dyn_cast<RecordType>(LeafT);
2158 if (RT && RT->getOriginalDecl() == D) {
2159 Importer.FromDiag(D->
getLocation(), diag::err_unsupported_ast_node)
2178 ToD = cast_or_null<NamedDecl>(Importer.GetAlreadyImportedOrNull(D));
2183 return Error::success();
2197 ToD = cast_or_null<NamedDecl>(Importer.GetAlreadyImportedOrNull(D));
2202 return Error::success();
2207 return Error::success();
2210 if (
Error Err = importInto(ToD, FromD))
2213 if (
RecordDecl *FromRecord = dyn_cast<RecordDecl>(FromD)) {
2215 if (FromRecord->getDefinition() && FromRecord->isCompleteDefinition() &&
2216 !ToRecord->getDefinition()) {
2221 return Error::success();
2224 if (
EnumDecl *FromEnum = dyn_cast<EnumDecl>(FromD)) {
2226 if (FromEnum->getDefinition() && !ToEnum->getDefinition()) {
2231 return Error::success();
2234 return Error::success();
2249 return Error::success();
2255 return ToRangeOrErr.takeError();
2256 return Error::success();
2262 return LocOrErr.takeError();
2263 return Error::success();
2271 return ToTInfoOrErr.takeError();
2272 return Error::success();
2275 llvm_unreachable(
"Unknown name kind.");
2280 if (Importer.isMinimalImport() && !ForceImport) {
2281 auto ToDCOrErr = Importer.ImportContext(FromDC);
2282 return ToDCOrErr.takeError();
2296 auto MightNeedReordering = [](
const Decl *D) {
2301 Error ChildErrors = Error::success();
2302 for (
auto *From : FromDC->
decls()) {
2303 if (!MightNeedReordering(From))
2312 if (!ImportedOrErr) {
2314 ImportedOrErr.takeError());
2317 FieldDecl *FieldFrom = dyn_cast_or_null<FieldDecl>(From);
2318 Decl *ImportedDecl = *ImportedOrErr;
2319 FieldDecl *FieldTo = dyn_cast_or_null<FieldDecl>(ImportedDecl);
2320 if (FieldFrom && FieldTo) {
2350 auto ToDCOrErr = Importer.ImportContext(FromDC);
2352 consumeError(std::move(ChildErrors));
2353 return ToDCOrErr.takeError();
2356 if (
const auto *FromRD = dyn_cast<RecordDecl>(FromDC)) {
2360 for (
auto *D : FromRD->decls()) {
2361 if (!MightNeedReordering(D))
2364 assert(D &&
"DC contains a null decl");
2365 if (
Decl *ToD = Importer.GetAlreadyImportedOrNull(D)) {
2367 assert(ToDC == ToD->getLexicalDeclContext() && ToDC->
containsDecl(ToD));
2379 for (
auto *From : FromDC->
decls()) {
2380 if (MightNeedReordering(From))
2386 ImportedOrErr.takeError());
2406 if (!FromRecordDecl || !ToRecordDecl) {
2407 const RecordType *RecordFrom = FromType->
getAs<RecordType>();
2408 const RecordType *RecordTo = ToType->
getAs<RecordType>();
2410 if (RecordFrom && RecordTo) {
2411 FromRecordDecl = RecordFrom->getOriginalDecl();
2412 ToRecordDecl = RecordTo->getOriginalDecl();
2416 if (FromRecordDecl && ToRecordDecl) {
2422 return Error::success();
2427 auto ToDCOrErr = Importer.ImportContext(FromD->
getDeclContext());
2429 return ToDCOrErr.takeError();
2433 auto ToLexicalDCOrErr = Importer.ImportContext(
2435 if (!ToLexicalDCOrErr)
2436 return ToLexicalDCOrErr.takeError();
2437 ToLexicalDC = *ToLexicalDCOrErr;
2441 return Error::success();
2447 "Import implicit methods to or from non-definition");
2450 if (FromM->isImplicit()) {
2453 return ToMOrErr.takeError();
2456 return Error::success();
2465 return ToTypedefOrErr.takeError();
2467 return Error::success();
2472 auto DefinitionCompleter = [To]() {
2493 ToCaptures.reserve(FromCXXRD->capture_size());
2494 for (
const auto &FromCapture : FromCXXRD->captures()) {
2495 if (
auto ToCaptureOrErr =
import(FromCapture))
2496 ToCaptures.push_back(*ToCaptureOrErr);
2498 return ToCaptureOrErr.takeError();
2507 DefinitionCompleter();
2511 return Error::success();
2521 if (!Importer.isMinimalImport())
2526 auto DefinitionCompleterScopeExit =
2527 llvm::make_scope_exit(DefinitionCompleter);
2533 auto *ToCXX = dyn_cast<CXXRecordDecl>(To);
2534 auto *FromCXX = dyn_cast<CXXRecordDecl>(From);
2535 if (ToCXX && FromCXX && ToCXX->dataPtr() && FromCXX->dataPtr()) {
2537 struct CXXRecordDecl::DefinitionData &ToData = ToCXX->data();
2538 struct CXXRecordDecl::DefinitionData &FromData = FromCXX->data();
2540 #define FIELD(Name, Width, Merge) \
2541 ToData.Name = FromData.Name;
2542 #include "clang/AST/CXXRecordDeclDefinitionBits.def"
2545 ToCXX->setArgPassingRestrictions(FromCXX->getArgPassingRestrictions());
2548 for (
const auto &Base1 : FromCXX->bases()) {
2551 return TyOrErr.takeError();
2554 if (Base1.isPackExpansion()) {
2555 if (
ExpectedSLoc LocOrErr =
import(Base1.getEllipsisLoc()))
2556 EllipsisLoc = *LocOrErr;
2558 return LocOrErr.takeError();
2566 auto RangeOrErr =
import(Base1.getSourceRange());
2568 return RangeOrErr.takeError();
2570 auto TSIOrErr =
import(Base1.getTypeSourceInfo());
2572 return TSIOrErr.takeError();
2578 Base1.isBaseOfClass(),
2579 Base1.getAccessSpecifierAsWritten(),
2584 ToCXX->setBases(Bases.data(), Bases.size());
2592 return Error::success();
2597 return Error::success();
2601 return Error::success();
2605 return ToInitOrErr.takeError();
2616 return Error::success();
2624 return Error::success();
2633 import(
QualType(Importer.getFromContext().getCanonicalTagType(From)));
2635 return ToTypeOrErr.takeError();
2638 if (!ToPromotionTypeOrErr)
2639 return ToPromotionTypeOrErr.takeError();
2650 return Error::success();
2656 for (
const auto &Arg : FromArgs) {
2657 if (
auto ToOrErr =
import(Arg))
2658 ToArgs.push_back(*ToOrErr);
2660 return ToOrErr.takeError();
2663 return Error::success();
2669 return import(From);
2672template <
typename InContainerTy>
2675 for (
const auto &FromLoc : Container) {
2676 if (
auto ToLocOrErr =
import(FromLoc))
2679 return ToLocOrErr.takeError();
2681 return Error::success();
2691 bool IgnoreTemplateParmDepth) {
2694 Decl *ToOrigin = Importer.GetOriginalDecl(To);
2700 Importer.getToContext().getLangOpts(), Importer.getFromContext(),
2701 Importer.getToContext(), Importer.getNonEquivalentDecls(),
2703 false, Complain,
false,
2704 IgnoreTemplateParmDepth);
2709 Importer.FromDiag(D->
getLocation(), diag::err_unsupported_ast_node)
2715 Importer.FromDiag(D->
getLocation(), diag::err_unsupported_ast_node)
2724 return std::move(Err);
2729 return LocOrErr.takeError();
2732 if (GetImportedOrCreateDecl(ToD, D, Importer.getToContext(), DC, *LocOrErr))
2744 Importer.MapImported(D, ToD);
2755 return std::move(Err);
2760 if (GetImportedOrCreateDecl(ToD, D, Importer.getToContext(), DC, Loc,
2764 Error Err = Error::success();
2769 return std::move(Err);
2773 addDeclToContexts(D, ToD);
2781 return LocOrErr.takeError();
2784 return ColonLocOrErr.takeError();
2789 return DCOrErr.takeError();
2793 if (GetImportedOrCreateDecl(ToD, D, Importer.getToContext(), D->
getAccess(),
2794 DC, *LocOrErr, *ColonLocOrErr))
2808 return DCOrErr.takeError();
2812 Error Err = Error::success();
2818 return std::move(Err);
2821 if (GetImportedOrCreateDecl(
2822 ToD, D, Importer.getToContext(), DC, ToLocation, ToAssertExpr, ToMessage,
2838 return std::move(Err);
2847 if (
auto *TU = dyn_cast<TranslationUnitDecl>(EnclosingDC))
2850 MergeWithNamespace =
2854 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
2855 for (
auto *FoundDecl : FoundDecls) {
2859 if (
auto *FoundNS = dyn_cast<NamespaceDecl>(FoundDecl)) {
2860 MergeWithNamespace = FoundNS;
2861 ConflictingDecls.clear();
2865 ConflictingDecls.push_back(FoundDecl);
2868 if (!ConflictingDecls.empty()) {
2871 ConflictingDecls.size());
2873 Name = NameOrErr.get();
2875 return NameOrErr.takeError();
2881 return BeginLocOrErr.takeError();
2883 if (!RBraceLocOrErr)
2884 return RBraceLocOrErr.takeError();
2889 if (GetImportedOrCreateDecl(ToNamespace, D, Importer.getToContext(), DC,
2890 D->
isInline(), *BeginLocOrErr, Loc,
2901 if (
auto *TU = dyn_cast<TranslationUnitDecl>(DC))
2902 TU->setAnonymousNamespace(ToNamespace);
2907 Importer.MapImported(D, ToNamespace);
2910 return std::move(Err);
2922 return std::move(Err);
2928 Error Err = Error::success();
2935 return std::move(Err);
2940 if (GetImportedOrCreateDecl(
2941 ToD, D, Importer.getToContext(), DC, ToNamespaceLoc, ToAliasLoc,
2942 ToIdentifier, ToQualifierLoc, ToTargetNameLoc, ToNamespace))
2960 return std::move(Err);
2967 cast_or_null<DeclContext>(Importer.GetAlreadyImportedOrNull(
2979 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
2980 for (
auto *FoundDecl : FoundDecls) {
2981 if (!FoundDecl->isInIdentifierNamespace(IDNS))
2983 if (
auto *FoundTypedef = dyn_cast<TypedefNameDecl>(FoundDecl)) {
2988 QualType FoundUT = FoundTypedef->getUnderlyingType();
2989 if (Importer.IsStructurallyEquivalent(FromUT, FoundUT)) {
3002 if (FromR && FoundR &&
3009 return Importer.MapImported(D, FoundTypedef);
3013 ConflictingDecls.push_back(FoundDecl);
3018 if (!ConflictingDecls.empty()) {
3020 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
3022 Name = NameOrErr.get();
3024 return NameOrErr.takeError();
3028 Error Err = Error::success();
3033 return std::move(Err);
3040 if (GetImportedOrCreateDecl<TypeAliasDecl>(
3041 ToTypedef, D, Importer.getToContext(), DC, ToBeginLoc, Loc,
3044 }
else if (GetImportedOrCreateDecl<TypedefDecl>(
3045 ToTypedef, D, Importer.getToContext(), DC, ToBeginLoc, Loc,
3051 return std::move(Err);
3055 Importer.AddToLookupTable(ToTypedef);
3083 return std::move(Err);
3093 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
3094 for (
auto *FoundDecl : FoundDecls) {
3095 if (!FoundDecl->isInIdentifierNamespace(IDNS))
3097 if (
auto *FoundAlias = dyn_cast<TypeAliasTemplateDecl>(FoundDecl)) {
3099 return Importer.MapImported(D, FoundAlias);
3100 ConflictingDecls.push_back(FoundDecl);
3104 if (!ConflictingDecls.empty()) {
3106 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
3108 Name = NameOrErr.get();
3110 return NameOrErr.takeError();
3114 Error Err = Error::success();
3118 return std::move(Err);
3121 if (GetImportedOrCreateDecl(ToAlias, D, Importer.getToContext(), DC, Loc,
3122 Name, ToTemplateParameters, ToTemplatedDecl))
3125 ToTemplatedDecl->setDescribedAliasTemplate(ToAlias);
3130 if (DC != Importer.getToContext().getTranslationUnitDecl())
3131 updateLookupTableForTemplateParameters(*ToTemplateParameters);
3142 return std::move(Err);
3152 return BeginLocOrErr.takeError();
3153 if (GetImportedOrCreateDecl(ToLabel, D, Importer.getToContext(), DC, Loc,
3158 if (GetImportedOrCreateDecl(ToLabel, D, Importer.getToContext(), DC, Loc,
3166 return ToStmtOrErr.takeError();
3168 ToLabel->
setStmt(*ToStmtOrErr);
3181 return std::move(Err);
3189 if (
Error Err = importInto(
3191 return std::move(Err);
3193 }
else if (Importer.getToContext().getLangOpts().CPlusPlus)
3201 Importer.findDeclsInToCtx(DC, SearchName);
3202 for (
auto *FoundDecl : FoundDecls) {
3203 if (!FoundDecl->isInIdentifierNamespace(IDNS))
3206 if (
auto *
Typedef = dyn_cast<TypedefNameDecl>(FoundDecl)) {
3207 if (
const auto *Tag =
Typedef->getUnderlyingType()->getAs<TagType>())
3208 FoundDecl = Tag->getOriginalDecl();
3211 if (
auto *FoundEnum = dyn_cast<EnumDecl>(FoundDecl)) {
3217 return Importer.MapImported(D, FoundDef);
3221 ConflictingDecls.push_back(FoundDecl);
3230 if (SearchName && !ConflictingDecls.empty()) {
3232 SearchName, DC, IDNS, ConflictingDecls.data(),
3233 ConflictingDecls.size());
3235 Name = NameOrErr.get();
3237 return NameOrErr.takeError();
3241 Error Err = Error::success();
3247 return std::move(Err);
3251 if (GetImportedOrCreateDecl(
3252 D2, D, Importer.getToContext(), DC, ToBeginLoc,
3262 addDeclToContexts(D, D2);
3268 D2->setInstantiationOfMemberEnum(*ToInstOrErr, SK);
3270 return ToInstOrErr.takeError();
3271 if (
ExpectedSLoc POIOrErr =
import(MemberInfo->getPointOfInstantiation()))
3274 return POIOrErr.takeError();
3280 return std::move(Err);
3286 bool IsFriendTemplate =
false;
3287 if (
auto *DCXX = dyn_cast<CXXRecordDecl>(D)) {
3289 DCXX->getDescribedClassTemplate() &&
3290 DCXX->getDescribedClassTemplate()->getFriendObjectKind() !=
3300 return std::move(Err);
3308 if (
Error Err = importInto(
3310 return std::move(Err);
3312 }
else if (Importer.getToContext().getLangOpts().CPlusPlus)
3317 bool DependentFriend = IsFriendTemplate && IsDependentContext;
3324 Importer.findDeclsInToCtx(DC, SearchName);
3325 if (!FoundDecls.empty()) {
3332 for (
auto *FoundDecl : FoundDecls) {
3333 if (!FoundDecl->isInIdentifierNamespace(IDNS))
3337 if (
auto *
Typedef = dyn_cast<TypedefNameDecl>(
Found)) {
3338 if (
const auto *Tag =
Typedef->getUnderlyingType()->getAs<TagType>())
3339 Found = Tag->getOriginalDecl();
3342 if (
auto *FoundRecord = dyn_cast<RecordDecl>(
Found)) {
3364 Importer.MapImported(D, FoundDef);
3365 if (
const auto *DCXX = dyn_cast<CXXRecordDecl>(D)) {
3366 auto *FoundCXX = dyn_cast<CXXRecordDecl>(FoundDef);
3367 assert(FoundCXX &&
"Record type mismatch");
3369 if (!Importer.isMinimalImport())
3373 return std::move(Err);
3380 ConflictingDecls.push_back(FoundDecl);
3384 if (!ConflictingDecls.empty() && SearchName) {
3386 SearchName, DC, IDNS, ConflictingDecls.data(),
3387 ConflictingDecls.size());
3389 Name = NameOrErr.get();
3391 return NameOrErr.takeError();
3397 return BeginLocOrErr.takeError();
3402 if (
auto *DCXX = dyn_cast<CXXRecordDecl>(D)) {
3403 if (DCXX->isLambda()) {
3404 auto TInfoOrErr =
import(DCXX->getLambdaTypeInfo());
3406 return TInfoOrErr.takeError();
3407 if (GetImportedOrCreateSpecialDecl(
3409 DC, *TInfoOrErr, Loc, DCXX->getLambdaDependencyKind(),
3410 DCXX->isGenericLambda(), DCXX->getLambdaCaptureDefault()))
3415 return CDeclOrErr.takeError();
3419 if (GetImportedOrCreateDecl(D2CXX, D, Importer.getToContext(),
3422 cast_or_null<CXXRecordDecl>(PrevDecl)))
3429 addDeclToContexts(D, D2);
3432 DCXX->getDescribedClassTemplate()) {
3434 if (
Error Err = importInto(ToDescribed, FromDescribed))
3435 return std::move(Err);
3438 DCXX->getMemberSpecializationInfo()) {
3440 MemberInfo->getTemplateSpecializationKind();
3446 return ToInstOrErr.takeError();
3449 import(MemberInfo->getPointOfInstantiation()))
3453 return POIOrErr.takeError();
3457 if (GetImportedOrCreateDecl(D2, D, Importer.getToContext(),
3462 addDeclToContexts(D, D2);
3468 return BraceRangeOrErr.takeError();
3472 return QualifierLocOrErr.takeError();
3479 return std::move(Err);
3491 return std::move(Err);
3500 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
3501 for (
auto *FoundDecl : FoundDecls) {
3502 if (!FoundDecl->isInIdentifierNamespace(IDNS))
3505 if (
auto *FoundEnumConstant = dyn_cast<EnumConstantDecl>(FoundDecl)) {
3507 return Importer.MapImported(D, FoundEnumConstant);
3508 ConflictingDecls.push_back(FoundDecl);
3512 if (!ConflictingDecls.empty()) {
3514 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
3516 Name = NameOrErr.get();
3518 return NameOrErr.takeError();
3524 return TypeOrErr.takeError();
3528 return InitOrErr.takeError();
3531 if (GetImportedOrCreateDecl(
3532 ToEnumerator, D, Importer.getToContext(),
cast<EnumDecl>(DC), Loc,
3534 return ToEnumerator;
3539 return ToEnumerator;
3542template <
typename DeclTy>
3545 unsigned int Num = FromD->getNumTemplateParameterLists();
3547 return Error::success();
3549 for (
unsigned int I = 0; I <
Num; ++I)
3551 import(FromD->getTemplateParameterList(I)))
3552 ToTPLists[I] = *ToTPListOrErr;
3554 return ToTPListOrErr.takeError();
3555 ToD->setTemplateParameterListsInfo(Importer.ToContext, ToTPLists);
3556 return Error::success();
3564 return Error::success();
3570 return Error::success();
3576 ToFD->setInstantiationOfMemberFunction(*InstFDOrErr, TSK);
3578 return InstFDOrErr.takeError();
3584 return POIOrErr.takeError();
3586 return Error::success();
3590 auto FunctionAndArgsOrErr =
3592 if (!FunctionAndArgsOrErr)
3593 return FunctionAndArgsOrErr.takeError();
3596 Importer.getToContext(), std::get<1>(*FunctionAndArgsOrErr));
3600 const auto *FromTAArgsAsWritten = FTSInfo->TemplateArgumentsAsWritten;
3601 if (FromTAArgsAsWritten)
3603 *FromTAArgsAsWritten, ToTAInfo))
3606 ExpectedSLoc POIOrErr =
import(FTSInfo->getPointOfInstantiation());
3608 return POIOrErr.takeError();
3614 ToFD->setFunctionTemplateSpecialization(
3615 std::get<0>(*FunctionAndArgsOrErr), ToTAList,
nullptr,
3616 TSK, FromTAArgsAsWritten ? &ToTAInfo :
nullptr, *POIOrErr);
3617 return Error::success();
3625 Candidates.
addDecl(*ToFTDOrErr);
3627 return ToFTDOrErr.takeError();
3632 const auto *FromTAArgsAsWritten = FromInfo->TemplateArgumentsAsWritten;
3633 if (FromTAArgsAsWritten)
3639 Importer.getToContext(), Candidates,
3640 FromTAArgsAsWritten ? &ToTAInfo :
nullptr);
3641 return Error::success();
3644 llvm_unreachable(
"All cases should be covered!");
3649 auto FunctionAndArgsOrErr =
3651 if (!FunctionAndArgsOrErr)
3652 return FunctionAndArgsOrErr.takeError();
3656 std::tie(
Template, ToTemplArgs) = *FunctionAndArgsOrErr;
3657 void *InsertPos =
nullptr;
3658 auto *FoundSpec =
Template->findSpecialization(ToTemplArgs, InsertPos);
3668 return ToBodyOrErr.takeError();
3670 return Error::success();
3676 const DeclContext *DCi = dyn_cast<DeclContext>(D);
3679 assert(DCi &&
"Declaration should have a context");
3693 ToProcess.push_back(S);
3694 while (!ToProcess.empty()) {
3695 const Stmt *CurrentS = ToProcess.pop_back_val();
3697 if (
const auto *DeclRef = dyn_cast<DeclRefExpr>(CurrentS)) {
3698 if (
const Decl *D = DeclRef->getDecl())
3701 }
else if (
const auto *E =
3702 dyn_cast_or_null<SubstNonTypeTemplateParmExpr>(CurrentS)) {
3703 if (
const Decl *D = E->getAssociatedDecl())
3736class IsTypeDeclaredInsideVisitor
3737 :
public TypeVisitor<IsTypeDeclaredInsideVisitor, std::optional<bool>> {
3739 IsTypeDeclaredInsideVisitor(
const FunctionDecl *ParentDC)
3740 : ParentDC(ParentDC) {}
3742 bool CheckType(QualType
T) {
3746 if (std::optional<bool> Res = Visit(
T.getTypePtr()))
3749 T.getSingleStepDesugaredType(ParentDC->getParentASTContext());
3751 if (std::optional<bool> Res = Visit(DsT.
getTypePtr()))
3754 DsT =
T.getSingleStepDesugaredType(ParentDC->getParentASTContext());
3759 std::optional<bool> VisitTagType(
const TagType *
T) {
3761 dyn_cast<ClassTemplateSpecializationDecl>(
T->getOriginalDecl()))
3762 for (
const auto &Arg : Spec->getTemplateArgs().asArray())
3763 if (checkTemplateArgument(Arg))
3768 std::optional<bool> VisitPointerType(
const PointerType *
T) {
3772 std::optional<bool> VisitReferenceType(
const ReferenceType *
T) {
3773 return CheckType(
T->getPointeeTypeAsWritten());
3776 std::optional<bool> VisitTypedefType(
const TypedefType *
T) {
3780 std::optional<bool> VisitUsingType(
const UsingType *
T) {
3785 VisitTemplateSpecializationType(
const TemplateSpecializationType *
T) {
3786 for (
const auto &Arg :
T->template_arguments())
3787 if (checkTemplateArgument(Arg))
3793 std::optional<bool> VisitUnaryTransformType(
const UnaryTransformType *
T) {
3794 return CheckType(
T->getBaseType());
3798 VisitSubstTemplateTypeParmType(
const SubstTemplateTypeParmType *
T) {
3805 std::optional<bool> VisitConstantArrayType(
const ConstantArrayType *
T) {
3809 return CheckType(
T->getElementType());
3812 std::optional<bool> VisitVariableArrayType(
const VariableArrayType *
T) {
3814 "Variable array should not occur in deduced return type of a function");
3817 std::optional<bool> VisitIncompleteArrayType(
const IncompleteArrayType *
T) {
3818 llvm_unreachable(
"Incomplete array should not occur in deduced return type "
3822 std::optional<bool> VisitDependentArrayType(
const IncompleteArrayType *
T) {
3823 llvm_unreachable(
"Dependent array should not occur in deduced return type "
3828 const DeclContext *
const ParentDC;
3830 bool checkTemplateArgument(
const TemplateArgument &Arg) {
3850 if (checkTemplateArgument(PackArg))
3862 llvm_unreachable(
"Unknown TemplateArgument::ArgKind enum");
3872 assert(FromFPT &&
"Must be called on FunctionProtoType");
3874 auto IsCXX11Lambda = [&]() {
3875 if (Importer.FromContext.getLangOpts().CPlusPlus14)
3881 QualType RetT = FromFPT->getReturnType();
3884 IsTypeDeclaredInsideVisitor Visitor(Def ? Def : D);
3885 return Visitor.CheckType(RetT);
3902 auto RedeclIt = Redecls.begin();
3905 for (; RedeclIt != Redecls.end() && *RedeclIt != D; ++RedeclIt) {
3908 return ToRedeclOrErr.takeError();
3910 assert(*RedeclIt == D);
3918 return std::move(Err);
3933 if (!FoundFunctionOrErr)
3934 return FoundFunctionOrErr.takeError();
3935 if (
FunctionDecl *FoundFunction = *FoundFunctionOrErr) {
3936 if (
Decl *Def = FindAndMapDefinition(D, FoundFunction))
3938 FoundByLookup = FoundFunction;
3946 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
3947 for (
auto *FoundDecl : FoundDecls) {
3948 if (!FoundDecl->isInIdentifierNamespace(IDNS))
3951 if (
auto *FoundFunction = dyn_cast<FunctionDecl>(FoundDecl)) {
3956 if (
Decl *Def = FindAndMapDefinition(D, FoundFunction))
3958 FoundByLookup = FoundFunction;
3965 if (Importer.getToContext().getLangOpts().CPlusPlus)
3969 Importer.ToDiag(Loc, diag::warn_odr_function_type_inconsistent)
3970 << Name << D->
getType() << FoundFunction->getType();
3971 Importer.ToDiag(FoundFunction->getLocation(), diag::note_odr_value_here)
3972 << FoundFunction->getType();
3973 ConflictingDecls.push_back(FoundDecl);
3977 if (!ConflictingDecls.empty()) {
3979 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
3981 Name = NameOrErr.get();
3983 return NameOrErr.takeError();
3993 if (FoundByLookup) {
4003 "Templated function mapped to non-templated?");
4004 Importer.MapImported(DescribedD,
4007 return Importer.MapImported(D, FoundByLookup);
4019 return std::move(Err);
4030 bool UsedDifferentProtoType =
false;
4032 QualType FromReturnTy = FromFPT->getReturnType();
4039 FromReturnTy = Importer.getFromContext().VoidTy;
4040 UsedDifferentProtoType =
true;
4051 FromEPI = DefaultEPI;
4052 UsedDifferentProtoType =
true;
4054 FromTy = Importer.getFromContext().getFunctionType(
4055 FromReturnTy, FromFPT->getParamTypes(), FromEPI);
4056 FromTSI = Importer.getFromContext().getTrivialTypeSourceInfo(
4060 Error Err = Error::success();
4071 return std::move(Err);
4077 Parameters.push_back(*ToPOrErr);
4079 return ToPOrErr.takeError();
4084 if (
auto *FromConstructor = dyn_cast<CXXConstructorDecl>(D)) {
4086 importExplicitSpecifier(Err, FromConstructor->getExplicitSpecifier());
4088 return std::move(Err);
4090 if (FromConstructor->isInheritingConstructor()) {
4092 import(FromConstructor->getInheritedConstructor());
4093 if (!ImportedInheritedCtor)
4094 return ImportedInheritedCtor.takeError();
4095 ToInheritedConstructor = *ImportedInheritedCtor;
4097 if (GetImportedOrCreateDecl<CXXConstructorDecl>(
4099 ToInnerLocStart, NameInfo,
T, TInfo, ESpec, D->
UsesFPIntrin(),
4101 ToInheritedConstructor, TrailingRequiresClause))
4105 Error Err = Error::success();
4107 Err,
const_cast<FunctionDecl *
>(FromDtor->getOperatorDelete()));
4108 auto ToThisArg =
importChecked(Err, FromDtor->getOperatorDeleteThisArg());
4110 return std::move(Err);
4112 if (GetImportedOrCreateDecl<CXXDestructorDecl>(
4116 TrailingRequiresClause))
4123 dyn_cast<CXXConversionDecl>(D)) {
4125 importExplicitSpecifier(Err, FromConversion->getExplicitSpecifier());
4127 return std::move(Err);
4128 if (GetImportedOrCreateDecl<CXXConversionDecl>(
4134 }
else if (
auto *
Method = dyn_cast<CXXMethodDecl>(D)) {
4135 if (GetImportedOrCreateDecl<CXXMethodDecl>(
4137 ToInnerLocStart, NameInfo,
T, TInfo,
Method->getStorageClass(),
4141 }
else if (
auto *Guide = dyn_cast<CXXDeductionGuideDecl>(D)) {
4143 importExplicitSpecifier(Err, Guide->getExplicitSpecifier());
4149 return std::move(Err);
4150 if (GetImportedOrCreateDecl<CXXDeductionGuideDecl>(
4151 ToFunction, D, Importer.getToContext(), DC, ToInnerLocStart, ESpec,
4152 NameInfo,
T, TInfo, ToEndLoc, Ctor,
4153 Guide->getDeductionCandidateKind(), TrailingRequiresClause,
4157 if (GetImportedOrCreateDecl(
4158 ToFunction, D, Importer.getToContext(), DC, ToInnerLocStart,
4166 if (FoundByLookup) {
4179 auto Imported =
import(Msg);
4181 return Imported.takeError();
4205 Importer.getToContext(), {}, Msg));
4208 for (
auto *Param : Parameters) {
4209 Param->setOwningFunction(ToFunction);
4212 LT->update(Param, Importer.getToContext().getTranslationUnitDecl());
4214 ToFunction->setParams(Parameters);
4221 for (
unsigned I = 0, N = Parameters.size(); I != N; ++I)
4222 ProtoLoc.setParam(I, Parameters[I]);
4228 auto ToFTOrErr =
import(FromFT);
4230 return ToFTOrErr.takeError();
4234 if (
auto *FromConstructor = dyn_cast<CXXConstructorDecl>(D)) {
4235 if (
unsigned NumInitializers = FromConstructor->getNumCtorInitializers()) {
4239 FromConstructor->inits(), CtorInitializers))
4240 return std::move(Err);
4243 llvm::copy(CtorInitializers, Memory);
4245 ToCtor->setCtorInitializers(Memory);
4246 ToCtor->setNumCtorInitializers(NumInitializers);
4252 return std::move(Err);
4254 if (
auto *FromCXXMethod = dyn_cast<CXXMethodDecl>(D))
4257 return std::move(Err);
4263 return std::move(Err);
4267 if (UsedDifferentProtoType) {
4269 ToFunction->
setType(*TyOrErr);
4271 return TyOrErr.takeError();
4275 return TSIOrErr.takeError();
4280 addDeclToContexts(D, ToFunction);
4283 for (++RedeclIt; RedeclIt != Redecls.end(); ++RedeclIt) {
4286 return ToRedeclOrErr.takeError();
4320 return std::move(Err);
4325 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4326 for (
auto *FoundDecl : FoundDecls) {
4327 if (
FieldDecl *FoundField = dyn_cast<FieldDecl>(FoundDecl)) {
4334 if (Importer.IsStructurallyEquivalent(D->
getType(),
4335 FoundField->getType())) {
4336 Importer.MapImported(D, FoundField);
4344 if (
ExpectedExpr ToInitializerOrErr =
import(FromInitializer)) {
4347 assert(FoundField->hasInClassInitializer() &&
4348 "Field should have an in-class initializer if it has an "
4349 "expression for it.");
4350 if (!FoundField->getInClassInitializer())
4351 FoundField->setInClassInitializer(*ToInitializerOrErr);
4353 return ToInitializerOrErr.takeError();
4360 Importer.ToDiag(Loc, diag::warn_odr_field_type_inconsistent)
4361 << Name << D->
getType() << FoundField->getType();
4362 Importer.ToDiag(FoundField->getLocation(), diag::note_odr_value_here)
4363 << FoundField->getType();
4369 Error Err = Error::success();
4375 return std::move(Err);
4376 const Type *ToCapturedVLAType =
nullptr;
4377 if (
Error Err = Importer.importInto(
4379 return std::move(Err);
4382 if (GetImportedOrCreateDecl(ToField, D, Importer.getToContext(), DC,
4384 ToType, ToTInfo, ToBitWidth, D->
isMutable(),
4391 if (ToCapturedVLAType)
4398 return std::move(Err);
4399 if (ToInitializer) {
4401 if (AlreadyImported)
4402 assert(ToInitializer == AlreadyImported &&
4403 "Duplicate import of in-class initializer.");
4418 return std::move(Err);
4423 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4424 for (
unsigned I = 0, N = FoundDecls.size(); I != N; ++I) {
4425 if (
auto *FoundField = dyn_cast<IndirectFieldDecl>(FoundDecls[I])) {
4432 if (Importer.IsStructurallyEquivalent(D->
getType(),
4433 FoundField->getType(),
4435 Importer.MapImported(D, FoundField);
4440 if (!Name && I < N-1)
4444 Importer.ToDiag(Loc, diag::warn_odr_field_type_inconsistent)
4445 << Name << D->
getType() << FoundField->getType();
4446 Importer.ToDiag(FoundField->getLocation(), diag::note_odr_value_here)
4447 << FoundField->getType();
4454 auto TypeOrErr =
import(D->
getType());
4456 return TypeOrErr.takeError();
4462 for (
auto *PI : D->
chain())
4464 NamedChain[i++] = *ToD;
4466 return ToD.takeError();
4470 if (GetImportedOrCreateDecl(ToIndirectField, D, Importer.getToContext(), DC,
4473 return ToIndirectField;
4478 return ToIndirectField;
4509 unsigned int FriendCount = 0;
4513 for (
FriendDecl *FoundFriend : RD->friends()) {
4514 if (FoundFriend == FD) {
4515 FriendPosition = FriendCount;
4522 assert(FriendPosition &&
"Friend decl not found in own parent.");
4524 return {FriendCount, *FriendPosition};
4531 return std::move(Err);
4538 for (
FriendDecl *ImportedFriend : RD->friends())
4540 ImportedEquivalentFriends.push_back(ImportedFriend);
4545 assert(ImportedEquivalentFriends.size() <= CountAndPosition.
TotalCount &&
4546 "Class with non-matching friends is imported, ODR check wrong?");
4547 if (ImportedEquivalentFriends.size() == CountAndPosition.
TotalCount)
4548 return Importer.MapImported(
4549 D, ImportedEquivalentFriends[CountAndPosition.
IndexOfDecl]);
4556 if (
Error Err = importInto(ToFriendD, FriendD))
4557 return std::move(Err);
4568 return TSIOrErr.takeError();
4572 auto **FromTPLists = D->getTrailingObjects();
4573 for (
unsigned I = 0; I < D->NumTPLists; I++) {
4574 if (
auto ListOrErr =
import(FromTPLists[I]))
4575 ToTPLists[I] = *ListOrErr;
4577 return ListOrErr.takeError();
4582 return LocationOrErr.takeError();
4584 if (!FriendLocOrErr)
4585 return FriendLocOrErr.takeError();
4587 if (!EllipsisLocOrErr)
4588 return EllipsisLocOrErr.takeError();
4591 if (GetImportedOrCreateDecl(FrD, D, Importer.getToContext(), DC,
4592 *LocationOrErr, ToFU, *FriendLocOrErr,
4593 *EllipsisLocOrErr, ToTPLists))
4609 return std::move(Err);
4614 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4615 for (
auto *FoundDecl : FoundDecls) {
4616 if (
ObjCIvarDecl *FoundIvar = dyn_cast<ObjCIvarDecl>(FoundDecl)) {
4617 if (Importer.IsStructurallyEquivalent(D->
getType(),
4618 FoundIvar->getType())) {
4619 Importer.MapImported(D, FoundIvar);
4623 Importer.ToDiag(Loc, diag::warn_odr_ivar_type_inconsistent)
4624 << Name << D->
getType() << FoundIvar->getType();
4625 Importer.ToDiag(FoundIvar->getLocation(), diag::note_odr_value_here)
4626 << FoundIvar->getType();
4632 Error Err = Error::success();
4638 return std::move(Err);
4641 if (GetImportedOrCreateDecl(
4644 ToType, ToTypeSourceInfo,
4656 auto RedeclIt = Redecls.begin();
4659 for (; RedeclIt != Redecls.end() && *RedeclIt != D; ++RedeclIt) {
4662 return RedeclOrErr.takeError();
4664 assert(*RedeclIt == D);
4672 return std::move(Err);
4678 VarDecl *FoundByLookup =
nullptr;
4682 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4683 for (
auto *FoundDecl : FoundDecls) {
4684 if (!FoundDecl->isInIdentifierNamespace(IDNS))
4687 if (
auto *FoundVar = dyn_cast<VarDecl>(FoundDecl)) {
4690 if (Importer.IsStructurallyEquivalent(D->
getType(),
4691 FoundVar->getType())) {
4699 return Importer.MapImported(D, FoundDef);
4703 const VarDecl *FoundDInit =
nullptr;
4704 if (D->
getInit() && FoundVar->getAnyInitializer(FoundDInit))
4706 return Importer.MapImported(D,
const_cast<VarDecl*
>(FoundDInit));
4708 FoundByLookup = FoundVar;
4713 = Importer.getToContext().getAsArrayType(FoundVar->getType());
4715 = Importer.getToContext().getAsArrayType(D->
getType());
4716 if (FoundArray && TArray) {
4720 if (
auto TyOrErr =
import(D->
getType()))
4721 FoundVar->setType(*TyOrErr);
4723 return TyOrErr.takeError();
4725 FoundByLookup = FoundVar;
4729 FoundByLookup = FoundVar;
4734 Importer.ToDiag(Loc, diag::warn_odr_variable_type_inconsistent)
4735 << Name << D->
getType() << FoundVar->getType();
4736 Importer.ToDiag(FoundVar->getLocation(), diag::note_odr_value_here)
4737 << FoundVar->getType();
4738 ConflictingDecls.push_back(FoundDecl);
4742 if (!ConflictingDecls.empty()) {
4744 Name, DC, IDNS, ConflictingDecls.data(), ConflictingDecls.size());
4746 Name = NameOrErr.get();
4748 return NameOrErr.takeError();
4752 Error Err = Error::success();
4758 return std::move(Err);
4761 if (
auto *FromDecomp = dyn_cast<DecompositionDecl>(D)) {
4765 return std::move(Err);
4767 if (GetImportedOrCreateDecl(
4768 ToDecomp, FromDecomp, Importer.getToContext(), DC, ToInnerLocStart,
4774 if (GetImportedOrCreateDecl(ToVar, D, Importer.getToContext(), DC,
4775 ToInnerLocStart, Loc,
4790 if (FoundByLookup) {
4799 return ToVTOrErr.takeError();
4806 return ToInstOrErr.takeError();
4807 if (
ExpectedSLoc POIOrErr =
import(MSI->getPointOfInstantiation()))
4810 return POIOrErr.takeError();
4814 return std::move(Err);
4819 addDeclToContexts(D, ToVar);
4822 for (++RedeclIt; RedeclIt != Redecls.end(); ++RedeclIt) {
4825 return RedeclOrErr.takeError();
4834 DeclContext *DC = Importer.getToContext().getTranslationUnitDecl();
4836 Error Err = Error::success();
4841 return std::move(Err);
4845 if (GetImportedOrCreateDecl(ToParm, D, Importer.getToContext(), DC,
4846 ToLocation, ToDeclName.getAsIdentifierInfo(),
4858 return LocOrErr.takeError();
4867 return ToDefArgOrErr.takeError();
4871 if (
auto ToDefArgOrErr =
import(FromParam->
getDefaultArg()))
4874 return ToDefArgOrErr.takeError();
4877 return Error::success();
4882 Error Err = Error::success();
4887 return std::move(Err);
4894 DeclContext *DC = Importer.getToContext().getTranslationUnitDecl();
4896 Error Err = Error::success();
4903 return std::move(Err);
4906 if (GetImportedOrCreateDecl(ToParm, D, Importer.getToContext(), DC,
4907 ToInnerLocStart, ToLocation,
4908 ToDeclName.getAsIdentifierInfo(), ToType,
4917 return std::move(Err);
4937 return std::move(Err);
4941 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
4942 for (
auto *FoundDecl : FoundDecls) {
4943 if (
auto *FoundMethod = dyn_cast<ObjCMethodDecl>(FoundDecl)) {
4949 FoundMethod->getReturnType())) {
4950 Importer.ToDiag(Loc, diag::warn_odr_objc_method_result_type_inconsistent)
4952 << FoundMethod->getReturnType();
4953 Importer.ToDiag(FoundMethod->getLocation(),
4954 diag::note_odr_objc_method_here)
4961 if (D->
param_size() != FoundMethod->param_size()) {
4962 Importer.ToDiag(Loc, diag::warn_odr_objc_method_num_params_inconsistent)
4964 << D->
param_size() << FoundMethod->param_size();
4965 Importer.ToDiag(FoundMethod->getLocation(),
4966 diag::note_odr_objc_method_here)
4974 PEnd = D->
param_end(), FoundP = FoundMethod->param_begin();
4975 P != PEnd; ++
P, ++FoundP) {
4976 if (!Importer.IsStructurallyEquivalent((*P)->getType(),
4977 (*FoundP)->getType())) {
4978 Importer.FromDiag((*P)->getLocation(),
4979 diag::warn_odr_objc_method_param_type_inconsistent)
4981 << (*P)->getType() << (*FoundP)->getType();
4982 Importer.ToDiag((*FoundP)->getLocation(), diag::note_odr_value_here)
4983 << (*FoundP)->getType();
4991 if (D->
isVariadic() != FoundMethod->isVariadic()) {
4992 Importer.ToDiag(Loc, diag::warn_odr_objc_method_variadic_inconsistent)
4994 Importer.ToDiag(FoundMethod->getLocation(),
4995 diag::note_odr_objc_method_here)
5002 return Importer.MapImported(D, FoundMethod);
5006 Error Err = Error::success();
5009 auto ToReturnTypeSourceInfo =
5012 return std::move(Err);
5015 if (GetImportedOrCreateDecl(
5016 ToMethod, D, Importer.getToContext(), Loc, ToEndLoc,
5030 ToParams.push_back(*ToPOrErr);
5032 return ToPOrErr.takeError();
5036 for (
auto *ToParam : ToParams) {
5037 ToParam->setOwningFunction(ToMethod);
5045 return std::move(Err);
5047 ToMethod->
setMethodParams(Importer.getToContext(), ToParams, ToSelLocs);
5069 return std::move(Err);
5073 Error Err = Error::success();
5079 return std::move(Err);
5082 if (GetImportedOrCreateDecl(
5086 ToColonLoc, ToTypeSourceInfo))
5092 return std::move(Err);
5093 Result->setTypeForDecl(ToTypeForDecl);
5094 Result->setLexicalDeclContext(LexicalDC);
5105 return std::move(Err);
5111 return std::move(Err);
5119 Error Err = Error::success();
5125 return std::move(Err);
5127 if (GetImportedOrCreateDecl(ToCategory, D, Importer.getToContext(), DC,
5143 return PListOrErr.takeError();
5152 FromProto != FromProtoEnd;
5153 ++FromProto, ++FromProtoLoc) {
5155 Protocols.push_back(*ToProtoOrErr);
5157 return ToProtoOrErr.takeError();
5159 if (
ExpectedSLoc ToProtoLocOrErr =
import(*FromProtoLoc))
5160 ProtocolLocs.push_back(*ToProtoLocOrErr);
5162 return ToProtoLocOrErr.takeError();
5167 ProtocolLocs.data(), Importer.getToContext());
5170 Importer.MapImported(D, ToCategory);
5175 return std::move(Err);
5183 return ToImplOrErr.takeError();
5195 return Error::success();
5208 FromProto != FromProtoEnd;
5209 ++FromProto, ++FromProtoLoc) {
5211 Protocols.push_back(*ToProtoOrErr);
5213 return ToProtoOrErr.takeError();
5215 if (
ExpectedSLoc ToProtoLocOrErr =
import(*FromProtoLoc))
5216 ProtocolLocs.push_back(*ToProtoLocOrErr);
5218 return ToProtoLocOrErr.takeError();
5224 ProtocolLocs.data(), Importer.getToContext());
5231 return Error::success();
5241 return Importer.MapImported(D, *ImportedDefOrErr);
5243 return ImportedDefOrErr.takeError();
5252 return std::move(Err);
5257 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
5258 for (
auto *FoundDecl : FoundDecls) {
5262 if ((MergeWithProtocol = dyn_cast<ObjCProtocolDecl>(FoundDecl)))
5269 if (!ToAtBeginLocOrErr)
5270 return ToAtBeginLocOrErr.takeError();
5272 if (GetImportedOrCreateDecl(ToProto, D, Importer.getToContext(), DC,
5281 Importer.MapImported(D, ToProto);
5285 return std::move(Err);
5293 return std::move(Err);
5296 if (!ExternLocOrErr)
5297 return ExternLocOrErr.takeError();
5301 return LangLocOrErr.takeError();
5306 if (GetImportedOrCreateDecl(ToLinkageSpec, D, Importer.getToContext(), DC,
5307 *ExternLocOrErr, *LangLocOrErr,
5309 return ToLinkageSpec;
5313 if (!RBraceLocOrErr)
5314 return RBraceLocOrErr.takeError();
5321 return ToLinkageSpec;
5332 return ToShadowOrErr.takeError();
5343 return std::move(Err);
5347 Error Err = Error::success();
5352 return std::move(Err);
5356 return std::move(Err);
5359 if (GetImportedOrCreateDecl(ToUsing, D, Importer.getToContext(), DC,
5360 ToUsingLoc, ToQualifierLoc, NameInfo,
5368 Importer.getFromContext().getInstantiatedFromUsingDecl(D)) {
5370 Importer.getToContext().setInstantiatedFromUsingDecl(
5371 ToUsing, *ToPatternOrErr);
5373 return ToPatternOrErr.takeError();
5385 return std::move(Err);
5389 Error Err = Error::success();
5395 return std::move(Err);
5398 if (GetImportedOrCreateDecl(ToUsingEnum, D, Importer.getToContext(), DC,
5399 ToUsingLoc, ToEnumLoc, ToNameLoc, ToEnumType))
5406 Importer.getFromContext().getInstantiatedFromUsingEnumDecl(D)) {
5408 Importer.getToContext().setInstantiatedFromUsingEnumDecl(ToUsingEnum,
5411 return ToPatternOrErr.takeError();
5423 return std::move(Err);
5428 if (!ToIntroducerOrErr)
5429 return ToIntroducerOrErr.takeError();
5433 return ToTargetOrErr.takeError();
5436 if (
auto *FromConstructorUsingShadow =
5437 dyn_cast<ConstructorUsingShadowDecl>(D)) {
5438 Error Err = Error::success();
5440 Err, FromConstructorUsingShadow->getNominatedBaseClassShadowDecl());
5442 return std::move(Err);
5448 if (GetImportedOrCreateDecl<ConstructorUsingShadowDecl>(
5449 ToShadow, D, Importer.getToContext(), DC, Loc,
5451 Nominated ? Nominated : *ToTargetOrErr,
5452 FromConstructorUsingShadow->constructsVirtualBase()))
5455 if (GetImportedOrCreateDecl(ToShadow, D, Importer.getToContext(), DC, Loc,
5456 Name, *ToIntroducerOrErr, *ToTargetOrErr))
5464 Importer.getFromContext().getInstantiatedFromUsingShadowDecl(D)) {
5466 Importer.getToContext().setInstantiatedFromUsingShadowDecl(
5467 ToShadow, *ToPatternOrErr);
5471 return ToPatternOrErr.takeError();
5485 return std::move(Err);
5490 if (!ToComAncestorOrErr)
5491 return ToComAncestorOrErr.takeError();
5493 Error Err = Error::success();
5496 auto ToNamespaceKeyLocation =
5501 return std::move(Err);
5504 if (GetImportedOrCreateDecl(ToUsingDir, D, Importer.getToContext(), DC,
5506 ToNamespaceKeyLocation,
5509 ToNominatedNamespace, *ToComAncestorOrErr))
5524 return std::move(Err);
5528 auto ToInstantiatedFromUsingOrErr =
5530 if (!ToInstantiatedFromUsingOrErr)
5531 return ToInstantiatedFromUsingOrErr.takeError();
5534 return std::move(Err);
5537 if (GetImportedOrCreateDecl(ToUsingPack, D, Importer.getToContext(), DC,
5542 addDeclToContexts(D, ToUsingPack);
5554 return std::move(Err);
5558 Error Err = Error::success();
5564 return std::move(Err);
5568 return std::move(Err);
5571 if (GetImportedOrCreateDecl(ToUsingValue, D, Importer.getToContext(), DC,
5572 ToUsingLoc, ToQualifierLoc, NameInfo,
5574 return ToUsingValue;
5580 return ToUsingValue;
5590 return std::move(Err);
5594 Error Err = Error::success();
5600 return std::move(Err);
5603 if (GetImportedOrCreateDecl(ToUsing, D, Importer.getToContext(), DC,
5604 ToUsingLoc, ToTypenameLoc,
5605 ToQualifierLoc, Loc, Name, ToEllipsisLoc))
5616 Decl* ToD =
nullptr;
5618#define BuiltinTemplate(BTName) \
5619 case BuiltinTemplateKind::BTK##BTName: \
5620 ToD = Importer.getToContext().get##BTName##Decl(); \
5622#include "clang/Basic/BuiltinTemplates.inc"
5624 assert(ToD &&
"BuiltinTemplateDecl of unsupported kind!");
5625 Importer.MapImported(D, ToD);
5635 if (
auto FromSuperOrErr =
import(FromSuper))
5636 FromSuper = *FromSuperOrErr;
5638 return FromSuperOrErr.takeError();
5642 if ((
bool)FromSuper != (
bool)ToSuper ||
5645 diag::warn_odr_objc_superclass_inconsistent)
5652 diag::note_odr_objc_missing_superclass);
5655 diag::note_odr_objc_superclass)
5659 diag::note_odr_objc_missing_superclass);
5665 return Error::success();
5676 return SuperTInfoOrErr.takeError();
5687 FromProto != FromProtoEnd;
5688 ++FromProto, ++FromProtoLoc) {
5690 Protocols.push_back(*ToProtoOrErr);
5692 return ToProtoOrErr.takeError();
5694 if (
ExpectedSLoc ToProtoLocOrErr =
import(*FromProtoLoc))
5695 ProtocolLocs.push_back(*ToProtoLocOrErr);
5697 return ToProtoLocOrErr.takeError();
5703 ProtocolLocs.data(), Importer.getToContext());
5708 auto ToCatOrErr =
import(Cat);
5710 return ToCatOrErr.takeError();
5719 return ToImplOrErr.takeError();
5726 return Error::success();
5735 for (
auto *fromTypeParam : *list) {
5736 if (
auto toTypeParamOrErr =
import(fromTypeParam))
5737 toTypeParams.push_back(*toTypeParamOrErr);
5739 return toTypeParamOrErr.takeError();
5743 if (!LAngleLocOrErr)
5744 return LAngleLocOrErr.takeError();
5747 if (!RAngleLocOrErr)
5748 return RAngleLocOrErr.takeError();
5763 return Importer.MapImported(D, *ImportedDefOrErr);
5765 return ImportedDefOrErr.takeError();
5774 return std::move(Err);
5780 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
5781 for (
auto *FoundDecl : FoundDecls) {
5785 if ((MergeWithIface = dyn_cast<ObjCInterfaceDecl>(FoundDecl)))
5793 if (!AtBeginLocOrErr)
5794 return AtBeginLocOrErr.takeError();
5796 if (GetImportedOrCreateDecl(
5797 ToIface, D, Importer.getToContext(), DC,
5805 Importer.MapImported(D, ToIface);
5808 if (
auto ToPListOrErr =
5812 return ToPListOrErr.takeError();
5816 return std::move(Err);
5825 return std::move(Err);
5831 return std::move(Err);
5833 Error Err = Error::success();
5838 return std::move(Err);
5840 if (GetImportedOrCreateDecl(
5841 ToImpl, D, Importer.getToContext(), DC,
5842 Importer.Import(D->
getIdentifier()), Category->getClassInterface(),
5843 ToLocation, ToAtStartLoc, ToCategoryNameLoc))
5848 Category->setImplementation(ToImpl);
5851 Importer.MapImported(D, ToImpl);
5853 return std::move(Err);
5863 return std::move(Err);
5868 return std::move(Err);
5876 return std::move(Err);
5878 Error Err = Error::success();
5885 return std::move(Err);
5887 if (GetImportedOrCreateDecl(Impl, D, Importer.getToContext(),
5896 Impl->setLexicalDeclContext(LexicalDC);
5910 Importer.ToDiag(Impl->getLocation(),
5911 diag::warn_odr_objc_superclass_inconsistent)
5915 if (Impl->getSuperClass())
5916 Importer.ToDiag(Impl->getLocation(),
5917 diag::note_odr_objc_superclass)
5918 << Impl->getSuperClass()->getDeclName();
5920 Importer.ToDiag(Impl->getLocation(),
5921 diag::note_odr_objc_missing_superclass);
5924 diag::note_odr_objc_superclass)
5928 diag::note_odr_objc_missing_superclass);
5936 return std::move(Err);
5948 return std::move(Err);
5953 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
5954 for (
auto *FoundDecl : FoundDecls) {
5955 if (
auto *FoundProp = dyn_cast<ObjCPropertyDecl>(FoundDecl)) {
5962 if (!Importer.IsStructurallyEquivalent(D->
getType(),
5963 FoundProp->getType())) {
5964 Importer.ToDiag(Loc, diag::warn_odr_objc_property_type_inconsistent)
5965 << Name << D->
getType() << FoundProp->getType();
5966 Importer.ToDiag(FoundProp->getLocation(), diag::note_odr_value_here)
5967 << FoundProp->getType();
5975 Importer.MapImported(D, FoundProp);
5980 Error Err = Error::success();
5986 return std::move(Err);
5990 if (GetImportedOrCreateDecl(
5991 ToProperty, D, Importer.getToContext(), DC, Loc,
5993 ToLParenLoc, ToType,
6005 return std::move(Err);
6025 return std::move(Err);
6029 return std::move(Err);
6036 return std::move(Err);
6039 = InImpl->FindPropertyImplDecl(
Property->getIdentifier(),
6043 Error Err = Error::success();
6046 auto ToPropertyIvarDeclLoc =
6049 return std::move(Err);
6051 if (GetImportedOrCreateDecl(ToImpl, D, Importer.getToContext(), DC,
6055 ToPropertyIvarDeclLoc))
6065 diag::warn_odr_objc_property_impl_kind_inconsistent)
6070 diag::note_odr_objc_property_impl_kind)
6081 diag::warn_odr_objc_synthesize_ivar_inconsistent)
6086 diag::note_odr_objc_synthesize_ivar_here)
6093 Importer.MapImported(D, ToImpl);
6107 return BeginLocOrErr.takeError();
6111 return LocationOrErr.takeError();
6114 if (GetImportedOrCreateDecl(
6115 ToD, D, Importer.getToContext(),
6117 *BeginLocOrErr, *LocationOrErr,
6126 Error Err = Error::success();
6127 auto ToConceptRef =
importChecked(Err, TC->getConceptReference());
6128 auto ToIDC =
importChecked(Err, TC->getImmediatelyDeclaredConstraint());
6130 return std::move(Err);
6135 if (
Error Err = importTemplateParameterDefaultArgument(D, ToD))
6144 Error Err = Error::success();
6151 return std::move(Err);
6154 if (GetImportedOrCreateDecl(ToD, D, Importer.getToContext(),
6156 ToInnerLocStart, ToLocation, D->
getDepth(),
6158 ToDeclName.getAsIdentifierInfo(), ToType,
6162 Err = importTemplateParameterDefaultArgument(D, ToD);
6171 bool IsCanonical =
false;
6172 if (
auto *CanonD = Importer.getFromContext()
6173 .findCanonicalTemplateTemplateParmDeclInternal(D);
6180 return NameOrErr.takeError();
6185 return LocationOrErr.takeError();
6189 if (!TemplateParamsOrErr)
6190 return TemplateParamsOrErr.takeError();
6193 if (GetImportedOrCreateDecl(
6194 ToD, D, Importer.getToContext(),
6201 if (
Error Err = importTemplateParameterDefaultArgument(D, ToD))
6205 return Importer.getToContext()
6206 .insertCanonicalTemplateTemplateParmDeclInternal(ToD);
6214 assert(D->getTemplatedDecl() &&
"Should be called on templates only");
6215 auto *ToTemplatedDef = D->getTemplatedDecl()->getDefinition();
6216 if (!ToTemplatedDef)
6218 auto *TemplateWithDef = ToTemplatedDef->getDescribedTemplate();
6219 return cast_or_null<T>(TemplateWithDef);
6230 return std::move(Err);
6242 TD->getLexicalDeclContext()->isDependentContext();
6244 bool DependentFriend = IsDependentFriend(D);
6251 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
6252 for (
auto *FoundDecl : FoundDecls) {
6257 auto *FoundTemplate = dyn_cast<ClassTemplateDecl>(FoundDecl);
6258 if (FoundTemplate) {
6263 bool IgnoreTemplateParmDepth =
6267 IgnoreTemplateParmDepth)) {
6268 if (DependentFriend || IsDependentFriend(FoundTemplate))
6274 return Importer.MapImported(D, TemplateWithDef);
6276 FoundByLookup = FoundTemplate;
6294 ConflictingDecls.push_back(FoundDecl);
6298 if (!ConflictingDecls.empty()) {
6301 ConflictingDecls.size());
6303 Name = NameOrErr.get();
6305 return NameOrErr.takeError();
6312 if (!TemplateParamsOrErr)
6313 return TemplateParamsOrErr.takeError();
6317 if (
Error Err = importInto(ToTemplated, FromTemplated))
6318 return std::move(Err);
6322 if (GetImportedOrCreateDecl(D2, D, Importer.getToContext(), DC, Loc, Name,
6323 *TemplateParamsOrErr, ToTemplated))
6331 addDeclToContexts(D, D2);
6332 updateLookupTableForTemplateParameters(**TemplateParamsOrErr);
6334 if (FoundByLookup) {
6348 "Found decl must have its templated decl set");
6351 if (ToTemplated != PrevTemplated)
6365 return std::move(Err);
6370 return std::move(Err);
6376 return std::move(Err);
6379 void *InsertPos =
nullptr;
6382 dyn_cast<ClassTemplatePartialSpecializationDecl>(D);
6390 return ToTPListOrErr.takeError();
6391 ToTPList = *ToTPListOrErr;
6402 Importer.MapImported(D, PrevDefinition);
6405 for (
auto *FromField : D->
fields()) {
6406 auto ToOrErr =
import(FromField);
6408 return ToOrErr.takeError();
6414 auto ToOrErr =
import(FromM);
6416 return ToOrErr.takeError();
6424 return PrevDefinition;
6435 return BeginLocOrErr.takeError();
6438 return IdLocOrErr.takeError();
6444 return std::move(Err);
6450 if (GetImportedOrCreateDecl<ClassTemplatePartialSpecializationDecl>(
6451 D2, D, Importer.getToContext(), D->
getTagKind(), DC, *BeginLocOrErr,
6452 *IdLocOrErr, ToTPList, ClassTemplate,
ArrayRef(TemplateArgs),
6454 cast_or_null<ClassTemplatePartialSpecializationDecl>(PrevDecl)))
6466 PartSpec2->setInstantiatedFromMember(*ToInstOrErr);
6468 return ToInstOrErr.takeError();
6470 updateLookupTableForTemplateParameters(*ToTPList);
6472 if (GetImportedOrCreateDecl(D2, D, Importer.getToContext(), D->
getTagKind(),
6473 DC, *BeginLocOrErr, *IdLocOrErr, ClassTemplate,
6498 return BraceRangeOrErr.takeError();
6501 return std::move(Err);
6507 return LocOrErr.takeError();
6515 return LocOrErr.takeError();
6520 return LocOrErr.takeError();
6526 return POIOrErr.takeError();
6532 if (
auto *CTD = dyn_cast<ClassTemplateDecl *>(
P)) {
6533 if (
auto CTDorErr =
import(CTD))
6537 auto CTPSDOrErr =
import(CTPSD);
6539 return CTPSDOrErr.takeError();
6542 for (
unsigned I = 0; I < DArgs.
size(); ++I) {
6544 if (
auto ArgOrErr =
import(DArg))
6545 D2ArgsVec[I] = *ArgOrErr;
6547 return ArgOrErr.takeError();
6557 return std::move(Err);
6569 return std::move(Err);
6575 "Variable templates cannot be declared at function scope");
6578 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
6580 for (
auto *FoundDecl : FoundDecls) {
6584 if (
VarTemplateDecl *FoundTemplate = dyn_cast<VarTemplateDecl>(FoundDecl)) {
6594 assert(FoundTemplate->getDeclContext()->isRecord() &&
6595 "Member variable template imported as non-member, "
6596 "inconsistent imported AST?");
6598 return Importer.MapImported(D, FoundDef);
6600 return Importer.MapImported(D, FoundTemplate);
6603 return Importer.MapImported(D, FoundDef);
6605 FoundByLookup = FoundTemplate;
6608 ConflictingDecls.push_back(FoundDecl);
6612 if (!ConflictingDecls.empty()) {
6615 ConflictingDecls.size());
6617 Name = NameOrErr.get();
6619 return NameOrErr.takeError();
6628 return TypeOrErr.takeError();
6632 if (
Error Err = importInto(ToTemplated, DTemplated))
6633 return std::move(Err);
6637 if (!TemplateParamsOrErr)
6638 return TemplateParamsOrErr.takeError();
6641 if (GetImportedOrCreateDecl(ToVarTD, D, Importer.getToContext(), DC, Loc,
6642 Name, *TemplateParamsOrErr, ToTemplated))
6650 if (DC != Importer.getToContext().getTranslationUnitDecl())
6651 updateLookupTableForTemplateParameters(**TemplateParamsOrErr);
6653 if (FoundByLookup) {
6657 auto *PrevTemplated =
6659 if (ToTemplated != PrevTemplated)
6674 auto RedeclIt = Redecls.begin();
6677 for (; RedeclIt != Redecls.end() && *RedeclIt != D; ++RedeclIt) {
6680 return RedeclOrErr.takeError();
6682 assert(*RedeclIt == D);
6686 return std::move(Err);
6691 return std::move(Err);
6696 return BeginLocOrErr.takeError();
6700 return IdLocOrErr.takeError();
6706 return std::move(Err);
6709 void *InsertPos =
nullptr;
6711 VarTemplate->findSpecialization(TemplateArgs, InsertPos);
6712 if (FoundSpecialization) {
6720 "Member variable template specialization imported as non-member, "
6721 "inconsistent imported AST?");
6723 return Importer.MapImported(D, FoundDef);
6725 return Importer.MapImported(D, FoundSpecialization);
6730 return Importer.MapImported(D, FoundDef);
6742 return std::move(Err);
6747 if (
auto *FromPartial = dyn_cast<PartVarSpecDecl>(D)) {
6748 auto ToTPListOrErr =
import(FromPartial->getTemplateParameters());
6750 return ToTPListOrErr.takeError();
6752 PartVarSpecDecl *ToPartial;
6753 if (GetImportedOrCreateDecl(ToPartial, D, Importer.getToContext(), DC,
6754 *BeginLocOrErr, *IdLocOrErr, *ToTPListOrErr,
6760 import(FromPartial->getInstantiatedFromMember()))
6761 ToPartial->setInstantiatedFromMember(*ToInstOrErr);
6763 return ToInstOrErr.takeError();
6765 if (FromPartial->isMemberSpecialization())
6766 ToPartial->setMemberSpecialization();
6774 if (GetImportedOrCreateDecl(D2, D, Importer.getToContext(), DC,
6783 if (!
VarTemplate->findSpecialization(TemplateArgs, InsertPos))
6788 return std::move(Err);
6793 return TInfoOrErr.takeError();
6800 return POIOrErr.takeError();
6811 return LocOrErr.takeError();
6819 return std::move(Err);
6821 if (FoundSpecialization)
6824 addDeclToContexts(D, D2);
6827 for (++RedeclIt; RedeclIt != Redecls.end(); ++RedeclIt) {
6830 return RedeclOrErr.takeError();
6844 return std::move(Err);
6856 auto FoundDecls = Importer.findDeclsInToCtx(DC, Name);
6857 for (
auto *FoundDecl : FoundDecls) {
6858 if (!FoundDecl->isInIdentifierNamespace(IDNS))
6861 if (
auto *FoundTemplate = dyn_cast<FunctionTemplateDecl>(FoundDecl)) {
6868 return Importer.MapImported(D, TemplateWithDef);
6870 FoundByLookup = FoundTemplate;
6880 return ParamsOrErr.takeError();
6885 return std::move(Err);
6902 OldParamDC.reserve(Params->
size());
6903 llvm::transform(*Params, std::back_inserter(OldParamDC),
6907 if (GetImportedOrCreateDecl(ToFunc, D, Importer.getToContext(), DC, Loc, Name,
6908 Params, TemplatedFD))
6922 ToFunc->setLexicalDeclContext(LexicalDC);
6923 addDeclToContexts(D, ToFunc);
6926 if (LT && !OldParamDC.empty()) {
6927 for (
unsigned int I = 0; I < OldParamDC.size(); ++I)
6928 LT->updateForced(Params->
getParam(I), OldParamDC[I]);
6931 if (FoundByLookup) {
6936 "Found decl must have its templated decl set");
6937 auto *PrevTemplated =
6939 if (TemplatedFD != PrevTemplated)
6956 return std::move(Err);
6959 if (GetImportedOrCreateDecl(To, D, Importer.getToContext(), DC, LocationOrErr,
6960 NameDeclOrErr, ToTemplateParameters,
6974 return std::move(Err);
6977 if (GetImportedOrCreateDecl(To, D, Importer.getToContext(), DC, RequiresLoc))
6990 return std::move(Err);
6994 return std::move(Err);
6997 if (GetImportedOrCreateDecl(To, D, Importer.getToContext(), DC, ToSL, ToArgs))
7009 Importer.FromDiag(S->
getBeginLoc(), diag::err_unsupported_ast_node)
7016 if (Importer.returnWithErrorInTest())
7023 Names.push_back(ToII);
7026 for (
unsigned I = 0, E = S->
getNumInputs(); I != E; I++) {
7030 Names.push_back(ToII);
7036 Clobbers.push_back(*ClobberOrErr);
7038 return ClobberOrErr.takeError();
7045 Constraints.push_back(*OutputOrErr);
7047 return OutputOrErr.takeError();
7050 for (
unsigned I = 0, E = S->
getNumInputs(); I != E; I++) {
7052 Constraints.push_back(*InputOrErr);
7054 return InputOrErr.takeError();
7060 return std::move(Err);
7064 return std::move(Err);
7068 return std::move(Err);
7072 return AsmLocOrErr.takeError();
7075 return AsmStrOrErr.takeError();
7077 if (!RParenLocOrErr)
7078 return RParenLocOrErr.takeError();
7080 return new (Importer.getToContext())
GCCAsmStmt(
7081 Importer.getToContext(),
7099 Error Err = Error::success();
7104 return std::move(Err);
7105 return new (Importer.getToContext())
DeclStmt(ToDG, ToBeginLoc, ToEndLoc);
7110 if (!ToSemiLocOrErr)
7111 return ToSemiLocOrErr.takeError();
7112 return new (Importer.getToContext())
NullStmt(
7120 return std::move(Err);
7123 if (!ToLBracLocOrErr)
7124 return ToLBracLocOrErr.takeError();
7127 if (!ToRBracLocOrErr)
7128 return ToRBracLocOrErr.takeError();
7133 *ToLBracLocOrErr, *ToRBracLocOrErr);
7138 Error Err = Error::success();
7146 return std::move(Err);
7149 ToCaseLoc, ToEllipsisLoc, ToColonLoc);
7150 ToStmt->setSubStmt(ToSubStmt);
7157 Error Err = Error::success();
7162 return std::move(Err);
7165 ToDefaultLoc, ToColonLoc, ToSubStmt);
7170 Error Err = Error::success();
7175 return std::move(Err);
7177 return new (Importer.getToContext())
LabelStmt(
7178 ToIdentLoc, ToLabelDecl, ToSubStmt);
7183 if (!ToAttrLocOrErr)
7184 return ToAttrLocOrErr.takeError();
7188 return std::move(Err);
7190 if (!ToSubStmtOrErr)
7191 return ToSubStmtOrErr.takeError();
7194 Importer.getToContext(), *ToAttrLocOrErr, ToAttrs, *ToSubStmtOrErr);
7199 Error Err = Error::success();
7210 return std::move(Err);
7213 ToInit, ToConditionVariable, ToCond, ToLParenLoc,
7214 ToRParenLoc, ToThen, ToElseLoc, ToElse);
7219 Error Err = Error::success();
7228 return std::move(Err);
7232 ToCond, ToLParenLoc, ToRParenLoc);
7233 ToStmt->setBody(ToBody);
7234 ToStmt->setSwitchLoc(ToSwitchLoc);
7242 return ToSCOrErr.takeError();
7243 if (LastChainedSwitchCase)
7246 ToStmt->setSwitchCaseList(*ToSCOrErr);
7247 LastChainedSwitchCase = *ToSCOrErr;
7255 Error Err = Error::success();
7263 return std::move(Err);
7266 ToBody, ToWhileLoc, ToLParenLoc, ToRParenLoc);
7271 Error Err = Error::success();
7278 return std::move(Err);
7280 return new (Importer.getToContext())
DoStmt(
7281 ToBody, ToCond, ToDoLoc, ToWhileLoc, ToRParenLoc);
7286 Error Err = Error::success();
7296 return std::move(Err);
7298 return new (Importer.getToContext())
ForStmt(
7299 Importer.getToContext(),
7300 ToInit, ToCond, ToConditionVariable, ToInc, ToBody, ToForLoc, ToLParenLoc,
7306 Error Err = Error::success();
7311 return std::move(Err);
7313 return new (Importer.getToContext())
GotoStmt(
7314 ToLabel, ToGotoLoc, ToLabelLoc);
7319 Error Err = Error::success();
7324 return std::move(Err);
7327 ToGotoLoc, ToStarLoc, ToTarget);
7330template <
typename StmtClass>
7333 Error Err = Error::success();
7334 auto ToLoc = NodeImporter.
importChecked(Err, S->getKwLoc());
7335 auto ToLabelLoc = S->hasLabelTarget()
7338 auto ToDecl = S->hasLabelTarget()
7342 return std::move(Err);
7343 return new (Importer.
getToContext()) StmtClass(ToLoc, ToLabelLoc, ToDecl);
7356 Error Err = Error::success();
7361 return std::move(Err);
7369 Error Err = Error::success();
7374 return std::move(Err);
7377 ToCatchLoc, ToExceptionDecl, ToHandlerBlock);
7383 return ToTryLocOrErr.takeError();
7386 if (!ToTryBlockOrErr)
7387 return ToTryBlockOrErr.takeError();
7390 for (
unsigned HI = 0, HE = S->
getNumHandlers(); HI != HE; ++HI) {
7392 if (
auto ToHandlerOrErr =
import(FromHandler))
7393 ToHandlers[HI] = *ToHandlerOrErr;
7395 return ToHandlerOrErr.takeError();
7404 Error Err = Error::success();
7418 return std::move(Err);
7421 ToInit, ToRangeStmt, ToBeginStmt, ToEndStmt, ToCond, ToInc, ToLoopVarStmt,
7422 ToBody, ToForLoc, ToCoawaitLoc, ToColonLoc, ToRParenLoc);
7427 Error Err = Error::success();
7434 return std::move(Err);
7445 Error Err = Error::success();
7451 return std::move(Err);
7454 ToAtCatchLoc, ToRParenLoc, ToCatchParamDecl, ToCatchBody);
7459 if (!ToAtFinallyLocOrErr)
7460 return ToAtFinallyLocOrErr.takeError();
7462 if (!ToAtFinallyStmtOrErr)
7463 return ToAtFinallyStmtOrErr.takeError();
7465 *ToAtFinallyStmtOrErr);
7470 Error Err = Error::success();
7475 return std::move(Err);
7480 if (
ExpectedStmt ToCatchStmtOrErr =
import(FromCatchStmt))
7481 ToCatchStmts[CI] = *ToCatchStmtOrErr;
7483 return ToCatchStmtOrErr.takeError();
7487 ToAtTryLoc, ToTryBody,
7488 ToCatchStmts.begin(), ToCatchStmts.size(),
7495 Error Err = Error::success();
7500 return std::move(Err);
7503 ToAtSynchronizedLoc, ToSynchExpr, ToSynchBody);
7508 if (!ToThrowLocOrErr)
7509 return ToThrowLocOrErr.takeError();
7511 if (!ToThrowExprOrErr)
7512 return ToThrowExprOrErr.takeError();
7514 *ToThrowLocOrErr, *ToThrowExprOrErr);
7521 return ToAtLocOrErr.takeError();
7523 if (!ToSubStmtOrErr)
7524 return ToSubStmtOrErr.takeError();
7533 Importer.FromDiag(E->
getBeginLoc(), diag::err_unsupported_ast_node)
7539 Error Err = Error::success();
7544 return std::move(Err);
7546 if (!ParentContextOrErr)
7547 return ParentContextOrErr.takeError();
7549 return new (Importer.getToContext())
7551 RParenLoc, *ParentContextOrErr);
7556 Error Err = Error::success();
7563 return std::move(Err);
7565 return new (Importer.getToContext())
VAArgExpr(
7566 ToBuiltinLoc, ToSubExpr, ToWrittenTypeInfo, ToRParenLoc, ToType,
7572 Error Err = Error::success();
7580 return std::move(Err);
7589 return new (Importer.getToContext())
7590 ChooseExpr(ToBuiltinLoc, ToCond, ToLHS, ToRHS, ToType,
VK, OK,
7591 ToRParenLoc, CondIsTrue);
7595 Error Err = Error::success();
7602 return std::move(Err);
7605 Importer.getToContext(), ToSrcExpr, ToTSI, ToType, E->
getValueKind(),
7611 Error Err = Error::success();
7619 ToSubExprs.resize(NumSubExprs);
7622 return std::move(Err);
7625 Importer.getToContext(), ToSubExprs, ToType, ToBeginLoc, ToRParenLoc);
7631 return TypeOrErr.takeError();
7635 return BeginLocOrErr.takeError();
7637 return new (Importer.getToContext())
GNUNullExpr(*TypeOrErr, *BeginLocOrErr);
7642 Error Err = Error::success();
7644 Expr *ToControllingExpr =
nullptr;
7650 assert((ToControllingExpr || ToControllingType) &&
7651 "Either the controlling expr or type must be nonnull");
7655 return std::move(Err);
7660 return std::move(Err);
7665 return std::move(Err);
7667 const ASTContext &ToCtx = Importer.getToContext();
7669 if (ToControllingExpr) {
7671 ToCtx, ToGenericLoc, ToControllingExpr,
ArrayRef(ToAssocTypes),
7672 ArrayRef(ToAssocExprs), ToDefaultLoc, ToRParenLoc,
7676 ToCtx, ToGenericLoc, ToControllingType,
ArrayRef(ToAssocTypes),
7677 ArrayRef(ToAssocExprs), ToDefaultLoc, ToRParenLoc,
7681 if (ToControllingExpr) {
7683 ToCtx, ToGenericLoc, ToControllingExpr,
ArrayRef(ToAssocTypes),
7684 ArrayRef(ToAssocExprs), ToDefaultLoc, ToRParenLoc,
7688 ToCtx, ToGenericLoc, ToControllingType,
ArrayRef(ToAssocTypes),
7689 ArrayRef(ToAssocExprs), ToDefaultLoc, ToRParenLoc,
7695 Error Err = Error::success();
7700 return std::move(Err);
7709 Error Err = Error::success();
7716 return std::move(Err);
7722 return FoundDOrErr.takeError();
7723 ToFoundD = *FoundDOrErr;
7732 return std::move(Err);
7733 ToResInfo = &ToTAInfo;
7737 Importer.getToContext(), ToQualifierLoc, ToTemplateKeywordLoc, ToDecl,
7741 ToE->setHadMultipleCandidates(
true);
7749 return TypeOrErr.takeError();
7757 return ToInitOrErr.takeError();
7760 if (!ToEqualOrColonLocOrErr)
7761 return ToEqualOrColonLocOrErr.takeError();
7767 ToIndexExprs[I - 1] = *ToArgOrErr;
7769 return ToArgOrErr.takeError();
7774 return std::move(Err);
7777 Importer.getToContext(), ToDesignators,
7778 ToIndexExprs, *ToEqualOrColonLocOrErr,
7786 return ToTypeOrErr.takeError();
7789 if (!ToLocationOrErr)
7790 return ToLocationOrErr.takeError();
7793 *ToTypeOrErr, *ToLocationOrErr);
7799 return ToTypeOrErr.takeError();
7802 if (!ToLocationOrErr)
7803 return ToLocationOrErr.takeError();
7806 Importer.getToContext(), E->
getValue(), *ToTypeOrErr, *ToLocationOrErr);
7813 return ToTypeOrErr.takeError();
7816 if (!ToLocationOrErr)
7817 return ToLocationOrErr.takeError();
7821 *ToTypeOrErr, *ToLocationOrErr);
7825 auto ToTypeOrErr =
import(E->
getType());
7827 return ToTypeOrErr.takeError();
7830 if (!ToSubExprOrErr)
7831 return ToSubExprOrErr.takeError();
7834 *ToSubExprOrErr, *ToTypeOrErr);
7838 auto ToTypeOrErr =
import(E->
getType());
7840 return ToTypeOrErr.takeError();
7843 if (!ToLocationOrErr)
7844 return ToLocationOrErr.takeError();
7847 Importer.getToContext(), E->
getValue(), *ToTypeOrErr, *ToLocationOrErr,
7848 Importer.getToContext().getFixedPointScale(*ToTypeOrErr));
7854 return ToTypeOrErr.takeError();
7857 if (!ToLocationOrErr)
7858 return ToLocationOrErr.takeError();
7867 return ToTypeOrErr.takeError();
7872 return std::move(Err);
7881 Error Err = Error::success();
7887 return std::move(Err);
7890 ToLParenLoc, ToTypeSourceInfo, ToType, E->
getValueKind(),
7896 Error Err = Error::success();
7901 return std::move(Err);
7907 return std::move(Err);
7909 return new (Importer.getToContext())
AtomicExpr(
7911 ToBuiltinLoc, ToExprs, ToType, E->
getOp(), ToRParenLoc);
7915 Error Err = Error::success();
7921 return std::move(Err);
7924 ToAmpAmpLoc, ToLabelLoc, ToLabel, ToType);
7927 Error Err = Error::success();
7931 return std::move(Err);
7936 Error Err = Error::success();
7941 return std::move(Err);
7943 return new (Importer.getToContext())
7944 ParenExpr(ToLParen, ToRParen, ToSubExpr);
7950 return std::move(Err);
7953 if (!ToLParenLocOrErr)
7954 return ToLParenLocOrErr.takeError();
7957 if (!ToRParenLocOrErr)
7958 return ToRParenLocOrErr.takeError();
7961 ToExprs, *ToRParenLocOrErr);
7965 Error Err = Error::success();
7971 return std::move(Err);
7973 return new (Importer.getToContext())
7974 StmtExpr(ToSubStmt, ToType, ToLParenLoc, ToRParenLoc,
7979 Error Err = Error::success();
7984 return std::move(Err);
7988 UO->setType(ToType);
7989 UO->setSubExpr(ToSubExpr);
7991 UO->setOperatorLoc(ToOperatorLoc);
8002 Error Err = Error::success();
8007 return std::move(Err);
8012 if (!ToArgumentTypeInfoOrErr)
8013 return ToArgumentTypeInfoOrErr.takeError();
8016 E->
getKind(), *ToArgumentTypeInfoOrErr, ToType, ToOperatorLoc,
8021 if (!ToArgumentExprOrErr)
8022 return ToArgumentExprOrErr.takeError();
8025 E->
getKind(), *ToArgumentExprOrErr, ToType, ToOperatorLoc, ToRParenLoc);
8029 Error Err = Error::success();
8035 return std::move(Err);
8038 Importer.getToContext(), ToLHS, ToRHS, E->
getOpcode(), ToType,
8044 Error Err = Error::success();
8052 return std::move(Err);
8055 ToCond, ToQuestionLoc, ToLHS, ToColonLoc, ToRHS, ToType,
8061 Error Err = Error::success();
8071 return std::move(Err);
8074 ToCommon, ToOpaqueValue, ToCond, ToTrueExpr, ToFalseExpr,
8081 Error Err = Error::success();
8084 return std::move(Err);
8086 return new (Importer.getToContext())
8091 Error Err = Error::success();
8093 auto ToQueriedTypeSourceInfo =
8099 return std::move(Err);
8103 ToDimensionExpression, ToEndLoc, ToType);
8107 Error Err = Error::success();
8113 return std::move(Err);
8121 Error Err = Error::success();
8126 return std::move(Err);
8133 Error Err = Error::success();
8139 return std::move(Err);
8148 Error Err = Error::success();
8153 auto ToComputationResultType =
8157 return std::move(Err);
8160 Importer.getToContext(), ToLHS, ToRHS, E->
getOpcode(), ToType,
8163 ToComputationLHSType, ToComputationResultType);
8170 if (
auto SpecOrErr =
import(*I))
8171 Path.push_back(*SpecOrErr);
8173 return SpecOrErr.takeError();
8181 return ToTypeOrErr.takeError();
8184 if (!ToSubExprOrErr)
8185 return ToSubExprOrErr.takeError();
8188 if (!ToBasePathOrErr)
8189 return ToBasePathOrErr.takeError();
8192 Importer.getToContext(), *ToTypeOrErr, E->
getCastKind(), *ToSubExprOrErr,
8197 Error Err = Error::success();
8202 return std::move(Err);
8205 if (!ToBasePathOrErr)
8206 return ToBasePathOrErr.takeError();
8210 case Stmt::CStyleCastExprClass: {
8212 ExpectedSLoc ToLParenLocOrErr =
import(CCE->getLParenLoc());
8213 if (!ToLParenLocOrErr)
8214 return ToLParenLocOrErr.takeError();
8215 ExpectedSLoc ToRParenLocOrErr =
import(CCE->getRParenLoc());
8216 if (!ToRParenLocOrErr)
8217 return ToRParenLocOrErr.takeError();
8220 ToSubExpr, ToBasePath, CCE->getFPFeatures(), ToTypeInfoAsWritten,
8221 *ToLParenLocOrErr, *ToRParenLocOrErr);
8224 case Stmt::CXXFunctionalCastExprClass: {
8226 ExpectedSLoc ToLParenLocOrErr =
import(FCE->getLParenLoc());
8227 if (!ToLParenLocOrErr)
8228 return ToLParenLocOrErr.takeError();
8229 ExpectedSLoc ToRParenLocOrErr =
import(FCE->getRParenLoc());
8230 if (!ToRParenLocOrErr)
8231 return ToRParenLocOrErr.takeError();
8233 Importer.getToContext(), ToType, E->
getValueKind(), ToTypeInfoAsWritten,
8234 E->
getCastKind(), ToSubExpr, ToBasePath, FCE->getFPFeatures(),
8235 *ToLParenLocOrErr, *ToRParenLocOrErr);
8238 case Stmt::ObjCBridgedCastExprClass: {
8240 ExpectedSLoc ToLParenLocOrErr =
import(OCE->getLParenLoc());
8241 if (!ToLParenLocOrErr)
8242 return ToLParenLocOrErr.takeError();
8243 ExpectedSLoc ToBridgeKeywordLocOrErr =
import(OCE->getBridgeKeywordLoc());
8244 if (!ToBridgeKeywordLocOrErr)
8245 return ToBridgeKeywordLocOrErr.takeError();
8247 *ToLParenLocOrErr, OCE->getBridgeKind(), E->
getCastKind(),
8248 *ToBridgeKeywordLocOrErr, ToTypeInfoAsWritten, ToSubExpr);
8250 case Stmt::BuiltinBitCastExprClass: {
8252 ExpectedSLoc ToKWLocOrErr =
import(BBC->getBeginLoc());
8254 return ToKWLocOrErr.takeError();
8255 ExpectedSLoc ToRParenLocOrErr =
import(BBC->getEndLoc());
8256 if (!ToRParenLocOrErr)
8257 return ToRParenLocOrErr.takeError();
8260 ToTypeInfoAsWritten, *ToKWLocOrErr, *ToRParenLocOrErr);
8263 llvm_unreachable(
"Cast expression of unsupported type!");
8276 Error Err = Error::success();
8280 return std::move(Err);
8289 auto ToBSOrErr =
import(FromNode.
getBase());
8291 return ToBSOrErr.takeError();
8296 auto ToFieldOrErr =
import(FromNode.
getField());
8298 return ToFieldOrErr.takeError();
8299 ToNodes.push_back(
OffsetOfNode(ToBeginLoc, *ToFieldOrErr, ToEndLoc));
8304 ToNodes.push_back(
OffsetOfNode(ToBeginLoc, ToII, ToEndLoc));
8313 if (!ToIndexExprOrErr)
8314 return ToIndexExprOrErr.takeError();
8315 ToExprs[I] = *ToIndexExprOrErr;
8318 Error Err = Error::success();
8324 return std::move(Err);
8327 Importer.getToContext(), ToType, ToOperatorLoc, ToTypeSourceInfo, ToNodes,
8328 ToExprs, ToRParenLoc);
8332 Error Err = Error::success();
8338 return std::move(Err);
8347 ToType, ToOperand, ToCanThrow, ToBeginLoc, ToEndLoc);
8351 Error Err = Error::success();
8356 return std::move(Err);
8364 if (!ToUsedLocOrErr)
8365 return ToUsedLocOrErr.takeError();
8367 auto ToParamOrErr =
import(E->
getParam());
8369 return ToParamOrErr.takeError();
8371 auto UsedContextOrErr = Importer.ImportContext(E->
getUsedContext());
8372 if (!UsedContextOrErr)
8373 return UsedContextOrErr.takeError();
8383 std::optional<ParmVarDecl *> FromParam =
8384 Importer.getImportedFromDecl(ToParam);
8385 assert(FromParam &&
"ParmVarDecl was not imported?");
8388 return std::move(Err);
8390 Expr *RewrittenInit =
nullptr;
8394 return ExprOrErr.takeError();
8395 RewrittenInit = ExprOrErr.get();
8398 *ToParamOrErr, RewrittenInit,
8404 Error Err = Error::success();
8409 return std::move(Err);
8412 ToType, ToTypeSourceInfo, ToRParenLoc);
8418 if (!ToSubExprOrErr)
8419 return ToSubExprOrErr.takeError();
8421 auto ToDtorOrErr =
import(E->
getTemporary()->getDestructor());
8423 return ToDtorOrErr.takeError();
8433 Error Err = Error::success();
8439 return std::move(Err);
8443 return std::move(Err);
8446 Importer.getToContext(), ToConstructor, ToType, ToTypeSourceInfo, ToArgs,
8456 return std::move(Err);
8458 Error Err = Error::success();
8462 return std::move(Err);
8466 if (GetImportedOrCreateDecl(To, D, Temporary, ExtendingDecl,
8477 Error Err = Error::success();
8481 auto ToMaterializedDecl =
8484 return std::move(Err);
8486 if (!ToTemporaryExpr)
8487 ToTemporaryExpr =
cast<Expr>(ToMaterializedDecl->getTemporaryExpr());
8491 ToMaterializedDecl);
8497 Error Err = Error::success();
8501 return std::move(Err);
8503 return new (Importer.getToContext())
8508 Error Err = Error::success();
8514 return std::move(Err);
8523 ToPartialArguments))
8524 return std::move(Err);
8528 Importer.getToContext(), ToOperatorLoc, ToPack, ToPackLoc, ToRParenLoc,
8529 Length, ToPartialArguments);
8534 Error Err = Error::success();
8541 auto ToAllocatedTypeSourceInfo =
8546 return std::move(Err);
8551 return std::move(Err);
8554 Importer.getToContext(), E->
isGlobalNew(), ToOperatorNew,
8558 ToAllocatedTypeSourceInfo, ToSourceRange, ToDirectInitRange);
8562 Error Err = Error::success();
8568 return std::move(Err);
8577 Error Err = Error::success();
8583 return std::move(Err);
8587 return std::move(Err);
8590 Importer.getToContext(), ToType, ToLocation, ToConstructor,
8594 ToParenOrBraceRange);
8601 if (!ToSubExprOrErr)
8602 return ToSubExprOrErr.takeError();
8606 return std::move(Err);
8614 Error Err = Error::success();
8619 return std::move(Err);
8623 return std::move(Err);
8633 return ToTypeOrErr.takeError();
8636 if (!ToLocationOrErr)
8637 return ToLocationOrErr.takeError();
8646 return ToTypeOrErr.takeError();
8649 if (!ToLocationOrErr)
8650 return ToLocationOrErr.takeError();
8653 *ToTypeOrErr, *ToLocationOrErr);
8657 Error Err = Error::success();
8668 return std::move(Err);
8680 return std::move(Err);
8681 ResInfo = &ToTAInfo;
8685 ToOperatorLoc, ToQualifierLoc, ToTemplateKeywordLoc,
8686 ToMemberDecl, ToFoundDecl, ToMemberNameInfo,
8693 Error Err = Error::success();
8701 return std::move(Err);
8707 if (!ToDestroyedTypeLocOrErr)
8708 return ToDestroyedTypeLocOrErr.takeError();
8714 return ToTIOrErr.takeError();
8718 Importer.getToContext(), ToBase, E->
isArrow(), ToOperatorLoc,
8719 ToQualifierLoc, ToScopeTypeInfo, ToColonColonLoc, ToTildeLoc, Storage);
8724 Error Err = Error::success();
8729 auto ToFirstQualifierFoundInScope =
8732 return std::move(Err);
8734 Expr *ToBase =
nullptr;
8737 ToBase = *ToBaseOrErr;
8739 return ToBaseOrErr.takeError();
8748 return std::move(Err);
8749 ResInfo = &ToTAInfo;
8754 return std::move(Err);
8760 return std::move(Err);
8763 Importer.getToContext(), ToBase, ToType, E->
isArrow(), ToOperatorLoc,
8764 ToQualifierLoc, ToTemplateKeywordLoc, ToFirstQualifierFoundInScope,
8765 ToMemberNameInfo, ResInfo);
8770 Error Err = Error::success();
8778 return std::move(Err);
8782 return std::move(Err);
8789 return std::move(Err);
8790 ResInfo = &ToTAInfo;
8794 Importer.getToContext(), ToQualifierLoc, ToTemplateKeywordLoc,
8795 ToNameInfo, ResInfo);
8800 Error Err = Error::success();
8806 return std::move(Err);
8811 return std::move(Err);
8814 Importer.getToContext(), ToType, ToTypeSourceInfo, ToLParenLoc,
8821 if (!ToNamingClassOrErr)
8822 return ToNamingClassOrErr.takeError();
8825 if (!ToQualifierLocOrErr)
8826 return ToQualifierLocOrErr.takeError();
8828 Error Err = Error::success();
8832 return std::move(Err);
8837 return std::move(Err);
8840 for (
auto *D : E->
decls())
8841 if (
auto ToDOrErr =
import(D))
8844 return ToDOrErr.takeError();
8851 return std::move(Err);
8854 if (!ToTemplateKeywordLocOrErr)
8855 return ToTemplateKeywordLocOrErr.takeError();
8857 const bool KnownDependent =
8859 ExprDependence::TypeValue;
8861 Importer.getToContext(), *ToNamingClassOrErr, *ToQualifierLocOrErr,
8862 *ToTemplateKeywordLocOrErr, ToNameInfo, E->
requiresADL(), &ToTAInfo,
8863 ToDecls.
begin(), ToDecls.
end(), KnownDependent,
8868 Importer.getToContext(), *ToNamingClassOrErr, *ToQualifierLocOrErr,
8876 Error Err = Error::success();
8884 return std::move(Err);
8889 return std::move(Err);
8893 if (
auto ToDOrErr =
import(D))
8896 return ToDOrErr.takeError();
8904 return std::move(Err);
8905 ResInfo = &ToTAInfo;
8908 Expr *ToBase =
nullptr;
8911 ToBase = *ToBaseOrErr;
8913 return ToBaseOrErr.takeError();
8918 E->
isArrow(), ToOperatorLoc, ToQualifierLoc, ToTemplateKeywordLoc,
8919 ToNameInfo, ResInfo, ToDecls.
begin(), ToDecls.
end());
8923 Error Err = Error::success();
8928 return std::move(Err);
8933 return std::move(Err);
8935 if (
const auto *OCE = dyn_cast<CXXOperatorCallExpr>(E)) {
8937 Importer.getToContext(), OCE->getOperator(), ToCallee, ToArgs, ToType,
8938 OCE->getValueKind(), ToRParenLoc, OCE->getFPFeatures(),
8939 OCE->getADLCallKind());
8949 auto ToClassOrErr =
import(FromClass);
8951 return ToClassOrErr.takeError();
8956 return ToCallOpOrErr.takeError();
8960 return std::move(Err);
8962 Error Err = Error::success();
8967 return std::move(Err);
8978 Error Err = Error::success();
8983 return std::move(Err);
8987 return std::move(Err);
8991 ToCtx, ToLBraceLoc, ToExprs, ToRBraceLoc);
8998 return ToFillerOrErr.takeError();
9002 if (
auto ToFDOrErr =
import(FromFD))
9005 return ToFDOrErr.takeError();
9009 if (
auto ToSyntFormOrErr =
import(SyntForm))
9012 return ToSyntFormOrErr.takeError();
9026 return ToTypeOrErr.takeError();
9029 if (!ToSubExprOrErr)
9030 return ToSubExprOrErr.takeError();
9033 *ToTypeOrErr, *ToSubExprOrErr);
9038 Error Err = Error::success();
9043 return std::move(Err);
9051 Error Err = Error::success();
9056 return std::move(Err);
9059 ToType, ToCommonExpr, ToSubExpr);
9065 return ToTypeOrErr.takeError();
9071 if (!ToBeginLocOrErr)
9072 return ToBeginLocOrErr.takeError();
9074 auto ToFieldOrErr =
import(E->
getField());
9076 return ToFieldOrErr.takeError();
9078 auto UsedContextOrErr = Importer.ImportContext(E->
getUsedContext());
9079 if (!UsedContextOrErr)
9080 return UsedContextOrErr.takeError();
9084 "Field should have in-class initializer if there is a default init "
9085 "expression that uses it.");
9090 auto ToInClassInitializerOrErr =
9091 import(E->
getField()->getInClassInitializer());
9092 if (!ToInClassInitializerOrErr)
9093 return ToInClassInitializerOrErr.takeError();
9097 Expr *RewrittenInit =
nullptr;
9101 return ExprOrErr.takeError();
9102 RewrittenInit = ExprOrErr.get();
9106 ToField, *UsedContextOrErr, RewrittenInit);
9110 Error Err = Error::success();
9118 return std::move(Err);
9123 if (!ToBasePathOrErr)
9124 return ToBasePathOrErr.takeError();
9126 if (
auto CCE = dyn_cast<CXXStaticCastExpr>(E)) {
9128 Importer.getToContext(), ToType,
VK, CK, ToSubExpr, &(*ToBasePathOrErr),
9129 ToTypeInfoAsWritten, CCE->getFPFeatures(), ToOperatorLoc, ToRParenLoc,
9133 Importer.getToContext(), ToType,
VK, CK, ToSubExpr, &(*ToBasePathOrErr),
9134 ToTypeInfoAsWritten, ToOperatorLoc, ToRParenLoc, ToAngleBrackets);
9137 Importer.getToContext(), ToType,
VK, CK, ToSubExpr, &(*ToBasePathOrErr),
9138 ToTypeInfoAsWritten, ToOperatorLoc, ToRParenLoc, ToAngleBrackets);
9141 Importer.getToContext(), ToType,
VK, ToSubExpr, ToTypeInfoAsWritten,
9142 ToOperatorLoc, ToRParenLoc, ToAngleBrackets);
9144 llvm_unreachable(
"Unknown cast type");
9145 return make_error<ASTImportError>();
9151 Error Err = Error::success();
9157 return std::move(Err);
9160 ToType, E->
getValueKind(), ToNameLoc, ToReplacement, ToAssociatedDecl,
9166 Error Err = Error::success();
9171 return std::move(Err);
9175 return std::move(Err);
9182 E->
getTrait(), ToArgs, ToEndLoc, ToValue);
9192 return ToTypeOrErr.takeError();
9195 if (!ToSourceRangeOrErr)
9196 return ToSourceRangeOrErr.takeError();
9201 *ToTypeOrErr, *ToTSIOrErr, *ToSourceRangeOrErr);
9203 return ToTSIOrErr.takeError();
9207 if (!ToExprOperandOrErr)
9208 return ToExprOperandOrErr.takeError();
9211 *ToTypeOrErr, *ToExprOperandOrErr, *ToSourceRangeOrErr);
9215 Error Err = Error::success();
9226 return std::move(Err);
9228 return new (Importer.getToContext())
9234 Error Err = Error::success();
9242 return std::move(Err);
9246 return std::move(Err);
9251 return std::move(Err);
9253 LParenLoc, LocalParameters, RParenLoc,
9254 Requirements, RBraceLoc);
9259 Error Err = Error::success();
9263 return std::move(Err);
9266 Importer.getToContext(),
CL,
9271 return std::move(Err);
9273 Importer.getToContext(),
CL,
9279 Error ImportErrors = Error::success();
9281 if (
auto ImportedOrErr =
import(FromOverriddenMethod))
9283 (*ImportedOrErr)->getCanonicalDecl()));
9286 joinErrors(std::move(ImportErrors), ImportedOrErr.takeError());
9288 return ImportErrors;
9294 std::shared_ptr<ASTImporterSharedState> SharedState)
9295 : SharedState(SharedState), ToContext(ToContext), FromContext(FromContext),
9296 ToFileManager(ToFileManager), FromFileManager(FromFileManager),
9301 this->SharedState = std::make_shared<ASTImporterSharedState>();
9304 ImportedDecls[FromContext.getTranslationUnitDecl()] =
9305 ToContext.getTranslationUnitDecl();
9312 "Try to get field index for non-field.");
9316 return std::nullopt;
9319 for (
const auto *D : Owner->decls()) {
9327 llvm_unreachable(
"Field was not found in its parent context.");
9329 return std::nullopt;
9332ASTImporter::FoundDeclsTy
9342 if (SharedState->getLookupTable()) {
9350 dyn_cast<NamespaceDecl>(ReDC));
9351 for (
auto *D : NSChain) {
9353 SharedState->getLookupTable()->lookup(dyn_cast<NamespaceDecl>(D),
9360 SharedState->getLookupTable()->lookup(ReDC, Name);
9361 return FoundDeclsTy(LookupResult.begin(), LookupResult.end());
9365 FoundDeclsTy
Result(NoloadLookupResult.
begin(), NoloadLookupResult.
end());
9382void ASTImporter::AddToLookupTable(
Decl *ToD) {
9383 SharedState->addDeclToLookup(ToD);
9389 return Importer.
Visit(FromD);
9413 llvm::DenseMap<const Type *, const Type *>::iterator Pos =
9414 ImportedTypes.find(FromT);
9415 if (Pos != ImportedTypes.end())
9422 return ToTOrErr.takeError();
9425 ImportedTypes[FromT] = ToTOrErr->getTypePtr();
9427 return ToTOrErr->getTypePtr();
9436 return ToTyOrErr.takeError();
9449 return TOrErr.takeError();
9452 return BeginLocOrErr.takeError();
9454 return ToContext.getTrivialTypeSourceInfo(*TOrErr, *BeginLocOrErr);
9461template <
typename T>
struct AttrArgImporter {
9462 AttrArgImporter(
const AttrArgImporter<T> &) =
delete;
9463 AttrArgImporter(AttrArgImporter<T> &&) =
default;
9464 AttrArgImporter<T> &operator=(
const AttrArgImporter<T> &) =
delete;
9465 AttrArgImporter<T> &operator=(AttrArgImporter<T> &&) =
default;
9468 : To(I.importChecked(Err, From)) {}
9470 const T &value() {
return To; }
9481template <
typename T>
struct AttrArgArrayImporter {
9482 AttrArgArrayImporter(
const AttrArgArrayImporter<T> &) =
delete;
9483 AttrArgArrayImporter(AttrArgArrayImporter<T> &&) =
default;
9484 AttrArgArrayImporter<T> &operator=(
const AttrArgArrayImporter<T> &) =
delete;
9485 AttrArgArrayImporter<T> &operator=(AttrArgArrayImporter<T> &&) =
default;
9487 AttrArgArrayImporter(ASTNodeImporter &I,
Error &Err,
9488 const llvm::iterator_range<T *> &From,
9489 unsigned ArraySize) {
9492 To.reserve(ArraySize);
9496 T *value() {
return To.data(); }
9499 llvm::SmallVector<T, 2> To;
9503 Error Err{Error::success()};
9504 Attr *ToAttr =
nullptr;
9505 ASTImporter &Importer;
9506 ASTNodeImporter NImporter;
9509 AttrImporter(ASTImporter &I) : Importer(I), NImporter(I) {}
9512 template <
typename T>
T *castAttrAs() {
return cast<T>(ToAttr); }
9513 template <
typename T>
const T *castAttrAs()
const {
return cast<T>(ToAttr); }
9518 template <
class T> AttrArgImporter<T> importArg(
const T &From) {
9519 return AttrArgImporter<T>(NImporter, Err, From);
9525 template <
typename T>
9526 AttrArgArrayImporter<T> importArrayArg(
const llvm::iterator_range<T *> &From,
9527 unsigned ArraySize) {
9528 return AttrArgArrayImporter<T>(NImporter, Err, From, ArraySize);
9539 template <
typename T,
typename... Arg>
9540 void importAttr(
const T *FromAttr, Arg &&...ImportedArg) {
9541 static_assert(std::is_base_of<Attr, T>::value,
9542 "T should be subclass of Attr.");
9543 assert(!ToAttr &&
"Use one AttrImporter to import one Attribute object.");
9545 const IdentifierInfo *ToAttrName = Importer.
Import(FromAttr->getAttrName());
9546 const IdentifierInfo *ToScopeName =
9547 Importer.
Import(FromAttr->getScopeName());
9548 SourceRange ToAttrRange =
9550 SourceLocation ToScopeLoc =
9556 AttributeCommonInfo ToI(
9557 ToAttrName, AttributeScopeInfo(ToScopeName, ToScopeLoc), ToAttrRange,
9558 FromAttr->getParsedKind(), FromAttr->getForm());
9562 std::forward<Arg>(ImportedArg)..., ToI);
9566 if (
auto *ToInheritableAttr = dyn_cast<InheritableAttr>(ToAttr))
9567 ToInheritableAttr->setInherited(FromAttr->isInherited());
9573 void cloneAttr(
const Attr *FromAttr) {
9574 assert(!ToAttr &&
"Use one AttrImporter to import one Attribute object.");
9586 llvm::Expected<Attr *> getResult() && {
9588 return std::move(Err);
9589 assert(ToAttr &&
"Attribute should be created.");
9596 AttrImporter AI(*
this);
9599 switch (FromAttr->
getKind()) {
9600 case attr::Aligned: {
9602 if (From->isAlignmentExpr())
9603 AI.importAttr(From,
true, AI.importArg(From->getAlignmentExpr()).value());
9605 AI.importAttr(From,
false,
9606 AI.importArg(From->getAlignmentType()).value());
9610 case attr::AlignValue: {
9612 AI.importAttr(From, AI.importArg(From->getAlignment()).value());
9616 case attr::Format: {
9618 AI.importAttr(From,
Import(From->getType()), From->getFormatIdx(),
9619 From->getFirstArg());
9623 case attr::EnableIf: {
9625 AI.importAttr(From, AI.importArg(From->getCond()).value(),
9626 From->getMessage());
9630 case attr::AssertCapability: {
9633 AI.importArrayArg(From->args(), From->args_size()).value(),
9637 case attr::AcquireCapability: {
9640 AI.importArrayArg(From->args(), From->args_size()).value(),
9644 case attr::TryAcquireCapability: {
9646 AI.importAttr(From, AI.importArg(From->getSuccessValue()).value(),
9647 AI.importArrayArg(From->args(), From->args_size()).value(),
9651 case attr::ReleaseCapability: {
9654 AI.importArrayArg(From->args(), From->args_size()).value(),
9658 case attr::RequiresCapability: {
9661 AI.importArrayArg(From->args(), From->args_size()).value(),
9665 case attr::GuardedBy: {
9667 AI.importAttr(From, AI.importArg(From->getArg()).value());
9670 case attr::PtGuardedBy: {
9672 AI.importAttr(From, AI.importArg(From->getArg()).value());
9675 case attr::AcquiredAfter: {
9678 AI.importArrayArg(From->args(), From->args_size()).value(),
9682 case attr::AcquiredBefore: {
9685 AI.importArrayArg(From->args(), From->args_size()).value(),
9689 case attr::LockReturned: {
9691 AI.importAttr(From, AI.importArg(From->getArg()).value());
9694 case attr::LocksExcluded: {
9697 AI.importArrayArg(From->args(), From->args_size()).value(),
9705 AI.cloneAttr(FromAttr);
9710 return std::move(AI).getResult();
9714 return ImportedDecls.lookup(FromD);
9718 auto FromDPos = ImportedFromDecls.find(ToD);
9719 if (FromDPos == ImportedFromDecls.end())
9729 ImportPath.push(FromD);
9730 auto ImportPathBuilder =
9731 llvm::make_scope_exit([
this]() { ImportPath.pop(); });
9736 return make_error<ASTImportError>(*
Error);
9742 if (
auto Error = SharedState->getImportDeclErrorIfAny(ToD)) {
9744 return make_error<ASTImportError>(*
Error);
9751 if (ImportPath.hasCycleAtBack())
9752 SavedImportPaths[FromD].push_back(ImportPath.copyCycleAtBack());
9761 auto Pos = ImportedDecls.find(FromD);
9762 if (Pos != ImportedDecls.end()) {
9765 auto *ToD = Pos->second;
9766 ImportedDecls.erase(Pos);
9778 auto PosF = ImportedFromDecls.find(ToD);
9779 if (PosF != ImportedFromDecls.end()) {
9784 SharedState->removeDeclFromLookup(ToD);
9785 ImportedFromDecls.erase(PosF);
9797 handleAllErrors(ToDOrErr.takeError(),
9801 if (Pos != ImportedDecls.end())
9802 SharedState->setImportDeclError(Pos->second, ErrOut);
9806 for (
const auto &Path : SavedImportPaths[FromD]) {
9809 Decl *PrevFromDi = FromD;
9810 for (
Decl *FromDi : Path) {
9812 if (FromDi == FromD)
9819 PrevFromDi = FromDi;
9823 auto Ii = ImportedDecls.find(FromDi);
9824 if (Ii != ImportedDecls.end())
9825 SharedState->setImportDeclError(Ii->second, ErrOut);
9830 SavedImportPaths.erase(FromD);
9833 return make_error<ASTImportError>(ErrOut);
9845 return make_error<ASTImportError>(*Err);
9851 if (
auto Error = SharedState->getImportDeclErrorIfAny(ToD)) {
9853 return make_error<ASTImportError>(*
Error);
9856 assert(ImportedDecls.count(FromD) != 0 &&
"Missing call to MapImported?");
9860 auto ToAttrOrErr =
Import(FromAttr);
9864 return ToAttrOrErr.takeError();
9871 SavedImportPaths.erase(FromD);
9886 return ToDCOrErr.takeError();
9891 if (
auto *ToRecord = dyn_cast<RecordDecl>(ToDC)) {
9893 if (ToRecord->isCompleteDefinition())
9901 if (FromRecord->getASTContext().getExternalSource() &&
9902 !FromRecord->isCompleteDefinition())
9903 FromRecord->getASTContext().getExternalSource()->CompleteType(FromRecord);
9905 if (FromRecord->isCompleteDefinition())
9908 return std::move(Err);
9909 }
else if (
auto *ToEnum = dyn_cast<EnumDecl>(ToDC)) {
9911 if (ToEnum->isCompleteDefinition()) {
9913 }
else if (FromEnum->isCompleteDefinition()) {
9916 return std::move(Err);
9920 }
else if (
auto *ToClass = dyn_cast<ObjCInterfaceDecl>(ToDC)) {
9922 if (ToClass->getDefinition()) {
9927 return std::move(Err);
9931 }
else if (
auto *ToProto = dyn_cast<ObjCProtocolDecl>(ToDC)) {
9933 if (ToProto->getDefinition()) {
9938 return std::move(Err);
9949 return cast_or_null<Expr>(*ToSOrErr);
9951 return ToSOrErr.takeError();
9959 llvm::DenseMap<Stmt *, Stmt *>::iterator Pos = ImportedStmts.find(FromS);
9960 if (Pos != ImportedStmts.end())
9969 if (
auto *ToE = dyn_cast<Expr>(*ToSOrErr)) {
9973 ToE->setValueKind(FromE->getValueKind());
9974 ToE->setObjectKind(FromE->getObjectKind());
9975 ToE->setDependence(FromE->getDependence());
9979 ImportedStmts[FromS] = *ToSOrErr;
9990 auto NSOrErr =
Import(Namespace);
9992 return NSOrErr.takeError();
9993 auto PrefixOrErr =
Import(Prefix);
9995 return PrefixOrErr.takeError();
10003 return RDOrErr.takeError();
10008 return TyOrErr.takeError();
10011 llvm_unreachable(
"Invalid nested name specifier kind");
10023 NestedNames.push_back(NNS);
10029 while (!NestedNames.empty()) {
10030 NNS = NestedNames.pop_back_val();
10033 return std::move(Err);
10040 return std::move(Err);
10044 return std::move(Err);
10050 ToLocalBeginLoc, ToLocalEndLoc);
10056 return std::move(Err);
10069 if (!ToSourceRangeOrErr)
10070 return ToSourceRangeOrErr.takeError();
10073 ToSourceRangeOrErr->getBegin(),
10074 ToSourceRangeOrErr->getEnd());
10078 llvm_unreachable(
"unexpected null nested name specifier");
10091 return ToTemplateOrErr.takeError();
10096 for (
auto *I : *FromStorage) {
10097 if (
auto ToOrErr =
Import(I))
10100 return ToOrErr.takeError();
10102 return ToContext.getOverloadedTemplateName(ToTemplates.
begin(),
10103 ToTemplates.
end());
10109 if (!DeclNameOrErr)
10110 return DeclNameOrErr.takeError();
10111 return ToContext.getAssumedTemplateName(*DeclNameOrErr);
10117 if (!QualifierOrErr)
10118 return QualifierOrErr.takeError();
10121 return TNOrErr.takeError();
10122 return ToContext.getQualifiedTemplateName(
10129 if (!QualifierOrErr)
10130 return QualifierOrErr.takeError();
10131 return ToContext.getDependentTemplateName(
10139 if (!ReplacementOrErr)
10140 return ReplacementOrErr.takeError();
10143 if (!AssociatedDeclOrErr)
10144 return AssociatedDeclOrErr.takeError();
10146 return ToContext.getSubstTemplateTemplateParm(
10147 *ReplacementOrErr, *AssociatedDeclOrErr, Subst->
getIndex(),
10155 auto ArgPackOrErr =
10158 return ArgPackOrErr.takeError();
10161 if (!AssociatedDeclOrErr)
10162 return AssociatedDeclOrErr.takeError();
10164 return ToContext.getSubstTemplateTemplateParmPack(
10165 *ArgPackOrErr, *AssociatedDeclOrErr, SubstPack->
getIndex(),
10171 return UsingOrError.takeError();
10175 llvm_unreachable(
"Unexpected DeducedTemplate");
10178 llvm_unreachable(
"Invalid template name kind");
10190 if (!ToFileIDOrErr)
10191 return ToFileIDOrErr.takeError();
10199 return std::move(Err);
10201 return std::move(Err);
10207 llvm::DenseMap<FileID, FileID>::iterator Pos = ImportedFileIDs.find(FromID);
10208 if (Pos != ImportedFileIDs.end())
10209 return Pos->second;
10221 return ToSpLoc.takeError();
10224 return ToExLocS.takeError();
10234 return ToExLocE.takeError();
10240 if (!IsBuiltin && !
Cache->BufferOverridden) {
10244 return ToIncludeLoc.takeError();
10255 if (
Cache->OrigEntry &&
Cache->OrigEntry->getDir()) {
10261 ToFileManager.getOptionalFileRef(
Cache->OrigEntry->getName());
10266 ToID = ToSM.
createFileID(*Entry, ToIncludeLocOrFakeLoc,
10273 std::optional<llvm::MemoryBufferRef> FromBuf =
10274 Cache->getBufferOrNone(FromContext.getDiagnostics(),
10279 std::unique_ptr<llvm::MemoryBuffer> ToBuf =
10280 llvm::MemoryBuffer::getMemBufferCopy(FromBuf->getBuffer(),
10281 FromBuf->getBufferIdentifier());
10287 assert(ToID.
isValid() &&
"Unexpected invalid fileID was created.");
10289 ImportedFileIDs[FromID] = ToID;
10296 return ToExprOrErr.takeError();
10299 if (!LParenLocOrErr)
10300 return LParenLocOrErr.takeError();
10303 if (!RParenLocOrErr)
10304 return RParenLocOrErr.takeError();
10309 return ToTInfoOrErr.takeError();
10314 return std::move(Err);
10317 ToContext, *ToTInfoOrErr, From->
isBaseVirtual(), *LParenLocOrErr,
10318 *ToExprOrErr, *RParenLocOrErr, EllipsisLoc);
10322 return ToFieldOrErr.takeError();
10325 if (!MemberLocOrErr)
10326 return MemberLocOrErr.takeError();
10329 ToContext, cast_or_null<FieldDecl>(*ToFieldOrErr), *MemberLocOrErr,
10330 *LParenLocOrErr, *ToExprOrErr, *RParenLocOrErr);
10333 if (!ToIFieldOrErr)
10334 return ToIFieldOrErr.takeError();
10337 if (!MemberLocOrErr)
10338 return MemberLocOrErr.takeError();
10341 ToContext, cast_or_null<IndirectFieldDecl>(*ToIFieldOrErr),
10342 *MemberLocOrErr, *LParenLocOrErr, *ToExprOrErr, *RParenLocOrErr);
10346 return ToTInfoOrErr.takeError();
10348 return new (ToContext)
10350 *ToExprOrErr, *RParenLocOrErr);
10353 return make_error<ASTImportError>();
10359 auto Pos = ImportedCXXBaseSpecifiers.find(BaseSpec);
10360 if (Pos != ImportedCXXBaseSpecifiers.end())
10361 return Pos->second;
10364 if (!ToSourceRange)
10365 return ToSourceRange.takeError();
10368 return ToTSI.takeError();
10370 if (!ToEllipsisLoc)
10371 return ToEllipsisLoc.takeError();
10375 ImportedCXXBaseSpecifiers[BaseSpec] =
Imported;
10387 return ToOrErr.takeError();
10388 Decl *To = *ToOrErr;
10393 if (
auto *ToRecord = dyn_cast<RecordDecl>(To)) {
10394 if (!ToRecord->getDefinition()) {
10401 if (
auto *ToEnum = dyn_cast<EnumDecl>(To)) {
10402 if (!ToEnum->getDefinition()) {
10408 if (
auto *ToIFace = dyn_cast<ObjCInterfaceDecl>(To)) {
10409 if (!ToIFace->getDefinition()) {
10416 if (
auto *ToProto = dyn_cast<ObjCProtocolDecl>(To)) {
10417 if (!ToProto->getDefinition()) {
10441 return ToSelOrErr.takeError();
10445 return ToContext.DeclarationNames.getCXXConstructorName(
10446 ToContext.getCanonicalType(*ToTyOrErr));
10448 return ToTyOrErr.takeError();
10453 return ToContext.DeclarationNames.getCXXDestructorName(
10454 ToContext.getCanonicalType(*ToTyOrErr));
10456 return ToTyOrErr.takeError();
10461 return ToContext.DeclarationNames.getCXXDeductionGuideName(
10464 return ToTemplateOrErr.takeError();
10469 return ToContext.DeclarationNames.getCXXConversionFunctionName(
10470 ToContext.getCanonicalType(*ToTyOrErr));
10472 return ToTyOrErr.takeError();
10476 return ToContext.DeclarationNames.getCXXOperatorName(
10480 return ToContext.DeclarationNames.getCXXLiteralOperatorName(
10488 llvm_unreachable(
"Invalid DeclarationName Kind!");
10516 for (
unsigned I = 1, N = FromSel.
getNumArgs(); I < N; ++I)
10518 return ToContext.Selectors.getSelector(FromSel.
getNumArgs(), Idents.data());
10524 llvm::Error Err = llvm::Error::success();
10525 auto ImportLoop = [&](
const APValue *From,
APValue *To,
unsigned Size) {
10526 for (
unsigned Idx = 0; Idx < Size; Idx++) {
10531 switch (FromValue.
getKind()) {
10545 ImportLoop(((
const APValue::Vec *)(
const char *)&FromValue.Data)->Elts,
10552 ImportLoop(((
const APValue::Arr *)(
const char *)&FromValue.Data)->Elts,
10553 ((
const APValue::Arr *)(
const char *)&
Result.Data)->Elts,
10560 ((
const APValue::StructData *)(
const char *)&FromValue.Data)->Elts,
10561 ((
const APValue::StructData *)(
const char *)&
Result.Data)->Elts,
10569 return std::move(Err);
10574 Result.MakeAddrLabelDiff();
10578 return std::move(Err);
10584 const Decl *ImpMemPtrDecl =
10587 return std::move(Err);
10589 Result.setMemberPointerUninit(
10598 return std::move(Err);
10608 "in C++20 dynamic allocation are transient so they shouldn't "
10609 "appear in the AST");
10611 if (
const auto *E =
10613 FromElemTy = E->getType();
10616 return std::move(Err);
10626 return std::move(Err);
10638 return std::move(Err);
10651 for (
unsigned LoopIdx = 0; LoopIdx < PathLength; LoopIdx++) {
10653 const Decl *FromDecl =
10654 FromPath[LoopIdx].getAsBaseOrMember().getPointer();
10657 return std::move(Err);
10658 if (
auto *RD = dyn_cast<CXXRecordDecl>(FromDecl))
10659 FromElemTy = Importer.FromContext.getCanonicalTagType(RD);
10663 ImpDecl, FromPath[LoopIdx].getAsBaseOrMember().getInt()));
10666 Importer.FromContext.getAsArrayType(FromElemTy)->getElementType();
10668 FromPath[LoopIdx].getAsArrayIndex());
10676 return std::move(Err);
10684 unsigned NumDecls) {
10694 if (LastDiagFromFrom)
10695 ToContext.getDiagnostics().notePriorDiagnosticFrom(
10696 FromContext.getDiagnostics());
10697 LastDiagFromFrom =
false;
10698 return ToContext.getDiagnostics().Report(Loc, DiagID);
10702 if (!LastDiagFromFrom)
10703 FromContext.getDiagnostics().notePriorDiagnosticFrom(
10704 ToContext.getDiagnostics());
10705 LastDiagFromFrom =
true;
10706 return FromContext.getDiagnostics().Report(Loc, DiagID);
10710 if (
auto *ID = dyn_cast<ObjCInterfaceDecl>(D)) {
10711 if (!ID->getDefinition())
10712 ID->startDefinition();
10714 else if (
auto *PD = dyn_cast<ObjCProtocolDecl>(D)) {
10715 if (!PD->getDefinition())
10716 PD->startDefinition();
10718 else if (
auto *TD = dyn_cast<TagDecl>(D)) {
10719 if (!TD->getDefinition() && !TD->isBeingDefined()) {
10720 TD->startDefinition();
10721 TD->setCompleteDefinition(
true);
10725 assert(0 &&
"CompleteDecl called on a Decl that can't be completed");
10730 auto [Pos, Inserted] = ImportedDecls.try_emplace(From, To);
10731 assert((Inserted || Pos->second == To) &&
10732 "Try to import an already imported Decl");
10734 return Pos->second;
10737 ImportedFromDecls[To] = From;
10742 AddToLookupTable(To);
10746std::optional<ASTImportError>
10748 auto Pos = ImportDeclErrors.find(FromD);
10749 if (Pos != ImportDeclErrors.end())
10750 return Pos->second;
10752 return std::nullopt;
10756 auto InsertRes = ImportDeclErrors.insert({From,
Error});
10760 assert(InsertRes.second || InsertRes.first->second.Error ==
Error.Error);
10765 llvm::DenseMap<const Type *, const Type *>::iterator Pos =
10767 if (Pos != ImportedTypes.end()) {
10769 if (ToContext.hasSameType(*ToFromOrErr, To))
10772 llvm::consumeError(ToFromOrErr.takeError());
10777 getToContext().getLangOpts(), FromContext, ToContext, NonEquivalentDecls,
Defines the clang::ASTContext interface.
static FriendCountAndPosition getFriendCountAndPosition(ASTImporter &Importer, FriendDecl *FD)
static bool IsEquivalentFriend(ASTImporter &Importer, FriendDecl *FD1, FriendDecl *FD2)
static ExpectedStmt ImportLoopControlStmt(ASTNodeImporter &NodeImporter, ASTImporter &Importer, StmtClass *S)
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)
This file provides some common utility functions for processing Lambda related AST Constructs.
Defines enum values for all the target-independent builtin functions.
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.
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
llvm::SmallVector< std::pair< const MemRegion *, SVal >, 4 > Bindings
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.
llvm::APInt getValue() const
unsigned getVersion() const
QualType getTypeInfoType() const
static LValueBase getTypeInfo(TypeInfoLValue LV, QualType TypeInfo)
unsigned getCallIndex() const
A non-discriminated union of a base, field, or array index.
static LValuePathEntry ArrayIndex(uint64_t Index)
APValue - This class implements a discriminated union of [uninitialized] [APSInt] [APFloat],...
const LValueBase getLValueBase() const
ArrayRef< LValuePathEntry > getLValuePath() const
const FieldDecl * getUnionField() const
unsigned getStructNumFields() const
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...
ValueKind getKind() const
bool isLValueOnePastTheEnd() const
bool isMemberPointerToDerivedMember() const
unsigned getArrayInitializedElts() const
unsigned getStructNumBases() const
bool hasLValuePath() const
const ValueDecl * getMemberPointerDecl() const
APValue & getUnionValue()
const AddrLabelExpr * getAddrLabelDiffRHS() const
CharUnits & getLValueOffset()
unsigned getVectorLength() const
ArrayRef< const CXXRecordDecl * > getMemberPointerPath() const
unsigned getArraySize() const
@ Indeterminate
This object has an indeterminate value (C++ [basic.indet]).
@ None
There is no such object (it's outside its lifetime).
bool isNullPointer() const
const AddrLabelExpr * getAddrLabelDiffLHS() const
Holds long-lived AST nodes (such as types and decls) that can be referred to throughout the semantic ...
QualType getAtomicType(QualType T) const
Return the uniqued reference to the atomic type for the specified type.
QualType getReadPipeType(QualType T) const
Return a read_only pipe type for the specified type.
const LangOptions & getLangOpts() const
TypeSourceInfo * getTrivialTypeSourceInfo(QualType T, SourceLocation Loc=SourceLocation()) const
Allocate a TypeSourceInfo where all locations have been initialized to a given location,...
QualType getWritePipeType(QualType T) const
Return a write_only pipe type for the specified type.
CanQualType UnsignedCharTy
ExternalASTSource * getExternalSource() const
Retrieve a pointer to the external AST source associated with this AST context, if any.
std::error_code convertToErrorCode() const override
void log(llvm::raw_ostream &OS) const override
std::string toString() const
@ Unknown
Not supported node or case.
@ UnsupportedConstruct
Naming ambiguity (likely ODR violation).
Imports selected nodes from one AST context into another context, merging AST nodes where appropriate...
ASTContext & getToContext() const
Retrieve the context that AST nodes are being imported into.
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.
static UnsignedOrNone getFieldIndex(Decl *F)
Determine the index of a field in its parent record.
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.
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
llvm::Error importInto(ImportT &To, const ImportT &From)
Import the given object, returns the result.
virtual void Imported(Decl *From, Decl *To)
Subclasses can override this function to observe all of the From -> To declaration mappings as they a...
DiagnosticBuilder FromDiag(SourceLocation Loc, unsigned DiagID)
Report a diagnostic in the "from" context.
llvm::DenseSet< std::tuple< Decl *, Decl *, int > > NonEquivalentDeclSet
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...
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)
StringRef ImportASTStringRef(StringRef FromStr)
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)
ExpectedDecl VisitRequiresExprBodyDecl(RequiresExprBodyDecl *E)
ExpectedStmt VisitObjCAtTryStmt(ObjCAtTryStmt *S)
ExpectedStmt VisitUnaryOperator(UnaryOperator *E)
Error ImportTemplateParameterLists(const DeclTy *FromD, DeclTy *ToD)
Error ImportDeclContext(DeclContext *FromDC, bool ForceImport=false)
ExpectedStmt VisitRequiresExpr(RequiresExpr *E)
ExpectedDecl VisitImplicitConceptSpecializationDecl(ImplicitConceptSpecializationDecl *D)
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 VisitConceptDecl(ConceptDecl *D)
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)
SmallVector< TemplateArgument, 8 > TemplateArgsTy
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)
Expected< concepts::Requirement * > ImportNestedRequirement(concepts::NestedRequirement *From)
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)
ExpectedDecl VisitCXXDeductionGuideDecl(CXXDeductionGuideDecl *D)
ExpectedStmt VisitMemberExpr(MemberExpr *E)
ExpectedStmt VisitConceptSpecializationExpr(ConceptSpecializationExpr *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)
Expected< concepts::Requirement * > ImportExprRequirement(concepts::ExprRequirement *From)
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)
Error ImportConstraintSatisfaction(const ASTConstraintSatisfaction &FromSat, ConstraintSatisfaction &ToSat)
ExpectedDecl VisitImportDecl(ImportDecl *D)
Error ImportFunctionDeclBody(FunctionDecl *FromFD, FunctionDecl *ToFD)
ExpectedStmt VisitArraySubscriptExpr(ArraySubscriptExpr *E)
Expected< concepts::Requirement * > ImportTypeRequirement(concepts::TypeRequirement *From)
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)
std::tuple< FunctionTemplateDecl *, TemplateArgsTy > FunctionTemplateAndArgsTy
ExpectedStmt VisitBreakStmt(BreakStmt *S)
DesignatedInitExpr::Designator Designator
SourceLocation getColonLoc() const
SourceLocation getQuestionLoc() const
Represents an access specifier followed by colon ':'.
SourceLocation getColonLoc() const
The location of the colon following the access specifier.
AddrLabelExpr - The GNU address of label extension, representing &&label.
SourceLocation getAmpAmpLoc() const
SourceLocation getLabelLoc() const
LabelDecl * getLabel() const
Represents a type which was implicitly adjusted by the semantic engine for arbitrary reasons.
Represents the index of the current element of an array being initialized by an ArrayInitLoopExpr.
Represents a loop initializing the elements of an array.
OpaqueValueExpr * getCommonExpr() const
Get the common subexpression shared by all initializations (the source array).
Expr * getSubExpr() const
Get the initializer to use for each array element.
Represents a constant array type that does not decay to a pointer when used as a function parameter.
ArraySubscriptExpr - [C99 6.5.2.1] Array Subscripting.
SourceLocation getRBracketLoc() const
Expr * getLHS()
An array access can be written A[4] or 4[A] (both are equivalent).
An Embarcadero array type trait, as used in the implementation of __array_rank and __array_extent.
uint64_t getValue() const
SourceLocation getEndLoc() const LLVM_READONLY
ArrayTypeTrait getTrait() const
Expr * getDimensionExpression() const
TypeSourceInfo * getQueriedTypeSourceInfo() const
SourceLocation getBeginLoc() const LLVM_READONLY
Represents an array type, per C99 6.7.5.2 - Array Declarators.
SourceLocation getAsmLoc() const
unsigned getNumClobbers() const
unsigned getNumOutputs() const
unsigned getNumInputs() const
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,...
SourceLocation getRParenLoc() const
static unsigned getNumSubExprs(AtomicOp Op)
Determine the number of arguments the specified atomic builtin should have.
SourceLocation getBuiltinLoc() const
Attr - This represents one attribute.
attr::Kind getKind() const
void setPackExpansion(bool PE)
Attr * clone(ASTContext &C) const
SourceRange getRange() const
void setRange(SourceRange R)
void setAttrName(const IdentifierInfo *AttrNameII)
const IdentifierInfo * getAttrName() const
Represents an attribute applied to a statement.
SourceLocation getAttrLoc() const
ArrayRef< const Attr * > getAttrs() const
static AttributedStmt * Create(const ASTContext &C, SourceLocation Loc, ArrayRef< const Attr * > Attrs, Stmt *SubStmt)
Represents a C++ declaration that introduces decls from somewhere else.
void addShadowDecl(UsingShadowDecl *S)
shadow_range shadows() const
BinaryConditionalOperator - The GNU extension to the conditional operator which allows the middle ope...
Expr * getFalseExpr() const
getFalseExpr - Return the subexpression which will be evaluated if the condition evaluates to false; ...
OpaqueValueExpr * getOpaqueValue() const
getOpaqueValue - Return the opaque value placeholder.
Expr * getCond() const
getCond - Return the condition expression; this is defined in terms of the opaque value.
Expr * getTrueExpr() const
getTrueExpr - Return the subexpression which will be evaluated if the condition evaluates to true; th...
Expr * getCommon() const
getCommon - Return the common expression, written to the left of the condition.
A builtin binary operation expression such as "x + y" or "x <= y".
SourceLocation getOperatorLoc() const
static BinaryOperator * Create(const ASTContext &C, Expr *lhs, Expr *rhs, Opcode opc, QualType ResTy, ExprValueKind VK, ExprObjectKind OK, SourceLocation opLoc, FPOptionsOverride FPFeatures)
FPOptionsOverride getFPFeatures() const
A binding in a decomposition declaration.
ValueDecl * getDecomposedDecl() const
Get the decomposition declaration that this binding represents a decomposition of.
Expr * getBinding() const
Get the expression to which this declaration is bound.
void setBinding(QualType DeclaredType, Expr *Binding)
Set the binding for this BindingDecl, along with its declared type (which should be a possibly-cv-qua...
void setDecomposedDecl(ValueDecl *Decomposed)
Set the decomposed variable for this BindingDecl.
A fixed int type of a specified bitwidth.
BreakStmt - This represents a break.
Represents a C++2a __builtin_bit_cast(T, v) expression.
Represents the builtin template declaration which is used to implement __make_integer_seq and other b...
BuiltinTemplateKind getBuiltinTemplateKind() const
This class is used for builtin types like 'int'.
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)
Represents a base class of a C++ class.
AccessSpecifier getAccessSpecifierAsWritten() const
Retrieves the access specifier as written in the source code (which may mean that no access specifier...
SourceLocation getEllipsisLoc() const
For a pack expansion, determine the location of the ellipsis.
bool isVirtual() const
Determines whether the base class is a virtual base class (or not).
TypeSourceInfo * getTypeSourceInfo() const
Retrieves the type and source location of the base class.
bool isBaseOfClass() const
Determine whether this base class is a base of a class declared with the 'class' keyword (vs.
SourceRange getSourceRange() const LLVM_READONLY
Retrieves the source range that contains the entire base specifier.
Represents binding an expression to a temporary.
CXXTemporary * getTemporary()
static CXXBindTemporaryExpr * Create(const ASTContext &C, CXXTemporary *Temp, Expr *SubExpr)
const Expr * getSubExpr() const
A boolean literal, per ([C++ lex.bool] Boolean literals).
static CXXBoolLiteralExpr * Create(const ASTContext &C, bool Val, QualType Ty, SourceLocation Loc)
SourceLocation getLocation() const
CXXCatchStmt - This represents a C++ catch block.
SourceLocation getCatchLoc() const
Stmt * getHandlerBlock() const
VarDecl * getExceptionDecl() const
static CXXConstCastExpr * Create(const ASTContext &Context, QualType T, ExprValueKind VK, Expr *Op, TypeSourceInfo *WrittenTy, SourceLocation L, SourceLocation RParenLoc, SourceRange AngleBrackets)
Represents a call to a C++ constructor.
SourceRange getParenOrBraceRange() const
void setIsImmediateEscalating(bool Set)
bool isElidable() const
Whether this construction is elidable.
bool hadMultipleCandidates() const
Whether the referred constructor was resolved from an overloaded set having size greater than 1.
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.
bool isStdInitListInitialization() const
Whether this constructor call was written as list-initialization, but was interpreted as forming a st...
bool isImmediateEscalating() const
bool requiresZeroInitialization() const
Whether this construction first requires zero-initialization before the initializer is called.
SourceLocation getLocation() const
CXXConstructorDecl * getConstructor() const
Get the constructor that this expression will (ultimately) call.
bool isListInitialization() const
Whether this constructor call was written as list-initialization.
unsigned getNumArgs() const
Return the number of arguments to the constructor call.
CXXConstructionKind getConstructionKind() const
Determine whether this constructor is actually constructing a base class (rather than a complete obje...
Represents a C++ constructor within a class.
Represents a C++ conversion function within a class.
Represents a C++ base or member initializer.
FieldDecl * getMember() const
If this is a member initializer, returns the declaration of the non-static data member being initiali...
bool isDelegatingInitializer() const
Determine whether this initializer is creating a delegating constructor.
Expr * getInit() const
Get the initializer.
SourceLocation getRParenLoc() const
SourceLocation getEllipsisLoc() const
SourceLocation getLParenLoc() const
bool isPackExpansion() const
Determine whether this initializer is a pack expansion.
TypeSourceInfo * getTypeSourceInfo() const
Returns the declarator information for a base class or delegating initializer.
bool isMemberInitializer() const
Determine whether this initializer is initializing a non-static data member.
bool isBaseInitializer() const
Determine whether this initializer is initializing a base class.
bool isIndirectMemberInitializer() const
SourceLocation getMemberLocation() const
IndirectFieldDecl * getIndirectMember() const
bool isBaseVirtual() const
Returns whether the base is virtual or not.
Represents a C++ deduction guide declaration.
SourceDeductionGuideKind getSourceDeductionGuideKind() const
A default argument (C++ [dcl.fct.default]).
SourceLocation getUsedLocation() const
Retrieve the location where this default argument was actually used.
const ParmVarDecl * getParam() const
Expr * getRewrittenExpr()
const DeclContext * getUsedContext() const
static CXXDefaultArgExpr * Create(const ASTContext &C, SourceLocation Loc, ParmVarDecl *Param, Expr *RewrittenExpr, DeclContext *UsedContext)
bool hasRewrittenInit() const
A use of a default initializer in a constructor or in aggregate initialization.
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.
const DeclContext * getUsedContext() const
const Expr * getRewrittenExpr() const
Retrieve the initializing expression with evaluated immediate calls, if any.
bool hasRewrittenInit() const
FieldDecl * getField()
Get the field whose initializer will be used.
SourceLocation getBeginLoc() const
Represents a delete expression for memory deallocation and destructor calls, e.g.
FunctionDecl * getOperatorDelete() const
SourceLocation getBeginLoc() const
bool isGlobalDelete() const
bool doesUsualArrayDeleteWantSize() const
Answers whether the usual array deallocation function for the allocated type expects the size of the ...
bool isArrayFormAsWritten() const
Represents a C++ member access expression where the actual member referenced could not be resolved be...
bool isArrow() const
Determine whether this member expression used the '->' operator; otherwise, it used the '.
SourceLocation getOperatorLoc() const
Retrieve the location of the '->' or '.' operator.
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)
SourceLocation getLAngleLoc() const
Retrieve the location of the left angle bracket starting the explicit template argument list followin...
SourceLocation getTemplateKeywordLoc() const
Retrieve the location of the template keyword preceding the member name, if any.
const DeclarationNameInfo & getMemberNameInfo() const
Retrieve the name of the member that this expression refers to.
bool hasExplicitTemplateArgs() const
Determines whether this member expression actually had a C++ template argument list explicitly specif...
SourceLocation getMemberLoc() const
SourceLocation getRAngleLoc() const
Retrieve the location of the right angle bracket ending the explicit template argument list following...
DeclarationName getMember() const
Retrieve the name of the member that this expression refers to.
NamedDecl * getFirstQualifierFoundInScope() const
Retrieve the first part of the nested-name-specifier that was found in the scope of the member access...
Expr * getBase() const
Retrieve the base object of this member expressions, e.g., the x in x.m.
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier that qualifies the member name, with source location information.
bool isImplicitAccess() const
True if this is an implicit access, i.e.
ArrayRef< TemplateArgumentLoc > template_arguments() const
Represents a C++ destructor within a class.
void setOperatorDelete(FunctionDecl *OD, Expr *ThisArg)
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)
Represents a folding of a pack over an operator.
UnresolvedLookupExpr * getCallee() const
SourceLocation getLParenLoc() const
SourceLocation getEllipsisLoc() const
UnsignedOrNone getNumExpansions() const
SourceLocation getRParenLoc() const
BinaryOperatorKind getOperator() const
CXXForRangeStmt - This represents C++0x [stmt.ranged]'s ranged for statement, represented as 'for (ra...
DeclStmt * getBeginStmt()
DeclStmt * getLoopVarStmt()
SourceLocation getForLoc() const
DeclStmt * getRangeStmt()
SourceLocation getRParenLoc() const
SourceLocation getColonLoc() const
SourceLocation getCoawaitLoc() const
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)
Represents a call to an inherited base class constructor from an inheriting constructor.
bool constructsVBase() const
Determine whether this constructor is actually constructing a base class (rather than a complete obje...
CXXConstructorDecl * getConstructor() const
Get the constructor that this expression will call.
SourceLocation getLocation() const LLVM_READONLY
bool inheritedFromVBase() const
Determine whether the inherited constructor is inherited from a virtual base of the object we constru...
Represents a call to a member function that may be written either with member call syntax (e....
static CXXMemberCallExpr * Create(const ASTContext &Ctx, Expr *Fn, ArrayRef< Expr * > Args, QualType Ty, ExprValueKind VK, SourceLocation RP, FPOptionsOverride FPFeatures, unsigned MinNumArgs=0)
Represents a static or instance method of a struct/union/class.
void addOverriddenMethod(const CXXMethodDecl *MD)
overridden_method_range overridden_methods() const
CXXMethodDecl * getCanonicalDecl() override
Retrieves the "canonical" declaration of the given declaration.
Abstract class common to all of the C++ "named"/"keyword" casts.
SourceLocation getOperatorLoc() const
Retrieve the location of the cast operator keyword, e.g., static_cast.
SourceRange getAngleBrackets() const LLVM_READONLY
SourceLocation getRParenLoc() const
Retrieve the location of the closing parenthesis.
Represents a new-expression for memory allocation and constructor calls, e.g: "new CXXNewExpr(foo)".
static CXXNewExpr * Create(const ASTContext &Ctx, bool IsGlobalNew, FunctionDecl *OperatorNew, FunctionDecl *OperatorDelete, const ImplicitAllocationParameters &IAP, 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.
SourceRange getDirectInitRange() const
llvm::iterator_range< arg_iterator > placement_arguments()
std::optional< Expr * > getArraySize()
This might return std::nullopt even if isArray() returns true, since there might not be an array size...
CXXNewInitializationStyle getInitializationStyle() const
The kind of initializer this new-expression has.
ImplicitAllocationParameters implicitAllocationParameters() const
Provides the full set of information about expected implicit parameters in this call.
FunctionDecl * getOperatorDelete() const
unsigned getNumPlacementArgs() const
TypeSourceInfo * getAllocatedTypeSourceInfo() const
SourceRange getSourceRange() const
SourceRange getTypeIdParens() const
bool doesUsualArrayDeleteWantSize() const
Answers whether the usual array deallocation function for the allocated type expects the size of the ...
FunctionDecl * getOperatorNew() const
Expr * getInitializer()
The initializer of this new-expression.
Represents a C++11 noexcept expression (C++ [expr.unary.noexcept]).
SourceLocation getEndLoc() const
Expr * getOperand() const
SourceLocation getBeginLoc() const
The null pointer literal (C++11 [lex.nullptr])
SourceLocation getLocation() const
static CXXOperatorCallExpr * Create(const ASTContext &Ctx, OverloadedOperatorKind OpKind, Expr *Fn, ArrayRef< Expr * > Args, QualType Ty, ExprValueKind VK, SourceLocation OperatorLoc, FPOptionsOverride FPFeatures, ADLCallKind UsesADL=NotADL)
Represents a C++ pseudo-destructor (C++ [expr.pseudo]).
TypeSourceInfo * getDestroyedTypeInfo() const
Retrieve the source location information for the type being destroyed.
bool isArrow() const
Determine whether this pseudo-destructor expression was written using an '->' (otherwise,...
TypeSourceInfo * getScopeTypeInfo() const
Retrieve the scope type in a qualified pseudo-destructor expression.
SourceLocation getTildeLoc() const
Retrieve the location of the '~'.
NestedNameSpecifierLoc getQualifierLoc() const
Retrieves the nested-name-specifier that qualifies the type name, with source-location information.
SourceLocation getDestroyedTypeLoc() const
Retrieve the starting location of the type being destroyed.
SourceLocation getColonColonLoc() const
Retrieve the location of the '::' in a qualified pseudo-destructor expression.
SourceLocation getOperatorLoc() const
Retrieve the location of the '.' or '->' operator.
const IdentifierInfo * getDestroyedTypeIdentifier() const
In a dependent pseudo-destructor expression for which we do not have full type information on the des...
Represents a C++ struct/union/class.
CXXRecordDecl * getMostRecentDecl()
CXXRecordDecl * getInstantiatedFromMemberClass() const
If this record is an instantiation of a member class, retrieves the member class from which it was in...
method_range methods() const
CXXRecordDecl * getDefinition() const
static CXXRecordDecl * CreateLambda(const ASTContext &C, DeclContext *DC, TypeSourceInfo *Info, SourceLocation Loc, unsigned DependencyKind, bool IsGeneric, LambdaCaptureDefault CaptureDefault)
TemplateSpecializationKind getTemplateSpecializationKind() const
Determine whether this particular class is a specialization or instantiation of a class template or m...
void setInstantiationOfMemberClass(CXXRecordDecl *RD, TemplateSpecializationKind TSK)
Specify that this record is an instantiation of the member class RD.
void setDescribedClassTemplate(ClassTemplateDecl *Template)
void setLambdaNumbering(LambdaNumbering Numbering)
Set the mangling numbers and context declaration for a lambda class.
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this class is an instantiation of a member class of a class template specialization,...
void setTemplateSpecializationKind(TemplateSpecializationKind TSK)
Set the kind of specialization or template instantiation this is.
CXXRecordDecl * getPreviousDecl()
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)
A rewritten comparison expression that was originally written using operator syntax.
Expr * getSemanticForm()
Get an equivalent semantic form for this expression.
bool isReversed() const
Determine whether this expression was rewritten in reverse form.
An expression "T()" which creates an rvalue of a non-class type T.
TypeSourceInfo * getTypeSourceInfo() const
SourceLocation getRParenLoc() const
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)
Implicit construction of a std::initializer_list<T> object from an array temporary within list-initia...
Represents a C++ functional cast expression that builds a temporary object.
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)
TypeSourceInfo * getTypeSourceInfo() const
Represents a C++ temporary.
static CXXTemporary * Create(const ASTContext &C, const CXXDestructorDecl *Destructor)
Represents the this expression in C++.
static CXXThisExpr * Create(const ASTContext &Ctx, SourceLocation L, QualType Ty, bool IsImplicit)
SourceLocation getLocation() const
A C++ throw-expression (C++ [except.throw]).
const Expr * getSubExpr() const
SourceLocation getThrowLoc() const
bool isThrownVariableInScope() const
Determines whether the variable thrown by this expression (if any!) is within the innermost try block...
CXXTryStmt - A C++ try block, including all handlers.
SourceLocation getTryLoc() const
CXXCatchStmt * getHandler(unsigned i)
unsigned getNumHandlers() const
static CXXTryStmt * Create(const ASTContext &C, SourceLocation tryLoc, CompoundStmt *tryBlock, ArrayRef< Stmt * > handlers)
CompoundStmt * getTryBlock()
A C++ typeid expression (C++ [expr.typeid]), which gets the type_info that corresponds to the supplie...
bool isTypeOperand() const
TypeSourceInfo * getTypeOperandSourceInfo() const
Retrieve source information for the type operand.
Expr * getExprOperand() const
SourceRange getSourceRange() const LLVM_READONLY
Describes an explicit type conversion that uses functional notion but could not be resolved because o...
SourceLocation getLParenLoc() const
Retrieve the location of the left parentheses ('(') that precedes the argument list.
bool isListInitialization() const
Determine whether this expression models list-initialization.
static CXXUnresolvedConstructExpr * Create(const ASTContext &Context, QualType T, TypeSourceInfo *TSI, SourceLocation LParenLoc, ArrayRef< Expr * > Args, SourceLocation RParenLoc, bool IsListInit)
TypeSourceInfo * getTypeSourceInfo() const
Retrieve the type source information for the type being constructed.
SourceLocation getRParenLoc() const
Retrieve the location of the right parentheses (')') that follows the argument list.
unsigned getNumArgs() const
Retrieve the number of arguments.
CallExpr - Represents a function call (C99 6.5.2.2, C++ [expr.call]).
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.
ADLCallKind getADLCallKind() const
FPOptionsOverride getFPFeatures() const
unsigned getNumArgs() const
getNumArgs - Return the number of actual arguments to this call.
SourceLocation getRParenLoc() const
CaseStmt - Represent a case statement.
SourceLocation getEllipsisLoc() const
Get the location of the ... in a case statement of the form LHS ... RHS.
static CaseStmt * Create(const ASTContext &Ctx, Expr *lhs, Expr *rhs, SourceLocation caseLoc, SourceLocation ellipsisLoc, SourceLocation colonLoc)
Build a case statement.
SourceLocation getCaseLoc() const
CastExpr - Base class for type casts, including both implicit casts (ImplicitCastExpr) and explicit c...
path_iterator path_begin()
CastKind getCastKind() const
FPOptionsOverride getFPFeatures() const
CharUnits - This is an opaque type for sizes expressed in character units.
SourceLocation getLocation() const
unsigned getValue() const
CharacterLiteralKind getKind() const
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.
SourceLocation getBuiltinLoc() const
bool isConditionDependent() const
bool isConditionTrue() const
isConditionTrue - Return whether the condition is true (i.e.
SourceLocation getRParenLoc() const
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...
bool isThisDeclarationADefinition() const
Returns whether this template declaration defines the primary class pattern.
void AddSpecialization(ClassTemplateSpecializationDecl *D, void *InsertPos)
Insert the specified specialization knowing that it is not already in.
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...
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...
TemplateSpecializationKind getSpecializationKind() const
Determine the kind of specialization that this declaration represents.
const ASTTemplateArgumentListInfo * getTemplateArgsAsWritten() const
Retrieve the template argument list as written in the sources, if any.
ClassTemplateDecl * getSpecializedTemplate() const
Retrieve the template that this specialization specializes.
void setPointOfInstantiation(SourceLocation Loc)
SourceLocation getPointOfInstantiation() const
Get the point of instantiation (if any), or null if none.
void setExternKeywordLoc(SourceLocation Loc)
Sets the location of the extern keyword.
void setSpecializationKind(TemplateSpecializationKind TSK)
const TemplateArgumentList & getTemplateArgs() const
Retrieve the template arguments of the class template specialization.
SourceLocation getExternKeywordLoc() const
Gets the location of the extern keyword, if present.
SourceLocation getTemplateKeywordLoc() const
Gets the location of the template keyword, if present.
void setTemplateKeywordLoc(SourceLocation Loc)
Sets the location of the template keyword.
const TemplateArgumentList & getTemplateInstantiationArgs() const
Retrieve the set of template arguments that should be used to instantiate members of the class templa...
llvm::PointerUnion< ClassTemplateDecl *, ClassTemplatePartialSpecializationDecl * > getInstantiatedFrom() const
If this class template specialization is an instantiation of a template (rather than an explicit spec...
bool hasStrictPackMatch() const
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.
CompoundAssignOperator - For compound assignments (e.g.
QualType getComputationLHSType() const
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())
QualType getComputationResultType() const
CompoundLiteralExpr - [C99 6.5.2.5].
SourceLocation getLParenLoc() const
const Expr * getInitializer() const
TypeSourceInfo * getTypeSourceInfo() const
CompoundStmt - This represents a group of statements like { stmt stmt }.
FPOptionsOverride getStoredFPFeatures() const
Get FPOptionsOverride from trailing storage.
SourceLocation getLBracLoc() const
bool hasStoredFPFeatures() const
static CompoundStmt * Create(const ASTContext &C, ArrayRef< Stmt * > Stmts, FPOptionsOverride FPFeatures, SourceLocation LB, SourceLocation RB)
SourceLocation getRBracLoc() const
Declaration of a C++20 concept.
Expr * getConstraintExpr() const
A reference to a concept and its template args, as it appears in the code.
const NestedNameSpecifierLoc & getNestedNameSpecifierLoc() const
NamedDecl * getFoundDecl() const
const DeclarationNameInfo & getConceptNameInfo() const
const ASTTemplateArgumentListInfo * getTemplateArgsAsWritten() const
static ConceptReference * Create(const ASTContext &C, NestedNameSpecifierLoc NNS, SourceLocation TemplateKWLoc, DeclarationNameInfo ConceptNameInfo, NamedDecl *FoundDecl, TemplateDecl *NamedConcept, const ASTTemplateArgumentListInfo *ArgsAsWritten)
TemplateDecl * getNamedConcept() const
SourceLocation getTemplateKWLoc() const
Represents the specialization of a concept - evaluates to a prvalue of type bool.
static ConceptSpecializationExpr * Create(const ASTContext &C, ConceptReference *ConceptRef, ImplicitConceptSpecializationDecl *SpecDecl, const ConstraintSatisfaction *Satisfaction)
ConceptReference * getConceptReference() const
const ImplicitConceptSpecializationDecl * getSpecializationDecl() const
const ASTConstraintSatisfaction & getSatisfaction() const
Get elaborated satisfaction info about the template arguments' satisfaction of the named concept.
ConditionalOperator - The ?
Expr * getCond() const
getCond - Return the expression representing the condition for the ?
Represents the canonical version of C arrays with a specified constant size.
ConstantExpr - An expression that occurs in a constant context and optionally the result of evaluatin...
APValue getAPValueResult() const
static ConstantExpr * Create(const ASTContext &Context, Expr *E, const APValue &Result)
The result of a constraint satisfaction check, containing the necessary information to diagnose an un...
std::pair< SourceLocation, StringRef > SubstitutionDiagnostic
llvm::SmallVector< Detail, 4 > Details
The substituted constraint expr, if the template arguments could be substituted into them,...
Represents a shadow constructor declaration introduced into a class by a C++11 using-declaration that...
ContinueStmt - This represents a continue.
ConvertVectorExpr - Clang builtin function __builtin_convertvector This AST node provides support for...
FPOptionsOverride getStoredFPFeaturesOrDefault() const
Get the store FPOptionsOverride or default if not stored.
SourceLocation getRParenLoc() const
getRParenLoc - Return the location of final right parenthesis.
static ConvertVectorExpr * Create(const ASTContext &C, Expr *SrcExpr, TypeSourceInfo *TI, QualType DstType, ExprValueKind VK, ExprObjectKind OK, SourceLocation BuiltinLoc, SourceLocation RParenLoc, FPOptionsOverride FPFeatures)
SourceLocation getBuiltinLoc() const
getBuiltinLoc - Return the location of the __builtin_convertvector token.
TypeSourceInfo * getTypeSourceInfo() const
getTypeSourceInfo - Return the destination type.
Expr * getSrcExpr() const
getSrcExpr - Return the Expr to be converted.
Represents a sugar type with __counted_by or __sized_by annotations, including their _or_null variant...
Represents a pointer type decayed from an array or function type.
A POD class for pairing a NamedDecl* with an access specifier.
static DeclAccessPair make(NamedDecl *D, AccessSpecifier AS)
NamedDecl * getDecl() const
AccessSpecifier getAccess() const
The results of name lookup within a DeclContext.
DeclContext - This is used only as base class of specific decl types that can act as declaration cont...
DeclContext * getParent()
getParent - Returns the containing DeclContext.
void makeDeclVisibleInContext(NamedDecl *D)
Makes a declaration visible within this context.
DeclContextLookupResult lookup_result
bool isDependentContext() const
Determines whether this context is dependent on a template parameter.
lookup_result lookup(DeclarationName Name) const
lookup - Find the declarations (if any) with the given Name in this context.
DeclContext * getRedeclContext()
getRedeclContext - Retrieve the context in which an entity conflicts with other entities of the same ...
void addDeclInternal(Decl *D)
Add the declaration D into this context, but suppress searches for external declarations with the sam...
bool containsDeclAndLoad(Decl *D) const
Checks whether a declaration is in this context.
void removeDecl(Decl *D)
Removes a declaration from this context.
lookup_result noload_lookup(DeclarationName Name)
Find the declarations with the given name that are visible within this context; don't attempt to retr...
bool containsDecl(Decl *D) const
Checks whether a declaration is in this context.
bool hasExternalLexicalStorage() const
Whether this DeclContext has external storage containing additional declarations that are lexically i...
DeclContext * getEnclosingNamespaceContext()
Retrieve the nearest enclosing namespace context.
decl_range decls() const
decls_begin/decls_end - Iterate over the declarations stored in this context.
bool isFunctionOrMethod() const
void localUncachedLookup(DeclarationName Name, SmallVectorImpl< NamedDecl * > &Results)
A simplistic name lookup mechanism that performs name lookup into this declaration context without co...
static DeclGroupRef Create(ASTContext &C, Decl **Decls, unsigned NumDecls)
A reference to a declared variable, function, enum, etc.
NamedDecl * getFoundDecl()
Get the NamedDecl through which this reference occurred.
bool hasExplicitTemplateArgs() const
Determines whether this declaration reference was followed by an explicit template argument list.
bool refersToEnclosingVariableOrCapture() const
Does this DeclRefExpr refer to an enclosing local or a captured variable?
SourceLocation getTemplateKeywordLoc() const
Retrieve the location of the template keyword preceding this name, if any.
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)
SourceLocation getLAngleLoc() const
Retrieve the location of the left angle bracket starting the explicit template argument list followin...
NestedNameSpecifierLoc getQualifierLoc() const
If the name was qualified, retrieves the nested-name-specifier that precedes the name,...
ArrayRef< TemplateArgumentLoc > template_arguments() const
NonOdrUseReason isNonOdrUse() const
Is this expression a non-odr-use reference, and if so, why?
bool hadMultipleCandidates() const
Returns true if this expression refers to a function that was resolved from an overloaded set having ...
SourceLocation getLocation() const
SourceLocation getRAngleLoc() const
Retrieve the location of the right angle bracket ending the explicit template argument list following...
bool isImmediateEscalating() const
DeclStmt - Adaptor class for mixing declarations with statements and expressions.
SourceLocation getEndLoc() const
const DeclGroupRef getDeclGroup() const
SourceLocation getBeginLoc() const LLVM_READONLY
A simple visitor class that helps create declaration visitors.
Decl - This represents one declaration (or definition), e.g.
SourceLocation getEndLoc() const LLVM_READONLY
TemplateDecl * getDescribedTemplate() const
If this is a declaration that describes some template, this method returns that template declaration.
FriendObjectKind getFriendObjectKind() const
Determines whether this declaration is the object of a friend declaration and, if so,...
ASTContext & getASTContext() const LLVM_READONLY
bool isImplicit() const
isImplicit - Indicates whether the declaration was implicitly generated by the implementation.
@ FOK_None
Not a friend object.
void setObjectOfFriendDecl(bool PerformFriendInjection=false)
Changes the namespace of this declaration to reflect that it's the object of a friend declaration.
void setAccess(AccessSpecifier AS)
SourceLocation getLocation() const
const char * getDeclKindName() const
IdentifierNamespace
IdentifierNamespace - The different namespaces in which declarations may appear.
@ IDNS_NonMemberOperator
This declaration is a C++ operator declared in a non-class context.
@ IDNS_TagFriend
This declaration is a friend class.
@ IDNS_Ordinary
Ordinary names.
@ IDNS_ObjCProtocol
Objective C @protocol.
@ IDNS_Namespace
Namespaces, declared with 'namespace foo {}'.
@ IDNS_OrdinaryFriend
This declaration is a friend function.
@ IDNS_Tag
Tags, declared with 'struct foo;' and referenced with 'struct foo'.
void setImplicit(bool I=true)
void setIsUsed()
Set whether the declaration is used, in the sense of odr-use.
bool isUsed(bool CheckUsedAttr=true) const
Whether any (re-)declaration of the entity was used, meaning that a definition is required.
DeclContext * getDeclContext()
AccessSpecifier getAccess() const
bool isInAnonymousNamespace() const
SourceLocation getBeginLoc() const LLVM_READONLY
TranslationUnitDecl * getTranslationUnitDecl()
void setDeclContext(DeclContext *DC)
setDeclContext - Set both the semantic and lexical DeclContext to DC.
DeclContext * getLexicalDeclContext()
getLexicalDeclContext - The declaration context where this Decl was lexically declared (LexicalDC).
void setLexicalDeclContext(DeclContext *DC)
virtual Decl * getCanonicalDecl()
Retrieves the "canonical" declaration of the given declaration.
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...
@ CXXConversionFunctionName
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.
SourceLocation getInnerLocStart() const
Return start of source range ignoring outer template declarations.
SourceLocation getBeginLoc() const LLVM_READONLY
const AssociatedConstraint & getTrailingRequiresClause() const
Get the constraint-expression introduced by the trailing requires-clause in the function/member decla...
void setTypeSourceInfo(TypeSourceInfo *TI)
void setQualifierInfo(NestedNameSpecifierLoc QualifierLoc)
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier (with source-location information) that qualifies the name of this...
TypeSourceInfo * getTypeSourceInfo() const
A decomposition declaration.
SourceLocation getDefaultLoc() const
A qualified reference to a name whose declaration cannot yet be resolved.
static DependentScopeDeclRefExpr * Create(const ASTContext &Context, NestedNameSpecifierLoc QualifierLoc, SourceLocation TemplateKWLoc, const DeclarationNameInfo &NameInfo, const TemplateArgumentListInfo *TemplateArgs)
SourceLocation getRAngleLoc() const
Retrieve the location of the right angle bracket ending the explicit template argument list following...
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier that qualifies the name, with source location information.
SourceLocation getLAngleLoc() const
Retrieve the location of the left angle bracket starting the explicit template argument list followin...
ArrayRef< TemplateArgumentLoc > template_arguments() const
bool hasExplicitTemplateArgs() const
Determines whether this lookup had explicit template arguments.
SourceLocation getTemplateKeywordLoc() const
Retrieve the location of the template keyword preceding this name, if any.
DeclarationName getDeclName() const
Retrieve the name that this expression refers to.
const DeclarationNameInfo & getNameInfo() const
Retrieve the name that this expression refers to.
Represents an array type in C++ whose size is a value-dependent expression.
Represents an extended vector type where either the type or size is dependent.
IdentifierOrOverloadedOperator getName() const
NestedNameSpecifier getQualifier() const
Return the nested name specifier that qualifies this name.
bool hasTemplateKeyword() const
Was this template name was preceeded by the template keyword?
Represents a single C99 designator.
unsigned getArrayIndex() const
bool isFieldDesignator() const
static Designator CreateArrayRangeDesignator(unsigned Index, SourceLocation LBracketLoc, SourceLocation EllipsisLoc, SourceLocation RBracketLoc)
Creates a GNU array-range designator.
static Designator CreateFieldDesignator(const IdentifierInfo *FieldName, SourceLocation DotLoc, SourceLocation FieldLoc)
Creates a field designator.
bool isArrayRangeDesignator() const
static Designator CreateArrayDesignator(unsigned Index, SourceLocation LBracketLoc, SourceLocation RBracketLoc)
Creates an array designator.
bool isArrayDesignator() const
SourceLocation getFieldLoc() const
SourceLocation getRBracketLoc() const
const IdentifierInfo * getFieldName() const
SourceLocation getEllipsisLoc() const
SourceLocation getDotLoc() const
SourceLocation getLBracketLoc() const
Represents a C99 designated initializer expression.
Expr * getSubExpr(unsigned Idx) const
bool usesGNUSyntax() const
Determines whether this designated initializer used the deprecated GNU syntax for designated initiali...
MutableArrayRef< Designator > designators()
Expr * getInit() const
Retrieve the initializer value.
unsigned size() const
Returns the number of designators in this initializer.
SourceLocation getEqualOrColonLoc() const
Retrieve the location of the '=' that precedes the initializer value itself, if present.
unsigned getNumSubExprs() const
Retrieve the total number of subexpressions in this designated initializer expression,...
static DesignatedInitExpr * Create(const ASTContext &C, ArrayRef< Designator > Designators, ArrayRef< Expr * > IndexExprs, SourceLocation EqualOrColonLoc, bool GNUSyntax, Expr *Init)
A little helper class used to produce diagnostics.
DoStmt - This represents a 'do/while' stmt.
SourceLocation getWhileLoc() const
SourceLocation getDoLoc() const
SourceLocation getRParenLoc() const
Symbolic representation of a dynamic allocation.
Represents an empty-declaration.
An instance of this object exists for each enum constant that is defined.
llvm::APSInt getInitVal() const
const Expr * getInitExpr() const
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this enumeration is an instantiation of a member enumeration of a class template specialization,...
bool isScoped() const
Returns true if this is a C++11 scoped enumeration.
unsigned getNumNegativeBits() const
Returns the width in bits required to store all the negative enumerators of this enum.
bool isScopedUsingClassTag() const
Returns true if this is a C++11 scoped enumeration.
void setIntegerType(QualType T)
Set the underlying integer type.
EnumDecl * getMostRecentDecl()
bool isFixed() const
Returns true if this is an Objective-C, C++11, or Microsoft-style enumeration with a fixed underlying...
void completeDefinition(QualType NewType, QualType PromotionType, unsigned NumPositiveBits, unsigned NumNegativeBits)
When created, the EnumDecl corresponds to a forward-declared enum.
QualType getIntegerType() const
Return the integer type this enum decl corresponds to.
EnumDecl * getInstantiatedFromMemberEnum() const
Returns the enumeration (declared within the template) from which this enumeration type was instantia...
EnumDecl * getDefinition() const
unsigned getNumPositiveBits() const
Returns the width in bits required to store all the non-negative enumerators of this enum.
QualType getPromotionType() const
Return the integer type that enumerators should promote to.
ExplicitCastExpr - An explicit cast written in the source code.
TypeSourceInfo * getTypeInfoAsWritten() const
getTypeInfoAsWritten - Returns the type source info for the type that this expression is casting to.
Store information needed for an explicit specifier.
ExplicitSpecKind getKind() const
const Expr * getExpr() const
Represents an expression – generally a full-expression – that introduces cleanups to be run at the en...
bool cleanupsHaveSideEffects() const
ArrayRef< CleanupObject > getObjects() const
unsigned getNumObjects() const
llvm::PointerUnion< BlockDecl *, CompoundLiteralExpr * > CleanupObject
The type of objects that are kept in the cleanup.
static ExprWithCleanups * Create(const ASTContext &C, EmptyShell empty, unsigned numObjects)
This represents one expression.
bool isValueDependent() const
Determines whether the value of this expression depends on.
ExprValueKind getValueKind() const
getValueKind - The value kind that this expression produces.
bool isTypeDependent() const
Determines whether the type of this expression depends on.
bool containsUnexpandedParameterPack() const
Whether this expression contains an unexpanded parameter pack (for C++11 variadic templates).
ExprObjectKind getObjectKind() const
getObjectKind - The object kind that this expression produces.
bool isInstantiationDependent() const
Whether this expression is instantiation-dependent, meaning that it depends in some way on.
ExprDependence getDependence() const
An expression trait intrinsic.
SourceLocation getBeginLoc() const LLVM_READONLY
Expr * getQueriedExpression() const
ExpressionTrait getTrait() const
SourceLocation getEndLoc() const LLVM_READONLY
ExtVectorType - Extended vector type.
virtual void CompleteType(TagDecl *Tag)
Gives the external AST source an opportunity to complete an incomplete type.
Represents difference between two FPOptions values.
Represents a member of a struct/union/class.
bool isMutable() const
Determines whether this field is mutable (C++ only).
Expr * getInClassInitializer() const
Get the C++11 default member initializer for this member, or null if one has not been set.
bool hasInClassInitializer() const
Determine whether this member has a C++11 default member initializer.
InClassInitStyle getInClassInitStyle() const
Get the kind of (C++11) default member initializer that this field has.
void setInClassInitializer(Expr *NewInit)
Set the C++11 in-class initializer for this member.
Expr * getBitWidth() const
Returns the expression that represents the bit width, if this field is a bit field.
const VariableArrayType * getCapturedVLAType() const
Get the captured variable length array type.
void setCapturedVLAType(const VariableArrayType *VLAType)
Set the captured variable length array type for this field.
An opaque identifier used by SourceManager which refers to a source file (MemoryBuffer) along with it...
Implements support for file system lookup, file system caching, and directory search management.
SourceLocation getLocation() const
Retrieve the location of the literal.
llvm::APInt getValue() const
Returns an internal integer representation of the literal.
SourceLocation getLocation() const
static FloatingLiteral * Create(const ASTContext &C, const llvm::APFloat &V, bool isexact, QualType Type, SourceLocation L)
llvm::APFloat getValue() const
ForStmt - This represents a 'for (init;cond;inc)' stmt.
VarDecl * getConditionVariable() const
Retrieve the variable declared in this "for" statement, if any.
SourceLocation getRParenLoc() const
SourceLocation getForLoc() const
SourceLocation getLParenLoc() const
FriendDecl - Represents the declaration of a friend entity, which can be a function,...
llvm::PointerUnion< NamedDecl *, TypeSourceInfo * > FriendUnion
SourceLocation getFriendLoc() const
Retrieves the location of the 'friend' keyword.
SourceLocation getEllipsisLoc() const
Retrieves the location of the '...', if present.
NamedDecl * getFriendDecl() const
If this friend declaration doesn't name a type, return the inner declaration.
TypeSourceInfo * getFriendType() const
If this friend declaration names an (untemplated but possibly dependent) type, return the type; other...
const Expr * getSubExpr() const
static DefaultedOrDeletedFunctionInfo * Create(ASTContext &Context, ArrayRef< DeclAccessPair > Lookups, StringLiteral *DeletedMessage=nullptr)
Represents a function declaration or definition.
Stmt * getBody(const FunctionDecl *&Definition) const
Retrieve the body (definition) of the function.
ConstexprSpecKind getConstexprKind() const
void setDescribedFunctionTemplate(FunctionTemplateDecl *Template)
FunctionTemplateDecl * getDescribedFunctionTemplate() const
Retrieves the function template that is described by this function declaration.
void setIsPureVirtual(bool P=true)
void setDefaultedOrDeletedInfo(DefaultedOrDeletedFunctionInfo *Info)
void setFriendConstraintRefersToEnclosingTemplate(bool V=true)
bool isDestroyingOperatorDelete() const
Determine whether this is a destroying operator delete.
StringLiteral * getDeletedMessage() const
Get the message that indicates why this function was deleted.
bool UsesFPIntrin() const
Determine whether the function was declared in source context that requires constrained FP intrinsics...
SourceLocation getDefaultLoc() const
ArrayRef< ParmVarDecl * > parameters() const
bool isExplicitlyDefaulted() const
Whether this function is explicitly defaulted.
bool isTrivial() const
Whether this function is "trivial" in some specialized C++ senses.
bool hasWrittenPrototype() const
Whether this function has a written prototype.
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this function is an instantiation of a member function of a class template specialization,...
FunctionTemplateSpecializationInfo * getTemplateSpecializationInfo() const
If this function is actually a function template specialization, retrieve information about this func...
void setDefaultLoc(SourceLocation NewLoc)
bool doesThisDeclarationHaveABody() const
Returns whether this specific declaration of the function has a body.
DependentFunctionTemplateSpecializationInfo * getDependentSpecializationInfo() const
@ TK_MemberSpecialization
@ TK_DependentNonTemplate
@ TK_FunctionTemplateSpecialization
@ TK_DependentFunctionTemplateSpecialization
StorageClass getStorageClass() const
Returns the storage class as written in the source.
bool FriendConstraintRefersToEnclosingTemplate() const
TemplatedKind getTemplatedKind() const
What kind of templated function this is.
void setInstantiatedFromDecl(FunctionDecl *FD)
Specify that this function declaration was instantiated from a FunctionDecl FD.
bool isDeletedAsWritten() const
void setDependentTemplateSpecialization(ASTContext &Context, const UnresolvedSetImpl &Templates, const TemplateArgumentListInfo *TemplateArgs)
Specifies that this function declaration is actually a dependent function template specialization.
bool isPureVirtual() const
Whether this virtual function is pure, i.e.
FunctionDecl * getMostRecentDecl()
Returns the most recent (re)declaration of this declaration.
void setVirtualAsWritten(bool V)
State that this function is marked as virtual explicitly.
void setIsDestroyingOperatorDelete(bool IsDestroyingDelete)
FunctionDecl * getDefinition()
Get the definition for this declaration.
bool isTypeAwareOperatorNewOrDelete() const
Determine whether this is a type aware operator new or delete.
void setIsTypeAwareOperatorNewOrDelete(bool IsTypeAwareOperator=true)
void setRangeEnd(SourceLocation E)
bool isDefaulted() const
Whether this function is defaulted.
FunctionDecl * getInstantiatedFromDecl() const
TemplateSpecializationKind getTemplateSpecializationKind() const
Determine what kind of template instantiation this function represents.
void setDefaulted(bool D=true)
bool isVirtualAsWritten() const
Whether this function is marked as virtual explicitly.
void setDeletedAsWritten(bool D=true, StringLiteral *Message=nullptr)
void setExplicitlyDefaulted(bool ED=true)
State that this function is explicitly defaulted.
FunctionDecl * getInstantiatedFromMemberFunction() const
If this function is an instantiation of a member function of a class template specialization,...
DeclarationNameInfo getNameInfo() const
bool hasBody(const FunctionDecl *&Definition) const
Returns true if the function has a body.
FunctionDecl * getPreviousDecl()
Return the previous declaration of this declaration or NULL if this is the first declaration.
bool isInlineSpecified() const
Determine whether the "inline" keyword was specified for this function.
Represents a K&R-style 'int foo()' function, which has no information available about its arguments.
Represents a prototype with parameter type info, e.g.
ExtProtoInfo getExtProtoInfo() const
ArrayRef< QualType > exceptions() const
ArrayRef< QualType > param_types() const
Declaration of a template function.
FunctionDecl * getTemplatedDecl() const
Get the underlying function declaration of the template.
bool isThisDeclarationADefinition() const
Returns whether this template declaration defines the primary pattern.
FunctionTemplateDecl * getMostRecentDecl()
ExtInfo getExtInfo() const
QualType getReturnType() const
This represents a GCC inline-assembly statement extension.
unsigned getNumLabels() const
SourceLocation getRParenLoc() const
IdentifierInfo * getInputIdentifier(unsigned i) const
const Expr * getOutputConstraintExpr(unsigned i) const
const Expr * getInputConstraintExpr(unsigned i) const
IdentifierInfo * getOutputIdentifier(unsigned i) const
const Expr * getAsmStringExpr() const
Expr * getClobberExpr(unsigned i)
GNUNullExpr - Implements the GNU __null extension, which is a name for a null pointer constant that h...
SourceLocation getBeginLoc() const LLVM_READONLY
Represents a C11 generic selection.
TypeSourceInfo * getControllingType()
Return the controlling type of this generic selection expression.
ArrayRef< Expr * > getAssocExprs() const
bool isExprPredicate() const
Whether this generic selection uses an expression as its controlling argument.
SourceLocation getGenericLoc() const
SourceLocation getRParenLoc() const
unsigned getResultIndex() const
The zero-based index of the result expression's generic association in the generic selection's associ...
SourceLocation getDefaultLoc() const
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.
bool isResultDependent() const
Whether this generic selection is result-dependent.
Expr * getControllingExpr()
Return the controlling expression of this generic selection expression.
ArrayRef< TypeSourceInfo * > getAssocTypeSourceInfos() const
GotoStmt - This represents a direct goto.
SourceLocation getLabelLoc() const
SourceLocation getGotoLoc() const
LabelDecl * getLabel() const
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.
IfStmt - This represents an if/then/else.
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.
SourceLocation getIfLoc() const
IfStatementKind getStatementKind() const
SourceLocation getElseLoc() const
SourceLocation getLParenLoc() const
SourceLocation getRParenLoc() const
VarDecl * getConditionVariable()
Retrieve the variable declared in this "if" statement, if any.
ImaginaryLiteral - We support imaginary integer and floating point literals, like "1....
const Expr * getSubExpr() const
ImplicitCastExpr - Allows us to explicitly represent implicit type conversions, which have no direct ...
static ImplicitCastExpr * Create(const ASTContext &Context, QualType T, CastKind Kind, Expr *Operand, const CXXCastPath *BasePath, ExprValueKind Cat, FPOptionsOverride FPO)
ArrayRef< TemplateArgument > getTemplateArguments() const
ImplicitParamKind getParameterKind() const
Returns the implicit parameter kind.
Represents an implicitly-generated value initialization of an object of a given type.
Describes a module import declaration, which makes the contents of the named module visible in the cu...
Represents a C array with an unspecified size.
Represents a field injected from an anonymous union/struct into the parent scope.
unsigned getChainingSize() const
ArrayRef< NamedDecl * > chain() const
IndirectGotoStmt - This represents an indirect goto.
SourceLocation getGotoLoc() const
SourceLocation getStarLoc() const
Description of a constructor that was inherited from a base class.
CXXConstructorDecl * getConstructor() const
ConstructorUsingShadowDecl * getShadowDecl() const
Describes an C or C++ initializer list.
bool hasArrayFiller() const
Return true if this is an array initializer and its array "filler" has been set.
void setSyntacticForm(InitListExpr *Init)
FieldDecl * getInitializedFieldInUnion()
If this initializes a union, specifies which field in the union to initialize.
unsigned getNumInits() const
SourceLocation getLBraceLoc() const
void setArrayFiller(Expr *filler)
InitListExpr * getSyntacticForm() const
bool hadArrayRangeDesignator() const
Expr * getArrayFiller()
If this initializer list initializes an array with more elements than there are initializers in the l...
SourceLocation getRBraceLoc() const
void setInitializedFieldInUnion(FieldDecl *FD)
ArrayRef< Expr * > inits()
void sawArrayRangeDesignator(bool ARD=true)
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'.
SourceLocation getLocation() const
Retrieve the location of the literal.
An lvalue reference type, per C++11 [dcl.ref].
Represents the declaration of a label.
LabelStmt * getStmt() const
void setStmt(LabelStmt *T)
LabelStmt - Represents a label, which has a substatement.
LabelDecl * getDecl() const
SourceLocation getIdentLoc() const
Describes the capture of a variable or of this, or of a C++1y init-capture.
bool capturesVariable() const
Determine whether this capture handles a variable.
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.
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...
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.
SourceLocation getEndLoc() const LLVM_READONLY
bool hasExplicitParameters() const
Determine whether this lambda has an explicit parameter list vs.
SourceRange getIntroducerRange() const
Retrieve the source range covering the lambda introducer, which contains the explicit capture list su...
unsigned capture_size() const
Determine the number of captures in this lambda.
CXXMethodDecl * getCallOperator() const
Retrieve the function call operator associated with this lambda expression.
bool hasExplicitResultType() const
Whether this lambda had its result type explicitly specified.
SourceLocation getCaptureDefaultLoc() const
Retrieve the location of this lambda's capture-default, if any.
llvm::iterator_range< capture_init_iterator > capture_inits()
Retrieve the initialization expressions for this lambda's captures.
LambdaCaptureDefault getCaptureDefault() const
Determine the default capture kind for this lambda.
CXXRecordDecl * getLambdaClass() const
Retrieve the class that corresponds to the lambda.
Implicit declaration of a temporary that was materialized by a MaterializeTemporaryExpr and lifetime-...
unsigned getManglingNumber() const
Expr * getTemporaryExpr()
Retrieve the expression to which the temporary materialization conversion was applied.
ValueDecl * getExtendingDecl()
Represents a linkage specification.
void setRBraceLoc(SourceLocation L)
LinkageSpecLanguageIDs getLanguage() const
Return the language specified by this linkage specification.
SourceLocation getExternLoc() const
SourceLocation getRBraceLoc() const
bool hasBraces() const
Determines whether this linkage specification had braces in its syntactic form.
Represents the results of name lookup.
Sugar type that represents a type that was qualified by a qualifier written as a macro invocation.
Represents a prvalue temporary that is written into memory so that a reference can bind to it.
Expr * getSubExpr() const
Retrieve the temporary-generating subexpression whose value will be materialized into a glvalue.
bool isBoundToLvalueReference() const
Determine whether this materialized temporary is bound to an lvalue reference; otherwise,...
LifetimeExtendedTemporaryDecl * getLifetimeExtendedTemporaryDecl()
MemberExpr - [C99 6.5.2.3] Structure and Union Members.
ArrayRef< TemplateArgumentLoc > template_arguments() const
SourceLocation getOperatorLoc() const
SourceLocation getTemplateKeywordLoc() const
Retrieve the location of the template keyword preceding the member name, if any.
NestedNameSpecifierLoc getQualifierLoc() const
If the member name was qualified, retrieves the nested-name-specifier that precedes the member name,...
ValueDecl * getMemberDecl() const
Retrieve the member declaration to which this expression refers.
bool hasExplicitTemplateArgs() const
Determines whether the member name was followed by an explicit template argument list.
NonOdrUseReason isNonOdrUse() const
Is this expression a non-odr-use reference, and if so, why?
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)
SourceLocation getRAngleLoc() const
Retrieve the location of the right angle bracket ending the explicit template argument list following...
SourceLocation getLAngleLoc() const
Retrieve the location of the left angle bracket starting the explicit template argument list followin...
DeclarationNameInfo getMemberNameInfo() const
Retrieve the member declaration name info.
DeclAccessPair getFoundDecl() const
Retrieves the declaration found by lookup.
A pointer to member type per C++ 8.3.3 - Pointers to members.
Provides information a specialization of a member of a class template, which may be a member function...
SourceLocation getPointOfInstantiation() const
Retrieve the first point of instantiation of this member.
void setPointOfInstantiation(SourceLocation POI)
Set the first point of instantiation.
This represents a decl that may have a name.
Linkage getLinkageInternal() const
Determine what kind of linkage this entity has.
IdentifierInfo * getIdentifier() const
Get the identifier that names this declaration, if there is one.
DeclarationName getDeclName() const
Get the actual, stored name of the declaration, which may be a special name.
Represents a C++ namespace alias.
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier that qualifies the name of the namespace, with source-location inf...
SourceLocation getAliasLoc() const
Returns the location of the alias name, i.e.
SourceLocation getNamespaceLoc() const
Returns the location of the namespace keyword.
SourceLocation getTargetNameLoc() const
Returns the location of the identifier in the named namespace.
NamespaceDecl * getNamespace()
Retrieve the namespace declaration aliased by this directive.
Represent a C++ namespace.
SourceLocation getRBraceLoc() const
SourceLocation getBeginLoc() const LLVM_READONLY
bool isInline() const
Returns true if this is an inline namespace declaration.
NamespaceDecl * getAnonymousNamespace() const
Retrieve the anonymous namespace that inhabits this namespace, if any.
bool isNested() const
Returns true if this is a nested namespace declaration.
void setRBraceLoc(SourceLocation L)
Class that aids in the construction of nested-name-specifiers along with source-location information ...
NestedNameSpecifierLoc getWithLocInContext(ASTContext &Context) const
Retrieve a nested-name-specifier with location information, copied into the given AST context.
A C++ nested-name-specifier augmented with source location information.
NamespaceAndPrefixLoc getAsNamespaceAndPrefix() const
NestedNameSpecifier getNestedNameSpecifier() const
Retrieve the nested-name-specifier to which this instance refers.
SourceLocation getLocalEndLoc() const
Retrieve the location of the end 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.
TypeLoc castAsTypeLoc() const
For a nested-name-specifier that refers to a type, retrieve the type with source-location information...
SourceLocation getLocalBeginLoc() const
Retrieve the location of the beginning of this component of the nested-name-specifier.
Represents a C++ nested name specifier, such as "\::std::vector<int>::".
CXXRecordDecl * getAsMicrosoftSuper() const
NamespaceAndPrefix getAsNamespaceAndPrefix() const
const Type * getAsType() const
Kind
The kind of specifier that completes this nested name specifier.
@ MicrosoftSuper
Microsoft's '__super' specifier, stored as a CXXRecordDecl* of the class it appeared in.
@ Global
The global specifier '::'. There is no stored value.
@ Type
A type, stored as a Type*.
@ Namespace
A namespace-like entity, stored as a NamespaceBaseDecl*.
NonTypeTemplateParmDecl - Declares a non-type template parameter, e.g., "Size" in.
unsigned getPosition() const
Get the position of the template parameter within its parameter list.
bool isParameterPack() const
Whether this parameter is a non-type template parameter pack.
unsigned getDepth() const
Get the nesting depth of the template parameter.
NullStmt - This is the null statement ";": C99 6.8.3p3.
bool hasLeadingEmptyMacro() const
SourceLocation getSemiLoc() const
Represents Objective-C's @catch statement.
const VarDecl * getCatchParamDecl() const
const Stmt * getCatchBody() const
SourceLocation getAtCatchLoc() const
SourceLocation getRParenLoc() const
Represents Objective-C's @finally statement.
const Stmt * getFinallyBody() const
SourceLocation getAtFinallyLoc() const
Represents Objective-C's @synchronized statement.
const Expr * getSynchExpr() const
const CompoundStmt * getSynchBody() const
SourceLocation getAtSynchronizedLoc() const
Represents Objective-C's @throw statement.
const Expr * getThrowExpr() const
SourceLocation getThrowLoc() const LLVM_READONLY
Represents Objective-C's @try ... @catch ... @finally statement.
const ObjCAtFinallyStmt * getFinallyStmt() const
Retrieve the @finally statement, if any.
static ObjCAtTryStmt * Create(const ASTContext &Context, SourceLocation atTryLoc, Stmt *atTryStmt, Stmt **CatchStmts, unsigned NumCatchStmts, Stmt *atFinallyStmt)
unsigned getNumCatchStmts() const
Retrieve the number of @catch statements in this try-catch-finally block.
const ObjCAtCatchStmt * getCatchStmt(unsigned I) const
Retrieve a @catch statement.
const Stmt * getTryBody() const
Retrieve the @try body.
SourceLocation getAtTryLoc() const
Retrieve the location of the @ in the @try.
Represents Objective-C's @autoreleasepool Statement.
SourceLocation getAtLoc() const
const Stmt * getSubStmt() const
An Objective-C "bridged" cast expression, which casts between Objective-C pointers and C pointers,...
ObjCCategoryDecl - Represents a category declaration.
void setTypeParamList(ObjCTypeParamList *TPL)
Set the type parameters of this category.
void setProtocolList(ObjCProtocolDecl *const *List, unsigned Num, const SourceLocation *Locs, ASTContext &C)
setProtocolList - Set the list of protocols that this interface implements.
ObjCCategoryImplDecl * getImplementation() const
ObjCInterfaceDecl * getClassInterface()
ObjCTypeParamList * getTypeParamList() const
Retrieve the type parameter list associated with this category or extension.
protocol_iterator protocol_end() const
ObjCProtocolList::loc_iterator protocol_loc_iterator
SourceLocation getIvarLBraceLoc() const
SourceLocation getIvarRBraceLoc() const
protocol_loc_iterator protocol_loc_begin() const
protocol_iterator protocol_begin() const
void setImplementation(ObjCCategoryImplDecl *ImplD)
ObjCProtocolList::iterator protocol_iterator
SourceLocation getCategoryNameLoc() const
ObjCCategoryImplDecl - An object of this class encapsulates a category @implementation declaration.
SourceLocation getCategoryNameLoc() const
ObjCCategoryDecl * getCategoryDecl() const
SourceLocation getAtStartLoc() const
Represents Objective-C's collection statement.
SourceLocation getForLoc() const
SourceLocation getRParenLoc() const
const ObjCInterfaceDecl * getClassInterface() const
ObjCImplementationDecl - Represents a class definition - this is where method definitions are specifi...
SourceLocation getIvarRBraceLoc() const
SourceLocation getSuperClassLoc() const
const ObjCInterfaceDecl * getSuperClass() const
SourceLocation getIvarLBraceLoc() const
Represents an ObjC class declaration.
void setProtocolList(ObjCProtocolDecl *const *List, unsigned Num, const SourceLocation *Locs, ASTContext &C)
setProtocolList - Set the list of protocols that this interface implements.
bool isImplicitInterfaceDecl() const
isImplicitInterfaceDecl - check that this is an implicitly declared ObjCInterfaceDecl node.
ObjCTypeParamList * getTypeParamListAsWritten() const
Retrieve the type parameters written on this particular declaration of the class.
ObjCCategoryDecl * FindCategoryDeclaration(const IdentifierInfo *CategoryId) const
FindCategoryDeclaration - Finds category declaration in the list of categories for this class and ret...
protocol_loc_iterator protocol_loc_begin() const
void setImplementation(ObjCImplementationDecl *ImplD)
known_categories_range known_categories() const
void setSuperClass(TypeSourceInfo *superClass)
protocol_iterator protocol_end() const
SourceLocation getSuperClassLoc() const
Retrieve the starting location of the superclass.
bool isThisDeclarationADefinition() const
Determine whether this particular declaration of this class is actually also a definition.
void setTypeParamList(ObjCTypeParamList *TPL)
Set the type parameters of this class.
ObjCProtocolList::iterator protocol_iterator
ObjCImplementationDecl * getImplementation() const
protocol_iterator protocol_begin() const
ObjCProtocolList::loc_iterator protocol_loc_iterator
void startDefinition()
Starts the definition of this Objective-C class, taking it from a forward declaration (@class) to a d...
ObjCInterfaceDecl * getCanonicalDecl() override
Retrieves the canonical declaration of this Objective-C class.
ObjCInterfaceDecl * getSuperClass() const
ObjCInterfaceDecl * getDefinition()
Retrieve the definition of this class, or NULL if this class has been forward-declared (with @class) ...
TypeSourceInfo * getSuperClassTInfo() const
Represents typeof(type), a C23 feature and GCC extension, or `typeof_unqual(type),...
ObjCIvarDecl - Represents an ObjC instance variable.
AccessControl getAccessControl() const
bool getSynthesize() const
ObjCMethodDecl - Represents an instance or class method declaration.
ImplicitParamDecl * getSelfDecl() const
ArrayRef< ParmVarDecl * > parameters() const
unsigned param_size() const
bool isPropertyAccessor() const
param_const_iterator param_end() const
param_const_iterator param_begin() const
SourceLocation getEndLoc() const LLVM_READONLY
TypeSourceInfo * getReturnTypeSourceInfo() const
void setMethodParams(ASTContext &C, ArrayRef< ParmVarDecl * > Params, ArrayRef< SourceLocation > SelLocs={})
Sets the method's parameters and selector source locations.
bool isSynthesizedAccessorStub() const
bool hasRelatedResultType() const
Determine whether this method has a result type that is related to the message receiver's type.
bool isInstanceMethod() const
void createImplicitParams(ASTContext &Context, const ObjCInterfaceDecl *ID)
createImplicitParams - Used to lazily create the self and cmd implicit parameters.
QualType getReturnType() const
ParmVarDecl *const * param_iterator
ObjCImplementationControl getImplementationControl() const
ObjCInterfaceDecl * getClassInterface()
void getSelectorLocs(SmallVectorImpl< SourceLocation > &SelLocs) const
Represents a pointer to an Objective C object.
Represents one property declaration in an Objective-C interface.
void setSetterName(Selector Sel, SourceLocation Loc=SourceLocation())
SourceLocation getGetterNameLoc() const
ObjCMethodDecl * getGetterMethodDecl() const
bool isInstanceProperty() const
ObjCMethodDecl * getSetterMethodDecl() const
SourceLocation getSetterNameLoc() const
SourceLocation getAtLoc() const
void setPropertyAttributes(ObjCPropertyAttribute::Kind PRVal)
ObjCIvarDecl * getPropertyIvarDecl() const
Selector getSetterName() const
TypeSourceInfo * getTypeSourceInfo() const
void setPropertyAttributesAsWritten(ObjCPropertyAttribute::Kind PRVal)
Selector getGetterName() const
void setPropertyIvarDecl(ObjCIvarDecl *Ivar)
SourceLocation getLParenLoc() const
void setSetterMethodDecl(ObjCMethodDecl *gDecl)
ObjCPropertyAttribute::Kind getPropertyAttributesAsWritten() const
ObjCPropertyAttribute::Kind getPropertyAttributes() const
void setGetterName(Selector Sel, SourceLocation Loc=SourceLocation())
PropertyControl getPropertyImplementation() const
void setGetterMethodDecl(ObjCMethodDecl *gDecl)
ObjCPropertyImplDecl - Represents implementation declaration of a property in a class or category imp...
ObjCIvarDecl * getPropertyIvarDecl() const
SourceLocation getPropertyIvarDeclLoc() const
Kind getPropertyImplementation() const
ObjCPropertyDecl * getPropertyDecl() const
SourceLocation getBeginLoc() const LLVM_READONLY
Represents an Objective-C protocol declaration.
bool isThisDeclarationADefinition() const
Determine whether this particular declaration is also the definition.
void setProtocolList(ObjCProtocolDecl *const *List, unsigned Num, const SourceLocation *Locs, ASTContext &C)
setProtocolList - Set the list of protocols that this interface implements.
ObjCProtocolDecl * getDefinition()
Retrieve the definition of this protocol, if any.
void startDefinition()
Starts the definition of this Objective-C protocol.
ObjCProtocolList::iterator protocol_iterator
protocol_iterator protocol_begin() const
ObjCProtocolList::loc_iterator protocol_loc_iterator
protocol_iterator protocol_end() const
protocol_loc_iterator protocol_loc_begin() const
Represents the declaration of an Objective-C type parameter.
unsigned getIndex() const
Retrieve the index into its type parameter list.
const Type * getTypeForDecl() const
SourceLocation getColonLoc() const
Retrieve the location of the ':' separating the type parameter name from the explicitly-specified bou...
ObjCTypeParamVariance getVariance() const
Determine the variance of this type parameter.
SourceLocation getVarianceLoc() const
Retrieve the location of the variance keyword.
Stores a list of Objective-C type parameters for a parameterized class or a category/extension thereo...
SourceLocation getRAngleLoc() const
static ObjCTypeParamList * create(ASTContext &ctx, SourceLocation lAngleLoc, ArrayRef< ObjCTypeParamDecl * > typeParams, SourceLocation rAngleLoc)
Create a new Objective-C type parameter list.
SourceLocation getLAngleLoc() const
OffsetOfExpr - [C99 7.17] - This represents an expression of the form offsetof(record-type,...
Expr * getIndexExpr(unsigned Idx)
SourceLocation getOperatorLoc() const
getOperatorLoc - Return the location of the operator.
const OffsetOfNode & getComponent(unsigned Idx) const
static OffsetOfExpr * Create(const ASTContext &C, QualType type, SourceLocation OperatorLoc, TypeSourceInfo *tsi, ArrayRef< OffsetOfNode > comps, ArrayRef< Expr * > exprs, SourceLocation RParenLoc)
TypeSourceInfo * getTypeSourceInfo() const
unsigned getNumExpressions() const
SourceLocation getRParenLoc() const
Return the location of the right parentheses.
unsigned getNumComponents() const
Helper class for OffsetOfExpr.
unsigned getArrayExprIndex() const
For an array element node, returns the index into the array of expressions.
FieldDecl * getField() const
For a field offsetof node, returns the field.
IdentifierInfo * getFieldName() const
For a field or identifier offsetof node, returns the name of the field.
@ Array
An index into an array.
@ Identifier
A field in a dependent type, known only by its name.
@ Base
An implicit indirection through a C++ base class, when the field found is in a base class.
SourceLocation getBeginLoc() const LLVM_READONLY
Kind getKind() const
Determine what kind of offsetof node this is.
SourceLocation getEndLoc() const LLVM_READONLY
CXXBaseSpecifier * getBase() const
For a base class node, returns the base specifier.
OpaqueValueExpr - An expression referring to an opaque object of a fixed type and value class.
Expr * getSourceExpr() const
The source expression of an opaque value expression is the expression which originally generated the ...
SourceLocation getLocation() const
Retrieve the location of this expression.
bool hasExplicitTemplateArgs() const
Determines whether this expression had explicit template arguments.
SourceLocation getLAngleLoc() const
Retrieve the location of the left angle bracket starting the explicit template argument list followin...
const DeclarationNameInfo & getNameInfo() const
Gets the full name info.
SourceLocation getNameLoc() const
Gets the location of the name.
SourceLocation getTemplateKeywordLoc() const
Retrieve the location of the template keyword preceding this name, if any.
NestedNameSpecifierLoc getQualifierLoc() const
Fetches the nested-name qualifier with source-location information, if one was given.
llvm::iterator_range< decls_iterator > decls() const
void copyTemplateArgumentsInto(TemplateArgumentListInfo &List) const
Copies the template arguments into the given structure.
DeclarationName getName() const
Gets the name looked up.
SourceLocation getRAngleLoc() const
Retrieve the location of the right angle bracket ending the explicit template argument list following...
ArrayRef< TemplateArgumentLoc > template_arguments() const
A structure for storing the information associated with an overloaded template name.
Represents a C++11 pack expansion that produces a sequence of expressions.
Expr * getPattern()
Retrieve the pattern of the pack expansion.
UnsignedOrNone getNumExpansions() const
Determine the number of expansions that will be produced when this pack expansion is instantiated,...
SourceLocation getEllipsisLoc() const
Retrieve the location of the ellipsis that describes this pack expansion.
ParenExpr - This represents a parenthesized expression, e.g.
SourceLocation getLParen() const
Get the location of the left parentheses '('.
const Expr * getSubExpr() const
SourceLocation getRParen() const
Get the location of the right parentheses ')'.
ArrayRef< Expr * > exprs()
static ParenListExpr * Create(const ASTContext &Ctx, SourceLocation LParenLoc, ArrayRef< Expr * > Exprs, SourceLocation RParenLoc)
Create a paren list.
unsigned getNumExprs() const
Return the number of expressions in this paren list.
SourceLocation getLParenLoc() const
SourceLocation getRParenLoc() const
Sugar for parentheses used when specifying types.
Represents a parameter to a function.
bool isKNRPromoted() const
True if the value passed to this parameter must undergo K&R-style default argument promotion:
unsigned getFunctionScopeIndex() const
Returns the index of this parameter in its prototype or method scope.
void setObjCDeclQualifier(ObjCDeclQualifier QTVal)
void setDefaultArg(Expr *defarg)
SourceLocation getExplicitObjectParamThisLoc() const
void setUnparsedDefaultArg()
Specify that this parameter has an unparsed default argument.
bool hasUnparsedDefaultArg() const
Determines whether this parameter has a default argument that has not yet been parsed.
void setUninstantiatedDefaultArg(Expr *arg)
bool isObjCMethodParameter() const
ObjCDeclQualifier getObjCDeclQualifier() const
void setScopeInfo(unsigned scopeDepth, unsigned parameterIndex)
bool hasUninstantiatedDefaultArg() const
void setObjCMethodScopeInfo(unsigned parameterIndex)
bool hasInheritedDefaultArg() const
void setKNRPromoted(bool promoted)
void setExplicitObjectParameterLoc(SourceLocation Loc)
Expr * getUninstantiatedDefaultArg()
bool hasDefaultArg() const
Determines whether this parameter has a default argument, either parsed or not.
unsigned getFunctionScopeDepth() const
void setHasInheritedDefaultArg(bool I=true)
PointerType - C99 6.7.5.1 - Pointer Declarators.
[C99 6.4.2.2] - A predefined identifier such as func.
SourceLocation getBeginLoc() const
static PredefinedExpr * Create(const ASTContext &Ctx, SourceLocation L, QualType FNTy, PredefinedIdentKind IK, bool IsTransparent, StringLiteral *SL)
Create a PredefinedExpr.
bool isTransparent() const
PredefinedIdentKind getIdentKind() const
StringLiteral * getFunctionName()
Stores the type being destroyed by a pseudo-destructor expression.
A (possibly-)qualified type.
bool isNull() const
Return true if this QualType doesn't point to a type yet.
const Type * getTypePtr() const
Retrieves a pointer to the underlying (unqualified) type.
Qualifiers getLocalQualifiers() const
Retrieve the set of qualifiers local to this particular QualType instance, not including any qualifie...
Represents a template name as written in source code.
NestedNameSpecifier getQualifier() const
Return the nested name specifier that qualifies this name.
TemplateName getUnderlyingTemplate() const
Return the underlying template name.
bool hasTemplateKeyword() const
Whether the template name was prefixed by the "template" keyword.
An rvalue reference type, per C++11 [dcl.ref].
Represents a struct/union/class.
bool isLambda() const
Determine whether this record is a class describing a lambda function object.
void setAnonymousStructOrUnion(bool Anon)
field_range fields() const
RecordDecl * getMostRecentDecl()
virtual void completeDefinition()
Note that the definition of this type is now complete.
RecordDecl * getDefinition() const
Returns the RecordDecl that actually defines this struct/union/class.
bool isAnonymousStructOrUnion() const
Whether this is an anonymous struct or union.
Provides common interface for the Decls that can be redeclared.
decl_type * getFirstDecl()
Return the first declaration of this declaration or itself if this is the only declaration.
void setPreviousDecl(decl_type *PrevDecl)
Set the previous declaration.
Represents the body of a requires-expression.
C++2a [expr.prim.req]: A requires-expression provides a concise way to express requirements on templa...
SourceLocation getLParenLoc() const
SourceLocation getRParenLoc() const
SourceLocation getRBraceLoc() const
SourceLocation getRequiresKWLoc() const
static RequiresExpr * Create(ASTContext &C, SourceLocation RequiresKWLoc, RequiresExprBodyDecl *Body, SourceLocation LParenLoc, ArrayRef< ParmVarDecl * > LocalParameters, SourceLocation RParenLoc, ArrayRef< concepts::Requirement * > Requirements, SourceLocation RBraceLoc)
RequiresExprBodyDecl * getBody() const
ArrayRef< concepts::Requirement * > getRequirements() const
ArrayRef< ParmVarDecl * > getLocalParameters() const
ReturnStmt - This represents a return, optionally of an expression: return; return 4;.
SourceLocation getReturnLoc() const
const VarDecl * getNRVOCandidate() const
Retrieve the variable that might be used for the named return value optimization.
static ReturnStmt * Create(const ASTContext &Ctx, SourceLocation RL, Expr *E, const VarDecl *NRVOCandidate)
Create a return statement.
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
ShuffleVectorExpr - clang-specific builtin-in function __builtin_shufflevector.
Expr ** getSubExprs()
Retrieve the array of expressions.
unsigned getNumSubExprs() const
getNumSubExprs - Return the size of the SubExprs array.
SourceLocation getRParenLoc() const
SourceLocation getBeginLoc() const LLVM_READONLY
Represents an expression that computes the length of a parameter pack.
SourceLocation getPackLoc() const
Determine the location of the parameter pack.
bool isPartiallySubstituted() const
Determine whether this represents a partially-substituted sizeof... expression, such as is produced f...
static SizeOfPackExpr * Create(ASTContext &Context, SourceLocation OperatorLoc, NamedDecl *Pack, SourceLocation PackLoc, SourceLocation RParenLoc, UnsignedOrNone Length=std::nullopt, ArrayRef< TemplateArgument > PartialArgs={})
ArrayRef< TemplateArgument > getPartialArguments() const
Get.
SourceLocation getOperatorLoc() const
Determine the location of the 'sizeof' keyword.
SourceLocation getRParenLoc() const
Determine the location of the right parenthesis.
NamedDecl * getPack() const
Retrieve the parameter pack.
unsigned getPackLength() const
Retrieve the length of the parameter pack.
Represents a function call to one of __builtin_LINE(), __builtin_COLUMN(), __builtin_FUNCTION(),...
SourceLocation getBeginLoc() const
const DeclContext * getParentContext() const
If the SourceLocExpr has been resolved return the subexpression representing the resolved value.
SourceLocation getEndLoc() const
SourceLocIdentKind getIdentKind() const
Encodes a location in the source.
bool isValid() const
Return true if this is a valid SourceLocation object.
This class handles loading and caching of source files into memory.
FileIDAndOffset getDecomposedLoc(SourceLocation Loc) const
Decompose the specified location into a raw FileID + Offset pair.
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.
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
bool isExpansionTokenRange() const
SourceLocation getSpellingLoc() const
bool isMacroArgExpansion() 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.
SourceLocation getRParenLoc() const
StmtExpr - This is the GNU Statement Expression extension: ({int X=4; X;}).
CompoundStmt * getSubStmt()
unsigned getTemplateDepth() const
SourceLocation getRParenLoc() const
SourceLocation getLParenLoc() const
StmtVisitor - This class implements a simple visitor for Stmt subclasses.
Stmt - This represents one statement.
child_iterator child_begin()
StmtClass getStmtClass() const
child_iterator child_end()
const char * getStmtClassName() const
SourceLocation getBeginLoc() const LLVM_READONLY
StringLiteral - This represents a string literal expression, e.g.
tokloc_iterator tokloc_begin() const
tokloc_iterator tokloc_end() const
StringLiteralKind getKind() const
static StringLiteral * Create(const ASTContext &Ctx, StringRef Str, StringLiteralKind Kind, bool Pascal, QualType Ty, ArrayRef< SourceLocation > Locs)
This is the "fully general" constructor that allows representation of strings formed from one or more...
StringRef getBytes() const
Allow access to clients that need the byte representation, such as ASTWriterStmt::VisitStringLiteral(...
unsigned getNumConcatenated() const
getNumConcatenated - Get the number of string literal tokens that were concatenated in translation ph...
Represents a reference to a non-type template parameter that has been substituted with a template arg...
Decl * getAssociatedDecl() const
A template-like entity which owns the whole pattern being substituted.
UnsignedOrNone getPackIndex() const
bool isReferenceParameter() const
unsigned getIndex() const
Returns the index of the replaced parameter in the associated declaration.
SourceLocation getNameLoc() const
Expr * getReplacement() const
A structure for storing an already-substituted template template parameter pack.
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.
A structure for storing the information associated with a substituted template template parameter.
TemplateName getReplacement() const
UnsignedOrNone getPackIndex() const
unsigned getIndex() const
Returns the index of the replaced parameter in the associated declaration.
Decl * getAssociatedDecl() const
A template-like entity which owns the whole pattern being substituted.
void setNextSwitchCase(SwitchCase *SC)
SourceLocation getColonLoc() const
const SwitchCase * getNextSwitchCase() const
SwitchStmt - This represents a 'switch' stmt.
SourceLocation getSwitchLoc() const
SourceLocation getLParenLoc() const
SourceLocation getRParenLoc() const
static SwitchStmt * Create(const ASTContext &Ctx, Stmt *Init, VarDecl *Var, Expr *Cond, SourceLocation LParenLoc, SourceLocation RParenLoc)
Create a switch statement.
VarDecl * getConditionVariable()
Retrieve the variable declared in this "switch" statement, if any.
SwitchCase * getSwitchCaseList()
Represents the declaration of a struct/union/class/enum.
SourceRange getBraceRange() const
bool isBeingDefined() const
Return true if this decl is currently being defined.
TagDecl * getDefinition() const
Returns the TagDecl that actually defines this struct/union/class/enum.
bool isThisDeclarationADefinition() const
Return true if this declaration is a completion definition of the type.
bool isCompleteDefinition() const
Return true if this decl has its body fully specified.
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier (with source-location information) that qualifies the name of this...
TypedefNameDecl * getTypedefNameForAnonDecl() const
void startDefinition()
Starts the definition of this tag declaration.
void setTypedefNameForAnonDecl(TypedefNameDecl *TDD)
void setQualifierInfo(NestedNameSpecifierLoc QualifierLoc)
TagKind getTagKind() const
void setBraceRange(SourceRange R)
void setCompleteDefinition(bool V=true)
True if this decl has its body fully specified.
A convenient class for passing around template argument information.
SourceLocation getRAngleLoc() const
void addArgument(const TemplateArgumentLoc &Loc)
ArrayRef< TemplateArgumentLoc > arguments() const
SourceLocation getLAngleLoc() const
A template argument list.
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.
ArrayRef< TemplateArgument > asArray() const
Produce this as an array ref.
Location wrapper for a TemplateArgument.
TemplateArgumentLocInfo getLocInfo() const
const TemplateArgument & getArgument() const
NestedNameSpecifierLoc getTemplateQualifierLoc() const
Represents a template argument.
ArrayRef< TemplateArgument > getPackAsArray() const
Return the array of arguments in this template argument pack.
QualType getStructuralValueType() const
Get the type of a StructuralValue.
QualType getParamTypeForDecl() const
Expr * getAsExpr() const
Retrieve the template argument as an expression.
UnsignedOrNone 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.
QualType getNullPtrType() const
Retrieve the type for null non-type template argument.
TemplateName getAsTemplate() const
Retrieve the template name for a template name argument.
unsigned pack_size() const
The number of template arguments in the given template argument pack.
QualType getIntegralType() const
Retrieve the type of the integral value.
bool getIsDefaulted() const
If returns 'true', this TemplateArgument corresponds to a default template parameter.
ValueDecl * getAsDecl() const
Retrieve the declaration for a declaration non-type template argument.
ArrayRef< TemplateArgument > pack_elements() const
Iterator range referencing all of the elements of a template argument pack.
@ Declaration
The template argument is a declaration that was provided for a pointer, reference,...
@ Template
The template argument is a template name that was provided for a template template parameter.
@ StructuralValue
The template argument is a non-type template argument that can't be represented by the special-case D...
@ Pack
The template argument is actually a parameter pack.
@ TemplateExpansion
The template argument is a pack expansion of a template name that was provided for a template templat...
@ NullPtr
The template argument is a null pointer or null pointer to member that was provided for a non-type te...
@ Type
The template argument is a type.
@ Null
Represents an empty template argument, e.g., one that has not been deduced.
@ Integral
The template argument is an integral value stored in an llvm::APSInt that was provided for an integra...
@ Expression
The template argument is an expression, and we've not resolved it to one of the other forms yet,...
ArgKind getKind() const
Return the kind of stored template argument.
bool isCanonicalExpr() const
TemplateName getAsTemplateOrTemplatePattern() const
Retrieve the template argument as a template name; if the argument is a pack expansion,...
const APValue & getAsStructuralValue() const
Get the value of a StructuralValue.
TemplateParameterList * getTemplateParameters() const
Get the list of template parameters.
Represents a C++ template name within the type system.
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 ...
@ UsingTemplate
A template name that refers to a template declaration found through a specific using shadow declarati...
@ OverloadedTemplate
A set of overloaded template declarations.
@ Template
A single template declaration.
@ DependentTemplate
A dependent template name that has not been resolved to a template (or set of templates).
@ SubstTemplateTemplateParm
A template template parameter that has been substituted for some other template name.
@ SubstTemplateTemplateParmPack
A template template parameter pack that has been substituted for a template template argument pack,...
@ DeducedTemplate
A template name that refers to another TemplateName with deduced default arguments.
@ QualifiedTemplate
A qualified template name, where the qualification is kept to describe the source code as written.
@ AssumedTemplate
An unqualified-id that has been assumed to name a function template that will be found by ADL.
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.
NamedDecl * getParam(unsigned Idx)
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.
SourceLocation getRAngleLoc() const
SourceLocation getLAngleLoc() const
SourceLocation getTemplateLoc() const
TemplateTemplateParmDecl - Declares a template template parameter, e.g., "T" in.
bool wasDeclaredWithTypename() const
Whether this template template parameter was declared with the 'typename' keyword.
TemplateNameKind templateParameterKind() const
unsigned getPosition() const
Get the position of the template parameter within its parameter list.
bool isParameterPack() const
Whether this template template parameter is a template parameter pack.
unsigned getDepth() const
Get the nesting depth of the template parameter.
Declaration of a template type parameter.
bool wasDeclaredWithTypename() const
Whether this template type parameter was declared with the 'typename' keyword.
unsigned getIndex() const
Retrieve the index of the template parameter.
void setTypeConstraint(ConceptReference *CR, Expr *ImmediatelyDeclaredConstraint, UnsignedOrNone ArgPackSubstIndex)
bool hasTypeConstraint() const
Determine whether this template parameter has a type-constraint.
const TypeConstraint * getTypeConstraint() const
Returns the type constraint associated with this template parameter (if any).
bool isParameterPack() const
Returns whether this is a parameter pack.
unsigned getDepth() const
Retrieve the depth of the template parameter.
The top declaration context.
Represents the declaration of a typedef-name via a C++11 alias-declaration.
TypeAliasTemplateDecl * getDescribedAliasTemplate() const
Declaration of an alias template.
TypeAliasDecl * getTemplatedDecl() const
Get the underlying function declaration of the template.
Models the abbreviated syntax to constrain a template type parameter: template <convertible_to<string...
SourceLocation getBeginLoc() const LLVM_READONLY
Symbolic representation of typeid(T) for some type T.
const Type * getType() const
SourceLocation getBeginLoc() const
Get the begin source location.
Represents a typeof (or typeof) expression (a C23 feature and GCC extension) or a typeof_unqual expre...
A container of type source information.
TypeLoc getTypeLoc() const
Return the TypeLoc wrapper for the type source info.
QualType getType() const
Return the type wrapped by this type source info.
A type trait used in the implementation of various C++11 and Library TR1 trait templates.
bool getBoolValue() const
ArrayRef< TypeSourceInfo * > getArgs() const
Retrieve the argument types.
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.
SourceLocation getEndLoc() const LLVM_READONLY
unsigned getNumArgs() const
Determine the number of arguments to this type trait.
TypeTrait getTrait() const
Determine which type trait this expression uses.
SourceLocation getBeginLoc() const LLVM_READONLY
const APValue & getAPValue() const
bool isStoredAsBoolean() const
ExpectedType Visit(const Type *T)
The base class of the type hierarchy.
RecordDecl * getAsRecordDecl() const
Retrieves the RecordDecl this type refers to.
QualType getPointeeType() const
If this is a pointer, ObjC object pointer, or block pointer, this returns the respective pointee.
bool isDependentType() const
Whether this type is a dependent type, meaning that its definition somehow depends on a template para...
const Type * getBaseElementTypeUnsafe() const
Get the base element type of this type, potentially discarding type qualifiers.
bool isIncompleteType(NamedDecl **Def=nullptr) const
Types are partitioned into 3 broad categories (C99 6.2.5p1): object types, function types,...
bool isCanonicalUnqualified() const
Determines if this type would be canonical if it had no further qualification.
const T * getAs() const
Member-template getAs<specific type>'.
bool isRecordType() const
Represents the declaration of a typedef-name via the 'typedef' type specifier.
Base class for declarations which introduce a typedef-name.
TypeSourceInfo * getTypeSourceInfo() const
QualType getUnderlyingType() const
UnaryExprOrTypeTraitExpr - expression with either a type or (unevaluated) expression operand.
SourceLocation getRParenLoc() const
SourceLocation getOperatorLoc() const
bool isArgumentType() const
TypeSourceInfo * getArgumentTypeInfo() const
UnaryExprOrTypeTrait getKind() const
UnaryOperator - This represents the unary-expression's (except sizeof and alignof),...
SourceLocation getOperatorLoc() const
getOperatorLoc - Return the location of the operator.
Expr * getSubExpr() const
bool hasStoredFPFeatures() const
Is FPFeatures in Trailing Storage?
FPOptionsOverride getStoredFPFeatures() const
Get FPFeatures from trailing storage.
static UnaryOperator * CreateEmpty(const ASTContext &C, bool hasFPFeatures)
bool canOverflow() const
Returns true if the unary operator can cause an overflow.
A reference to a name which we were able to look up during parsing but could not resolve to a specifi...
CXXRecordDecl * getNamingClass()
Gets the 'naming class' (in the sense of C++0x [class.access.base]p5) of the lookup.
bool requiresADL() const
True if this declaration should be extended by argument-dependent lookup.
static UnresolvedLookupExpr * Create(const ASTContext &Context, CXXRecordDecl *NamingClass, NestedNameSpecifierLoc QualifierLoc, const DeclarationNameInfo &NameInfo, bool RequiresADL, UnresolvedSetIterator Begin, UnresolvedSetIterator End, bool KnownDependent, bool KnownInstantiationDependent)
Represents a C++ member access expression for which lookup produced a set of overloaded functions.
bool isArrow() const
Determine whether this member expression used the '->' operator; otherwise, it used the '.
SourceLocation getOperatorLoc() const
Retrieve the location of the '->' or '.' operator.
bool hasUnresolvedUsing() const
Determine whether the lookup results contain an unresolved using declaration.
Expr * getBase()
Retrieve the base object of this member expressions, e.g., the x in x.m.
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)
bool isImplicitAccess() const
True if this is an implicit access, i.e., one in which the member being accessed was not written in t...
void addDecl(NamedDecl *D)
A set of unresolved declarations.
Represents the dependent type named by a dependently-scoped typename using declaration,...
Represents a dependent using declaration which was marked with typename.
SourceLocation getTypenameLoc() const
Returns the source location of the 'typename' keyword.
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier that qualifies the name, with source-location information.
SourceLocation getUsingLoc() const
Returns the source location of the 'using' keyword.
SourceLocation getEllipsisLoc() const
Get the location of the ellipsis if this is a pack expansion.
Represents a dependent using declaration which was not marked with typename.
SourceLocation getUsingLoc() const
Returns the source location of the 'using' keyword.
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier that qualifies the name, with source-location information.
DeclarationNameInfo getNameInfo() const
SourceLocation getEllipsisLoc() const
Get the location of the ellipsis if this is a pack expansion.
Represents a C++ using-declaration.
bool hasTypename() const
Return true if the using declaration has 'typename'.
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier that qualifies the name, with source-location information.
DeclarationNameInfo getNameInfo() const
SourceLocation getUsingLoc() const
Return the source location of the 'using' keyword.
Represents C++ using-directive.
SourceLocation getUsingLoc() const
Return the location of the using keyword.
NamespaceDecl * getNominatedNamespace()
Returns the namespace nominated by this using-directive.
DeclContext * getCommonAncestor()
Returns the common ancestor context of this using-directive and its nominated namespace.
SourceLocation getNamespaceKeyLocation() const
Returns the location of the namespace keyword.
SourceLocation getIdentLocation() const
Returns the location of this using declaration's identifier.
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier that qualifies the name of the namespace, with source-location inf...
Represents a C++ using-enum-declaration.
SourceLocation getEnumLoc() const
The source location of the 'enum' keyword.
TypeSourceInfo * getEnumType() const
SourceLocation getUsingLoc() const
The source location of the 'using' keyword.
Represents a pack of using declarations that a single using-declarator pack-expanded into.
NamedDecl * getInstantiatedFromUsingDecl() const
Get the using declaration from which this was instantiated.
ArrayRef< NamedDecl * > expansions() const
Get the set of using declarations that this pack expanded into.
Represents a shadow declaration implicitly introduced into a scope by a (resolved) using-declaration ...
NamedDecl * getTargetDecl() const
Gets the underlying declaration which has been brought into the local scope.
BaseUsingDecl * getIntroducer() const
Gets the (written or instantiated) using declaration that introduced this declaration.
Represents a call to the builtin function __builtin_va_arg.
TypeSourceInfo * getWrittenTypeInfo() const
SourceLocation getBuiltinLoc() const
SourceLocation getRParenLoc() const
bool isMicrosoftABI() const
Returns whether this is really a Win64 ABI va_arg expression.
const Expr * getSubExpr() const
Represent the declaration of a variable (in which case it is an lvalue) a function (in which case it ...
void setType(QualType newType)
Represents a variable declaration or definition.
VarTemplateDecl * getDescribedVarTemplate() const
Retrieves the variable template that is described by this variable declaration.
bool isConstexpr() const
Whether this variable is (C++11) constexpr.
void setInstantiationOfStaticDataMember(VarDecl *VD, TemplateSpecializationKind TSK)
Specify that this variable is an instantiation of the static data member VD.
VarDecl * getMostRecentDecl()
Returns the most recent (re)declaration of this declaration.
DefinitionKind isThisDeclarationADefinition(ASTContext &) const
Check whether this declaration is a definition.
bool isInlineSpecified() const
VarDecl * getDefinition(ASTContext &)
Get the real (not just tentative) definition for this declaration.
EvaluatedStmt * getEvaluatedStmt() const
EvaluatedStmt * ensureEvaluatedStmt() const
Convert the initializer for this declaration to the elaborated EvaluatedStmt form,...
void setInlineSpecified()
VarDecl * getInstantiatedFromStaticDataMember() const
If this variable is an instantiated static data member of a class template specialization,...
bool isFileVarDecl() const
Returns true for file scoped variable declaration.
void setTSCSpec(ThreadStorageClassSpecifier TSC)
bool isInline() const
Whether this variable is (C++1z) inline.
ThreadStorageClassSpecifier getTSCSpec() const
const Expr * getInit() const
void setConstexpr(bool IC)
void setDescribedVarTemplate(VarTemplateDecl *Template)
StorageClass getStorageClass() const
Returns the storage class as written in the source.
void setImplicitlyInline()
VarDecl * getPreviousDecl()
Return the previous declaration of this declaration or NULL if this is the first declaration.
const Expr * getAnyInitializer() const
Get the initializer for this variable, no matter which declaration it is attached to.
MemberSpecializationInfo * getMemberSpecializationInfo() const
If this variable is an instantiation of a static data member of a class template specialization,...
Declaration of a variable template.
VarDecl * getTemplatedDecl() const
Get the underlying variable declarations of the template.
bool isThisDeclarationADefinition() const
Returns whether this template declaration defines the primary variable pattern.
VarTemplateDecl * getMostRecentDecl()
Represents a variable template specialization, which refers to a variable template with a given set o...
SourceLocation getPointOfInstantiation() const
Get the point of instantiation (if any), or null if none.
void setTemplateArgsAsWritten(const ASTTemplateArgumentListInfo *ArgsWritten)
Set the template argument list as written in the sources.
const ASTTemplateArgumentListInfo * getTemplateArgsAsWritten() const
Retrieve the template argument list as written in the sources, if any.
void setSpecializationKind(TemplateSpecializationKind TSK)
const TemplateArgumentList & getTemplateArgs() const
Retrieve the template arguments of the variable template specialization.
void setPointOfInstantiation(SourceLocation Loc)
TemplateSpecializationKind getSpecializationKind() const
Determine the kind of specialization that this declaration represents.
VarTemplateDecl * getSpecializedTemplate() const
Retrieve the template that this specialization specializes.
VarTemplateSpecializationDecl * getMostRecentDecl()
Represents a C array with a specified size that is not an integer-constant-expression.
Represents a GCC generic vector type.
WhileStmt - This represents a 'while' stmt.
SourceLocation getWhileLoc() const
SourceLocation getRParenLoc() const
VarDecl * getConditionVariable()
Retrieve the variable declared in this "while" statement, if any.
SourceLocation getLParenLoc() const
static WhileStmt * Create(const ASTContext &Ctx, VarDecl *Var, Expr *Cond, Stmt *Body, SourceLocation WL, SourceLocation LParenLoc, SourceLocation RParenLoc)
Create a while statement.
A requires-expression requirement which queries the validity and properties of an expression ('simple...
SubstitutionDiagnostic * getExprSubstitutionDiagnostic() const
ConceptSpecializationExpr * getReturnTypeRequirementSubstitutedConstraintExpr() const
const ReturnTypeRequirement & getReturnTypeRequirement() const
SatisfactionStatus getSatisfactionStatus() const
SourceLocation getNoexceptLoc() const
A requires-expression requirement which is satisfied when a general constraint expression is satisfie...
const ASTConstraintSatisfaction & getConstraintSatisfaction() const
bool hasInvalidConstraint() const
Expr * getConstraintExpr() const
StringRef getInvalidConstraintEntity()
A static requirement that can be used in a requires-expression to check properties of types and expre...
RequirementKind getKind() const
A requires-expression requirement which queries the existence of a type name or type template special...
bool isSubstitutionFailure() const
SubstitutionDiagnostic * getSubstitutionDiagnostic() const
TypeSourceInfo * getType() const
The JSON file list parser is used to communicate input to InstallAPI.
CanQual< Type > CanQualType
Represents a canonical, potentially-qualified type.
bool isa(CodeGen::Address addr)
llvm::Expected< SourceLocation > ExpectedSLoc
StructuralEquivalenceKind
Whether to perform a normal or minimal equivalence check.
llvm::Expected< const Type * > ExpectedTypePtr
CanThrowResult
Possible results from evaluation of a noexcept expression.
@ TemplateName
The identifier is a template name. FIXME: Add an annotation for that.
ExprObjectKind
A further classification of the kind of object referenced by an l-value or x-value.
std::pair< FileID, unsigned > FileIDAndOffset
llvm::Expected< DeclarationName > ExpectedName
llvm::Expected< Decl * > ExpectedDecl
@ Property
The type of a property.
@ Result
The result type of a method or function.
const FunctionProtoType * T
llvm::Expected< QualType > ExpectedType
@ Template
We are parsing a template declaration.
@ VarTemplate
The name was classified as a variable template name.
CastKind
CastKind - The kind of operation required for a conversion.
ExprValueKind
The categorization of expression values, currently following the C++11 scheme.
llvm::SmallVector< Decl *, 2 > getCanonicalForwardRedeclChain(Decl *D)
SmallVector< CXXBaseSpecifier *, 4 > CXXCastPath
A simple array of base specifiers.
llvm::Expected< Expr * > ExpectedExpr
bool declaresSameEntity(const Decl *D1, const Decl *D2)
Determine whether two declarations declare the same entity.
TemplateSpecializationKind
Describes the kind of template specialization that a particular template specialization declaration r...
U cast(CodeGen::Address addr)
bool isLambdaMethod(const DeclContext *DC)
llvm::Expected< Stmt * > ExpectedStmt
static void updateFlags(const Decl *From, Decl *To)
Used as return type of getFriendCountAndPosition.
unsigned int IndexOfDecl
Index of the specific FriendDecl.
unsigned int TotalCount
Number of similar looking friends.
The result of a constraint satisfaction check, containing the necessary information to diagnose an un...
const UnsatisfiedConstraintRecord * end() const
static ASTConstraintSatisfaction * Rebuild(const ASTContext &C, const ASTConstraintSatisfaction &Satisfaction)
const UnsatisfiedConstraintRecord * begin() const
Represents an explicit template argument list in C++, e.g., the "<int>" in "sort<int>".
static const ASTTemplateArgumentListInfo * Create(const ASTContext &C, const TemplateArgumentListInfo &List)
const Expr * ConstraintExpr
Information about how a lambda is numbered within its context.
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),...
bool HasConstantDestruction
Whether this variable is known to have constant destruction.
bool HasConstantInitialization
Whether this variable is known to have constant initialization.
FunctionDecl * SourceDecl
The function whose exception specification this is, for EST_Unevaluated and EST_Uninstantiated.
FunctionDecl * SourceTemplate
The function template whose exception specification this is instantiated from, for EST_Uninstantiated...
ExceptionSpecificationType Type
The kind of exception specification this is.
ArrayRef< QualType > Exceptions
Explicitly-specified list of exception types.
Expr * NoexceptExpr
Noexcept expression, if this is a computed noexcept specification.
Extra information about a function prototype.
ExceptionSpecInfo ExceptionSpec
RefQualifierKind RefQualifier
unsigned HasTrailingReturn
FunctionType::ExtInfo ExtInfo
const IdentifierInfo * getIdentifier() const
Returns the identifier to which this template name refers.
OverloadedOperatorKind getOperator() const
Return the overloaded operator to which this template name refers.
NestedNameSpecifierLoc Prefix
const NamespaceBaseDecl * Namespace
bool IsEquivalent(Decl *D1, Decl *D2)
Determine whether the two declarations are structurally equivalent.
Location information for a TemplateArgument.
SourceLocation getTemplateEllipsisLoc() const
SourceLocation getTemplateKwLoc() const
TypeSourceInfo * getAsTypeSourceInfo() const
SourceLocation getTemplateNameLoc() const
StringRef SubstitutedEntity