diff options
| author | Dimitry Andric <dim@FreeBSD.org> | 2019-08-20 20:50:49 +0000 | 
|---|---|---|
| committer | Dimitry Andric <dim@FreeBSD.org> | 2019-08-20 20:50:49 +0000 | 
| commit | 2298981669bf3bd63335a4be179bc0f96823a8f4 (patch) | |
| tree | 1cbe2eb27f030d2d70b80ee5ca3c86bee7326a9f /lib/Sema/SemaDecl.cpp | |
| parent | 9a83721404652cea39e9f02ae3e3b5c964602a5c (diff) | |
Diffstat (limited to 'lib/Sema/SemaDecl.cpp')
| -rw-r--r-- | lib/Sema/SemaDecl.cpp | 1331 | 
1 files changed, 702 insertions, 629 deletions
| diff --git a/lib/Sema/SemaDecl.cpp b/lib/Sema/SemaDecl.cpp index 23c99d45a78d4..a6c52b7d4b2b8 100644 --- a/lib/Sema/SemaDecl.cpp +++ b/lib/Sema/SemaDecl.cpp @@ -1,9 +1,8 @@  //===--- SemaDecl.cpp - Semantic Analysis for Declarations ----------------===//  // -//                     The LLVM Compiler Infrastructure -// -// This file is distributed under the University of Illinois Open Source -// License. See LICENSE.TXT for details. +// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions. +// See https://llvm.org/LICENSE.txt for license information. +// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception  //  //===----------------------------------------------------------------------===//  // @@ -23,6 +22,7 @@  #include "clang/AST/DeclTemplate.h"  #include "clang/AST/EvaluatedExprVisitor.h"  #include "clang/AST/ExprCXX.h" +#include "clang/AST/NonTrivialTypeVisitor.h"  #include "clang/AST/StmtCXX.h"  #include "clang/Basic/Builtins.h"  #include "clang/Basic/PartialDiagnostic.h" @@ -62,7 +62,7 @@ Sema::DeclGroupPtrTy Sema::ConvertDeclToDeclGroup(Decl *Ptr, Decl *OwnedType) {  namespace { -class TypeNameValidatorCCC : public CorrectionCandidateCallback { +class TypeNameValidatorCCC final : public CorrectionCandidateCallback {   public:     TypeNameValidatorCCC(bool AllowInvalid, bool WantClass = false,                          bool AllowTemplates = false, @@ -106,6 +106,10 @@ class TypeNameValidatorCCC : public CorrectionCandidateCallback {      return !WantClassName && candidate.isKeyword();    } +  std::unique_ptr<CorrectionCandidateCallback> clone() override { +    return llvm::make_unique<TypeNameValidatorCCC>(*this); +  } +   private:    bool AllowInvalidDecl;    bool WantClassName; @@ -368,11 +372,10 @@ ParsedType Sema::getTypeName(const IdentifierInfo &II, SourceLocation NameLoc,    case LookupResult::NotFound:    case LookupResult::NotFoundInCurrentInstantiation:      if (CorrectedII) { -      TypoCorrection Correction = -          CorrectTypo(Result.getLookupNameInfo(), Kind, S, SS, -                      llvm::make_unique<TypeNameValidatorCCC>( -                          true, isClassName, AllowDeducedTemplate), -                      CTK_ErrorRecovery); +      TypeNameValidatorCCC CCC(/*AllowInvalid=*/true, isClassName, +                               AllowDeducedTemplate); +      TypoCorrection Correction = CorrectTypo(Result.getLookupNameInfo(), Kind, +                                              S, SS, CCC, CTK_ErrorRecovery);        IdentifierInfo *NewII = Correction.getCorrectionAsIdentifierInfo();        TemplateTy Template;        bool MemberOfUnknownSpecialization; @@ -665,11 +668,12 @@ void Sema::DiagnoseUnknownTypeName(IdentifierInfo *&II,    // There may have been a typo in the name of the type. Look up typo    // results, in case we have something that we can suggest. +  TypeNameValidatorCCC CCC(/*AllowInvalid=*/false, /*WantClass=*/false, +                           /*AllowTemplates=*/IsTemplateName, +                           /*AllowNonTemplates=*/!IsTemplateName);    if (TypoCorrection Corrected =            CorrectTypo(DeclarationNameInfo(II, IILoc), LookupOrdinaryName, S, SS, -                      llvm::make_unique<TypeNameValidatorCCC>( -                          false, false, IsTemplateName, !IsTemplateName), -                      CTK_ErrorRecovery)) { +                      CCC, CTK_ErrorRecovery)) {      // FIXME: Support error recovery for the template-name case.      bool CanRecover = !IsTemplateName;      if (Corrected.isKeyword()) { @@ -712,7 +716,7 @@ void Sema::DiagnoseUnknownTypeName(IdentifierInfo *&II,            getTypeName(*Corrected.getCorrectionAsIdentifierInfo(), IILoc, S,                        tmpSS.isSet() ? &tmpSS : SS, false, false, nullptr,                        /*IsCtorOrDtorName=*/false, -                      /*NonTrivialTypeSourceInfo=*/true); +                      /*WantNontrivialTypeSourceInfo=*/true);      }      return;    } @@ -844,8 +848,7 @@ static ParsedType buildNestedType(Sema &S, CXXScopeSpec &SS,  Sema::NameClassification  Sema::ClassifyName(Scope *S, CXXScopeSpec &SS, IdentifierInfo *&Name,                     SourceLocation NameLoc, const Token &NextToken, -                   bool IsAddressOfOperand, -                   std::unique_ptr<CorrectionCandidateCallback> CCC) { +                   bool IsAddressOfOperand, CorrectionCandidateCallback *CCC) {    DeclarationNameInfo NameInfo(Name, NameLoc);    ObjCMethodDecl *CurMethod = getCurMethodDecl(); @@ -915,6 +918,16 @@ Corrected:        }      } +    if (getLangOpts().CPlusPlus2a && !SS.isSet() && NextToken.is(tok::less)) { +      // In C++20 onwards, this could be an ADL-only call to a function +      // template, and we're required to assume that this is a template name. +      // +      // FIXME: Find a way to still do typo correction in this case. +      TemplateName Template = +          Context.getAssumedTemplateName(NameInfo.getName()); +      return NameClassification::UndeclaredTemplate(Template); +    } +      // In C, we first see whether there is a tag type by the same name, in      // which case it's likely that the user just forgot to write "enum",      // "struct", or "union". @@ -927,10 +940,9 @@ Corrected:      // close to this name.      if (!SecondTry && CCC) {        SecondTry = true; -      if (TypoCorrection Corrected = CorrectTypo(Result.getLookupNameInfo(), -                                                 Result.getLookupKind(), S, -                                                 &SS, std::move(CCC), -                                                 CTK_ErrorRecovery)) { +      if (TypoCorrection Corrected = +              CorrectTypo(Result.getLookupNameInfo(), Result.getLookupKind(), S, +                          &SS, *CCC, CTK_ErrorRecovery)) {          unsigned UnqualifiedDiag = diag::err_undeclared_var_use_suggest;          unsigned QualifiedDiag = diag::err_no_member_suggest; @@ -1018,7 +1030,8 @@ Corrected:    case LookupResult::Ambiguous:      if (getLangOpts().CPlusPlus && NextToken.is(tok::less) && -        hasAnyAcceptableTemplateNames(Result)) { +        hasAnyAcceptableTemplateNames(Result, /*AllowFunctionTemplates=*/true, +                                      /*AllowDependent=*/false)) {        // C++ [temp.local]p3:        //   A lookup that finds an injected-class-name (10.2) can result in an        //   ambiguity in certain cases (for example, if it is found in more than @@ -1042,50 +1055,63 @@ Corrected:    }    if (getLangOpts().CPlusPlus && NextToken.is(tok::less) && -      (IsFilteredTemplateName || hasAnyAcceptableTemplateNames(Result))) { +      (IsFilteredTemplateName || +       hasAnyAcceptableTemplateNames( +           Result, /*AllowFunctionTemplates=*/true, +           /*AllowDependent=*/false, +           /*AllowNonTemplateFunctions*/ !SS.isSet() && +               getLangOpts().CPlusPlus2a))) {      // C++ [temp.names]p3:      //   After name lookup (3.4) finds that a name is a template-name or that      //   an operator-function-id or a literal- operator-id refers to a set of      //   overloaded functions any member of which is a function template if      //   this is followed by a <, the < is always taken as the delimiter of a      //   template-argument-list and never as the less-than operator. +    // C++2a [temp.names]p2: +    //   A name is also considered to refer to a template if it is an +    //   unqualified-id followed by a < and name lookup finds either one +    //   or more functions or finds nothing.      if (!IsFilteredTemplateName)        FilterAcceptableTemplateNames(Result); -    if (!Result.empty()) { -      bool IsFunctionTemplate; -      bool IsVarTemplate; -      TemplateName Template; -      if (Result.end() - Result.begin() > 1) { -        IsFunctionTemplate = true; -        Template = Context.getOverloadedTemplateName(Result.begin(), -                                                     Result.end()); -      } else { -        TemplateDecl *TD -          = cast<TemplateDecl>((*Result.begin())->getUnderlyingDecl()); -        IsFunctionTemplate = isa<FunctionTemplateDecl>(TD); -        IsVarTemplate = isa<VarTemplateDecl>(TD); - -        if (SS.isSet() && !SS.isInvalid()) -          Template = Context.getQualifiedTemplateName(SS.getScopeRep(), -                                                    /*TemplateKeyword=*/false, -                                                      TD); -        else -          Template = TemplateName(TD); -      } - -      if (IsFunctionTemplate) { -        // Function templates always go through overload resolution, at which -        // point we'll perform the various checks (e.g., accessibility) we need -        // to based on which function we selected. -        Result.suppressDiagnostics(); +    bool IsFunctionTemplate; +    bool IsVarTemplate; +    TemplateName Template; +    if (Result.end() - Result.begin() > 1) { +      IsFunctionTemplate = true; +      Template = Context.getOverloadedTemplateName(Result.begin(), +                                                   Result.end()); +    } else if (!Result.empty()) { +      auto *TD = cast<TemplateDecl>(getAsTemplateNameDecl( +          *Result.begin(), /*AllowFunctionTemplates=*/true, +          /*AllowDependent=*/false)); +      IsFunctionTemplate = isa<FunctionTemplateDecl>(TD); +      IsVarTemplate = isa<VarTemplateDecl>(TD); + +      if (SS.isSet() && !SS.isInvalid()) +        Template = +            Context.getQualifiedTemplateName(SS.getScopeRep(), +                                             /*TemplateKeyword=*/false, TD); +      else +        Template = TemplateName(TD); +    } else { +      // All results were non-template functions. This is a function template +      // name. +      IsFunctionTemplate = true; +      Template = Context.getAssumedTemplateName(NameInfo.getName()); +    } -        return NameClassification::FunctionTemplate(Template); -      } +    if (IsFunctionTemplate) { +      // Function templates always go through overload resolution, at which +      // point we'll perform the various checks (e.g., accessibility) we need +      // to based on which function we selected. +      Result.suppressDiagnostics(); -      return IsVarTemplate ? NameClassification::VarTemplate(Template) -                           : NameClassification::TypeTemplate(Template); +      return NameClassification::FunctionTemplate(Template);      } + +    return IsVarTemplate ? NameClassification::VarTemplate(Template) +                         : NameClassification::TypeTemplate(Template);    }    NamedDecl *FirstDecl = (*Result.begin())->getUnderlyingDecl(); @@ -1164,6 +1190,8 @@ Sema::getTemplateNameKindForDiagnostics(TemplateName Name) {      return TemplateNameKindForDiagnostics::AliasTemplate;    if (isa<TemplateTemplateParmDecl>(TD))      return TemplateNameKindForDiagnostics::TemplateTemplateParam; +  if (isa<ConceptDecl>(TD)) +    return TemplateNameKindForDiagnostics::Concept;    return TemplateNameKindForDiagnostics::DependentTemplate;  } @@ -1399,11 +1427,6 @@ void Sema::PushOnScopeChains(NamedDecl *D, Scope *S, bool AddToContext) {    }  } -void Sema::pushExternalDeclIntoScope(NamedDecl *D, DeclarationName Name) { -  if (IdResolver.tryAddTopLevelDecl(D, Name) && TUScope) -    TUScope->AddDecl(D); -} -  bool Sema::isDeclInScope(NamedDecl *D, DeclContext *Ctx, Scope *S,                           bool AllowInlineNamespace) {    return IdResolver.isDeclInScope(D, Ctx, S, AllowInlineNamespace); @@ -1461,12 +1484,17 @@ bool Sema::CheckRedeclarationModuleOwnership(NamedDecl *New, NamedDecl *Old) {    Module *NewM = New->getOwningModule();    Module *OldM = Old->getOwningModule(); + +  if (NewM && NewM->Kind == Module::PrivateModuleFragment) +    NewM = NewM->Parent; +  if (OldM && OldM->Kind == Module::PrivateModuleFragment) +    OldM = OldM->Parent; +    if (NewM == OldM)      return false; -  // FIXME: Check proclaimed-ownership-declarations here too. -  bool NewIsModuleInterface = NewM && NewM->Kind == Module::ModuleInterfaceUnit; -  bool OldIsModuleInterface = OldM && OldM->Kind == Module::ModuleInterfaceUnit; +  bool NewIsModuleInterface = NewM && NewM->isModulePurview(); +  bool OldIsModuleInterface = OldM && OldM->isModulePurview();    if (NewIsModuleInterface || OldIsModuleInterface) {      // C++ Modules TS [basic.def.odr] 6.2/6.7 [sic]:      //   if a declaration of D [...] appears in the purview of a module, all @@ -1862,10 +1890,10 @@ ObjCInterfaceDecl *Sema::getObjCInterfaceDecl(IdentifierInfo *&Id,    if (!IDecl && DoTypoCorrection) {      // Perform typo correction at the given location, but only if we      // find an Objective-C class name. -    if (TypoCorrection C = CorrectTypo( -            DeclarationNameInfo(Id, IdLoc), LookupOrdinaryName, TUScope, nullptr, -            llvm::make_unique<DeclFilterCCC<ObjCInterfaceDecl>>(), -            CTK_ErrorRecovery)) { +    DeclFilterCCC<ObjCInterfaceDecl> CCC{}; +    if (TypoCorrection C = +            CorrectTypo(DeclarationNameInfo(Id, IdLoc), LookupOrdinaryName, +                        TUScope, nullptr, CCC, CTK_ErrorRecovery)) {        diagnoseTypo(C, PDiag(diag::err_undef_interface_suggest) << Id);        IDecl = C.getCorrectionDeclAs<ObjCInterfaceDecl>();        Id = IDecl->getIdentifier(); @@ -1927,10 +1955,13 @@ static void LookupPredefedObjCSuperType(Sema &ThisSema, Scope *S,        Context.setObjCSuperType(Context.getTagDeclType(TD));  } -static StringRef getHeaderName(ASTContext::GetBuiltinTypeError Error) { +static StringRef getHeaderName(Builtin::Context &BuiltinInfo, unsigned ID, +                               ASTContext::GetBuiltinTypeError Error) {    switch (Error) {    case ASTContext::GE_None:      return ""; +  case ASTContext::GE_Missing_type: +    return BuiltinInfo.getHeaderName(ID);    case ASTContext::GE_Missing_stdio:      return "stdio.h";    case ASTContext::GE_Missing_setjmp: @@ -1955,7 +1986,8 @@ NamedDecl *Sema::LazilyCreateBuiltin(IdentifierInfo *II, unsigned ID,    if (Error) {      if (ForRedeclaration)        Diag(Loc, diag::warn_implicit_decl_requires_sysheader) -          << getHeaderName(Error) << Context.BuiltinInfo.getName(ID); +          << getHeaderName(Context.BuiltinInfo, ID, Error) +          << Context.BuiltinInfo.getName(ID);      return nullptr;    } @@ -2427,13 +2459,11 @@ static bool mergeDeclAttribute(Sema &S, NamedDecl *D,    InheritableAttr *NewAttr = nullptr;    unsigned AttrSpellingListIndex = Attr->getSpellingListIndex();    if (const auto *AA = dyn_cast<AvailabilityAttr>(Attr)) -    NewAttr = S.mergeAvailabilityAttr(D, AA->getRange(), AA->getPlatform(), -                                      AA->isImplicit(), AA->getIntroduced(), -                                      AA->getDeprecated(), -                                      AA->getObsoleted(), AA->getUnavailable(), -                                      AA->getMessage(), AA->getStrict(), -                                      AA->getReplacement(), AMK, -                                      AttrSpellingListIndex); +    NewAttr = S.mergeAvailabilityAttr( +        D, AA->getRange(), AA->getPlatform(), AA->isImplicit(), +        AA->getIntroduced(), AA->getDeprecated(), AA->getObsoleted(), +        AA->getUnavailable(), AA->getMessage(), AA->getStrict(), +        AA->getReplacement(), AMK, AA->getPriority(), AttrSpellingListIndex);    else if (const auto *VA = dyn_cast<VisibilityAttr>(Attr))      NewAttr = S.mergeVisibilityAttr(D, VA->getRange(), VA->getVisibility(),                                      AttrSpellingListIndex); @@ -2489,6 +2519,10 @@ static bool mergeDeclAttribute(Sema &S, NamedDecl *D,    else if (const auto *UA = dyn_cast<UuidAttr>(Attr))      NewAttr = S.mergeUuidAttr(D, UA->getRange(), AttrSpellingListIndex,                                UA->getGuid()); +  else if (const auto *SLHA = dyn_cast<SpeculativeLoadHardeningAttr>(Attr)) +    NewAttr = S.mergeSpeculativeLoadHardeningAttr(D, *SLHA); +  else if (const auto *SLHA = dyn_cast<NoSpeculativeLoadHardeningAttr>(Attr)) +    NewAttr = S.mergeNoSpeculativeLoadHardeningAttr(D, *SLHA);    else if (Attr->shouldInheritEvenIfAlreadyPresent() || !DeclHasAttr(D, Attr))      NewAttr = cast<InheritableAttr>(Attr->clone(S.Context)); @@ -2926,7 +2960,8 @@ static bool hasIdenticalPassObjectSizeAttrs(const FunctionDecl *A,      const auto *AttrB = B->getAttr<PassObjectSizeAttr>();      if (AttrA == AttrB)        return true; -    return AttrA && AttrB && AttrA->getType() == AttrB->getType(); +    return AttrA && AttrB && AttrA->getType() == AttrB->getType() && +           AttrA->isDynamic() == AttrB->isDynamic();    };    return std::equal(A->param_begin(), A->param_end(), B->param_begin(), AttrEq); @@ -3126,6 +3161,15 @@ bool Sema::MergeFunctionDecl(FunctionDecl *New, NamedDecl *&OldD,        // there but not here.        NewTypeInfo = NewTypeInfo.withCallingConv(OldTypeInfo.getCC());        RequiresAdjustment = true; +    } else if (New->getBuiltinID()) { +      // Calling Conventions on a Builtin aren't really useful and setting a +      // default calling convention and cdecl'ing some builtin redeclarations is +      // common, so warn and ignore the calling convention on the redeclaration. +      Diag(New->getLocation(), diag::warn_cconv_unsupported) +          << FunctionType::getNameForCallConv(NewTypeInfo.getCC()) +          << (int)CallingConventionIgnoredReason::BuiltinFunction; +      NewTypeInfo = NewTypeInfo.withCallingConv(OldTypeInfo.getCC()); +      RequiresAdjustment = true;      } else {        // Calling conventions aren't compatible, so complain.        bool FirstCCExplicit = getCallingConvAttributedType(First->getType()); @@ -3194,7 +3238,6 @@ bool Sema::MergeFunctionDecl(FunctionDecl *New, NamedDecl *&OldD,      AdjustedType = Context.adjustFunctionType(AdjustedType, NewTypeInfo);      New->setType(QualType(AdjustedType, 0));      NewQType = Context.getCanonicalType(New->getType()); -    NewType = cast<FunctionType>(NewQType);    }    // If this redeclaration makes the function inline, we may need to add it to @@ -4251,14 +4294,18 @@ Sema::ParsedFreeStandingDeclSpec(Scope *S, AccessSpecifier AS, DeclSpec &DS,      Diag(DS.getInlineSpecLoc(), diag::err_inline_non_function)          << getLangOpts().CPlusPlus17; -  if (DS.isConstexprSpecified()) { +  if (DS.hasConstexprSpecifier()) {      // C++0x [dcl.constexpr]p1: constexpr can only be applied to declarations      // and definitions of functions and variables. +    // C++2a [dcl.constexpr]p1: The consteval specifier shall be applied only to +    // the declaration of a function or function template +    bool IsConsteval = DS.getConstexprSpecifier() == CSK_consteval;      if (Tag)        Diag(DS.getConstexprSpecLoc(), diag::err_constexpr_tag) -          << GetDiagnosticTypeSpecifierID(DS.getTypeSpecType()); +          << GetDiagnosticTypeSpecifierID(DS.getTypeSpecType()) << IsConsteval;      else -      Diag(DS.getConstexprSpecLoc(), diag::err_constexpr_no_declarators); +      Diag(DS.getConstexprSpecLoc(), diag::err_constexpr_wrong_decl_kind) +          << IsConsteval;      // Don't emit warnings after this error.      return TagD;    } @@ -4796,6 +4843,18 @@ Decl *Sema::BuildAnonymousStructOrUnion(Scope *S, DeclSpec &DS,      Invalid = true;    } +  // C++ [dcl.dcl]p3: +  //   [If there are no declarators], and except for the declaration of an +  //   unnamed bit-field, the decl-specifier-seq shall introduce one or more +  //   names into the program +  // C++ [class.mem]p2: +  //   each such member-declaration shall either declare at least one member +  //   name of the class or declare at least one unnamed bit-field +  // +  // For C this is an error even for a named struct, and is diagnosed elsewhere. +  if (getLangOpts().CPlusPlus && Record->field_empty()) +    Diag(DS.getBeginLoc(), diag::ext_no_declarators) << DS.getSourceRange(); +    // Mock up a declarator.    Declarator Dc(DS, DeclaratorContext::MemberContext);    TypeSourceInfo *TInfo = GetTypeForDeclarator(Dc, S); @@ -5082,7 +5141,7 @@ static bool hasSimilarParameters(ASTContext &Context,      QualType DefParamTy = Definition->getParamDecl(Idx)->getType();      // The parameter types are identical -    if (Context.hasSameType(DefParamTy, DeclParamTy)) +    if (Context.hasSameUnqualifiedType(DefParamTy, DeclParamTy))        continue;      QualType DeclParamBaseTy = getCoreType(DeclParamTy); @@ -5672,7 +5731,7 @@ void Sema::DiagnoseFunctionSpecifiers(const DeclSpec &DS) {      Diag(DS.getVirtualSpecLoc(),           diag::err_virtual_non_function); -  if (DS.isExplicitSpecified()) +  if (DS.hasExplicitSpecifier())      Diag(DS.getExplicitSpecLoc(),           diag::err_explicit_non_function); @@ -5699,9 +5758,9 @@ Sema::ActOnTypedefDeclarator(Scope* S, Declarator& D, DeclContext* DC,    if (D.getDeclSpec().isInlineSpecified())      Diag(D.getDeclSpec().getInlineSpecLoc(), diag::err_inline_non_function)          << getLangOpts().CPlusPlus17; -  if (D.getDeclSpec().isConstexprSpecified()) +  if (D.getDeclSpec().hasConstexprSpecifier())      Diag(D.getDeclSpec().getConstexprSpecLoc(), diag::err_invalid_constexpr) -      << 1; +        << 1 << (D.getDeclSpec().getConstexprSpecifier() == CSK_consteval);    if (D.getName().Kind != UnqualifiedIdKind::IK_Identifier) {      if (D.getName().Kind == UnqualifiedIdKind::IK_DeductionGuideName) @@ -5955,10 +6014,24 @@ static void checkAttributesAfterMerging(Sema &S, NamedDecl &ND) {    }    if (const InheritableAttr *Attr = getDLLAttr(&ND)) { +    auto *VD = dyn_cast<VarDecl>(&ND); +    bool IsAnonymousNS = false; +    bool IsMicrosoft = S.Context.getTargetInfo().getCXXABI().isMicrosoft(); +    if (VD) { +      const NamespaceDecl *NS = dyn_cast<NamespaceDecl>(VD->getDeclContext()); +      while (NS && !IsAnonymousNS) { +        IsAnonymousNS = NS->isAnonymousNamespace(); +        NS = dyn_cast<NamespaceDecl>(NS->getParent()); +      } +    }      // dll attributes require external linkage. Static locals may have external      // linkage but still cannot be explicitly imported or exported. -    auto *VD = dyn_cast<VarDecl>(&ND); -    if (!ND.isExternallyVisible() || (VD && VD->isStaticLocal())) { +    // In Microsoft mode, a variable defined in anonymous namespace must have +    // external linkage in order to be exported. +    bool AnonNSInMicrosoftMode = IsAnonymousNS && IsMicrosoft; +    if ((ND.isExternallyVisible() && AnonNSInMicrosoftMode) || +        (!AnonNSInMicrosoftMode && +         (!ND.isExternallyVisible() || (VD && VD->isStaticLocal())))) {        S.Diag(ND.getLocation(), diag::err_attribute_dll_not_extern)          << &ND << Attr;        ND.setInvalidDecl(); @@ -6187,7 +6260,8 @@ static bool isIncompleteDeclExternC(Sema &S, const T *D) {  static bool shouldConsiderLinkage(const VarDecl *VD) {    const DeclContext *DC = VD->getDeclContext()->getRedeclContext(); -  if (DC->isFunctionOrMethod() || isa<OMPDeclareReductionDecl>(DC)) +  if (DC->isFunctionOrMethod() || isa<OMPDeclareReductionDecl>(DC) || +      isa<OMPDeclareMapperDecl>(DC))      return VD->hasExternalStorage();    if (DC->isFileContext())      return true; @@ -6199,7 +6273,7 @@ static bool shouldConsiderLinkage(const VarDecl *VD) {  static bool shouldConsiderLinkage(const FunctionDecl *FD) {    const DeclContext *DC = FD->getDeclContext()->getRedeclContext();    if (DC->isFileContext() || DC->isFunctionOrMethod() || -      isa<OMPDeclareReductionDecl>(DC)) +      isa<OMPDeclareReductionDecl>(DC) || isa<OMPDeclareMapperDecl>(DC))      return true;    if (DC->isRecord())      return false; @@ -6354,8 +6428,8 @@ NamedDecl *Sema::ActOnVariableDeclarator(        }      } -    // OpenCL C++ 1.0 s2.9: the thread_local storage qualifier is not -    // supported.  OpenCL C does not support thread_local either, and +    // C++ for OpenCL does not allow the thread_local storage qualifier. +    // OpenCL C does not support thread_local either, and      // also reject all other thread storage class specifiers.      DeclSpec::TSCS TSC = D.getDeclSpec().getThreadStorageClassSpec();      if (TSC != TSCS_unspecified) { @@ -6431,6 +6505,11 @@ NamedDecl *Sema::ActOnVariableDeclarator(      if (D.isInvalidType())        NewVD->setInvalidDecl(); + +    if (NewVD->getType().hasNonTrivialToPrimitiveDestructCUnion() && +        NewVD->hasLocalStorage()) +      checkNonTrivialCUnion(NewVD->getType(), NewVD->getLocation(), +                            NTCUC_AutoVar, NTCUK_Destruct);    } else {      bool Invalid = false; @@ -6580,13 +6659,17 @@ NamedDecl *Sema::ActOnVariableDeclarator(        NewVD->setTemplateParameterListsInfo(            Context, TemplateParamLists.drop_back(VDTemplateParamLists)); -    if (D.getDeclSpec().isConstexprSpecified()) { +    if (D.getDeclSpec().hasConstexprSpecifier()) {        NewVD->setConstexpr(true);        // C++1z [dcl.spec.constexpr]p1:        //   A static data member declared with the constexpr specifier is        //   implicitly an inline variable.        if (NewVD->isStaticDataMember() && getLangOpts().CPlusPlus17)          NewVD->setImplicitlyInline(); +      if (D.getDeclSpec().getConstexprSpecifier() == CSK_consteval) +        Diag(D.getDeclSpec().getConstexprSpecLoc(), +             diag::err_constexpr_wrong_decl_kind) +            << /*consteval*/ 1;      }    } @@ -7352,9 +7435,8 @@ void Sema::CheckVariableDeclarationType(VarDecl *NewVD) {      // OpenCL C v2.0 s6.5.1 - Variables defined at program scope and static      // variables inside a function can also be declared in the global      // address space. -    // OpenCL C++ v1.0 s2.5 inherits rule from OpenCL C v2.0 and allows local -    // address space additionally. -    // FIXME: Add local AS for OpenCL C++. +    // C++ for OpenCL inherits rule from OpenCL C v2.0. +    // FIXME: Adding local AS in C++ for OpenCL might make sense.      if (NewVD->isFileVarDecl() || NewVD->isStaticLocal() ||          NewVD->hasExternalStorage()) {        if (!T->isSamplerT() && @@ -7408,7 +7490,10 @@ void Sema::CheckVariableDeclarationType(VarDecl *NewVD) {              return;            }          } -      } else if (T.getAddressSpace() != LangAS::opencl_private) { +      } else if (T.getAddressSpace() != LangAS::opencl_private && +                 // If we are parsing a template we didn't deduce an addr +                 // space yet. +                 T.getAddressSpace() != LangAS::Default) {          // Do not allow other address spaces on automatic variable.          Diag(NewVD->getLocation(), diag::err_as_qualified_auto_decl) << 1;          NewVD->setInvalidDecl(); @@ -7654,7 +7739,7 @@ namespace {  // Callback to only accept typo corrections that have a non-zero edit distance.  // Also only accept corrections that have the same parent decl. -class DifferentNameValidatorCCC : public CorrectionCandidateCallback { +class DifferentNameValidatorCCC final : public CorrectionCandidateCallback {   public:    DifferentNameValidatorCCC(ASTContext &Context, FunctionDecl *TypoFD,                              CXXRecordDecl *Parent) @@ -7686,6 +7771,10 @@ class DifferentNameValidatorCCC : public CorrectionCandidateCallback {      return false;    } +  std::unique_ptr<CorrectionCandidateCallback> clone() override { +    return llvm::make_unique<DifferentNameValidatorCCC>(*this); +  } +   private:    ASTContext &Context;    FunctionDecl *OriginalFD; @@ -7733,6 +7822,8 @@ static NamedDecl *DiagnoseInvalidRedeclaration(    assert(!Prev.isAmbiguous() &&           "Cannot have an ambiguity in previous-declaration lookup");    CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(NewFD); +  DifferentNameValidatorCCC CCC(SemaRef.Context, NewFD, +                                MD ? MD->getParent() : nullptr);    if (!Prev.empty()) {      for (LookupResult::iterator Func = Prev.begin(), FuncEnd = Prev.end();           Func != FuncEnd; ++Func) { @@ -7749,10 +7840,8 @@ static NamedDecl *DiagnoseInvalidRedeclaration(    // If the qualified name lookup yielded nothing, try typo correction    } else if ((Correction = SemaRef.CorrectTypo(                    Prev.getLookupNameInfo(), Prev.getLookupKind(), S, -                  &ExtraArgs.D.getCXXScopeSpec(), -                  llvm::make_unique<DifferentNameValidatorCCC>( -                      SemaRef.Context, NewFD, MD ? MD->getParent() : nullptr), -                  Sema::CTK_ErrorRecovery, IsLocalFriend ? nullptr : NewDC))) { +                  &ExtraArgs.D.getCXXScopeSpec(), CCC, Sema::CTK_ErrorRecovery, +                  IsLocalFriend ? nullptr : NewDC))) {      // Set up everything for the call to ActOnFunctionDeclarator      ExtraArgs.D.SetIdentifier(Correction.getCorrectionAsIdentifierInfo(),                                ExtraArgs.D.getIdentifierLoc()); @@ -7910,16 +7999,16 @@ static FunctionDecl* CreateNewFunctionDecl(Sema &SemaRef, Declarator &D,        (!R->getAsAdjusted<FunctionType>() && R->isFunctionProtoType());      NewFD = FunctionDecl::Create(SemaRef.Context, DC, D.getBeginLoc(), NameInfo, -                                 R, TInfo, SC, isInline, HasPrototype, false); +                                 R, TInfo, SC, isInline, HasPrototype, +                                 CSK_unspecified);      if (D.isInvalidType())        NewFD->setInvalidDecl();      return NewFD;    } -  bool isExplicit = D.getDeclSpec().isExplicitSpecified(); -  bool isConstexpr = D.getDeclSpec().isConstexprSpecified(); - +  ExplicitSpecifier ExplicitSpecifier = D.getDeclSpec().getExplicitSpecifier(); +  ConstexprSpecKind ConstexprKind = D.getDeclSpec().getConstexprSpecifier();    // Check that the return type is not an abstract class type.    // For record types, this is done by the AbstractClassUsageDiagnoser once    // the class has been completely parsed. @@ -7937,8 +8026,8 @@ static FunctionDecl* CreateNewFunctionDecl(Sema &SemaRef, Declarator &D,      R = SemaRef.CheckConstructorDeclarator(D, R, SC);      return CXXConstructorDecl::Create(          SemaRef.Context, cast<CXXRecordDecl>(DC), D.getBeginLoc(), NameInfo, R, -        TInfo, isExplicit, isInline, -        /*isImplicitlyDeclared=*/false, isConstexpr); +        TInfo, ExplicitSpecifier, isInline, +        /*isImplicitlyDeclared=*/false, ConstexprKind);    } else if (Name.getNameKind() == DeclarationName::CXXDestructorName) {      // This is a C++ destructor declaration. @@ -7968,7 +8057,7 @@ static FunctionDecl* CreateNewFunctionDecl(Sema &SemaRef, Declarator &D,        return FunctionDecl::Create(SemaRef.Context, DC, D.getBeginLoc(),                                    D.getIdentifierLoc(), Name, R, TInfo, SC,                                    isInline, -                                  /*hasPrototype=*/true, isConstexpr); +                                  /*hasPrototype=*/true, ConstexprKind);      }    } else if (Name.getNameKind() == DeclarationName::CXXConversionFunctionName) { @@ -7982,13 +8071,13 @@ static FunctionDecl* CreateNewFunctionDecl(Sema &SemaRef, Declarator &D,      IsVirtualOkay = true;      return CXXConversionDecl::Create(          SemaRef.Context, cast<CXXRecordDecl>(DC), D.getBeginLoc(), NameInfo, R, -        TInfo, isInline, isExplicit, isConstexpr, SourceLocation()); +        TInfo, isInline, ExplicitSpecifier, ConstexprKind, SourceLocation());    } else if (Name.getNameKind() == DeclarationName::CXXDeductionGuideName) {      SemaRef.CheckDeductionGuideDeclarator(D, R, SC);      return CXXDeductionGuideDecl::Create(SemaRef.Context, DC, D.getBeginLoc(), -                                         isExplicit, NameInfo, R, TInfo, +                                         ExplicitSpecifier, NameInfo, R, TInfo,                                           D.getEndLoc());    } else if (DC->isRecord()) {      // If the name of the function is the same as the name of the record, @@ -8006,7 +8095,7 @@ static FunctionDecl* CreateNewFunctionDecl(Sema &SemaRef, Declarator &D,      // This is a C++ method declaration.      CXXMethodDecl *Ret = CXXMethodDecl::Create(          SemaRef.Context, cast<CXXRecordDecl>(DC), D.getBeginLoc(), NameInfo, R, -        TInfo, SC, isInline, isConstexpr, SourceLocation()); +        TInfo, SC, isInline, ConstexprKind, SourceLocation());      IsVirtualOkay = !Ret->isStatic();      return Ret;    } else { @@ -8020,7 +8109,7 @@ static FunctionDecl* CreateNewFunctionDecl(Sema &SemaRef, Declarator &D,      //   - we're in C++ (where every function has a prototype),      return FunctionDecl::Create(SemaRef.Context, DC, D.getBeginLoc(), NameInfo,                                  R, TInfo, SC, isInline, true /*HasPrototype*/, -                                isConstexpr); +                                ConstexprKind);    }  } @@ -8044,8 +8133,7 @@ static bool isOpenCLSizeDependentType(ASTContext &C, QualType Ty) {    QualType DesugaredTy = Ty;    do {      ArrayRef<StringRef> Names(SizeTypeNames); -    auto Match = -        std::find(Names.begin(), Names.end(), DesugaredTy.getAsString()); +    auto Match = llvm::find(Names, DesugaredTy.getAsString());      if (Names.end() != Match)        return true; @@ -8350,8 +8438,8 @@ Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC,    if (getLangOpts().CPlusPlus) {      bool isInline = D.getDeclSpec().isInlineSpecified();      bool isVirtual = D.getDeclSpec().isVirtualSpecified(); -    bool isExplicit = D.getDeclSpec().isExplicitSpecified(); -    bool isConstexpr = D.getDeclSpec().isConstexprSpecified(); +    bool hasExplicit = D.getDeclSpec().hasExplicitSpecifier(); +    ConstexprSpecKind ConstexprKind = D.getDeclSpec().getConstexprSpecifier();      isFriend = D.getDeclSpec().isFriendSpecified();      if (isFriend && !isInline && D.isFunctionDefinition()) {        // C++ [class.friend]p5 @@ -8533,24 +8621,24 @@ Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC,      //  The explicit specifier shall be used only in the declaration of a      //  constructor or conversion function within its class definition;      //  see 12.3.1 and 12.3.2. -    if (isExplicit && !NewFD->isInvalidDecl() && +    if (hasExplicit && !NewFD->isInvalidDecl() &&          !isa<CXXDeductionGuideDecl>(NewFD)) {        if (!CurContext->isRecord()) {          // 'explicit' was specified outside of the class.          Diag(D.getDeclSpec().getExplicitSpecLoc(),               diag::err_explicit_out_of_class) -          << FixItHint::CreateRemoval(D.getDeclSpec().getExplicitSpecLoc()); +            << FixItHint::CreateRemoval(D.getDeclSpec().getExplicitSpecRange());        } else if (!isa<CXXConstructorDecl>(NewFD) &&                   !isa<CXXConversionDecl>(NewFD)) {          // 'explicit' was specified on a function that wasn't a constructor          // or conversion function.          Diag(D.getDeclSpec().getExplicitSpecLoc(),               diag::err_explicit_non_ctor_or_conv_function) -          << FixItHint::CreateRemoval(D.getDeclSpec().getExplicitSpecLoc()); +            << FixItHint::CreateRemoval(D.getDeclSpec().getExplicitSpecRange());        }      } -    if (isConstexpr) { +    if (ConstexprKind != CSK_unspecified) {        // C++11 [dcl.constexpr]p2: constexpr functions and constexpr constructors        // are implicitly inline.        NewFD->setImplicitlyInline(); @@ -8559,7 +8647,8 @@ Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC,        // be either constructors or to return a literal type. Therefore,        // destructors cannot be declared constexpr.        if (isa<CXXDestructorDecl>(NewFD)) -        Diag(D.getDeclSpec().getConstexprSpecLoc(), diag::err_constexpr_dtor); +        Diag(D.getDeclSpec().getConstexprSpecLoc(), diag::err_constexpr_dtor) +            << (ConstexprKind == CSK_consteval);      }      // If __module_private__ was specified, mark the function accordingly. @@ -8620,8 +8709,15 @@ Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC,        // Complain about the 'static' specifier if it's on an out-of-line        // member function definition. + +      // MSVC permits the use of a 'static' storage specifier on an out-of-line +      // member function template declaration and class member template +      // declaration (MSVC versions before 2015), warn about this.        Diag(D.getDeclSpec().getStorageClassSpecLoc(), -           diag::err_static_out_of_line) +           ((!getLangOpts().isCompatibleWithMSVC(LangOptions::MSVC2015) && +             cast<CXXRecordDecl>(DC)->getDescribedClassTemplate()) || +           (getLangOpts().MSVCCompat && NewFD->getDescribedFunctionTemplate())) +           ? diag::ext_static_out_of_line : diag::err_static_out_of_line)          << FixItHint::CreateRemoval(D.getDeclSpec().getStorageClassSpecLoc());      } @@ -8836,6 +8932,12 @@ Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC,              << FunctionType::getNameForCallConv(CC);        }      } + +   if (NewFD->getReturnType().hasNonTrivialToPrimitiveDestructCUnion() || +       NewFD->getReturnType().hasNonTrivialToPrimitiveCopyCUnion()) +     checkNonTrivialCUnion(NewFD->getReturnType(), +                           NewFD->getReturnTypeSourceRange().getBegin(), +                           NTCUC_FunctionReturn, NTCUK_Destruct|NTCUK_Copy);    } else {      // C++11 [replacement.functions]p3:      //  The program's definitions shall not be specified as inline. @@ -9031,8 +9133,7 @@ Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC,          // nothing will diagnose that error later.          if (isFriend &&              (D.getCXXScopeSpec().getScopeRep()->isDependent() || -             (!Previous.empty() && (TemplateParamLists.size() || -                                    CurContext->isDependentContext())))) { +             (!Previous.empty() && CurContext->isDependentContext()))) {            // ignore these          } else {            // The user tried to provide an out-of-line definition for a @@ -9137,13 +9238,12 @@ Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC,    if (getLangOpts().CUDA) {      IdentifierInfo *II = NewFD->getIdentifier(); -    if (II && -        II->isStr(getLangOpts().HIP ? "hipConfigureCall" -                                    : "cudaConfigureCall") && +    if (II && II->isStr(getCudaConfigureFuncName()) &&          !NewFD->isInvalidDecl() &&          NewFD->getDeclContext()->getRedeclContext()->isTranslationUnit()) {        if (!R->getAs<FunctionType>()->getReturnType()->isScalarType()) -        Diag(NewFD->getLocation(), diag::err_config_scalar_return); +        Diag(NewFD->getLocation(), diag::err_config_scalar_return) +            << getCudaConfigureFuncName();        Context.setcudaConfigureCallDecl(NewFD);      } @@ -9161,18 +9261,9 @@ Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC,    MarkUnusedFileScopedDecl(NewFD); -  if (getLangOpts().CPlusPlus) { -    if (FunctionTemplate) { -      if (NewFD->isInvalidDecl()) -        FunctionTemplate->setInvalidDecl(); -      return FunctionTemplate; -    } -    if (isMemberSpecialization && !NewFD->isInvalidDecl()) -      CompleteMemberSpecialization(NewFD, Previous); -  } -  if (NewFD->hasAttr<OpenCLKernelAttr>()) { +  if (getLangOpts().OpenCL && NewFD->hasAttr<OpenCLKernelAttr>()) {      // OpenCL v1.2 s6.8 static is invalid for kernel functions.      if ((getLangOpts().OpenCLVersion >= 120)          && (SC == SC_Static)) { @@ -9192,13 +9283,36 @@ Sema::ActOnFunctionDeclarator(Scope *S, Declarator &D, DeclContext *DC,      llvm::SmallPtrSet<const Type *, 16> ValidTypes;      for (auto Param : NewFD->parameters())        checkIsValidOpenCLKernelParameter(*this, D, Param, ValidTypes); + +    if (getLangOpts().OpenCLCPlusPlus) { +      if (DC->isRecord()) { +        Diag(D.getIdentifierLoc(), diag::err_method_kernel); +        D.setInvalidType(); +      } +      if (FunctionTemplate) { +        Diag(D.getIdentifierLoc(), diag::err_template_kernel); +        D.setInvalidType(); +      } +    }    } + +  if (getLangOpts().CPlusPlus) { +    if (FunctionTemplate) { +      if (NewFD->isInvalidDecl()) +        FunctionTemplate->setInvalidDecl(); +      return FunctionTemplate; +    } + +    if (isMemberSpecialization && !NewFD->isInvalidDecl()) +      CompleteMemberSpecialization(NewFD, Previous); +  } +    for (const ParmVarDecl *Param : NewFD->parameters()) {      QualType PT = Param->getType();      // OpenCL 2.0 pipe restrictions forbids pipe packet types to be non-value      // types. -    if (getLangOpts().OpenCLVersion >= 200) { +    if (getLangOpts().OpenCLVersion >= 200 || getLangOpts().OpenCLCPlusPlus) {        if(const PipeType *PipeTy = PT->getAs<PipeType>()) {          QualType ElemTy = PipeTy->getElementType();            if (ElemTy->isReferenceType() || ElemTy->isPointerType()) { @@ -9437,6 +9551,7 @@ static bool CheckMultiVersionAdditionalRules(Sema &S, const FunctionDecl *OldFD,      DeletedFuncs = 5,      DefaultedFuncs = 6,      ConstexprFuncs = 7, +    ConstevalFuncs = 8,    };    enum Different {      CallingConv = 0, @@ -9512,7 +9627,8 @@ static bool CheckMultiVersionAdditionalRules(Sema &S, const FunctionDecl *OldFD,    if (NewFD->isConstexpr() && (MVType == MultiVersionKind::CPUDispatch ||                                 MVType == MultiVersionKind::CPUSpecific))      return S.Diag(NewFD->getLocation(), diag::err_multiversion_doesnt_support) -           << IsCPUSpecificCPUDispatchMVType << ConstexprFuncs; +           << IsCPUSpecificCPUDispatchMVType +           << (NewFD->isConsteval() ? ConstevalFuncs : ConstexprFuncs);    QualType NewQType = S.getASTContext().getCanonicalType(NewFD->getType());    const auto *NewType = cast<FunctionType>(NewQType); @@ -9543,7 +9659,7 @@ static bool CheckMultiVersionAdditionalRules(Sema &S, const FunctionDecl *OldFD,        return S.Diag(NewFD->getLocation(), diag::err_multiversion_diff)               << ReturnType; -    if (OldFD->isConstexpr() != NewFD->isConstexpr()) +    if (OldFD->getConstexprKind() != NewFD->getConstexprKind())        return S.Diag(NewFD->getLocation(), diag::err_multiversion_diff)               << ConstexprSpec; @@ -9575,9 +9691,7 @@ static bool CheckMultiVersionAdditionalRules(Sema &S, const FunctionDecl *OldFD,  /// Returns true if there was an error, false otherwise.  static bool CheckMultiVersionFirstFunction(Sema &S, FunctionDecl *FD,                                             MultiVersionKind MVType, -                                           const TargetAttr *TA, -                                           const CPUDispatchAttr *CPUDisp, -                                           const CPUSpecificAttr *CPUSpec) { +                                           const TargetAttr *TA) {    assert(MVType != MultiVersionKind::None &&           "Function lacks multiversion attribute"); @@ -9884,8 +9998,7 @@ static bool CheckMultiVersionFunction(Sema &S, FunctionDecl *NewFD,      // multiversioning, this isn't an error condition.      if (MVType == MultiVersionKind::None)        return false; -    return CheckMultiVersionFirstFunction(S, NewFD, MVType, NewTA, NewCPUDisp, -                                          NewCPUSpec); +    return CheckMultiVersionFirstFunction(S, NewFD, MVType, NewTA);    }    FunctionDecl *OldFD = OldDecl->getAsFunction(); @@ -10017,7 +10130,7 @@ bool Sema::CheckFunctionDeclaration(Scope *S, FunctionDecl *NewFD,    CXXMethodDecl *MD = dyn_cast<CXXMethodDecl>(NewFD);    if (!getLangOpts().CPlusPlus14 && MD && MD->isConstexpr() &&        !MD->isStatic() && !isa<CXXConstructorDecl>(MD) && -      !MD->getTypeQualifiers().hasConst()) { +      !MD->getMethodQualifiers().hasConst()) {      CXXMethodDecl *OldMD = nullptr;      if (OldDecl)        OldMD = dyn_cast_or_null<CXXMethodDecl>(OldDecl->getAsFunction()); @@ -10296,8 +10409,9 @@ void Sema::CheckMain(FunctionDecl* FD, const DeclSpec& DS) {    }    if (FD->isConstexpr()) {      Diag(DS.getConstexprSpecLoc(), diag::err_constexpr_main) -      << FixItHint::CreateRemoval(DS.getConstexprSpecLoc()); -    FD->setConstexpr(false); +        << FD->isConsteval() +        << FixItHint::CreateRemoval(DS.getConstexprSpecLoc()); +    FD->setConstexprKind(CSK_unspecified);    }    if (getLangOpts().OpenCL) { @@ -10808,7 +10922,7 @@ QualType Sema::deduceVarTypeFromInitializer(VarDecl *VDecl,                                              DeclarationName Name, QualType Type,                                              TypeSourceInfo *TSI,                                              SourceRange Range, bool DirectInit, -                                            Expr *&Init) { +                                            Expr *Init) {    bool IsInitCapture = !VDecl;    assert((!VDecl || !VDecl->isInitCapture()) &&           "init captures are expected to be deduced prior to initialization"); @@ -10924,8 +11038,7 @@ QualType Sema::deduceVarTypeFromInitializer(VarDecl *VDecl,            << (DeduceInit->getType().isNull() ? TSI->getType()                                               : DeduceInit->getType())            << DeduceInit->getSourceRange(); -  } else -    Init = DeduceInit; +  }    // Warn if we deduced 'id'. 'auto' usually implies type-safety, but using    // 'id' instead of a specific object type prevents most of our usual @@ -10942,7 +11055,7 @@ QualType Sema::deduceVarTypeFromInitializer(VarDecl *VDecl,  }  bool Sema::DeduceVariableDeclarationType(VarDecl *VDecl, bool DirectInit, -                                         Expr *&Init) { +                                         Expr *Init) {    QualType DeducedType = deduceVarTypeFromInitializer(        VDecl, VDecl->getDeclName(), VDecl->getType(), VDecl->getTypeSourceInfo(),        VDecl->getSourceRange(), DirectInit, Init); @@ -10971,6 +11084,264 @@ bool Sema::DeduceVariableDeclarationType(VarDecl *VDecl, bool DirectInit,    return VDecl->isInvalidDecl();  } +void Sema::checkNonTrivialCUnionInInitializer(const Expr *Init, +                                              SourceLocation Loc) { +  if (auto *CE = dyn_cast<ConstantExpr>(Init)) +    Init = CE->getSubExpr(); + +  QualType InitType = Init->getType(); +  assert((InitType.hasNonTrivialToPrimitiveDefaultInitializeCUnion() || +          InitType.hasNonTrivialToPrimitiveCopyCUnion()) && +         "shouldn't be called if type doesn't have a non-trivial C struct"); +  if (auto *ILE = dyn_cast<InitListExpr>(Init)) { +    for (auto I : ILE->inits()) { +      if (!I->getType().hasNonTrivialToPrimitiveDefaultInitializeCUnion() && +          !I->getType().hasNonTrivialToPrimitiveCopyCUnion()) +        continue; +      SourceLocation SL = I->getExprLoc(); +      checkNonTrivialCUnionInInitializer(I, SL.isValid() ? SL : Loc); +    } +    return; +  } + +  if (isa<ImplicitValueInitExpr>(Init)) { +    if (InitType.hasNonTrivialToPrimitiveDefaultInitializeCUnion()) +      checkNonTrivialCUnion(InitType, Loc, NTCUC_DefaultInitializedObject, +                            NTCUK_Init); +  } else { +    // Assume all other explicit initializers involving copying some existing +    // object. +    // TODO: ignore any explicit initializers where we can guarantee +    // copy-elision. +    if (InitType.hasNonTrivialToPrimitiveCopyCUnion()) +      checkNonTrivialCUnion(InitType, Loc, NTCUC_CopyInit, NTCUK_Copy); +  } +} + +namespace { + +struct DiagNonTrivalCUnionDefaultInitializeVisitor +    : DefaultInitializedTypeVisitor<DiagNonTrivalCUnionDefaultInitializeVisitor, +                                    void> { +  using Super = +      DefaultInitializedTypeVisitor<DiagNonTrivalCUnionDefaultInitializeVisitor, +                                    void>; + +  DiagNonTrivalCUnionDefaultInitializeVisitor( +      QualType OrigTy, SourceLocation OrigLoc, +      Sema::NonTrivialCUnionContext UseContext, Sema &S) +      : OrigTy(OrigTy), OrigLoc(OrigLoc), UseContext(UseContext), S(S) {} + +  void visitWithKind(QualType::PrimitiveDefaultInitializeKind PDIK, QualType QT, +                     const FieldDecl *FD, bool InNonTrivialUnion) { +    if (const auto *AT = S.Context.getAsArrayType(QT)) +      return this->asDerived().visit(S.Context.getBaseElementType(AT), FD, +                                     InNonTrivialUnion); +    return Super::visitWithKind(PDIK, QT, FD, InNonTrivialUnion); +  } + +  void visitARCStrong(QualType QT, const FieldDecl *FD, +                      bool InNonTrivialUnion) { +    if (InNonTrivialUnion) +      S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) +          << 1 << 0 << QT << FD->getName(); +  } + +  void visitARCWeak(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { +    if (InNonTrivialUnion) +      S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) +          << 1 << 0 << QT << FD->getName(); +  } + +  void visitStruct(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { +    const RecordDecl *RD = QT->castAs<RecordType>()->getDecl(); +    if (RD->isUnion()) { +      if (OrigLoc.isValid()) { +        bool IsUnion = false; +        if (auto *OrigRD = OrigTy->getAsRecordDecl()) +          IsUnion = OrigRD->isUnion(); +        S.Diag(OrigLoc, diag::err_non_trivial_c_union_in_invalid_context) +            << 0 << OrigTy << IsUnion << UseContext; +        // Reset OrigLoc so that this diagnostic is emitted only once. +        OrigLoc = SourceLocation(); +      } +      InNonTrivialUnion = true; +    } + +    if (InNonTrivialUnion) +      S.Diag(RD->getLocation(), diag::note_non_trivial_c_union) +          << 0 << 0 << QT.getUnqualifiedType() << ""; + +    for (const FieldDecl *FD : RD->fields()) +      asDerived().visit(FD->getType(), FD, InNonTrivialUnion); +  } + +  void visitTrivial(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) {} + +  // The non-trivial C union type or the struct/union type that contains a +  // non-trivial C union. +  QualType OrigTy; +  SourceLocation OrigLoc; +  Sema::NonTrivialCUnionContext UseContext; +  Sema &S; +}; + +struct DiagNonTrivalCUnionDestructedTypeVisitor +    : DestructedTypeVisitor<DiagNonTrivalCUnionDestructedTypeVisitor, void> { +  using Super = +      DestructedTypeVisitor<DiagNonTrivalCUnionDestructedTypeVisitor, void>; + +  DiagNonTrivalCUnionDestructedTypeVisitor( +      QualType OrigTy, SourceLocation OrigLoc, +      Sema::NonTrivialCUnionContext UseContext, Sema &S) +      : OrigTy(OrigTy), OrigLoc(OrigLoc), UseContext(UseContext), S(S) {} + +  void visitWithKind(QualType::DestructionKind DK, QualType QT, +                     const FieldDecl *FD, bool InNonTrivialUnion) { +    if (const auto *AT = S.Context.getAsArrayType(QT)) +      return this->asDerived().visit(S.Context.getBaseElementType(AT), FD, +                                     InNonTrivialUnion); +    return Super::visitWithKind(DK, QT, FD, InNonTrivialUnion); +  } + +  void visitARCStrong(QualType QT, const FieldDecl *FD, +                      bool InNonTrivialUnion) { +    if (InNonTrivialUnion) +      S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) +          << 1 << 1 << QT << FD->getName(); +  } + +  void visitARCWeak(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { +    if (InNonTrivialUnion) +      S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) +          << 1 << 1 << QT << FD->getName(); +  } + +  void visitStruct(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { +    const RecordDecl *RD = QT->castAs<RecordType>()->getDecl(); +    if (RD->isUnion()) { +      if (OrigLoc.isValid()) { +        bool IsUnion = false; +        if (auto *OrigRD = OrigTy->getAsRecordDecl()) +          IsUnion = OrigRD->isUnion(); +        S.Diag(OrigLoc, diag::err_non_trivial_c_union_in_invalid_context) +            << 1 << OrigTy << IsUnion << UseContext; +        // Reset OrigLoc so that this diagnostic is emitted only once. +        OrigLoc = SourceLocation(); +      } +      InNonTrivialUnion = true; +    } + +    if (InNonTrivialUnion) +      S.Diag(RD->getLocation(), diag::note_non_trivial_c_union) +          << 0 << 1 << QT.getUnqualifiedType() << ""; + +    for (const FieldDecl *FD : RD->fields()) +      asDerived().visit(FD->getType(), FD, InNonTrivialUnion); +  } + +  void visitTrivial(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) {} +  void visitCXXDestructor(QualType QT, const FieldDecl *FD, +                          bool InNonTrivialUnion) {} + +  // The non-trivial C union type or the struct/union type that contains a +  // non-trivial C union. +  QualType OrigTy; +  SourceLocation OrigLoc; +  Sema::NonTrivialCUnionContext UseContext; +  Sema &S; +}; + +struct DiagNonTrivalCUnionCopyVisitor +    : CopiedTypeVisitor<DiagNonTrivalCUnionCopyVisitor, false, void> { +  using Super = CopiedTypeVisitor<DiagNonTrivalCUnionCopyVisitor, false, void>; + +  DiagNonTrivalCUnionCopyVisitor(QualType OrigTy, SourceLocation OrigLoc, +                                 Sema::NonTrivialCUnionContext UseContext, +                                 Sema &S) +      : OrigTy(OrigTy), OrigLoc(OrigLoc), UseContext(UseContext), S(S) {} + +  void visitWithKind(QualType::PrimitiveCopyKind PCK, QualType QT, +                     const FieldDecl *FD, bool InNonTrivialUnion) { +    if (const auto *AT = S.Context.getAsArrayType(QT)) +      return this->asDerived().visit(S.Context.getBaseElementType(AT), FD, +                                     InNonTrivialUnion); +    return Super::visitWithKind(PCK, QT, FD, InNonTrivialUnion); +  } + +  void visitARCStrong(QualType QT, const FieldDecl *FD, +                      bool InNonTrivialUnion) { +    if (InNonTrivialUnion) +      S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) +          << 1 << 2 << QT << FD->getName(); +  } + +  void visitARCWeak(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { +    if (InNonTrivialUnion) +      S.Diag(FD->getLocation(), diag::note_non_trivial_c_union) +          << 1 << 2 << QT << FD->getName(); +  } + +  void visitStruct(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) { +    const RecordDecl *RD = QT->castAs<RecordType>()->getDecl(); +    if (RD->isUnion()) { +      if (OrigLoc.isValid()) { +        bool IsUnion = false; +        if (auto *OrigRD = OrigTy->getAsRecordDecl()) +          IsUnion = OrigRD->isUnion(); +        S.Diag(OrigLoc, diag::err_non_trivial_c_union_in_invalid_context) +            << 2 << OrigTy << IsUnion << UseContext; +        // Reset OrigLoc so that this diagnostic is emitted only once. +        OrigLoc = SourceLocation(); +      } +      InNonTrivialUnion = true; +    } + +    if (InNonTrivialUnion) +      S.Diag(RD->getLocation(), diag::note_non_trivial_c_union) +          << 0 << 2 << QT.getUnqualifiedType() << ""; + +    for (const FieldDecl *FD : RD->fields()) +      asDerived().visit(FD->getType(), FD, InNonTrivialUnion); +  } + +  void preVisit(QualType::PrimitiveCopyKind PCK, QualType QT, +                const FieldDecl *FD, bool InNonTrivialUnion) {} +  void visitTrivial(QualType QT, const FieldDecl *FD, bool InNonTrivialUnion) {} +  void visitVolatileTrivial(QualType QT, const FieldDecl *FD, +                            bool InNonTrivialUnion) {} + +  // The non-trivial C union type or the struct/union type that contains a +  // non-trivial C union. +  QualType OrigTy; +  SourceLocation OrigLoc; +  Sema::NonTrivialCUnionContext UseContext; +  Sema &S; +}; + +} // namespace + +void Sema::checkNonTrivialCUnion(QualType QT, SourceLocation Loc, +                                 NonTrivialCUnionContext UseContext, +                                 unsigned NonTrivialKind) { +  assert((QT.hasNonTrivialToPrimitiveDefaultInitializeCUnion() || +          QT.hasNonTrivialToPrimitiveDestructCUnion() || +          QT.hasNonTrivialToPrimitiveCopyCUnion()) && +         "shouldn't be called if type doesn't have a non-trivial C union"); + +  if ((NonTrivialKind & NTCUK_Init) && +      QT.hasNonTrivialToPrimitiveDefaultInitializeCUnion()) +    DiagNonTrivalCUnionDefaultInitializeVisitor(QT, Loc, UseContext, *this) +        .visit(QT, nullptr, false); +  if ((NonTrivialKind & NTCUK_Destruct) && +      QT.hasNonTrivialToPrimitiveDestructCUnion()) +    DiagNonTrivalCUnionDestructedTypeVisitor(QT, Loc, UseContext, *this) +        .visit(QT, nullptr, false); +  if ((NonTrivialKind & NTCUK_Copy) && QT.hasNonTrivialToPrimitiveCopyCUnion()) +    DiagNonTrivalCUnionCopyVisitor(QT, Loc, UseContext, *this) +        .visit(QT, nullptr, false); +} +  /// AddInitializerToDecl - Adds the initializer Init to the  /// declaration dcl. If DirectInit is true, this is C++ direct  /// initialization rather than copy initialization. @@ -11218,7 +11589,7 @@ void Sema::AddInitializerToDecl(Decl *RealDecl, Expr *Init, bool DirectInit) {        // do nothing      // OpenCL v1.2 s6.5.3: __constant locals must be constant-initialized. -    // This is true even in OpenCL C++. +    // This is true even in C++ for OpenCL.      } else if (VDecl->getType().getAddressSpace() == LangAS::opencl_constant) {        CheckForConstantInitializer(Init, DclT); @@ -11244,6 +11615,11 @@ void Sema::AddInitializerToDecl(Decl *RealDecl, Expr *Init, bool DirectInit) {            << Culprit->getSourceRange();        }      } + +    if (auto *E = dyn_cast<ExprWithCleanups>(Init)) +      if (auto *BE = dyn_cast<BlockExpr>(E->getSubExpr()->IgnoreParens())) +        if (VDecl->hasLocalStorage()) +          BE->getBlockDecl()->setCanAvoidCopyToHeap();    } else if (VDecl->isStaticDataMember() && !VDecl->isInline() &&               VDecl->getLexicalDeclContext()->isRecord()) {      // This is an in-class initialization for a static data member, e.g., @@ -11358,11 +11734,25 @@ void Sema::AddInitializerToDecl(Decl *RealDecl, Expr *Init, bool DirectInit) {          !isTemplateInstantiation(VDecl->getTemplateSpecializationKind()))        Diag(VDecl->getLocation(), diag::warn_extern_init); +    // In Microsoft C++ mode, a const variable defined in namespace scope has +    // external linkage by default if the variable is declared with +    // __declspec(dllexport). +    if (Context.getTargetInfo().getCXXABI().isMicrosoft() && +        getLangOpts().CPlusPlus && VDecl->getType().isConstQualified() && +        VDecl->hasAttr<DLLExportAttr>() && VDecl->getDefinition()) +      VDecl->setStorageClass(SC_Extern); +      // C99 6.7.8p4. All file scoped initializers need to be constant.      if (!getLangOpts().CPlusPlus && !VDecl->isInvalidDecl())        CheckForConstantInitializer(Init, DclT);    } +  QualType InitType = Init->getType(); +  if (!InitType.isNull() && +      (InitType.hasNonTrivialToPrimitiveDefaultInitializeCUnion() || +       InitType.hasNonTrivialToPrimitiveCopyCUnion())) +    checkNonTrivialCUnionInInitializer(Init, Init->getExprLoc()); +    // We will represent direct-initialization similarly to copy-initialization:    //    int x(1);  -as-> int x = 1;    //    ClassType x(a,b,c); -as-> ClassType x = ClassType(a,b,c); @@ -11448,9 +11838,8 @@ void Sema::ActOnUninitializedDecl(Decl *RealDecl) {        return;      } -    Expr *TmpInit = nullptr;      if (Type->isUndeducedType() && -        DeduceVariableDeclarationType(Var, false, TmpInit)) +        DeduceVariableDeclarationType(Var, false, nullptr))        return;      // C++11 [class.static.data]p3: A static data member can be declared with @@ -11488,7 +11877,14 @@ void Sema::ActOnUninitializedDecl(Decl *RealDecl) {        return;      } -    switch (Var->isThisDeclarationADefinition()) { +    VarDecl::DefinitionKind DefKind = Var->isThisDeclarationADefinition(); +    if (!Var->isInvalidDecl() && DefKind != VarDecl::DeclarationOnly && +        Var->getType().hasNonTrivialToPrimitiveDefaultInitializeCUnion()) +      checkNonTrivialCUnion(Var->getType(), Var->getLocation(), +                            NTCUC_DefaultInitializedObject, NTCUK_Init); + + +    switch (DefKind) {      case VarDecl::Definition:        if (!Var->isStaticDataMember() || !Var->getAnyInitializer())          break; @@ -11627,7 +12023,11 @@ void Sema::ActOnUninitializedDecl(Decl *RealDecl) {            setFunctionHasBranchProtectedScope();        }      } - +    // In OpenCL, we can't initialize objects in the __local address space, +    // even implicitly, so don't synthesize an implicit initializer. +    if (getLangOpts().OpenCL && +        Var->getType().getAddressSpace() == LangAS::opencl_local) +      return;      // C++03 [dcl.init]p9:      //   If no initializer is specified for an object, and the      //   object is of (possibly cv-qualified) non-POD class type (or @@ -11723,7 +12123,6 @@ Sema::ActOnCXXForRangeIdentifier(Scope *S, SourceLocation IdentLoc,    D.SetIdentifier(Ident, IdentLoc);    D.takeAttributes(Attrs, AttrEnd); -  ParsedAttributes EmptyAttrs(Attrs.getPool().getFactory());    D.AddTypeInfo(DeclaratorChunk::getReference(0, IdentLoc, /*lvalue*/ false),                  IdentLoc);    Decl *Var = ActOnDeclarator(S, D); @@ -11786,13 +12185,16 @@ void Sema::CheckCompleteVariableDeclaration(VarDecl *var) {      while (prev && prev->isThisDeclarationADefinition())        prev = prev->getPreviousDecl(); -    if (!prev) +    if (!prev) {        Diag(var->getLocation(), diag::warn_missing_variable_declarations) << var; +      Diag(var->getTypeSpecStartLoc(), diag::note_static_for_internal_linkage) +          << /* variable */ 0; +    }    }    // Cache the result of checking for constant initialization.    Optional<bool> CacheHasConstInit; -  const Expr *CacheCulprit; +  const Expr *CacheCulprit = nullptr;    auto checkConstInit = [&]() mutable {      if (!CacheHasConstInit)        CacheHasConstInit = var->getInit()->isConstantInitializer( @@ -11893,7 +12295,7 @@ void Sema::CheckCompleteVariableDeclaration(VarDecl *var) {          for (unsigned I = 0, N = Notes.size(); I != N; ++I)            Diag(Notes[I].first, Notes[I].second);        } -    } else if (var->isUsableInConstantExpressions(Context)) { +    } else if (var->mightBeUsableInConstantExpressions(Context)) {        // Check whether the initializer of a const variable of integral or        // enumeration type is an ICE now, since we can't tell whether it was        // initialized by a constant expression if we check later. @@ -12340,6 +12742,45 @@ void Sema::ActOnDocumentableDecls(ArrayRef<Decl *> Group) {    }  } +/// Common checks for a parameter-declaration that should apply to both function +/// parameters and non-type template parameters. +void Sema::CheckFunctionOrTemplateParamDeclarator(Scope *S, Declarator &D) { +  // Check that there are no default arguments inside the type of this +  // parameter. +  if (getLangOpts().CPlusPlus) +    CheckExtraCXXDefaultArguments(D); + +  // Parameter declarators cannot be qualified (C++ [dcl.meaning]p1). +  if (D.getCXXScopeSpec().isSet()) { +    Diag(D.getIdentifierLoc(), diag::err_qualified_param_declarator) +      << D.getCXXScopeSpec().getRange(); +  } + +  // [dcl.meaning]p1: An unqualified-id occurring in a declarator-id shall be a +  // simple identifier except [...irrelevant cases...]. +  switch (D.getName().getKind()) { +  case UnqualifiedIdKind::IK_Identifier: +    break; + +  case UnqualifiedIdKind::IK_OperatorFunctionId: +  case UnqualifiedIdKind::IK_ConversionFunctionId: +  case UnqualifiedIdKind::IK_LiteralOperatorId: +  case UnqualifiedIdKind::IK_ConstructorName: +  case UnqualifiedIdKind::IK_DestructorName: +  case UnqualifiedIdKind::IK_ImplicitSelfParam: +  case UnqualifiedIdKind::IK_DeductionGuideName: +    Diag(D.getIdentifierLoc(), diag::err_bad_parameter_name) +      << GetNameForDeclarator(D).getName(); +    break; + +  case UnqualifiedIdKind::IK_TemplateId: +  case UnqualifiedIdKind::IK_ConstructorTemplateId: +    // GetNameForDeclarator would not produce a useful name in this case. +    Diag(D.getIdentifierLoc(), diag::err_bad_parameter_name_template_id); +    break; +  } +} +  /// ActOnParamDeclarator - Called from Parser::ParseFunctionDeclarator()  /// to introduce parameters into function prototype scope.  Decl *Sema::ActOnParamDeclarator(Scope *S, Declarator &D) { @@ -12374,40 +12815,19 @@ Decl *Sema::ActOnParamDeclarator(Scope *S, Declarator &D) {    if (DS.isInlineSpecified())      Diag(DS.getInlineSpecLoc(), diag::err_inline_non_function)          << getLangOpts().CPlusPlus17; -  if (DS.isConstexprSpecified()) +  if (DS.hasConstexprSpecifier())      Diag(DS.getConstexprSpecLoc(), diag::err_invalid_constexpr) -      << 0; +        << 0 << (D.getDeclSpec().getConstexprSpecifier() == CSK_consteval);    DiagnoseFunctionSpecifiers(DS); +  CheckFunctionOrTemplateParamDeclarator(S, D); +    TypeSourceInfo *TInfo = GetTypeForDeclarator(D, S);    QualType parmDeclType = TInfo->getType(); -  if (getLangOpts().CPlusPlus) { -    // Check that there are no default arguments inside the type of this -    // parameter. -    CheckExtraCXXDefaultArguments(D); - -    // Parameter declarators cannot be qualified (C++ [dcl.meaning]p1). -    if (D.getCXXScopeSpec().isSet()) { -      Diag(D.getIdentifierLoc(), diag::err_qualified_param_declarator) -        << D.getCXXScopeSpec().getRange(); -      D.getCXXScopeSpec().clear(); -    } -  } - -  // Ensure we have a valid name -  IdentifierInfo *II = nullptr; -  if (D.hasName()) { -    II = D.getIdentifier(); -    if (!II) { -      Diag(D.getIdentifierLoc(), diag::err_bad_parameter_name) -        << GetNameForDeclarator(D).getName(); -      D.setInvalidType(true); -    } -  } -    // Check for redeclaration of parameters, e.g. int foo(int x, int x); +  IdentifierInfo *II = D.getIdentifier();    if (II) {      LookupResult R(*this, II, D.getIdentifierLoc(), LookupOrdinaryName,                     ForVisibleRedeclaration); @@ -12538,9 +12958,13 @@ ParmVarDecl *Sema::CheckParameter(DeclContext *DC, SourceLocation StartLoc,      //   - otherwise, it's an error      if (T->isArrayType()) {        if (!T.isConstQualified()) { -        DelayedDiagnostics.add( -            sema::DelayedDiagnostic::makeForbiddenType( -            NameLoc, diag::err_arc_array_param_no_ownership, T, false)); +        if (DelayedDiagnostics.shouldDelayDiagnostics()) +          DelayedDiagnostics.add( +              sema::DelayedDiagnostic::makeForbiddenType( +              NameLoc, diag::err_arc_array_param_no_ownership, T, false)); +        else +          Diag(NameLoc, diag::err_arc_array_param_no_ownership) +              << TSInfo->getTypeLoc().getSourceRange();        }        lifetime = Qualifiers::OCL_ExplicitNone;      } else { @@ -12553,6 +12977,11 @@ ParmVarDecl *Sema::CheckParameter(DeclContext *DC, SourceLocation StartLoc,                                           Context.getAdjustedParameterType(T),                                           TSInfo, SC, nullptr); +  if (New->getType().hasNonTrivialToPrimitiveDestructCUnion() || +      New->getType().hasNonTrivialToPrimitiveCopyCUnion()) +    checkNonTrivialCUnion(New->getType(), New->getLocation(), +                          NTCUC_FunctionParam, NTCUK_Destruct|NTCUK_Copy); +    // Parameters can not be abstract class types.    // For record types, this is done by the AbstractClassUsageDiagnoser once    // the class has been completely parsed. @@ -12642,8 +13071,9 @@ void Sema::ActOnFinishInlineFunctionDef(FunctionDecl *D) {    Consumer.HandleInlineFunctionDefinition(D);  } -static bool ShouldWarnAboutMissingPrototype(const FunctionDecl *FD, -                             const FunctionDecl*& PossibleZeroParamPrototype) { +static bool +ShouldWarnAboutMissingPrototype(const FunctionDecl *FD, +                                const FunctionDecl *&PossiblePrototype) {    // Don't warn about invalid declarations.    if (FD->isInvalidDecl())      return false; @@ -12680,7 +13110,6 @@ static bool ShouldWarnAboutMissingPrototype(const FunctionDecl *FD,    if (FD->isDeleted())      return false; -  bool MissingPrototype = true;    for (const FunctionDecl *Prev = FD->getPreviousDecl();         Prev; Prev = Prev->getPreviousDecl()) {      // Ignore any declarations that occur in function or method @@ -12688,13 +13117,11 @@ static bool ShouldWarnAboutMissingPrototype(const FunctionDecl *FD,      if (Prev->getLexicalDeclContext()->isFunctionOrMethod())        continue; -    MissingPrototype = !Prev->getType()->isFunctionProtoType(); -    if (FD->getNumParams() == 0) -      PossibleZeroParamPrototype = Prev; -    break; +    PossiblePrototype = Prev; +    return Prev->getType()->isFunctionNoProtoType();    } -  return MissingPrototype; +  return true;  }  void @@ -12834,14 +13261,14 @@ static void RebuildLambdaScopeInfo(CXXMethodDecl *CallOperator,            /*RefersToEnclosingVariableOrCapture*/true, C.getLocation(),            /*EllipsisLoc*/C.isPackExpansion()                           ? C.getEllipsisLoc() : SourceLocation(), -          CaptureType, /*Expr*/ nullptr); +          CaptureType, /*Invalid*/false);      } else if (C.capturesThis()) { -      LSI->addThisCapture(/*Nested*/ false, C.getLocation(), -                              /*Expr*/ nullptr, -                              C.getCaptureKind() == LCK_StarThis); +      LSI->addThisCapture(/*Nested*/ false, C.getLocation(), I->getType(), +                          C.getCaptureKind() == LCK_StarThis);      } else { -      LSI->addVLATypeCapture(C.getLocation(), I->getType()); +      LSI->addVLATypeCapture(C.getLocation(), I->getCapturedVLAType(), +                             I->getType());      }      ++I;    } @@ -13023,7 +13450,7 @@ void Sema::computeNRVO(Stmt *Body, FunctionScopeInfo *Scope) {  bool Sema::canDelayFunctionBody(const Declarator &D) {    // We can't delay parsing the body of a constexpr function template (yet). -  if (D.getDeclSpec().isConstexprSpecified()) +  if (D.getDeclSpec().hasConstexprSpecifier())      return false;    // We can't delay parsing the body of a function template with a deduced @@ -13092,6 +13519,35 @@ private:    bool IsLambda = false;  }; +static void diagnoseImplicitlyRetainedSelf(Sema &S) { +  llvm::DenseMap<const BlockDecl *, bool> EscapeInfo; + +  auto IsOrNestedInEscapingBlock = [&](const BlockDecl *BD) { +    if (EscapeInfo.count(BD)) +      return EscapeInfo[BD]; + +    bool R = false; +    const BlockDecl *CurBD = BD; + +    do { +      R = !CurBD->doesNotEscape(); +      if (R) +        break; +      CurBD = CurBD->getParent()->getInnermostBlockDecl(); +    } while (CurBD); + +    return EscapeInfo[BD] = R; +  }; + +  // If the location where 'self' is implicitly retained is inside a escaping +  // block, emit a diagnostic. +  for (const std::pair<SourceLocation, const BlockDecl *> &P : +       S.ImplicitlyRetainedSelfLocs) +    if (IsOrNestedInEscapingBlock(P.second)) +      S.Diag(P.first, diag::warn_implicitly_retains_self) +          << FixItHint::CreateInsertion(P.first, "self->"); +} +  Decl *Sema::ActOnFinishFunctionBody(Decl *dcl, Stmt *Body,                                      bool IsInstantiation) {    FunctionDecl *FD = dcl ? dcl->getAsFunction() : nullptr; @@ -13099,7 +13555,7 @@ Decl *Sema::ActOnFinishFunctionBody(Decl *dcl, Stmt *Body,    sema::AnalysisBasedWarnings::Policy WP = AnalysisWarnings.getDefaultPolicy();    sema::AnalysisBasedWarnings::Policy *ActivePolicy = nullptr; -  if (getLangOpts().CoroutinesTS && getCurFunction()->isCoroutine()) +  if (getLangOpts().Coroutines && getCurFunction()->isCoroutine())      CheckCompletedCoroutineBody(FD, Body);    // Do not call PopExpressionEvaluationContext() if it is a lambda because one @@ -13156,7 +13612,7 @@ Decl *Sema::ActOnFinishFunctionBody(Decl *dcl, Stmt *Body,      // MSVC permits the use of pure specifier (=0) on function definition,      // defined at class scope, warn about this non-standard construct. -    if (getLangOpts().MicrosoftExt && FD->isPure() && FD->isCanonicalDecl()) +    if (getLangOpts().MicrosoftExt && FD->isPure() && !FD->isOutOfLine())        Diag(FD->getLocation(), diag::ext_pure_function_definition);      if (!FD->isInvalidDecl()) { @@ -13185,22 +13641,30 @@ Decl *Sema::ActOnFinishFunctionBody(Decl *dcl, Stmt *Body,      //   prototype declaration. This warning is issued even if the      //   definition itself provides a prototype. The aim is to detect      //   global functions that fail to be declared in header files. -    const FunctionDecl *PossibleZeroParamPrototype = nullptr; -    if (ShouldWarnAboutMissingPrototype(FD, PossibleZeroParamPrototype)) { +    const FunctionDecl *PossiblePrototype = nullptr; +    if (ShouldWarnAboutMissingPrototype(FD, PossiblePrototype)) {        Diag(FD->getLocation(), diag::warn_missing_prototype) << FD; -      if (PossibleZeroParamPrototype) { +      if (PossiblePrototype) {          // We found a declaration that is not a prototype,          // but that could be a zero-parameter prototype -        if (TypeSourceInfo *TI = -                PossibleZeroParamPrototype->getTypeSourceInfo()) { +        if (TypeSourceInfo *TI = PossiblePrototype->getTypeSourceInfo()) {            TypeLoc TL = TI->getTypeLoc();            if (FunctionNoProtoTypeLoc FTL = TL.getAs<FunctionNoProtoTypeLoc>()) -            Diag(PossibleZeroParamPrototype->getLocation(), +            Diag(PossiblePrototype->getLocation(),                   diag::note_declaration_not_a_prototype) -                << PossibleZeroParamPrototype -                << FixItHint::CreateInsertion(FTL.getRParenLoc(), "void"); +                << (FD->getNumParams() != 0) +                << (FD->getNumParams() == 0 +                        ? FixItHint::CreateInsertion(FTL.getRParenLoc(), "void") +                        : FixItHint{});          } +      } else { +        Diag(FD->getTypeSpecStartLoc(), diag::note_static_for_internal_linkage) +            << /* function */ 1 +            << (FD->getStorageClass() == SC_None +                    ? FixItHint::CreateInsertion(FD->getTypeSpecStartLoc(), +                                                 "static ") +                    : FixItHint{});        }        // GNU warning -Wstrict-prototypes @@ -13256,8 +13720,6 @@ Decl *Sema::ActOnFinishFunctionBody(Decl *dcl, Stmt *Body,      assert(MD == getCurMethodDecl() && "Method parsing confused");      MD->setBody(Body);      if (!MD->isInvalidDecl()) { -      if (!MD->hasSkippedBody()) -        DiagnoseUnusedParameters(MD->parameters());        DiagnoseSizeOfParametersAndReturnValue(MD->parameters(),                                               MD->getReturnType(), MD); @@ -13303,6 +13765,8 @@ Decl *Sema::ActOnFinishFunctionBody(Decl *dcl, Stmt *Body,               diag::warn_objc_secondary_init_missing_init_call);        getCurFunction()->ObjCWarnForNoInitDelegation = false;      } + +    diagnoseImplicitlyRetainedSelf(*this);    } else {      // Parsing the function declaration failed in some way. Pop the fake scope      // we pushed on. @@ -13484,10 +13948,10 @@ NamedDecl *Sema::ImplicitlyDefineFunction(SourceLocation Loc,    // function declaration is going to be treated as an error.    if (Diags.getDiagnosticLevel(diag_id, Loc) >= DiagnosticsEngine::Error) {      TypoCorrection Corrected; -    if (S && -        (Corrected = CorrectTypo( -             DeclarationNameInfo(&II, Loc), LookupOrdinaryName, S, nullptr, -             llvm::make_unique<DeclFilterCCC<FunctionDecl>>(), CTK_NonError))) +    DeclFilterCCC<FunctionDecl> CCC{}; +    if (S && (Corrected = +                  CorrectTypo(DeclarationNameInfo(&II, Loc), LookupOrdinaryName, +                              S, nullptr, CCC, CTK_NonError)))        diagnoseTypo(Corrected, PDiag(diag::note_function_suggestion),                     /*ErrorRecovery*/false);    } @@ -13576,6 +14040,13 @@ void Sema::AddKnownFunctionAttributes(FunctionDecl *FD) {                                                FD->getLocation()));      } +    // Handle automatically recognized callbacks. +    SmallVector<int, 4> Encoding; +    if (!FD->hasAttr<CallbackAttr>() && +        Context.BuiltinInfo.performsCallback(BuiltinID, Encoding)) +      FD->addAttr(CallbackAttr::CreateImplicit( +          Context, Encoding.data(), Encoding.size(), FD->getLocation())); +      // Mark const if we don't care about errno and that is the only thing      // preventing the function from being const. This allows IRgen to use LLVM      // intrinsics for such functions. @@ -14743,8 +15214,7 @@ CreateNewDecl:      // If this is an undefined enum, warn.      if (TUK != TUK_Definition && !Invalid) {        TagDecl *Def; -      if (IsFixed && (getLangOpts().CPlusPlus11 || getLangOpts().ObjC) && -          cast<EnumDecl>(New)->isFixed()) { +      if (IsFixed && cast<EnumDecl>(New)->isFixed()) {          // C++0x: 7.2p2: opaque-enum-declaration.          // Conflicts are diagnosed above. Do nothing.        } @@ -15758,7 +16228,6 @@ void Sema::ActOnFields(Scope *S, SourceLocation RecLoc, Decl *EnclosingDecl,    // Verify that all the fields are okay.    SmallVector<FieldDecl*, 32> RecFields; -  bool ObjCFieldLifetimeErrReported = false;    for (ArrayRef<Decl *>::iterator i = Fields.begin(), end = Fields.end();         i != end; ++i) {      FieldDecl *FD = cast<FieldDecl>(*i); @@ -15903,27 +16372,6 @@ void Sema::ActOnFields(Scope *S, SourceLocation RecLoc, Decl *EnclosingDecl,          << FixItHint::CreateInsertion(FD->getLocation(), "*");        QualType T = Context.getObjCObjectPointerType(FD->getType());        FD->setType(T); -    } else if (getLangOpts().allowsNonTrivialObjCLifetimeQualifiers() && -               Record && !ObjCFieldLifetimeErrReported && Record->isUnion()) { -      // It's an error in ARC or Weak if a field has lifetime. -      // We don't want to report this in a system header, though, -      // so we just make the field unavailable. -      // FIXME: that's really not sufficient; we need to make the type -      // itself invalid to, say, initialize or copy. -      QualType T = FD->getType(); -      if (T.hasNonTrivialObjCLifetime()) { -        SourceLocation loc = FD->getLocation(); -        if (getSourceManager().isInSystemHeader(loc)) { -          if (!FD->hasAttr<UnavailableAttr>()) { -            FD->addAttr(UnavailableAttr::CreateImplicit(Context, "", -                          UnavailableAttr::IR_ARCFieldWithOwnership, loc)); -          } -        } else { -          Diag(FD->getLocation(), diag::err_arc_objc_object_in_tag) -            << T->isBlockPointerType() << Record->getTagKind(); -        } -        ObjCFieldLifetimeErrReported = true; -      }      } else if (getLangOpts().ObjC &&                 getLangOpts().getGC() != LangOptions::NonGC &&                 Record && !Record->hasObjectMember()) { @@ -15943,14 +16391,23 @@ void Sema::ActOnFields(Scope *S, SourceLocation RecLoc, Decl *EnclosingDecl,      if (Record && !getLangOpts().CPlusPlus && !FD->hasAttr<UnavailableAttr>()) {        QualType FT = FD->getType(); -      if (FT.isNonTrivialToPrimitiveDefaultInitialize()) +      if (FT.isNonTrivialToPrimitiveDefaultInitialize()) {          Record->setNonTrivialToPrimitiveDefaultInitialize(true); +        if (FT.hasNonTrivialToPrimitiveDefaultInitializeCUnion() || +            Record->isUnion()) +          Record->setHasNonTrivialToPrimitiveDefaultInitializeCUnion(true); +      }        QualType::PrimitiveCopyKind PCK = FT.isNonTrivialToPrimitiveCopy(); -      if (PCK != QualType::PCK_Trivial && PCK != QualType::PCK_VolatileTrivial) +      if (PCK != QualType::PCK_Trivial && PCK != QualType::PCK_VolatileTrivial) {          Record->setNonTrivialToPrimitiveCopy(true); +        if (FT.hasNonTrivialToPrimitiveCopyCUnion() || Record->isUnion()) +          Record->setHasNonTrivialToPrimitiveCopyCUnion(true); +      }        if (FT.isDestructedType()) {          Record->setNonTrivialToPrimitiveDestroy(true);          Record->setParamDestroyedInCallee(true); +        if (FT.hasNonTrivialToPrimitiveDestructCUnion() || Record->isUnion()) +          Record->setHasNonTrivialToPrimitiveDestructCUnion(true);        }        if (const auto *RT = FT->getAs<RecordType>()) { @@ -16907,390 +17364,6 @@ Decl *Sema::ActOnFileScopeAsmDecl(Expr *expr,    return New;  } -static void checkModuleImportContext(Sema &S, Module *M, -                                     SourceLocation ImportLoc, DeclContext *DC, -                                     bool FromInclude = false) { -  SourceLocation ExternCLoc; - -  if (auto *LSD = dyn_cast<LinkageSpecDecl>(DC)) { -    switch (LSD->getLanguage()) { -    case LinkageSpecDecl::lang_c: -      if (ExternCLoc.isInvalid()) -        ExternCLoc = LSD->getBeginLoc(); -      break; -    case LinkageSpecDecl::lang_cxx: -      break; -    } -    DC = LSD->getParent(); -  } - -  while (isa<LinkageSpecDecl>(DC) || isa<ExportDecl>(DC)) -    DC = DC->getParent(); - -  if (!isa<TranslationUnitDecl>(DC)) { -    S.Diag(ImportLoc, (FromInclude && S.isModuleVisible(M)) -                          ? diag::ext_module_import_not_at_top_level_noop -                          : diag::err_module_import_not_at_top_level_fatal) -        << M->getFullModuleName() << DC; -    S.Diag(cast<Decl>(DC)->getBeginLoc(), -           diag::note_module_import_not_at_top_level) -        << DC; -  } else if (!M->IsExternC && ExternCLoc.isValid()) { -    S.Diag(ImportLoc, diag::ext_module_import_in_extern_c) -      << M->getFullModuleName(); -    S.Diag(ExternCLoc, diag::note_extern_c_begins_here); -  } -} - -Sema::DeclGroupPtrTy Sema::ActOnModuleDecl(SourceLocation StartLoc, -                                           SourceLocation ModuleLoc, -                                           ModuleDeclKind MDK, -                                           ModuleIdPath Path) { -  assert(getLangOpts().ModulesTS && -         "should only have module decl in modules TS"); - -  // A module implementation unit requires that we are not compiling a module -  // of any kind. A module interface unit requires that we are not compiling a -  // module map. -  switch (getLangOpts().getCompilingModule()) { -  case LangOptions::CMK_None: -    // It's OK to compile a module interface as a normal translation unit. -    break; - -  case LangOptions::CMK_ModuleInterface: -    if (MDK != ModuleDeclKind::Implementation) -      break; - -    // We were asked to compile a module interface unit but this is a module -    // implementation unit. That indicates the 'export' is missing. -    Diag(ModuleLoc, diag::err_module_interface_implementation_mismatch) -      << FixItHint::CreateInsertion(ModuleLoc, "export "); -    MDK = ModuleDeclKind::Interface; -    break; - -  case LangOptions::CMK_ModuleMap: -    Diag(ModuleLoc, diag::err_module_decl_in_module_map_module); -    return nullptr; - -  case LangOptions::CMK_HeaderModule: -    Diag(ModuleLoc, diag::err_module_decl_in_header_module); -    return nullptr; -  } - -  assert(ModuleScopes.size() == 1 && "expected to be at global module scope"); - -  // FIXME: Most of this work should be done by the preprocessor rather than -  // here, in order to support macro import. - -  // Only one module-declaration is permitted per source file. -  if (ModuleScopes.back().Module->Kind == Module::ModuleInterfaceUnit) { -    Diag(ModuleLoc, diag::err_module_redeclaration); -    Diag(VisibleModules.getImportLoc(ModuleScopes.back().Module), -         diag::note_prev_module_declaration); -    return nullptr; -  } - -  // Flatten the dots in a module name. Unlike Clang's hierarchical module map -  // modules, the dots here are just another character that can appear in a -  // module name. -  std::string ModuleName; -  for (auto &Piece : Path) { -    if (!ModuleName.empty()) -      ModuleName += "."; -    ModuleName += Piece.first->getName(); -  } - -  // If a module name was explicitly specified on the command line, it must be -  // correct. -  if (!getLangOpts().CurrentModule.empty() && -      getLangOpts().CurrentModule != ModuleName) { -    Diag(Path.front().second, diag::err_current_module_name_mismatch) -        << SourceRange(Path.front().second, Path.back().second) -        << getLangOpts().CurrentModule; -    return nullptr; -  } -  const_cast<LangOptions&>(getLangOpts()).CurrentModule = ModuleName; - -  auto &Map = PP.getHeaderSearchInfo().getModuleMap(); -  Module *Mod; - -  switch (MDK) { -  case ModuleDeclKind::Interface: { -    // We can't have parsed or imported a definition of this module or parsed a -    // module map defining it already. -    if (auto *M = Map.findModule(ModuleName)) { -      Diag(Path[0].second, diag::err_module_redefinition) << ModuleName; -      if (M->DefinitionLoc.isValid()) -        Diag(M->DefinitionLoc, diag::note_prev_module_definition); -      else if (const auto *FE = M->getASTFile()) -        Diag(M->DefinitionLoc, diag::note_prev_module_definition_from_ast_file) -            << FE->getName(); -      Mod = M; -      break; -    } - -    // Create a Module for the module that we're defining. -    Mod = Map.createModuleForInterfaceUnit(ModuleLoc, ModuleName, -                                           ModuleScopes.front().Module); -    assert(Mod && "module creation should not fail"); -    break; -  } - -  case ModuleDeclKind::Partition: -    // FIXME: Check we are in a submodule of the named module. -    return nullptr; - -  case ModuleDeclKind::Implementation: -    std::pair<IdentifierInfo *, SourceLocation> ModuleNameLoc( -        PP.getIdentifierInfo(ModuleName), Path[0].second); -    Mod = getModuleLoader().loadModule(ModuleLoc, {ModuleNameLoc}, -                                       Module::AllVisible, -                                       /*IsIncludeDirective=*/false); -    if (!Mod) { -      Diag(ModuleLoc, diag::err_module_not_defined) << ModuleName; -      // Create an empty module interface unit for error recovery. -      Mod = Map.createModuleForInterfaceUnit(ModuleLoc, ModuleName, -                                             ModuleScopes.front().Module); -    } -    break; -  } - -  // Switch from the global module to the named module. -  ModuleScopes.back().Module = Mod; -  ModuleScopes.back().ModuleInterface = MDK != ModuleDeclKind::Implementation; -  VisibleModules.setVisible(Mod, ModuleLoc); - -  // From now on, we have an owning module for all declarations we see. -  // However, those declarations are module-private unless explicitly -  // exported. -  auto *TU = Context.getTranslationUnitDecl(); -  TU->setModuleOwnershipKind(Decl::ModuleOwnershipKind::ModulePrivate); -  TU->setLocalOwningModule(Mod); - -  // FIXME: Create a ModuleDecl. -  return nullptr; -} - -DeclResult Sema::ActOnModuleImport(SourceLocation StartLoc, -                                   SourceLocation ImportLoc, -                                   ModuleIdPath Path) { -  // Flatten the module path for a Modules TS module name. -  std::pair<IdentifierInfo *, SourceLocation> ModuleNameLoc; -  if (getLangOpts().ModulesTS) { -    std::string ModuleName; -    for (auto &Piece : Path) { -      if (!ModuleName.empty()) -        ModuleName += "."; -      ModuleName += Piece.first->getName(); -    } -    ModuleNameLoc = {PP.getIdentifierInfo(ModuleName), Path[0].second}; -    Path = ModuleIdPath(ModuleNameLoc); -  } - -  Module *Mod = -      getModuleLoader().loadModule(ImportLoc, Path, Module::AllVisible, -                                   /*IsIncludeDirective=*/false); -  if (!Mod) -    return true; - -  VisibleModules.setVisible(Mod, ImportLoc); - -  checkModuleImportContext(*this, Mod, ImportLoc, CurContext); - -  // FIXME: we should support importing a submodule within a different submodule -  // of the same top-level module. Until we do, make it an error rather than -  // silently ignoring the import. -  // Import-from-implementation is valid in the Modules TS. FIXME: Should we -  // warn on a redundant import of the current module? -  if (Mod->getTopLevelModuleName() == getLangOpts().CurrentModule && -      (getLangOpts().isCompilingModule() || !getLangOpts().ModulesTS)) -    Diag(ImportLoc, getLangOpts().isCompilingModule() -                        ? diag::err_module_self_import -                        : diag::err_module_import_in_implementation) -        << Mod->getFullModuleName() << getLangOpts().CurrentModule; - -  SmallVector<SourceLocation, 2> IdentifierLocs; -  Module *ModCheck = Mod; -  for (unsigned I = 0, N = Path.size(); I != N; ++I) { -    // If we've run out of module parents, just drop the remaining identifiers. -    // We need the length to be consistent. -    if (!ModCheck) -      break; -    ModCheck = ModCheck->Parent; - -    IdentifierLocs.push_back(Path[I].second); -  } - -  ImportDecl *Import = ImportDecl::Create(Context, CurContext, StartLoc, -                                          Mod, IdentifierLocs); -  if (!ModuleScopes.empty()) -    Context.addModuleInitializer(ModuleScopes.back().Module, Import); -  CurContext->addDecl(Import); - -  // Re-export the module if needed. -  if (Import->isExported() && -      !ModuleScopes.empty() && ModuleScopes.back().ModuleInterface) -    getCurrentModule()->Exports.emplace_back(Mod, false); - -  return Import; -} - -void Sema::ActOnModuleInclude(SourceLocation DirectiveLoc, Module *Mod) { -  checkModuleImportContext(*this, Mod, DirectiveLoc, CurContext, true); -  BuildModuleInclude(DirectiveLoc, Mod); -} - -void Sema::BuildModuleInclude(SourceLocation DirectiveLoc, Module *Mod) { -  // Determine whether we're in the #include buffer for a module. The #includes -  // in that buffer do not qualify as module imports; they're just an -  // implementation detail of us building the module. -  // -  // FIXME: Should we even get ActOnModuleInclude calls for those? -  bool IsInModuleIncludes = -      TUKind == TU_Module && -      getSourceManager().isWrittenInMainFile(DirectiveLoc); - -  bool ShouldAddImport = !IsInModuleIncludes; - -  // If this module import was due to an inclusion directive, create an -  // implicit import declaration to capture it in the AST. -  if (ShouldAddImport) { -    TranslationUnitDecl *TU = getASTContext().getTranslationUnitDecl(); -    ImportDecl *ImportD = ImportDecl::CreateImplicit(getASTContext(), TU, -                                                     DirectiveLoc, Mod, -                                                     DirectiveLoc); -    if (!ModuleScopes.empty()) -      Context.addModuleInitializer(ModuleScopes.back().Module, ImportD); -    TU->addDecl(ImportD); -    Consumer.HandleImplicitImportDecl(ImportD); -  } - -  getModuleLoader().makeModuleVisible(Mod, Module::AllVisible, DirectiveLoc); -  VisibleModules.setVisible(Mod, DirectiveLoc); -} - -void Sema::ActOnModuleBegin(SourceLocation DirectiveLoc, Module *Mod) { -  checkModuleImportContext(*this, Mod, DirectiveLoc, CurContext, true); - -  ModuleScopes.push_back({}); -  ModuleScopes.back().Module = Mod; -  if (getLangOpts().ModulesLocalVisibility) -    ModuleScopes.back().OuterVisibleModules = std::move(VisibleModules); - -  VisibleModules.setVisible(Mod, DirectiveLoc); - -  // The enclosing context is now part of this module. -  // FIXME: Consider creating a child DeclContext to hold the entities -  // lexically within the module. -  if (getLangOpts().trackLocalOwningModule()) { -    for (auto *DC = CurContext; DC; DC = DC->getLexicalParent()) { -      cast<Decl>(DC)->setModuleOwnershipKind( -          getLangOpts().ModulesLocalVisibility -              ? Decl::ModuleOwnershipKind::VisibleWhenImported -              : Decl::ModuleOwnershipKind::Visible); -      cast<Decl>(DC)->setLocalOwningModule(Mod); -    } -  } -} - -void Sema::ActOnModuleEnd(SourceLocation EomLoc, Module *Mod) { -  if (getLangOpts().ModulesLocalVisibility) { -    VisibleModules = std::move(ModuleScopes.back().OuterVisibleModules); -    // Leaving a module hides namespace names, so our visible namespace cache -    // is now out of date. -    VisibleNamespaceCache.clear(); -  } - -  assert(!ModuleScopes.empty() && ModuleScopes.back().Module == Mod && -         "left the wrong module scope"); -  ModuleScopes.pop_back(); - -  // We got to the end of processing a local module. Create an -  // ImportDecl as we would for an imported module. -  FileID File = getSourceManager().getFileID(EomLoc); -  SourceLocation DirectiveLoc; -  if (EomLoc == getSourceManager().getLocForEndOfFile(File)) { -    // We reached the end of a #included module header. Use the #include loc. -    assert(File != getSourceManager().getMainFileID() && -           "end of submodule in main source file"); -    DirectiveLoc = getSourceManager().getIncludeLoc(File); -  } else { -    // We reached an EOM pragma. Use the pragma location. -    DirectiveLoc = EomLoc; -  } -  BuildModuleInclude(DirectiveLoc, Mod); - -  // Any further declarations are in whatever module we returned to. -  if (getLangOpts().trackLocalOwningModule()) { -    // The parser guarantees that this is the same context that we entered -    // the module within. -    for (auto *DC = CurContext; DC; DC = DC->getLexicalParent()) { -      cast<Decl>(DC)->setLocalOwningModule(getCurrentModule()); -      if (!getCurrentModule()) -        cast<Decl>(DC)->setModuleOwnershipKind( -            Decl::ModuleOwnershipKind::Unowned); -    } -  } -} - -void Sema::createImplicitModuleImportForErrorRecovery(SourceLocation Loc, -                                                      Module *Mod) { -  // Bail if we're not allowed to implicitly import a module here. -  if (isSFINAEContext() || !getLangOpts().ModulesErrorRecovery || -      VisibleModules.isVisible(Mod)) -    return; - -  // Create the implicit import declaration. -  TranslationUnitDecl *TU = getASTContext().getTranslationUnitDecl(); -  ImportDecl *ImportD = ImportDecl::CreateImplicit(getASTContext(), TU, -                                                   Loc, Mod, Loc); -  TU->addDecl(ImportD); -  Consumer.HandleImplicitImportDecl(ImportD); - -  // Make the module visible. -  getModuleLoader().makeModuleVisible(Mod, Module::AllVisible, Loc); -  VisibleModules.setVisible(Mod, Loc); -} - -/// We have parsed the start of an export declaration, including the '{' -/// (if present). -Decl *Sema::ActOnStartExportDecl(Scope *S, SourceLocation ExportLoc, -                                 SourceLocation LBraceLoc) { -  ExportDecl *D = ExportDecl::Create(Context, CurContext, ExportLoc); - -  // C++ Modules TS draft: -  //   An export-declaration shall appear in the purview of a module other than -  //   the global module. -  if (ModuleScopes.empty() || !ModuleScopes.back().ModuleInterface) -    Diag(ExportLoc, diag::err_export_not_in_module_interface); - -  //   An export-declaration [...] shall not contain more than one -  //   export keyword. -  // -  // The intent here is that an export-declaration cannot appear within another -  // export-declaration. -  if (D->isExported()) -    Diag(ExportLoc, diag::err_export_within_export); - -  CurContext->addDecl(D); -  PushDeclContext(S, D); -  D->setModuleOwnershipKind(Decl::ModuleOwnershipKind::VisibleWhenImported); -  return D; -} - -/// Complete the definition of an export declaration. -Decl *Sema::ActOnFinishExportDecl(Scope *S, Decl *D, SourceLocation RBraceLoc) { -  auto *ED = cast<ExportDecl>(D); -  if (RBraceLoc.isValid()) -    ED->setRBraceLoc(RBraceLoc); - -  // FIXME: Diagnose export of internal-linkage declaration (including -  // anonymous namespace). - -  PopDeclContext(); -  return D; -} -  void Sema::ActOnPragmaRedefineExtname(IdentifierInfo* Name,                                        IdentifierInfo* AliasName,                                        SourceLocation PragmaLoc, | 
