1 //===------- SemaTemplateInstantiate.cpp - C++ Template Instantiation ------===/
2 //
3 // The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //===----------------------------------------------------------------------===/
8 //
9 // This file implements C++ template instantiation.
10 //
11 //===----------------------------------------------------------------------===/
12
13 #include "clang/Sema/SemaInternal.h"
14 #include "TreeTransform.h"
15 #include "clang/AST/ASTConsumer.h"
16 #include "clang/AST/ASTContext.h"
17 #include "clang/AST/ASTLambda.h"
18 #include "clang/AST/ASTMutationListener.h"
19 #include "clang/AST/DeclTemplate.h"
20 #include "clang/AST/Expr.h"
21 #include "clang/AST/PrettyDeclStackTrace.h"
22 #include "clang/Basic/LangOptions.h"
23 #include "clang/Sema/DeclSpec.h"
24 #include "clang/Sema/Initialization.h"
25 #include "clang/Sema/Lookup.h"
26 #include "clang/Sema/Template.h"
27 #include "clang/Sema/TemplateDeduction.h"
28 #include "clang/Sema/TemplateInstCallback.h"
29
30 using namespace clang;
31 using namespace sema;
32
33 //===----------------------------------------------------------------------===/
34 // Template Instantiation Support
35 //===----------------------------------------------------------------------===/
36
37 /// Retrieve the template argument list(s) that should be used to
38 /// instantiate the definition of the given declaration.
39 ///
40 /// \param D the declaration for which we are computing template instantiation
41 /// arguments.
42 ///
43 /// \param Innermost if non-NULL, the innermost template argument list.
44 ///
45 /// \param RelativeToPrimary true if we should get the template
46 /// arguments relative to the primary template, even when we're
47 /// dealing with a specialization. This is only relevant for function
48 /// template specializations.
49 ///
50 /// \param Pattern If non-NULL, indicates the pattern from which we will be
51 /// instantiating the definition of the given declaration, \p D. This is
52 /// used to determine the proper set of template instantiation arguments for
53 /// friend function template specializations.
54 MultiLevelTemplateArgumentList
getTemplateInstantiationArgs(NamedDecl * D,const TemplateArgumentList * Innermost,bool RelativeToPrimary,const FunctionDecl * Pattern)55 Sema::getTemplateInstantiationArgs(NamedDecl *D,
56 const TemplateArgumentList *Innermost,
57 bool RelativeToPrimary,
58 const FunctionDecl *Pattern) {
59 // Accumulate the set of template argument lists in this structure.
60 MultiLevelTemplateArgumentList Result;
61
62 if (Innermost)
63 Result.addOuterTemplateArguments(Innermost);
64
65 DeclContext *Ctx = dyn_cast<DeclContext>(D);
66 if (!Ctx) {
67 Ctx = D->getDeclContext();
68
69 // Add template arguments from a variable template instantiation.
70 if (VarTemplateSpecializationDecl *Spec =
71 dyn_cast<VarTemplateSpecializationDecl>(D)) {
72 // We're done when we hit an explicit specialization.
73 if (Spec->getSpecializationKind() == TSK_ExplicitSpecialization &&
74 !isa<VarTemplatePartialSpecializationDecl>(Spec))
75 return Result;
76
77 Result.addOuterTemplateArguments(&Spec->getTemplateInstantiationArgs());
78
79 // If this variable template specialization was instantiated from a
80 // specialized member that is a variable template, we're done.
81 assert(Spec->getSpecializedTemplate() && "No variable template?");
82 llvm::PointerUnion<VarTemplateDecl*,
83 VarTemplatePartialSpecializationDecl*> Specialized
84 = Spec->getSpecializedTemplateOrPartial();
85 if (VarTemplatePartialSpecializationDecl *Partial =
86 Specialized.dyn_cast<VarTemplatePartialSpecializationDecl *>()) {
87 if (Partial->isMemberSpecialization())
88 return Result;
89 } else {
90 VarTemplateDecl *Tmpl = Specialized.get<VarTemplateDecl *>();
91 if (Tmpl->isMemberSpecialization())
92 return Result;
93 }
94 }
95
96 // If we have a template template parameter with translation unit context,
97 // then we're performing substitution into a default template argument of
98 // this template template parameter before we've constructed the template
99 // that will own this template template parameter. In this case, we
100 // use empty template parameter lists for all of the outer templates
101 // to avoid performing any substitutions.
102 if (Ctx->isTranslationUnit()) {
103 if (TemplateTemplateParmDecl *TTP
104 = dyn_cast<TemplateTemplateParmDecl>(D)) {
105 for (unsigned I = 0, N = TTP->getDepth() + 1; I != N; ++I)
106 Result.addOuterTemplateArguments(None);
107 return Result;
108 }
109 }
110 }
111
112 while (!Ctx->isFileContext()) {
113 // Add template arguments from a class template instantiation.
114 if (ClassTemplateSpecializationDecl *Spec
115 = dyn_cast<ClassTemplateSpecializationDecl>(Ctx)) {
116 // We're done when we hit an explicit specialization.
117 if (Spec->getSpecializationKind() == TSK_ExplicitSpecialization &&
118 !isa<ClassTemplatePartialSpecializationDecl>(Spec))
119 break;
120
121 Result.addOuterTemplateArguments(&Spec->getTemplateInstantiationArgs());
122
123 // If this class template specialization was instantiated from a
124 // specialized member that is a class template, we're done.
125 assert(Spec->getSpecializedTemplate() && "No class template?");
126 if (Spec->getSpecializedTemplate()->isMemberSpecialization())
127 break;
128 }
129 // Add template arguments from a function template specialization.
130 else if (FunctionDecl *Function = dyn_cast<FunctionDecl>(Ctx)) {
131 if (!RelativeToPrimary &&
132 (Function->getTemplateSpecializationKind() ==
133 TSK_ExplicitSpecialization &&
134 !Function->getClassScopeSpecializationPattern()))
135 break;
136
137 if (const TemplateArgumentList *TemplateArgs
138 = Function->getTemplateSpecializationArgs()) {
139 // Add the template arguments for this specialization.
140 Result.addOuterTemplateArguments(TemplateArgs);
141
142 // If this function was instantiated from a specialized member that is
143 // a function template, we're done.
144 assert(Function->getPrimaryTemplate() && "No function template?");
145 if (Function->getPrimaryTemplate()->isMemberSpecialization())
146 break;
147
148 // If this function is a generic lambda specialization, we are done.
149 if (isGenericLambdaCallOperatorSpecialization(Function))
150 break;
151
152 } else if (FunctionTemplateDecl *FunTmpl
153 = Function->getDescribedFunctionTemplate()) {
154 // Add the "injected" template arguments.
155 Result.addOuterTemplateArguments(FunTmpl->getInjectedTemplateArgs());
156 }
157
158 // If this is a friend declaration and it declares an entity at
159 // namespace scope, take arguments from its lexical parent
160 // instead of its semantic parent, unless of course the pattern we're
161 // instantiating actually comes from the file's context!
162 if (Function->getFriendObjectKind() &&
163 Function->getDeclContext()->isFileContext() &&
164 (!Pattern || !Pattern->getLexicalDeclContext()->isFileContext())) {
165 Ctx = Function->getLexicalDeclContext();
166 RelativeToPrimary = false;
167 continue;
168 }
169 } else if (CXXRecordDecl *Rec = dyn_cast<CXXRecordDecl>(Ctx)) {
170 if (ClassTemplateDecl *ClassTemplate = Rec->getDescribedClassTemplate()) {
171 QualType T = ClassTemplate->getInjectedClassNameSpecialization();
172 const TemplateSpecializationType *TST =
173 cast<TemplateSpecializationType>(Context.getCanonicalType(T));
174 Result.addOuterTemplateArguments(
175 llvm::makeArrayRef(TST->getArgs(), TST->getNumArgs()));
176 if (ClassTemplate->isMemberSpecialization())
177 break;
178 }
179 }
180
181 Ctx = Ctx->getParent();
182 RelativeToPrimary = false;
183 }
184
185 return Result;
186 }
187
isInstantiationRecord() const188 bool Sema::CodeSynthesisContext::isInstantiationRecord() const {
189 switch (Kind) {
190 case TemplateInstantiation:
191 case ExceptionSpecInstantiation:
192 case DefaultTemplateArgumentInstantiation:
193 case DefaultFunctionArgumentInstantiation:
194 case ExplicitTemplateArgumentSubstitution:
195 case DeducedTemplateArgumentSubstitution:
196 case PriorTemplateArgumentSubstitution:
197 return true;
198
199 case DefaultTemplateArgumentChecking:
200 case DeclaringSpecialMember:
201 case DefiningSynthesizedFunction:
202 case ExceptionSpecEvaluation:
203 return false;
204
205 // This function should never be called when Kind's value is Memoization.
206 case Memoization:
207 break;
208 }
209
210 llvm_unreachable("Invalid SynthesisKind!");
211 }
212
InstantiatingTemplate(Sema & SemaRef,CodeSynthesisContext::SynthesisKind Kind,SourceLocation PointOfInstantiation,SourceRange InstantiationRange,Decl * Entity,NamedDecl * Template,ArrayRef<TemplateArgument> TemplateArgs,sema::TemplateDeductionInfo * DeductionInfo)213 Sema::InstantiatingTemplate::InstantiatingTemplate(
214 Sema &SemaRef, CodeSynthesisContext::SynthesisKind Kind,
215 SourceLocation PointOfInstantiation, SourceRange InstantiationRange,
216 Decl *Entity, NamedDecl *Template, ArrayRef<TemplateArgument> TemplateArgs,
217 sema::TemplateDeductionInfo *DeductionInfo)
218 : SemaRef(SemaRef) {
219 // Don't allow further instantiation if a fatal error and an uncompilable
220 // error have occurred. Any diagnostics we might have raised will not be
221 // visible, and we do not need to construct a correct AST.
222 if (SemaRef.Diags.hasFatalErrorOccurred() &&
223 SemaRef.Diags.hasUncompilableErrorOccurred()) {
224 Invalid = true;
225 return;
226 }
227 Invalid = CheckInstantiationDepth(PointOfInstantiation, InstantiationRange);
228 if (!Invalid) {
229 CodeSynthesisContext Inst;
230 Inst.Kind = Kind;
231 Inst.PointOfInstantiation = PointOfInstantiation;
232 Inst.Entity = Entity;
233 Inst.Template = Template;
234 Inst.TemplateArgs = TemplateArgs.data();
235 Inst.NumTemplateArgs = TemplateArgs.size();
236 Inst.DeductionInfo = DeductionInfo;
237 Inst.InstantiationRange = InstantiationRange;
238 SemaRef.pushCodeSynthesisContext(Inst);
239
240 AlreadyInstantiating =
241 !SemaRef.InstantiatingSpecializations
242 .insert(std::make_pair(Inst.Entity->getCanonicalDecl(), Inst.Kind))
243 .second;
244 atTemplateBegin(SemaRef.TemplateInstCallbacks, SemaRef, Inst);
245 }
246 }
247
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,Decl * Entity,SourceRange InstantiationRange)248 Sema::InstantiatingTemplate::InstantiatingTemplate(
249 Sema &SemaRef, SourceLocation PointOfInstantiation, Decl *Entity,
250 SourceRange InstantiationRange)
251 : InstantiatingTemplate(SemaRef,
252 CodeSynthesisContext::TemplateInstantiation,
253 PointOfInstantiation, InstantiationRange, Entity) {}
254
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,FunctionDecl * Entity,ExceptionSpecification,SourceRange InstantiationRange)255 Sema::InstantiatingTemplate::InstantiatingTemplate(
256 Sema &SemaRef, SourceLocation PointOfInstantiation, FunctionDecl *Entity,
257 ExceptionSpecification, SourceRange InstantiationRange)
258 : InstantiatingTemplate(
259 SemaRef, CodeSynthesisContext::ExceptionSpecInstantiation,
260 PointOfInstantiation, InstantiationRange, Entity) {}
261
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,TemplateParameter Param,TemplateDecl * Template,ArrayRef<TemplateArgument> TemplateArgs,SourceRange InstantiationRange)262 Sema::InstantiatingTemplate::InstantiatingTemplate(
263 Sema &SemaRef, SourceLocation PointOfInstantiation, TemplateParameter Param,
264 TemplateDecl *Template, ArrayRef<TemplateArgument> TemplateArgs,
265 SourceRange InstantiationRange)
266 : InstantiatingTemplate(
267 SemaRef,
268 CodeSynthesisContext::DefaultTemplateArgumentInstantiation,
269 PointOfInstantiation, InstantiationRange, getAsNamedDecl(Param),
270 Template, TemplateArgs) {}
271
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,FunctionTemplateDecl * FunctionTemplate,ArrayRef<TemplateArgument> TemplateArgs,CodeSynthesisContext::SynthesisKind Kind,sema::TemplateDeductionInfo & DeductionInfo,SourceRange InstantiationRange)272 Sema::InstantiatingTemplate::InstantiatingTemplate(
273 Sema &SemaRef, SourceLocation PointOfInstantiation,
274 FunctionTemplateDecl *FunctionTemplate,
275 ArrayRef<TemplateArgument> TemplateArgs,
276 CodeSynthesisContext::SynthesisKind Kind,
277 sema::TemplateDeductionInfo &DeductionInfo, SourceRange InstantiationRange)
278 : InstantiatingTemplate(SemaRef, Kind, PointOfInstantiation,
279 InstantiationRange, FunctionTemplate, nullptr,
280 TemplateArgs, &DeductionInfo) {
281 assert(
282 Kind == CodeSynthesisContext::ExplicitTemplateArgumentSubstitution ||
283 Kind == CodeSynthesisContext::DeducedTemplateArgumentSubstitution);
284 }
285
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,TemplateDecl * Template,ArrayRef<TemplateArgument> TemplateArgs,sema::TemplateDeductionInfo & DeductionInfo,SourceRange InstantiationRange)286 Sema::InstantiatingTemplate::InstantiatingTemplate(
287 Sema &SemaRef, SourceLocation PointOfInstantiation,
288 TemplateDecl *Template,
289 ArrayRef<TemplateArgument> TemplateArgs,
290 sema::TemplateDeductionInfo &DeductionInfo, SourceRange InstantiationRange)
291 : InstantiatingTemplate(
292 SemaRef,
293 CodeSynthesisContext::DeducedTemplateArgumentSubstitution,
294 PointOfInstantiation, InstantiationRange, Template, nullptr,
295 TemplateArgs, &DeductionInfo) {}
296
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,ClassTemplatePartialSpecializationDecl * PartialSpec,ArrayRef<TemplateArgument> TemplateArgs,sema::TemplateDeductionInfo & DeductionInfo,SourceRange InstantiationRange)297 Sema::InstantiatingTemplate::InstantiatingTemplate(
298 Sema &SemaRef, SourceLocation PointOfInstantiation,
299 ClassTemplatePartialSpecializationDecl *PartialSpec,
300 ArrayRef<TemplateArgument> TemplateArgs,
301 sema::TemplateDeductionInfo &DeductionInfo, SourceRange InstantiationRange)
302 : InstantiatingTemplate(
303 SemaRef,
304 CodeSynthesisContext::DeducedTemplateArgumentSubstitution,
305 PointOfInstantiation, InstantiationRange, PartialSpec, nullptr,
306 TemplateArgs, &DeductionInfo) {}
307
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,VarTemplatePartialSpecializationDecl * PartialSpec,ArrayRef<TemplateArgument> TemplateArgs,sema::TemplateDeductionInfo & DeductionInfo,SourceRange InstantiationRange)308 Sema::InstantiatingTemplate::InstantiatingTemplate(
309 Sema &SemaRef, SourceLocation PointOfInstantiation,
310 VarTemplatePartialSpecializationDecl *PartialSpec,
311 ArrayRef<TemplateArgument> TemplateArgs,
312 sema::TemplateDeductionInfo &DeductionInfo, SourceRange InstantiationRange)
313 : InstantiatingTemplate(
314 SemaRef,
315 CodeSynthesisContext::DeducedTemplateArgumentSubstitution,
316 PointOfInstantiation, InstantiationRange, PartialSpec, nullptr,
317 TemplateArgs, &DeductionInfo) {}
318
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,ParmVarDecl * Param,ArrayRef<TemplateArgument> TemplateArgs,SourceRange InstantiationRange)319 Sema::InstantiatingTemplate::InstantiatingTemplate(
320 Sema &SemaRef, SourceLocation PointOfInstantiation, ParmVarDecl *Param,
321 ArrayRef<TemplateArgument> TemplateArgs, SourceRange InstantiationRange)
322 : InstantiatingTemplate(
323 SemaRef,
324 CodeSynthesisContext::DefaultFunctionArgumentInstantiation,
325 PointOfInstantiation, InstantiationRange, Param, nullptr,
326 TemplateArgs) {}
327
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,NamedDecl * Template,NonTypeTemplateParmDecl * Param,ArrayRef<TemplateArgument> TemplateArgs,SourceRange InstantiationRange)328 Sema::InstantiatingTemplate::InstantiatingTemplate(
329 Sema &SemaRef, SourceLocation PointOfInstantiation, NamedDecl *Template,
330 NonTypeTemplateParmDecl *Param, ArrayRef<TemplateArgument> TemplateArgs,
331 SourceRange InstantiationRange)
332 : InstantiatingTemplate(
333 SemaRef,
334 CodeSynthesisContext::PriorTemplateArgumentSubstitution,
335 PointOfInstantiation, InstantiationRange, Param, Template,
336 TemplateArgs) {}
337
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,NamedDecl * Template,TemplateTemplateParmDecl * Param,ArrayRef<TemplateArgument> TemplateArgs,SourceRange InstantiationRange)338 Sema::InstantiatingTemplate::InstantiatingTemplate(
339 Sema &SemaRef, SourceLocation PointOfInstantiation, NamedDecl *Template,
340 TemplateTemplateParmDecl *Param, ArrayRef<TemplateArgument> TemplateArgs,
341 SourceRange InstantiationRange)
342 : InstantiatingTemplate(
343 SemaRef,
344 CodeSynthesisContext::PriorTemplateArgumentSubstitution,
345 PointOfInstantiation, InstantiationRange, Param, Template,
346 TemplateArgs) {}
347
InstantiatingTemplate(Sema & SemaRef,SourceLocation PointOfInstantiation,TemplateDecl * Template,NamedDecl * Param,ArrayRef<TemplateArgument> TemplateArgs,SourceRange InstantiationRange)348 Sema::InstantiatingTemplate::InstantiatingTemplate(
349 Sema &SemaRef, SourceLocation PointOfInstantiation, TemplateDecl *Template,
350 NamedDecl *Param, ArrayRef<TemplateArgument> TemplateArgs,
351 SourceRange InstantiationRange)
352 : InstantiatingTemplate(
353 SemaRef, CodeSynthesisContext::DefaultTemplateArgumentChecking,
354 PointOfInstantiation, InstantiationRange, Param, Template,
355 TemplateArgs) {}
356
pushCodeSynthesisContext(CodeSynthesisContext Ctx)357 void Sema::pushCodeSynthesisContext(CodeSynthesisContext Ctx) {
358 Ctx.SavedInNonInstantiationSFINAEContext = InNonInstantiationSFINAEContext;
359 InNonInstantiationSFINAEContext = false;
360
361 CodeSynthesisContexts.push_back(Ctx);
362
363 if (!Ctx.isInstantiationRecord())
364 ++NonInstantiationEntries;
365 }
366
popCodeSynthesisContext()367 void Sema::popCodeSynthesisContext() {
368 auto &Active = CodeSynthesisContexts.back();
369 if (!Active.isInstantiationRecord()) {
370 assert(NonInstantiationEntries > 0);
371 --NonInstantiationEntries;
372 }
373
374 InNonInstantiationSFINAEContext = Active.SavedInNonInstantiationSFINAEContext;
375
376 // Name lookup no longer looks in this template's defining module.
377 assert(CodeSynthesisContexts.size() >=
378 CodeSynthesisContextLookupModules.size() &&
379 "forgot to remove a lookup module for a template instantiation");
380 if (CodeSynthesisContexts.size() ==
381 CodeSynthesisContextLookupModules.size()) {
382 if (Module *M = CodeSynthesisContextLookupModules.back())
383 LookupModulesCache.erase(M);
384 CodeSynthesisContextLookupModules.pop_back();
385 }
386
387 // If we've left the code synthesis context for the current context stack,
388 // stop remembering that we've emitted that stack.
389 if (CodeSynthesisContexts.size() ==
390 LastEmittedCodeSynthesisContextDepth)
391 LastEmittedCodeSynthesisContextDepth = 0;
392
393 CodeSynthesisContexts.pop_back();
394 }
395
Clear()396 void Sema::InstantiatingTemplate::Clear() {
397 if (!Invalid) {
398 if (!AlreadyInstantiating) {
399 auto &Active = SemaRef.CodeSynthesisContexts.back();
400 SemaRef.InstantiatingSpecializations.erase(
401 std::make_pair(Active.Entity, Active.Kind));
402 }
403
404 atTemplateEnd(SemaRef.TemplateInstCallbacks, SemaRef,
405 SemaRef.CodeSynthesisContexts.back());
406
407 SemaRef.popCodeSynthesisContext();
408 Invalid = true;
409 }
410 }
411
CheckInstantiationDepth(SourceLocation PointOfInstantiation,SourceRange InstantiationRange)412 bool Sema::InstantiatingTemplate::CheckInstantiationDepth(
413 SourceLocation PointOfInstantiation,
414 SourceRange InstantiationRange) {
415 assert(SemaRef.NonInstantiationEntries <=
416 SemaRef.CodeSynthesisContexts.size());
417 if ((SemaRef.CodeSynthesisContexts.size() -
418 SemaRef.NonInstantiationEntries)
419 <= SemaRef.getLangOpts().InstantiationDepth)
420 return false;
421
422 SemaRef.Diag(PointOfInstantiation,
423 diag::err_template_recursion_depth_exceeded)
424 << SemaRef.getLangOpts().InstantiationDepth
425 << InstantiationRange;
426 SemaRef.Diag(PointOfInstantiation, diag::note_template_recursion_depth)
427 << SemaRef.getLangOpts().InstantiationDepth;
428 return true;
429 }
430
431 /// Prints the current instantiation stack through a series of
432 /// notes.
PrintInstantiationStack()433 void Sema::PrintInstantiationStack() {
434 // Determine which template instantiations to skip, if any.
435 unsigned SkipStart = CodeSynthesisContexts.size(), SkipEnd = SkipStart;
436 unsigned Limit = Diags.getTemplateBacktraceLimit();
437 if (Limit && Limit < CodeSynthesisContexts.size()) {
438 SkipStart = Limit / 2 + Limit % 2;
439 SkipEnd = CodeSynthesisContexts.size() - Limit / 2;
440 }
441
442 // FIXME: In all of these cases, we need to show the template arguments
443 unsigned InstantiationIdx = 0;
444 for (SmallVectorImpl<CodeSynthesisContext>::reverse_iterator
445 Active = CodeSynthesisContexts.rbegin(),
446 ActiveEnd = CodeSynthesisContexts.rend();
447 Active != ActiveEnd;
448 ++Active, ++InstantiationIdx) {
449 // Skip this instantiation?
450 if (InstantiationIdx >= SkipStart && InstantiationIdx < SkipEnd) {
451 if (InstantiationIdx == SkipStart) {
452 // Note that we're skipping instantiations.
453 Diags.Report(Active->PointOfInstantiation,
454 diag::note_instantiation_contexts_suppressed)
455 << unsigned(CodeSynthesisContexts.size() - Limit);
456 }
457 continue;
458 }
459
460 switch (Active->Kind) {
461 case CodeSynthesisContext::TemplateInstantiation: {
462 Decl *D = Active->Entity;
463 if (CXXRecordDecl *Record = dyn_cast<CXXRecordDecl>(D)) {
464 unsigned DiagID = diag::note_template_member_class_here;
465 if (isa<ClassTemplateSpecializationDecl>(Record))
466 DiagID = diag::note_template_class_instantiation_here;
467 Diags.Report(Active->PointOfInstantiation, DiagID)
468 << Record << Active->InstantiationRange;
469 } else if (FunctionDecl *Function = dyn_cast<FunctionDecl>(D)) {
470 unsigned DiagID;
471 if (Function->getPrimaryTemplate())
472 DiagID = diag::note_function_template_spec_here;
473 else
474 DiagID = diag::note_template_member_function_here;
475 Diags.Report(Active->PointOfInstantiation, DiagID)
476 << Function
477 << Active->InstantiationRange;
478 } else if (VarDecl *VD = dyn_cast<VarDecl>(D)) {
479 Diags.Report(Active->PointOfInstantiation,
480 VD->isStaticDataMember()?
481 diag::note_template_static_data_member_def_here
482 : diag::note_template_variable_def_here)
483 << VD
484 << Active->InstantiationRange;
485 } else if (EnumDecl *ED = dyn_cast<EnumDecl>(D)) {
486 Diags.Report(Active->PointOfInstantiation,
487 diag::note_template_enum_def_here)
488 << ED
489 << Active->InstantiationRange;
490 } else if (FieldDecl *FD = dyn_cast<FieldDecl>(D)) {
491 Diags.Report(Active->PointOfInstantiation,
492 diag::note_template_nsdmi_here)
493 << FD << Active->InstantiationRange;
494 } else {
495 Diags.Report(Active->PointOfInstantiation,
496 diag::note_template_type_alias_instantiation_here)
497 << cast<TypeAliasTemplateDecl>(D)
498 << Active->InstantiationRange;
499 }
500 break;
501 }
502
503 case CodeSynthesisContext::DefaultTemplateArgumentInstantiation: {
504 TemplateDecl *Template = cast<TemplateDecl>(Active->Template);
505 SmallVector<char, 128> TemplateArgsStr;
506 llvm::raw_svector_ostream OS(TemplateArgsStr);
507 Template->printName(OS);
508 printTemplateArgumentList(OS, Active->template_arguments(),
509 getPrintingPolicy());
510 Diags.Report(Active->PointOfInstantiation,
511 diag::note_default_arg_instantiation_here)
512 << OS.str()
513 << Active->InstantiationRange;
514 break;
515 }
516
517 case CodeSynthesisContext::ExplicitTemplateArgumentSubstitution: {
518 FunctionTemplateDecl *FnTmpl = cast<FunctionTemplateDecl>(Active->Entity);
519 Diags.Report(Active->PointOfInstantiation,
520 diag::note_explicit_template_arg_substitution_here)
521 << FnTmpl
522 << getTemplateArgumentBindingsText(FnTmpl->getTemplateParameters(),
523 Active->TemplateArgs,
524 Active->NumTemplateArgs)
525 << Active->InstantiationRange;
526 break;
527 }
528
529 case CodeSynthesisContext::DeducedTemplateArgumentSubstitution: {
530 if (FunctionTemplateDecl *FnTmpl =
531 dyn_cast<FunctionTemplateDecl>(Active->Entity)) {
532 Diags.Report(Active->PointOfInstantiation,
533 diag::note_function_template_deduction_instantiation_here)
534 << FnTmpl
535 << getTemplateArgumentBindingsText(FnTmpl->getTemplateParameters(),
536 Active->TemplateArgs,
537 Active->NumTemplateArgs)
538 << Active->InstantiationRange;
539 } else {
540 bool IsVar = isa<VarTemplateDecl>(Active->Entity) ||
541 isa<VarTemplateSpecializationDecl>(Active->Entity);
542 bool IsTemplate = false;
543 TemplateParameterList *Params;
544 if (auto *D = dyn_cast<TemplateDecl>(Active->Entity)) {
545 IsTemplate = true;
546 Params = D->getTemplateParameters();
547 } else if (auto *D = dyn_cast<ClassTemplatePartialSpecializationDecl>(
548 Active->Entity)) {
549 Params = D->getTemplateParameters();
550 } else if (auto *D = dyn_cast<VarTemplatePartialSpecializationDecl>(
551 Active->Entity)) {
552 Params = D->getTemplateParameters();
553 } else {
554 llvm_unreachable("unexpected template kind");
555 }
556
557 Diags.Report(Active->PointOfInstantiation,
558 diag::note_deduced_template_arg_substitution_here)
559 << IsVar << IsTemplate << cast<NamedDecl>(Active->Entity)
560 << getTemplateArgumentBindingsText(Params, Active->TemplateArgs,
561 Active->NumTemplateArgs)
562 << Active->InstantiationRange;
563 }
564 break;
565 }
566
567 case CodeSynthesisContext::DefaultFunctionArgumentInstantiation: {
568 ParmVarDecl *Param = cast<ParmVarDecl>(Active->Entity);
569 FunctionDecl *FD = cast<FunctionDecl>(Param->getDeclContext());
570
571 SmallVector<char, 128> TemplateArgsStr;
572 llvm::raw_svector_ostream OS(TemplateArgsStr);
573 FD->printName(OS);
574 printTemplateArgumentList(OS, Active->template_arguments(),
575 getPrintingPolicy());
576 Diags.Report(Active->PointOfInstantiation,
577 diag::note_default_function_arg_instantiation_here)
578 << OS.str()
579 << Active->InstantiationRange;
580 break;
581 }
582
583 case CodeSynthesisContext::PriorTemplateArgumentSubstitution: {
584 NamedDecl *Parm = cast<NamedDecl>(Active->Entity);
585 std::string Name;
586 if (!Parm->getName().empty())
587 Name = std::string(" '") + Parm->getName().str() + "'";
588
589 TemplateParameterList *TemplateParams = nullptr;
590 if (TemplateDecl *Template = dyn_cast<TemplateDecl>(Active->Template))
591 TemplateParams = Template->getTemplateParameters();
592 else
593 TemplateParams =
594 cast<ClassTemplatePartialSpecializationDecl>(Active->Template)
595 ->getTemplateParameters();
596 Diags.Report(Active->PointOfInstantiation,
597 diag::note_prior_template_arg_substitution)
598 << isa<TemplateTemplateParmDecl>(Parm)
599 << Name
600 << getTemplateArgumentBindingsText(TemplateParams,
601 Active->TemplateArgs,
602 Active->NumTemplateArgs)
603 << Active->InstantiationRange;
604 break;
605 }
606
607 case CodeSynthesisContext::DefaultTemplateArgumentChecking: {
608 TemplateParameterList *TemplateParams = nullptr;
609 if (TemplateDecl *Template = dyn_cast<TemplateDecl>(Active->Template))
610 TemplateParams = Template->getTemplateParameters();
611 else
612 TemplateParams =
613 cast<ClassTemplatePartialSpecializationDecl>(Active->Template)
614 ->getTemplateParameters();
615
616 Diags.Report(Active->PointOfInstantiation,
617 diag::note_template_default_arg_checking)
618 << getTemplateArgumentBindingsText(TemplateParams,
619 Active->TemplateArgs,
620 Active->NumTemplateArgs)
621 << Active->InstantiationRange;
622 break;
623 }
624
625 case CodeSynthesisContext::ExceptionSpecEvaluation:
626 Diags.Report(Active->PointOfInstantiation,
627 diag::note_evaluating_exception_spec_here)
628 << cast<FunctionDecl>(Active->Entity);
629 break;
630
631 case CodeSynthesisContext::ExceptionSpecInstantiation:
632 Diags.Report(Active->PointOfInstantiation,
633 diag::note_template_exception_spec_instantiation_here)
634 << cast<FunctionDecl>(Active->Entity)
635 << Active->InstantiationRange;
636 break;
637
638 case CodeSynthesisContext::DeclaringSpecialMember:
639 Diags.Report(Active->PointOfInstantiation,
640 diag::note_in_declaration_of_implicit_special_member)
641 << cast<CXXRecordDecl>(Active->Entity) << Active->SpecialMember;
642 break;
643
644 case CodeSynthesisContext::DefiningSynthesizedFunction: {
645 // FIXME: For synthesized members other than special members, produce a note.
646 auto *MD = dyn_cast<CXXMethodDecl>(Active->Entity);
647 auto CSM = MD ? getSpecialMember(MD) : CXXInvalid;
648 if (CSM != CXXInvalid) {
649 Diags.Report(Active->PointOfInstantiation,
650 diag::note_member_synthesized_at)
651 << CSM << Context.getTagDeclType(MD->getParent());
652 }
653 break;
654 }
655
656 case CodeSynthesisContext::Memoization:
657 break;
658 }
659 }
660 }
661
isSFINAEContext() const662 Optional<TemplateDeductionInfo *> Sema::isSFINAEContext() const {
663 if (InNonInstantiationSFINAEContext)
664 return Optional<TemplateDeductionInfo *>(nullptr);
665
666 for (SmallVectorImpl<CodeSynthesisContext>::const_reverse_iterator
667 Active = CodeSynthesisContexts.rbegin(),
668 ActiveEnd = CodeSynthesisContexts.rend();
669 Active != ActiveEnd;
670 ++Active)
671 {
672 switch (Active->Kind) {
673 case CodeSynthesisContext::TemplateInstantiation:
674 // An instantiation of an alias template may or may not be a SFINAE
675 // context, depending on what else is on the stack.
676 if (isa<TypeAliasTemplateDecl>(Active->Entity))
677 break;
678 LLVM_FALLTHROUGH;
679 case CodeSynthesisContext::DefaultFunctionArgumentInstantiation:
680 case CodeSynthesisContext::ExceptionSpecInstantiation:
681 // This is a template instantiation, so there is no SFINAE.
682 return None;
683
684 case CodeSynthesisContext::DefaultTemplateArgumentInstantiation:
685 case CodeSynthesisContext::PriorTemplateArgumentSubstitution:
686 case CodeSynthesisContext::DefaultTemplateArgumentChecking:
687 // A default template argument instantiation and substitution into
688 // template parameters with arguments for prior parameters may or may
689 // not be a SFINAE context; look further up the stack.
690 break;
691
692 case CodeSynthesisContext::ExplicitTemplateArgumentSubstitution:
693 case CodeSynthesisContext::DeducedTemplateArgumentSubstitution:
694 // We're either substitution explicitly-specified template arguments
695 // or deduced template arguments, so SFINAE applies.
696 assert(Active->DeductionInfo && "Missing deduction info pointer");
697 return Active->DeductionInfo;
698
699 case CodeSynthesisContext::DeclaringSpecialMember:
700 case CodeSynthesisContext::DefiningSynthesizedFunction:
701 // This happens in a context unrelated to template instantiation, so
702 // there is no SFINAE.
703 return None;
704
705 case CodeSynthesisContext::ExceptionSpecEvaluation:
706 // FIXME: This should not be treated as a SFINAE context, because
707 // we will cache an incorrect exception specification. However, clang
708 // bootstrap relies this! See PR31692.
709 break;
710
711 case CodeSynthesisContext::Memoization:
712 break;
713 }
714
715 // The inner context was transparent for SFINAE. If it occurred within a
716 // non-instantiation SFINAE context, then SFINAE applies.
717 if (Active->SavedInNonInstantiationSFINAEContext)
718 return Optional<TemplateDeductionInfo *>(nullptr);
719 }
720
721 return None;
722 }
723
724 //===----------------------------------------------------------------------===/
725 // Template Instantiation for Types
726 //===----------------------------------------------------------------------===/
727 namespace {
728 class TemplateInstantiator : public TreeTransform<TemplateInstantiator> {
729 const MultiLevelTemplateArgumentList &TemplateArgs;
730 SourceLocation Loc;
731 DeclarationName Entity;
732
733 public:
734 typedef TreeTransform<TemplateInstantiator> inherited;
735
TemplateInstantiator(Sema & SemaRef,const MultiLevelTemplateArgumentList & TemplateArgs,SourceLocation Loc,DeclarationName Entity)736 TemplateInstantiator(Sema &SemaRef,
737 const MultiLevelTemplateArgumentList &TemplateArgs,
738 SourceLocation Loc,
739 DeclarationName Entity)
740 : inherited(SemaRef), TemplateArgs(TemplateArgs), Loc(Loc),
741 Entity(Entity) { }
742
743 /// Determine whether the given type \p T has already been
744 /// transformed.
745 ///
746 /// For the purposes of template instantiation, a type has already been
747 /// transformed if it is NULL or if it is not dependent.
748 bool AlreadyTransformed(QualType T);
749
750 /// Returns the location of the entity being instantiated, if known.
getBaseLocation()751 SourceLocation getBaseLocation() { return Loc; }
752
753 /// Returns the name of the entity being instantiated, if any.
getBaseEntity()754 DeclarationName getBaseEntity() { return Entity; }
755
756 /// Sets the "base" location and entity when that
757 /// information is known based on another transformation.
setBase(SourceLocation Loc,DeclarationName Entity)758 void setBase(SourceLocation Loc, DeclarationName Entity) {
759 this->Loc = Loc;
760 this->Entity = Entity;
761 }
762
TryExpandParameterPacks(SourceLocation EllipsisLoc,SourceRange PatternRange,ArrayRef<UnexpandedParameterPack> Unexpanded,bool & ShouldExpand,bool & RetainExpansion,Optional<unsigned> & NumExpansions)763 bool TryExpandParameterPacks(SourceLocation EllipsisLoc,
764 SourceRange PatternRange,
765 ArrayRef<UnexpandedParameterPack> Unexpanded,
766 bool &ShouldExpand, bool &RetainExpansion,
767 Optional<unsigned> &NumExpansions) {
768 return getSema().CheckParameterPacksForExpansion(EllipsisLoc,
769 PatternRange, Unexpanded,
770 TemplateArgs,
771 ShouldExpand,
772 RetainExpansion,
773 NumExpansions);
774 }
775
ExpandingFunctionParameterPack(ParmVarDecl * Pack)776 void ExpandingFunctionParameterPack(ParmVarDecl *Pack) {
777 SemaRef.CurrentInstantiationScope->MakeInstantiatedLocalArgPack(Pack);
778 }
779
ForgetPartiallySubstitutedPack()780 TemplateArgument ForgetPartiallySubstitutedPack() {
781 TemplateArgument Result;
782 if (NamedDecl *PartialPack
783 = SemaRef.CurrentInstantiationScope->getPartiallySubstitutedPack()){
784 MultiLevelTemplateArgumentList &TemplateArgs
785 = const_cast<MultiLevelTemplateArgumentList &>(this->TemplateArgs);
786 unsigned Depth, Index;
787 std::tie(Depth, Index) = getDepthAndIndex(PartialPack);
788 if (TemplateArgs.hasTemplateArgument(Depth, Index)) {
789 Result = TemplateArgs(Depth, Index);
790 TemplateArgs.setArgument(Depth, Index, TemplateArgument());
791 }
792 }
793
794 return Result;
795 }
796
RememberPartiallySubstitutedPack(TemplateArgument Arg)797 void RememberPartiallySubstitutedPack(TemplateArgument Arg) {
798 if (Arg.isNull())
799 return;
800
801 if (NamedDecl *PartialPack
802 = SemaRef.CurrentInstantiationScope->getPartiallySubstitutedPack()){
803 MultiLevelTemplateArgumentList &TemplateArgs
804 = const_cast<MultiLevelTemplateArgumentList &>(this->TemplateArgs);
805 unsigned Depth, Index;
806 std::tie(Depth, Index) = getDepthAndIndex(PartialPack);
807 TemplateArgs.setArgument(Depth, Index, Arg);
808 }
809 }
810
811 /// Transform the given declaration by instantiating a reference to
812 /// this declaration.
813 Decl *TransformDecl(SourceLocation Loc, Decl *D);
814
transformAttrs(Decl * Old,Decl * New)815 void transformAttrs(Decl *Old, Decl *New) {
816 SemaRef.InstantiateAttrs(TemplateArgs, Old, New);
817 }
818
transformedLocalDecl(Decl * Old,Decl * New)819 void transformedLocalDecl(Decl *Old, Decl *New) {
820 // If we've instantiated the call operator of a lambda or the call
821 // operator template of a generic lambda, update the "instantiation of"
822 // information.
823 auto *NewMD = dyn_cast<CXXMethodDecl>(New);
824 if (NewMD && isLambdaCallOperator(NewMD)) {
825 auto *OldMD = dyn_cast<CXXMethodDecl>(Old);
826 if (auto *NewTD = NewMD->getDescribedFunctionTemplate())
827 NewTD->setInstantiatedFromMemberTemplate(
828 OldMD->getDescribedFunctionTemplate());
829 else
830 NewMD->setInstantiationOfMemberFunction(OldMD,
831 TSK_ImplicitInstantiation);
832 }
833
834 SemaRef.CurrentInstantiationScope->InstantiatedLocal(Old, New);
835
836 // We recreated a local declaration, but not by instantiating it. There
837 // may be pending dependent diagnostics to produce.
838 if (auto *DC = dyn_cast<DeclContext>(Old))
839 SemaRef.PerformDependentDiagnostics(DC, TemplateArgs);
840 }
841
842 /// Transform the definition of the given declaration by
843 /// instantiating it.
844 Decl *TransformDefinition(SourceLocation Loc, Decl *D);
845
846 /// Transform the first qualifier within a scope by instantiating the
847 /// declaration.
848 NamedDecl *TransformFirstQualifierInScope(NamedDecl *D, SourceLocation Loc);
849
850 /// Rebuild the exception declaration and register the declaration
851 /// as an instantiated local.
852 VarDecl *RebuildExceptionDecl(VarDecl *ExceptionDecl,
853 TypeSourceInfo *Declarator,
854 SourceLocation StartLoc,
855 SourceLocation NameLoc,
856 IdentifierInfo *Name);
857
858 /// Rebuild the Objective-C exception declaration and register the
859 /// declaration as an instantiated local.
860 VarDecl *RebuildObjCExceptionDecl(VarDecl *ExceptionDecl,
861 TypeSourceInfo *TSInfo, QualType T);
862
863 /// Check for tag mismatches when instantiating an
864 /// elaborated type.
865 QualType RebuildElaboratedType(SourceLocation KeywordLoc,
866 ElaboratedTypeKeyword Keyword,
867 NestedNameSpecifierLoc QualifierLoc,
868 QualType T);
869
870 TemplateName
871 TransformTemplateName(CXXScopeSpec &SS, TemplateName Name,
872 SourceLocation NameLoc,
873 QualType ObjectType = QualType(),
874 NamedDecl *FirstQualifierInScope = nullptr,
875 bool AllowInjectedClassName = false);
876
877 const LoopHintAttr *TransformLoopHintAttr(const LoopHintAttr *LH);
878
879 ExprResult TransformPredefinedExpr(PredefinedExpr *E);
880 ExprResult TransformDeclRefExpr(DeclRefExpr *E);
881 ExprResult TransformCXXDefaultArgExpr(CXXDefaultArgExpr *E);
882
883 ExprResult TransformTemplateParmRefExpr(DeclRefExpr *E,
884 NonTypeTemplateParmDecl *D);
885 ExprResult TransformSubstNonTypeTemplateParmPackExpr(
886 SubstNonTypeTemplateParmPackExpr *E);
887
888 /// Rebuild a DeclRefExpr for a ParmVarDecl reference.
889 ExprResult RebuildParmVarDeclRefExpr(ParmVarDecl *PD, SourceLocation Loc);
890
891 /// Transform a reference to a function parameter pack.
892 ExprResult TransformFunctionParmPackRefExpr(DeclRefExpr *E,
893 ParmVarDecl *PD);
894
895 /// Transform a FunctionParmPackExpr which was built when we couldn't
896 /// expand a function parameter pack reference which refers to an expanded
897 /// pack.
898 ExprResult TransformFunctionParmPackExpr(FunctionParmPackExpr *E);
899
TransformFunctionProtoType(TypeLocBuilder & TLB,FunctionProtoTypeLoc TL)900 QualType TransformFunctionProtoType(TypeLocBuilder &TLB,
901 FunctionProtoTypeLoc TL) {
902 // Call the base version; it will forward to our overridden version below.
903 return inherited::TransformFunctionProtoType(TLB, TL);
904 }
905
906 template<typename Fn>
907 QualType TransformFunctionProtoType(TypeLocBuilder &TLB,
908 FunctionProtoTypeLoc TL,
909 CXXRecordDecl *ThisContext,
910 Qualifiers ThisTypeQuals,
911 Fn TransformExceptionSpec);
912
913 ParmVarDecl *TransformFunctionTypeParam(ParmVarDecl *OldParm,
914 int indexAdjustment,
915 Optional<unsigned> NumExpansions,
916 bool ExpectParameterPack);
917
918 /// Transforms a template type parameter type by performing
919 /// substitution of the corresponding template type argument.
920 QualType TransformTemplateTypeParmType(TypeLocBuilder &TLB,
921 TemplateTypeParmTypeLoc TL);
922
923 /// Transforms an already-substituted template type parameter pack
924 /// into either itself (if we aren't substituting into its pack expansion)
925 /// or the appropriate substituted argument.
926 QualType TransformSubstTemplateTypeParmPackType(TypeLocBuilder &TLB,
927 SubstTemplateTypeParmPackTypeLoc TL);
928
TransformLambdaExpr(LambdaExpr * E)929 ExprResult TransformLambdaExpr(LambdaExpr *E) {
930 LocalInstantiationScope Scope(SemaRef, /*CombineWithOuterScope=*/true);
931 return TreeTransform<TemplateInstantiator>::TransformLambdaExpr(E);
932 }
933
TransformTemplateParameterList(TemplateParameterList * OrigTPL)934 TemplateParameterList *TransformTemplateParameterList(
935 TemplateParameterList *OrigTPL) {
936 if (!OrigTPL || !OrigTPL->size()) return OrigTPL;
937
938 DeclContext *Owner = OrigTPL->getParam(0)->getDeclContext();
939 TemplateDeclInstantiator DeclInstantiator(getSema(),
940 /* DeclContext *Owner */ Owner, TemplateArgs);
941 return DeclInstantiator.SubstTemplateParams(OrigTPL);
942 }
943 private:
944 ExprResult transformNonTypeTemplateParmRef(NonTypeTemplateParmDecl *parm,
945 SourceLocation loc,
946 TemplateArgument arg);
947 };
948 }
949
AlreadyTransformed(QualType T)950 bool TemplateInstantiator::AlreadyTransformed(QualType T) {
951 if (T.isNull())
952 return true;
953
954 if (T->isInstantiationDependentType() || T->isVariablyModifiedType())
955 return false;
956
957 getSema().MarkDeclarationsReferencedInType(Loc, T);
958 return true;
959 }
960
961 static TemplateArgument
getPackSubstitutedTemplateArgument(Sema & S,TemplateArgument Arg)962 getPackSubstitutedTemplateArgument(Sema &S, TemplateArgument Arg) {
963 assert(S.ArgumentPackSubstitutionIndex >= 0);
964 assert(S.ArgumentPackSubstitutionIndex < (int)Arg.pack_size());
965 Arg = Arg.pack_begin()[S.ArgumentPackSubstitutionIndex];
966 if (Arg.isPackExpansion())
967 Arg = Arg.getPackExpansionPattern();
968 return Arg;
969 }
970
TransformDecl(SourceLocation Loc,Decl * D)971 Decl *TemplateInstantiator::TransformDecl(SourceLocation Loc, Decl *D) {
972 if (!D)
973 return nullptr;
974
975 if (TemplateTemplateParmDecl *TTP = dyn_cast<TemplateTemplateParmDecl>(D)) {
976 if (TTP->getDepth() < TemplateArgs.getNumLevels()) {
977 // If the corresponding template argument is NULL or non-existent, it's
978 // because we are performing instantiation from explicitly-specified
979 // template arguments in a function template, but there were some
980 // arguments left unspecified.
981 if (!TemplateArgs.hasTemplateArgument(TTP->getDepth(),
982 TTP->getPosition()))
983 return D;
984
985 TemplateArgument Arg = TemplateArgs(TTP->getDepth(), TTP->getPosition());
986
987 if (TTP->isParameterPack()) {
988 assert(Arg.getKind() == TemplateArgument::Pack &&
989 "Missing argument pack");
990 Arg = getPackSubstitutedTemplateArgument(getSema(), Arg);
991 }
992
993 TemplateName Template = Arg.getAsTemplate().getNameToSubstitute();
994 assert(!Template.isNull() && Template.getAsTemplateDecl() &&
995 "Wrong kind of template template argument");
996 return Template.getAsTemplateDecl();
997 }
998
999 // Fall through to find the instantiated declaration for this template
1000 // template parameter.
1001 }
1002
1003 return SemaRef.FindInstantiatedDecl(Loc, cast<NamedDecl>(D), TemplateArgs);
1004 }
1005
TransformDefinition(SourceLocation Loc,Decl * D)1006 Decl *TemplateInstantiator::TransformDefinition(SourceLocation Loc, Decl *D) {
1007 Decl *Inst = getSema().SubstDecl(D, getSema().CurContext, TemplateArgs);
1008 if (!Inst)
1009 return nullptr;
1010
1011 getSema().CurrentInstantiationScope->InstantiatedLocal(D, Inst);
1012 return Inst;
1013 }
1014
1015 NamedDecl *
TransformFirstQualifierInScope(NamedDecl * D,SourceLocation Loc)1016 TemplateInstantiator::TransformFirstQualifierInScope(NamedDecl *D,
1017 SourceLocation Loc) {
1018 // If the first part of the nested-name-specifier was a template type
1019 // parameter, instantiate that type parameter down to a tag type.
1020 if (TemplateTypeParmDecl *TTPD = dyn_cast_or_null<TemplateTypeParmDecl>(D)) {
1021 const TemplateTypeParmType *TTP
1022 = cast<TemplateTypeParmType>(getSema().Context.getTypeDeclType(TTPD));
1023
1024 if (TTP->getDepth() < TemplateArgs.getNumLevels()) {
1025 // FIXME: This needs testing w/ member access expressions.
1026 TemplateArgument Arg = TemplateArgs(TTP->getDepth(), TTP->getIndex());
1027
1028 if (TTP->isParameterPack()) {
1029 assert(Arg.getKind() == TemplateArgument::Pack &&
1030 "Missing argument pack");
1031
1032 if (getSema().ArgumentPackSubstitutionIndex == -1)
1033 return nullptr;
1034
1035 Arg = getPackSubstitutedTemplateArgument(getSema(), Arg);
1036 }
1037
1038 QualType T = Arg.getAsType();
1039 if (T.isNull())
1040 return cast_or_null<NamedDecl>(TransformDecl(Loc, D));
1041
1042 if (const TagType *Tag = T->getAs<TagType>())
1043 return Tag->getDecl();
1044
1045 // The resulting type is not a tag; complain.
1046 getSema().Diag(Loc, diag::err_nested_name_spec_non_tag) << T;
1047 return nullptr;
1048 }
1049 }
1050
1051 return cast_or_null<NamedDecl>(TransformDecl(Loc, D));
1052 }
1053
1054 VarDecl *
RebuildExceptionDecl(VarDecl * ExceptionDecl,TypeSourceInfo * Declarator,SourceLocation StartLoc,SourceLocation NameLoc,IdentifierInfo * Name)1055 TemplateInstantiator::RebuildExceptionDecl(VarDecl *ExceptionDecl,
1056 TypeSourceInfo *Declarator,
1057 SourceLocation StartLoc,
1058 SourceLocation NameLoc,
1059 IdentifierInfo *Name) {
1060 VarDecl *Var = inherited::RebuildExceptionDecl(ExceptionDecl, Declarator,
1061 StartLoc, NameLoc, Name);
1062 if (Var)
1063 getSema().CurrentInstantiationScope->InstantiatedLocal(ExceptionDecl, Var);
1064 return Var;
1065 }
1066
RebuildObjCExceptionDecl(VarDecl * ExceptionDecl,TypeSourceInfo * TSInfo,QualType T)1067 VarDecl *TemplateInstantiator::RebuildObjCExceptionDecl(VarDecl *ExceptionDecl,
1068 TypeSourceInfo *TSInfo,
1069 QualType T) {
1070 VarDecl *Var = inherited::RebuildObjCExceptionDecl(ExceptionDecl, TSInfo, T);
1071 if (Var)
1072 getSema().CurrentInstantiationScope->InstantiatedLocal(ExceptionDecl, Var);
1073 return Var;
1074 }
1075
1076 QualType
RebuildElaboratedType(SourceLocation KeywordLoc,ElaboratedTypeKeyword Keyword,NestedNameSpecifierLoc QualifierLoc,QualType T)1077 TemplateInstantiator::RebuildElaboratedType(SourceLocation KeywordLoc,
1078 ElaboratedTypeKeyword Keyword,
1079 NestedNameSpecifierLoc QualifierLoc,
1080 QualType T) {
1081 if (const TagType *TT = T->getAs<TagType>()) {
1082 TagDecl* TD = TT->getDecl();
1083
1084 SourceLocation TagLocation = KeywordLoc;
1085
1086 IdentifierInfo *Id = TD->getIdentifier();
1087
1088 // TODO: should we even warn on struct/class mismatches for this? Seems
1089 // like it's likely to produce a lot of spurious errors.
1090 if (Id && Keyword != ETK_None && Keyword != ETK_Typename) {
1091 TagTypeKind Kind = TypeWithKeyword::getTagTypeKindForKeyword(Keyword);
1092 if (!SemaRef.isAcceptableTagRedeclaration(TD, Kind, /*isDefinition*/false,
1093 TagLocation, Id)) {
1094 SemaRef.Diag(TagLocation, diag::err_use_with_wrong_tag)
1095 << Id
1096 << FixItHint::CreateReplacement(SourceRange(TagLocation),
1097 TD->getKindName());
1098 SemaRef.Diag(TD->getLocation(), diag::note_previous_use);
1099 }
1100 }
1101 }
1102
1103 return TreeTransform<TemplateInstantiator>::RebuildElaboratedType(KeywordLoc,
1104 Keyword,
1105 QualifierLoc,
1106 T);
1107 }
1108
TransformTemplateName(CXXScopeSpec & SS,TemplateName Name,SourceLocation NameLoc,QualType ObjectType,NamedDecl * FirstQualifierInScope,bool AllowInjectedClassName)1109 TemplateName TemplateInstantiator::TransformTemplateName(
1110 CXXScopeSpec &SS, TemplateName Name, SourceLocation NameLoc,
1111 QualType ObjectType, NamedDecl *FirstQualifierInScope,
1112 bool AllowInjectedClassName) {
1113 if (TemplateTemplateParmDecl *TTP
1114 = dyn_cast_or_null<TemplateTemplateParmDecl>(Name.getAsTemplateDecl())) {
1115 if (TTP->getDepth() < TemplateArgs.getNumLevels()) {
1116 // If the corresponding template argument is NULL or non-existent, it's
1117 // because we are performing instantiation from explicitly-specified
1118 // template arguments in a function template, but there were some
1119 // arguments left unspecified.
1120 if (!TemplateArgs.hasTemplateArgument(TTP->getDepth(),
1121 TTP->getPosition()))
1122 return Name;
1123
1124 TemplateArgument Arg = TemplateArgs(TTP->getDepth(), TTP->getPosition());
1125
1126 if (TTP->isParameterPack()) {
1127 assert(Arg.getKind() == TemplateArgument::Pack &&
1128 "Missing argument pack");
1129
1130 if (getSema().ArgumentPackSubstitutionIndex == -1) {
1131 // We have the template argument pack to substitute, but we're not
1132 // actually expanding the enclosing pack expansion yet. So, just
1133 // keep the entire argument pack.
1134 return getSema().Context.getSubstTemplateTemplateParmPack(TTP, Arg);
1135 }
1136
1137 Arg = getPackSubstitutedTemplateArgument(getSema(), Arg);
1138 }
1139
1140 TemplateName Template = Arg.getAsTemplate().getNameToSubstitute();
1141 assert(!Template.isNull() && "Null template template argument");
1142 assert(!Template.getAsQualifiedTemplateName() &&
1143 "template decl to substitute is qualified?");
1144
1145 Template = getSema().Context.getSubstTemplateTemplateParm(TTP, Template);
1146 return Template;
1147 }
1148 }
1149
1150 if (SubstTemplateTemplateParmPackStorage *SubstPack
1151 = Name.getAsSubstTemplateTemplateParmPack()) {
1152 if (getSema().ArgumentPackSubstitutionIndex == -1)
1153 return Name;
1154
1155 TemplateArgument Arg = SubstPack->getArgumentPack();
1156 Arg = getPackSubstitutedTemplateArgument(getSema(), Arg);
1157 return Arg.getAsTemplate().getNameToSubstitute();
1158 }
1159
1160 return inherited::TransformTemplateName(SS, Name, NameLoc, ObjectType,
1161 FirstQualifierInScope,
1162 AllowInjectedClassName);
1163 }
1164
1165 ExprResult
TransformPredefinedExpr(PredefinedExpr * E)1166 TemplateInstantiator::TransformPredefinedExpr(PredefinedExpr *E) {
1167 if (!E->isTypeDependent())
1168 return E;
1169
1170 return getSema().BuildPredefinedExpr(E->getLocation(), E->getIdentKind());
1171 }
1172
1173 ExprResult
TransformTemplateParmRefExpr(DeclRefExpr * E,NonTypeTemplateParmDecl * NTTP)1174 TemplateInstantiator::TransformTemplateParmRefExpr(DeclRefExpr *E,
1175 NonTypeTemplateParmDecl *NTTP) {
1176 // If the corresponding template argument is NULL or non-existent, it's
1177 // because we are performing instantiation from explicitly-specified
1178 // template arguments in a function template, but there were some
1179 // arguments left unspecified.
1180 if (!TemplateArgs.hasTemplateArgument(NTTP->getDepth(),
1181 NTTP->getPosition()))
1182 return E;
1183
1184 TemplateArgument Arg = TemplateArgs(NTTP->getDepth(), NTTP->getPosition());
1185
1186 if (TemplateArgs.getNumLevels() != TemplateArgs.getNumSubstitutedLevels()) {
1187 // We're performing a partial substitution, so the substituted argument
1188 // could be dependent. As a result we can't create a SubstNonType*Expr
1189 // node now, since that represents a fully-substituted argument.
1190 // FIXME: We should have some AST representation for this.
1191 if (Arg.getKind() == TemplateArgument::Pack) {
1192 // FIXME: This won't work for alias templates.
1193 assert(Arg.pack_size() == 1 && Arg.pack_begin()->isPackExpansion() &&
1194 "unexpected pack arguments in partial substitution");
1195 Arg = Arg.pack_begin()->getPackExpansionPattern();
1196 }
1197 assert(Arg.getKind() == TemplateArgument::Expression &&
1198 "unexpected nontype template argument kind in partial substitution");
1199 return Arg.getAsExpr();
1200 }
1201
1202 if (NTTP->isParameterPack()) {
1203 assert(Arg.getKind() == TemplateArgument::Pack &&
1204 "Missing argument pack");
1205
1206 if (getSema().ArgumentPackSubstitutionIndex == -1) {
1207 // We have an argument pack, but we can't select a particular argument
1208 // out of it yet. Therefore, we'll build an expression to hold on to that
1209 // argument pack.
1210 QualType TargetType = SemaRef.SubstType(NTTP->getType(), TemplateArgs,
1211 E->getLocation(),
1212 NTTP->getDeclName());
1213 if (TargetType.isNull())
1214 return ExprError();
1215
1216 return new (SemaRef.Context) SubstNonTypeTemplateParmPackExpr(
1217 TargetType.getNonLValueExprType(SemaRef.Context),
1218 TargetType->isReferenceType() ? VK_LValue : VK_RValue, NTTP,
1219 E->getLocation(), Arg);
1220 }
1221
1222 Arg = getPackSubstitutedTemplateArgument(getSema(), Arg);
1223 }
1224
1225 return transformNonTypeTemplateParmRef(NTTP, E->getLocation(), Arg);
1226 }
1227
1228 const LoopHintAttr *
TransformLoopHintAttr(const LoopHintAttr * LH)1229 TemplateInstantiator::TransformLoopHintAttr(const LoopHintAttr *LH) {
1230 Expr *TransformedExpr = getDerived().TransformExpr(LH->getValue()).get();
1231
1232 if (TransformedExpr == LH->getValue())
1233 return LH;
1234
1235 // Generate error if there is a problem with the value.
1236 if (getSema().CheckLoopHintExpr(TransformedExpr, LH->getLocation()))
1237 return LH;
1238
1239 // Create new LoopHintValueAttr with integral expression in place of the
1240 // non-type template parameter.
1241 return LoopHintAttr::CreateImplicit(
1242 getSema().Context, LH->getSemanticSpelling(), LH->getOption(),
1243 LH->getState(), TransformedExpr, LH->getRange());
1244 }
1245
transformNonTypeTemplateParmRef(NonTypeTemplateParmDecl * parm,SourceLocation loc,TemplateArgument arg)1246 ExprResult TemplateInstantiator::transformNonTypeTemplateParmRef(
1247 NonTypeTemplateParmDecl *parm,
1248 SourceLocation loc,
1249 TemplateArgument arg) {
1250 ExprResult result;
1251 QualType type;
1252
1253 // The template argument itself might be an expression, in which
1254 // case we just return that expression.
1255 if (arg.getKind() == TemplateArgument::Expression) {
1256 Expr *argExpr = arg.getAsExpr();
1257 result = argExpr;
1258 type = argExpr->getType();
1259
1260 } else if (arg.getKind() == TemplateArgument::Declaration ||
1261 arg.getKind() == TemplateArgument::NullPtr) {
1262 ValueDecl *VD;
1263 if (arg.getKind() == TemplateArgument::Declaration) {
1264 VD = arg.getAsDecl();
1265
1266 // Find the instantiation of the template argument. This is
1267 // required for nested templates.
1268 VD = cast_or_null<ValueDecl>(
1269 getSema().FindInstantiatedDecl(loc, VD, TemplateArgs));
1270 if (!VD)
1271 return ExprError();
1272 } else {
1273 // Propagate NULL template argument.
1274 VD = nullptr;
1275 }
1276
1277 // Derive the type we want the substituted decl to have. This had
1278 // better be non-dependent, or these checks will have serious problems.
1279 if (parm->isExpandedParameterPack()) {
1280 type = parm->getExpansionType(SemaRef.ArgumentPackSubstitutionIndex);
1281 } else if (parm->isParameterPack() &&
1282 isa<PackExpansionType>(parm->getType())) {
1283 type = SemaRef.SubstType(
1284 cast<PackExpansionType>(parm->getType())->getPattern(),
1285 TemplateArgs, loc, parm->getDeclName());
1286 } else {
1287 type = SemaRef.SubstType(VD ? arg.getParamTypeForDecl() : arg.getNullPtrType(),
1288 TemplateArgs, loc, parm->getDeclName());
1289 }
1290 assert(!type.isNull() && "type substitution failed for param type");
1291 assert(!type->isDependentType() && "param type still dependent");
1292 result = SemaRef.BuildExpressionFromDeclTemplateArgument(arg, type, loc);
1293
1294 if (!result.isInvalid()) type = result.get()->getType();
1295 } else {
1296 result = SemaRef.BuildExpressionFromIntegralTemplateArgument(arg, loc);
1297
1298 // Note that this type can be different from the type of 'result',
1299 // e.g. if it's an enum type.
1300 type = arg.getIntegralType();
1301 }
1302 if (result.isInvalid()) return ExprError();
1303
1304 Expr *resultExpr = result.get();
1305 return new (SemaRef.Context) SubstNonTypeTemplateParmExpr(
1306 type, resultExpr->getValueKind(), loc, parm, resultExpr);
1307 }
1308
1309 ExprResult
TransformSubstNonTypeTemplateParmPackExpr(SubstNonTypeTemplateParmPackExpr * E)1310 TemplateInstantiator::TransformSubstNonTypeTemplateParmPackExpr(
1311 SubstNonTypeTemplateParmPackExpr *E) {
1312 if (getSema().ArgumentPackSubstitutionIndex == -1) {
1313 // We aren't expanding the parameter pack, so just return ourselves.
1314 return E;
1315 }
1316
1317 TemplateArgument Arg = E->getArgumentPack();
1318 Arg = getPackSubstitutedTemplateArgument(getSema(), Arg);
1319 return transformNonTypeTemplateParmRef(E->getParameterPack(),
1320 E->getParameterPackLocation(),
1321 Arg);
1322 }
1323
1324 ExprResult
RebuildParmVarDeclRefExpr(ParmVarDecl * PD,SourceLocation Loc)1325 TemplateInstantiator::RebuildParmVarDeclRefExpr(ParmVarDecl *PD,
1326 SourceLocation Loc) {
1327 DeclarationNameInfo NameInfo(PD->getDeclName(), Loc);
1328 return getSema().BuildDeclarationNameExpr(CXXScopeSpec(), NameInfo, PD);
1329 }
1330
1331 ExprResult
TransformFunctionParmPackExpr(FunctionParmPackExpr * E)1332 TemplateInstantiator::TransformFunctionParmPackExpr(FunctionParmPackExpr *E) {
1333 if (getSema().ArgumentPackSubstitutionIndex != -1) {
1334 // We can expand this parameter pack now.
1335 ParmVarDecl *D = E->getExpansion(getSema().ArgumentPackSubstitutionIndex);
1336 ValueDecl *VD = cast_or_null<ValueDecl>(TransformDecl(E->getExprLoc(), D));
1337 if (!VD)
1338 return ExprError();
1339 return RebuildParmVarDeclRefExpr(cast<ParmVarDecl>(VD), E->getExprLoc());
1340 }
1341
1342 QualType T = TransformType(E->getType());
1343 if (T.isNull())
1344 return ExprError();
1345
1346 // Transform each of the parameter expansions into the corresponding
1347 // parameters in the instantiation of the function decl.
1348 SmallVector<ParmVarDecl *, 8> Parms;
1349 Parms.reserve(E->getNumExpansions());
1350 for (FunctionParmPackExpr::iterator I = E->begin(), End = E->end();
1351 I != End; ++I) {
1352 ParmVarDecl *D =
1353 cast_or_null<ParmVarDecl>(TransformDecl(E->getExprLoc(), *I));
1354 if (!D)
1355 return ExprError();
1356 Parms.push_back(D);
1357 }
1358
1359 return FunctionParmPackExpr::Create(getSema().Context, T,
1360 E->getParameterPack(),
1361 E->getParameterPackLocation(), Parms);
1362 }
1363
1364 ExprResult
TransformFunctionParmPackRefExpr(DeclRefExpr * E,ParmVarDecl * PD)1365 TemplateInstantiator::TransformFunctionParmPackRefExpr(DeclRefExpr *E,
1366 ParmVarDecl *PD) {
1367 typedef LocalInstantiationScope::DeclArgumentPack DeclArgumentPack;
1368 llvm::PointerUnion<Decl *, DeclArgumentPack *> *Found
1369 = getSema().CurrentInstantiationScope->findInstantiationOf(PD);
1370 assert(Found && "no instantiation for parameter pack");
1371
1372 Decl *TransformedDecl;
1373 if (DeclArgumentPack *Pack = Found->dyn_cast<DeclArgumentPack *>()) {
1374 // If this is a reference to a function parameter pack which we can
1375 // substitute but can't yet expand, build a FunctionParmPackExpr for it.
1376 if (getSema().ArgumentPackSubstitutionIndex == -1) {
1377 QualType T = TransformType(E->getType());
1378 if (T.isNull())
1379 return ExprError();
1380 return FunctionParmPackExpr::Create(getSema().Context, T, PD,
1381 E->getExprLoc(), *Pack);
1382 }
1383
1384 TransformedDecl = (*Pack)[getSema().ArgumentPackSubstitutionIndex];
1385 } else {
1386 TransformedDecl = Found->get<Decl*>();
1387 }
1388
1389 // We have either an unexpanded pack or a specific expansion.
1390 return RebuildParmVarDeclRefExpr(cast<ParmVarDecl>(TransformedDecl),
1391 E->getExprLoc());
1392 }
1393
1394 ExprResult
TransformDeclRefExpr(DeclRefExpr * E)1395 TemplateInstantiator::TransformDeclRefExpr(DeclRefExpr *E) {
1396 NamedDecl *D = E->getDecl();
1397
1398 // Handle references to non-type template parameters and non-type template
1399 // parameter packs.
1400 if (NonTypeTemplateParmDecl *NTTP = dyn_cast<NonTypeTemplateParmDecl>(D)) {
1401 if (NTTP->getDepth() < TemplateArgs.getNumLevels())
1402 return TransformTemplateParmRefExpr(E, NTTP);
1403
1404 // We have a non-type template parameter that isn't fully substituted;
1405 // FindInstantiatedDecl will find it in the local instantiation scope.
1406 }
1407
1408 // Handle references to function parameter packs.
1409 if (ParmVarDecl *PD = dyn_cast<ParmVarDecl>(D))
1410 if (PD->isParameterPack())
1411 return TransformFunctionParmPackRefExpr(E, PD);
1412
1413 return TreeTransform<TemplateInstantiator>::TransformDeclRefExpr(E);
1414 }
1415
TransformCXXDefaultArgExpr(CXXDefaultArgExpr * E)1416 ExprResult TemplateInstantiator::TransformCXXDefaultArgExpr(
1417 CXXDefaultArgExpr *E) {
1418 assert(!cast<FunctionDecl>(E->getParam()->getDeclContext())->
1419 getDescribedFunctionTemplate() &&
1420 "Default arg expressions are never formed in dependent cases.");
1421 return SemaRef.BuildCXXDefaultArgExpr(E->getUsedLocation(),
1422 cast<FunctionDecl>(E->getParam()->getDeclContext()),
1423 E->getParam());
1424 }
1425
1426 template<typename Fn>
TransformFunctionProtoType(TypeLocBuilder & TLB,FunctionProtoTypeLoc TL,CXXRecordDecl * ThisContext,Qualifiers ThisTypeQuals,Fn TransformExceptionSpec)1427 QualType TemplateInstantiator::TransformFunctionProtoType(TypeLocBuilder &TLB,
1428 FunctionProtoTypeLoc TL,
1429 CXXRecordDecl *ThisContext,
1430 Qualifiers ThisTypeQuals,
1431 Fn TransformExceptionSpec) {
1432 // We need a local instantiation scope for this function prototype.
1433 LocalInstantiationScope Scope(SemaRef, /*CombineWithOuterScope=*/true);
1434 return inherited::TransformFunctionProtoType(
1435 TLB, TL, ThisContext, ThisTypeQuals, TransformExceptionSpec);
1436 }
1437
1438 ParmVarDecl *
TransformFunctionTypeParam(ParmVarDecl * OldParm,int indexAdjustment,Optional<unsigned> NumExpansions,bool ExpectParameterPack)1439 TemplateInstantiator::TransformFunctionTypeParam(ParmVarDecl *OldParm,
1440 int indexAdjustment,
1441 Optional<unsigned> NumExpansions,
1442 bool ExpectParameterPack) {
1443 return SemaRef.SubstParmVarDecl(OldParm, TemplateArgs, indexAdjustment,
1444 NumExpansions, ExpectParameterPack);
1445 }
1446
1447 QualType
TransformTemplateTypeParmType(TypeLocBuilder & TLB,TemplateTypeParmTypeLoc TL)1448 TemplateInstantiator::TransformTemplateTypeParmType(TypeLocBuilder &TLB,
1449 TemplateTypeParmTypeLoc TL) {
1450 const TemplateTypeParmType *T = TL.getTypePtr();
1451 if (T->getDepth() < TemplateArgs.getNumLevels()) {
1452 // Replace the template type parameter with its corresponding
1453 // template argument.
1454
1455 // If the corresponding template argument is NULL or doesn't exist, it's
1456 // because we are performing instantiation from explicitly-specified
1457 // template arguments in a function template class, but there were some
1458 // arguments left unspecified.
1459 if (!TemplateArgs.hasTemplateArgument(T->getDepth(), T->getIndex())) {
1460 TemplateTypeParmTypeLoc NewTL
1461 = TLB.push<TemplateTypeParmTypeLoc>(TL.getType());
1462 NewTL.setNameLoc(TL.getNameLoc());
1463 return TL.getType();
1464 }
1465
1466 TemplateArgument Arg = TemplateArgs(T->getDepth(), T->getIndex());
1467
1468 if (T->isParameterPack()) {
1469 assert(Arg.getKind() == TemplateArgument::Pack &&
1470 "Missing argument pack");
1471
1472 if (getSema().ArgumentPackSubstitutionIndex == -1) {
1473 // We have the template argument pack, but we're not expanding the
1474 // enclosing pack expansion yet. Just save the template argument
1475 // pack for later substitution.
1476 QualType Result
1477 = getSema().Context.getSubstTemplateTypeParmPackType(T, Arg);
1478 SubstTemplateTypeParmPackTypeLoc NewTL
1479 = TLB.push<SubstTemplateTypeParmPackTypeLoc>(Result);
1480 NewTL.setNameLoc(TL.getNameLoc());
1481 return Result;
1482 }
1483
1484 Arg = getPackSubstitutedTemplateArgument(getSema(), Arg);
1485 }
1486
1487 assert(Arg.getKind() == TemplateArgument::Type &&
1488 "Template argument kind mismatch");
1489
1490 QualType Replacement = Arg.getAsType();
1491
1492 // TODO: only do this uniquing once, at the start of instantiation.
1493 QualType Result
1494 = getSema().Context.getSubstTemplateTypeParmType(T, Replacement);
1495 SubstTemplateTypeParmTypeLoc NewTL
1496 = TLB.push<SubstTemplateTypeParmTypeLoc>(Result);
1497 NewTL.setNameLoc(TL.getNameLoc());
1498 return Result;
1499 }
1500
1501 // The template type parameter comes from an inner template (e.g.,
1502 // the template parameter list of a member template inside the
1503 // template we are instantiating). Create a new template type
1504 // parameter with the template "level" reduced by one.
1505 TemplateTypeParmDecl *NewTTPDecl = nullptr;
1506 if (TemplateTypeParmDecl *OldTTPDecl = T->getDecl())
1507 NewTTPDecl = cast_or_null<TemplateTypeParmDecl>(
1508 TransformDecl(TL.getNameLoc(), OldTTPDecl));
1509
1510 QualType Result = getSema().Context.getTemplateTypeParmType(
1511 T->getDepth() - TemplateArgs.getNumSubstitutedLevels(), T->getIndex(),
1512 T->isParameterPack(), NewTTPDecl);
1513 TemplateTypeParmTypeLoc NewTL = TLB.push<TemplateTypeParmTypeLoc>(Result);
1514 NewTL.setNameLoc(TL.getNameLoc());
1515 return Result;
1516 }
1517
1518 QualType
TransformSubstTemplateTypeParmPackType(TypeLocBuilder & TLB,SubstTemplateTypeParmPackTypeLoc TL)1519 TemplateInstantiator::TransformSubstTemplateTypeParmPackType(
1520 TypeLocBuilder &TLB,
1521 SubstTemplateTypeParmPackTypeLoc TL) {
1522 if (getSema().ArgumentPackSubstitutionIndex == -1) {
1523 // We aren't expanding the parameter pack, so just return ourselves.
1524 SubstTemplateTypeParmPackTypeLoc NewTL
1525 = TLB.push<SubstTemplateTypeParmPackTypeLoc>(TL.getType());
1526 NewTL.setNameLoc(TL.getNameLoc());
1527 return TL.getType();
1528 }
1529
1530 TemplateArgument Arg = TL.getTypePtr()->getArgumentPack();
1531 Arg = getPackSubstitutedTemplateArgument(getSema(), Arg);
1532 QualType Result = Arg.getAsType();
1533
1534 Result = getSema().Context.getSubstTemplateTypeParmType(
1535 TL.getTypePtr()->getReplacedParameter(),
1536 Result);
1537 SubstTemplateTypeParmTypeLoc NewTL
1538 = TLB.push<SubstTemplateTypeParmTypeLoc>(Result);
1539 NewTL.setNameLoc(TL.getNameLoc());
1540 return Result;
1541 }
1542
1543 /// Perform substitution on the type T with a given set of template
1544 /// arguments.
1545 ///
1546 /// This routine substitutes the given template arguments into the
1547 /// type T and produces the instantiated type.
1548 ///
1549 /// \param T the type into which the template arguments will be
1550 /// substituted. If this type is not dependent, it will be returned
1551 /// immediately.
1552 ///
1553 /// \param Args the template arguments that will be
1554 /// substituted for the top-level template parameters within T.
1555 ///
1556 /// \param Loc the location in the source code where this substitution
1557 /// is being performed. It will typically be the location of the
1558 /// declarator (if we're instantiating the type of some declaration)
1559 /// or the location of the type in the source code (if, e.g., we're
1560 /// instantiating the type of a cast expression).
1561 ///
1562 /// \param Entity the name of the entity associated with a declaration
1563 /// being instantiated (if any). May be empty to indicate that there
1564 /// is no such entity (if, e.g., this is a type that occurs as part of
1565 /// a cast expression) or that the entity has no name (e.g., an
1566 /// unnamed function parameter).
1567 ///
1568 /// \param AllowDeducedTST Whether a DeducedTemplateSpecializationType is
1569 /// acceptable as the top level type of the result.
1570 ///
1571 /// \returns If the instantiation succeeds, the instantiated
1572 /// type. Otherwise, produces diagnostics and returns a NULL type.
SubstType(TypeSourceInfo * T,const MultiLevelTemplateArgumentList & Args,SourceLocation Loc,DeclarationName Entity,bool AllowDeducedTST)1573 TypeSourceInfo *Sema::SubstType(TypeSourceInfo *T,
1574 const MultiLevelTemplateArgumentList &Args,
1575 SourceLocation Loc,
1576 DeclarationName Entity,
1577 bool AllowDeducedTST) {
1578 assert(!CodeSynthesisContexts.empty() &&
1579 "Cannot perform an instantiation without some context on the "
1580 "instantiation stack");
1581
1582 if (!T->getType()->isInstantiationDependentType() &&
1583 !T->getType()->isVariablyModifiedType())
1584 return T;
1585
1586 TemplateInstantiator Instantiator(*this, Args, Loc, Entity);
1587 return AllowDeducedTST ? Instantiator.TransformTypeWithDeducedTST(T)
1588 : Instantiator.TransformType(T);
1589 }
1590
SubstType(TypeLoc TL,const MultiLevelTemplateArgumentList & Args,SourceLocation Loc,DeclarationName Entity)1591 TypeSourceInfo *Sema::SubstType(TypeLoc TL,
1592 const MultiLevelTemplateArgumentList &Args,
1593 SourceLocation Loc,
1594 DeclarationName Entity) {
1595 assert(!CodeSynthesisContexts.empty() &&
1596 "Cannot perform an instantiation without some context on the "
1597 "instantiation stack");
1598
1599 if (TL.getType().isNull())
1600 return nullptr;
1601
1602 if (!TL.getType()->isInstantiationDependentType() &&
1603 !TL.getType()->isVariablyModifiedType()) {
1604 // FIXME: Make a copy of the TypeLoc data here, so that we can
1605 // return a new TypeSourceInfo. Inefficient!
1606 TypeLocBuilder TLB;
1607 TLB.pushFullCopy(TL);
1608 return TLB.getTypeSourceInfo(Context, TL.getType());
1609 }
1610
1611 TemplateInstantiator Instantiator(*this, Args, Loc, Entity);
1612 TypeLocBuilder TLB;
1613 TLB.reserve(TL.getFullDataSize());
1614 QualType Result = Instantiator.TransformType(TLB, TL);
1615 if (Result.isNull())
1616 return nullptr;
1617
1618 return TLB.getTypeSourceInfo(Context, Result);
1619 }
1620
1621 /// Deprecated form of the above.
SubstType(QualType T,const MultiLevelTemplateArgumentList & TemplateArgs,SourceLocation Loc,DeclarationName Entity)1622 QualType Sema::SubstType(QualType T,
1623 const MultiLevelTemplateArgumentList &TemplateArgs,
1624 SourceLocation Loc, DeclarationName Entity) {
1625 assert(!CodeSynthesisContexts.empty() &&
1626 "Cannot perform an instantiation without some context on the "
1627 "instantiation stack");
1628
1629 // If T is not a dependent type or a variably-modified type, there
1630 // is nothing to do.
1631 if (!T->isInstantiationDependentType() && !T->isVariablyModifiedType())
1632 return T;
1633
1634 TemplateInstantiator Instantiator(*this, TemplateArgs, Loc, Entity);
1635 return Instantiator.TransformType(T);
1636 }
1637
NeedsInstantiationAsFunctionType(TypeSourceInfo * T)1638 static bool NeedsInstantiationAsFunctionType(TypeSourceInfo *T) {
1639 if (T->getType()->isInstantiationDependentType() ||
1640 T->getType()->isVariablyModifiedType())
1641 return true;
1642
1643 TypeLoc TL = T->getTypeLoc().IgnoreParens();
1644 if (!TL.getAs<FunctionProtoTypeLoc>())
1645 return false;
1646
1647 FunctionProtoTypeLoc FP = TL.castAs<FunctionProtoTypeLoc>();
1648 for (ParmVarDecl *P : FP.getParams()) {
1649 // This must be synthesized from a typedef.
1650 if (!P) continue;
1651
1652 // If there are any parameters, a new TypeSourceInfo that refers to the
1653 // instantiated parameters must be built.
1654 return true;
1655 }
1656
1657 return false;
1658 }
1659
1660 /// A form of SubstType intended specifically for instantiating the
1661 /// type of a FunctionDecl. Its purpose is solely to force the
1662 /// instantiation of default-argument expressions and to avoid
1663 /// instantiating an exception-specification.
SubstFunctionDeclType(TypeSourceInfo * T,const MultiLevelTemplateArgumentList & Args,SourceLocation Loc,DeclarationName Entity,CXXRecordDecl * ThisContext,Qualifiers ThisTypeQuals)1664 TypeSourceInfo *Sema::SubstFunctionDeclType(TypeSourceInfo *T,
1665 const MultiLevelTemplateArgumentList &Args,
1666 SourceLocation Loc,
1667 DeclarationName Entity,
1668 CXXRecordDecl *ThisContext,
1669 Qualifiers ThisTypeQuals) {
1670 assert(!CodeSynthesisContexts.empty() &&
1671 "Cannot perform an instantiation without some context on the "
1672 "instantiation stack");
1673
1674 if (!NeedsInstantiationAsFunctionType(T))
1675 return T;
1676
1677 TemplateInstantiator Instantiator(*this, Args, Loc, Entity);
1678
1679 TypeLocBuilder TLB;
1680
1681 TypeLoc TL = T->getTypeLoc();
1682 TLB.reserve(TL.getFullDataSize());
1683
1684 QualType Result;
1685
1686 if (FunctionProtoTypeLoc Proto =
1687 TL.IgnoreParens().getAs<FunctionProtoTypeLoc>()) {
1688 // Instantiate the type, other than its exception specification. The
1689 // exception specification is instantiated in InitFunctionInstantiation
1690 // once we've built the FunctionDecl.
1691 // FIXME: Set the exception specification to EST_Uninstantiated here,
1692 // instead of rebuilding the function type again later.
1693 Result = Instantiator.TransformFunctionProtoType(
1694 TLB, Proto, ThisContext, ThisTypeQuals,
1695 [](FunctionProtoType::ExceptionSpecInfo &ESI,
1696 bool &Changed) { return false; });
1697 } else {
1698 Result = Instantiator.TransformType(TLB, TL);
1699 }
1700 if (Result.isNull())
1701 return nullptr;
1702
1703 return TLB.getTypeSourceInfo(Context, Result);
1704 }
1705
SubstExceptionSpec(SourceLocation Loc,FunctionProtoType::ExceptionSpecInfo & ESI,SmallVectorImpl<QualType> & ExceptionStorage,const MultiLevelTemplateArgumentList & Args)1706 bool Sema::SubstExceptionSpec(SourceLocation Loc,
1707 FunctionProtoType::ExceptionSpecInfo &ESI,
1708 SmallVectorImpl<QualType> &ExceptionStorage,
1709 const MultiLevelTemplateArgumentList &Args) {
1710 assert(ESI.Type != EST_Uninstantiated);
1711
1712 bool Changed = false;
1713 TemplateInstantiator Instantiator(*this, Args, Loc, DeclarationName());
1714 return Instantiator.TransformExceptionSpec(Loc, ESI, ExceptionStorage,
1715 Changed);
1716 }
1717
SubstExceptionSpec(FunctionDecl * New,const FunctionProtoType * Proto,const MultiLevelTemplateArgumentList & Args)1718 void Sema::SubstExceptionSpec(FunctionDecl *New, const FunctionProtoType *Proto,
1719 const MultiLevelTemplateArgumentList &Args) {
1720 FunctionProtoType::ExceptionSpecInfo ESI =
1721 Proto->getExtProtoInfo().ExceptionSpec;
1722
1723 SmallVector<QualType, 4> ExceptionStorage;
1724 if (SubstExceptionSpec(New->getTypeSourceInfo()->getTypeLoc().getEndLoc(),
1725 ESI, ExceptionStorage, Args))
1726 // On error, recover by dropping the exception specification.
1727 ESI.Type = EST_None;
1728
1729 UpdateExceptionSpec(New, ESI);
1730 }
1731
SubstParmVarDecl(ParmVarDecl * OldParm,const MultiLevelTemplateArgumentList & TemplateArgs,int indexAdjustment,Optional<unsigned> NumExpansions,bool ExpectParameterPack)1732 ParmVarDecl *Sema::SubstParmVarDecl(ParmVarDecl *OldParm,
1733 const MultiLevelTemplateArgumentList &TemplateArgs,
1734 int indexAdjustment,
1735 Optional<unsigned> NumExpansions,
1736 bool ExpectParameterPack) {
1737 TypeSourceInfo *OldDI = OldParm->getTypeSourceInfo();
1738 TypeSourceInfo *NewDI = nullptr;
1739
1740 TypeLoc OldTL = OldDI->getTypeLoc();
1741 if (PackExpansionTypeLoc ExpansionTL = OldTL.getAs<PackExpansionTypeLoc>()) {
1742
1743 // We have a function parameter pack. Substitute into the pattern of the
1744 // expansion.
1745 NewDI = SubstType(ExpansionTL.getPatternLoc(), TemplateArgs,
1746 OldParm->getLocation(), OldParm->getDeclName());
1747 if (!NewDI)
1748 return nullptr;
1749
1750 if (NewDI->getType()->containsUnexpandedParameterPack()) {
1751 // We still have unexpanded parameter packs, which means that
1752 // our function parameter is still a function parameter pack.
1753 // Therefore, make its type a pack expansion type.
1754 NewDI = CheckPackExpansion(NewDI, ExpansionTL.getEllipsisLoc(),
1755 NumExpansions);
1756 } else if (ExpectParameterPack) {
1757 // We expected to get a parameter pack but didn't (because the type
1758 // itself is not a pack expansion type), so complain. This can occur when
1759 // the substitution goes through an alias template that "loses" the
1760 // pack expansion.
1761 Diag(OldParm->getLocation(),
1762 diag::err_function_parameter_pack_without_parameter_packs)
1763 << NewDI->getType();
1764 return nullptr;
1765 }
1766 } else {
1767 NewDI = SubstType(OldDI, TemplateArgs, OldParm->getLocation(),
1768 OldParm->getDeclName());
1769 }
1770
1771 if (!NewDI)
1772 return nullptr;
1773
1774 if (NewDI->getType()->isVoidType()) {
1775 Diag(OldParm->getLocation(), diag::err_param_with_void_type);
1776 return nullptr;
1777 }
1778
1779 ParmVarDecl *NewParm = CheckParameter(Context.getTranslationUnitDecl(),
1780 OldParm->getInnerLocStart(),
1781 OldParm->getLocation(),
1782 OldParm->getIdentifier(),
1783 NewDI->getType(), NewDI,
1784 OldParm->getStorageClass());
1785 if (!NewParm)
1786 return nullptr;
1787
1788 // Mark the (new) default argument as uninstantiated (if any).
1789 if (OldParm->hasUninstantiatedDefaultArg()) {
1790 Expr *Arg = OldParm->getUninstantiatedDefaultArg();
1791 NewParm->setUninstantiatedDefaultArg(Arg);
1792 } else if (OldParm->hasUnparsedDefaultArg()) {
1793 NewParm->setUnparsedDefaultArg();
1794 UnparsedDefaultArgInstantiations[OldParm].push_back(NewParm);
1795 } else if (Expr *Arg = OldParm->getDefaultArg()) {
1796 FunctionDecl *OwningFunc = cast<FunctionDecl>(OldParm->getDeclContext());
1797 if (OwningFunc->isLexicallyWithinFunctionOrMethod()) {
1798 // Instantiate default arguments for methods of local classes (DR1484)
1799 // and non-defining declarations.
1800 Sema::ContextRAII SavedContext(*this, OwningFunc);
1801 LocalInstantiationScope Local(*this, true);
1802 ExprResult NewArg = SubstExpr(Arg, TemplateArgs);
1803 if (NewArg.isUsable()) {
1804 // It would be nice if we still had this.
1805 SourceLocation EqualLoc = NewArg.get()->getBeginLoc();
1806 SetParamDefaultArgument(NewParm, NewArg.get(), EqualLoc);
1807 }
1808 } else {
1809 // FIXME: if we non-lazily instantiated non-dependent default args for
1810 // non-dependent parameter types we could remove a bunch of duplicate
1811 // conversion warnings for such arguments.
1812 NewParm->setUninstantiatedDefaultArg(Arg);
1813 }
1814 }
1815
1816 NewParm->setHasInheritedDefaultArg(OldParm->hasInheritedDefaultArg());
1817
1818 if (OldParm->isParameterPack() && !NewParm->isParameterPack()) {
1819 // Add the new parameter to the instantiated parameter pack.
1820 CurrentInstantiationScope->InstantiatedLocalPackArg(OldParm, NewParm);
1821 } else {
1822 // Introduce an Old -> New mapping
1823 CurrentInstantiationScope->InstantiatedLocal(OldParm, NewParm);
1824 }
1825
1826 // FIXME: OldParm may come from a FunctionProtoType, in which case CurContext
1827 // can be anything, is this right ?
1828 NewParm->setDeclContext(CurContext);
1829
1830 NewParm->setScopeInfo(OldParm->getFunctionScopeDepth(),
1831 OldParm->getFunctionScopeIndex() + indexAdjustment);
1832
1833 InstantiateAttrs(TemplateArgs, OldParm, NewParm);
1834
1835 return NewParm;
1836 }
1837
1838 /// Substitute the given template arguments into the given set of
1839 /// parameters, producing the set of parameter types that would be generated
1840 /// from such a substitution.
SubstParmTypes(SourceLocation Loc,ArrayRef<ParmVarDecl * > Params,const FunctionProtoType::ExtParameterInfo * ExtParamInfos,const MultiLevelTemplateArgumentList & TemplateArgs,SmallVectorImpl<QualType> & ParamTypes,SmallVectorImpl<ParmVarDecl * > * OutParams,ExtParameterInfoBuilder & ParamInfos)1841 bool Sema::SubstParmTypes(
1842 SourceLocation Loc, ArrayRef<ParmVarDecl *> Params,
1843 const FunctionProtoType::ExtParameterInfo *ExtParamInfos,
1844 const MultiLevelTemplateArgumentList &TemplateArgs,
1845 SmallVectorImpl<QualType> &ParamTypes,
1846 SmallVectorImpl<ParmVarDecl *> *OutParams,
1847 ExtParameterInfoBuilder &ParamInfos) {
1848 assert(!CodeSynthesisContexts.empty() &&
1849 "Cannot perform an instantiation without some context on the "
1850 "instantiation stack");
1851
1852 TemplateInstantiator Instantiator(*this, TemplateArgs, Loc,
1853 DeclarationName());
1854 return Instantiator.TransformFunctionTypeParams(
1855 Loc, Params, nullptr, ExtParamInfos, ParamTypes, OutParams, ParamInfos);
1856 }
1857
1858 /// Perform substitution on the base class specifiers of the
1859 /// given class template specialization.
1860 ///
1861 /// Produces a diagnostic and returns true on error, returns false and
1862 /// attaches the instantiated base classes to the class template
1863 /// specialization if successful.
1864 bool
SubstBaseSpecifiers(CXXRecordDecl * Instantiation,CXXRecordDecl * Pattern,const MultiLevelTemplateArgumentList & TemplateArgs)1865 Sema::SubstBaseSpecifiers(CXXRecordDecl *Instantiation,
1866 CXXRecordDecl *Pattern,
1867 const MultiLevelTemplateArgumentList &TemplateArgs) {
1868 bool Invalid = false;
1869 SmallVector<CXXBaseSpecifier*, 4> InstantiatedBases;
1870 for (const auto &Base : Pattern->bases()) {
1871 if (!Base.getType()->isDependentType()) {
1872 if (const CXXRecordDecl *RD = Base.getType()->getAsCXXRecordDecl()) {
1873 if (RD->isInvalidDecl())
1874 Instantiation->setInvalidDecl();
1875 }
1876 InstantiatedBases.push_back(new (Context) CXXBaseSpecifier(Base));
1877 continue;
1878 }
1879
1880 SourceLocation EllipsisLoc;
1881 TypeSourceInfo *BaseTypeLoc;
1882 if (Base.isPackExpansion()) {
1883 // This is a pack expansion. See whether we should expand it now, or
1884 // wait until later.
1885 SmallVector<UnexpandedParameterPack, 2> Unexpanded;
1886 collectUnexpandedParameterPacks(Base.getTypeSourceInfo()->getTypeLoc(),
1887 Unexpanded);
1888 bool ShouldExpand = false;
1889 bool RetainExpansion = false;
1890 Optional<unsigned> NumExpansions;
1891 if (CheckParameterPacksForExpansion(Base.getEllipsisLoc(),
1892 Base.getSourceRange(),
1893 Unexpanded,
1894 TemplateArgs, ShouldExpand,
1895 RetainExpansion,
1896 NumExpansions)) {
1897 Invalid = true;
1898 continue;
1899 }
1900
1901 // If we should expand this pack expansion now, do so.
1902 if (ShouldExpand) {
1903 for (unsigned I = 0; I != *NumExpansions; ++I) {
1904 Sema::ArgumentPackSubstitutionIndexRAII SubstIndex(*this, I);
1905
1906 TypeSourceInfo *BaseTypeLoc = SubstType(Base.getTypeSourceInfo(),
1907 TemplateArgs,
1908 Base.getSourceRange().getBegin(),
1909 DeclarationName());
1910 if (!BaseTypeLoc) {
1911 Invalid = true;
1912 continue;
1913 }
1914
1915 if (CXXBaseSpecifier *InstantiatedBase
1916 = CheckBaseSpecifier(Instantiation,
1917 Base.getSourceRange(),
1918 Base.isVirtual(),
1919 Base.getAccessSpecifierAsWritten(),
1920 BaseTypeLoc,
1921 SourceLocation()))
1922 InstantiatedBases.push_back(InstantiatedBase);
1923 else
1924 Invalid = true;
1925 }
1926
1927 continue;
1928 }
1929
1930 // The resulting base specifier will (still) be a pack expansion.
1931 EllipsisLoc = Base.getEllipsisLoc();
1932 Sema::ArgumentPackSubstitutionIndexRAII SubstIndex(*this, -1);
1933 BaseTypeLoc = SubstType(Base.getTypeSourceInfo(),
1934 TemplateArgs,
1935 Base.getSourceRange().getBegin(),
1936 DeclarationName());
1937 } else {
1938 BaseTypeLoc = SubstType(Base.getTypeSourceInfo(),
1939 TemplateArgs,
1940 Base.getSourceRange().getBegin(),
1941 DeclarationName());
1942 }
1943
1944 if (!BaseTypeLoc) {
1945 Invalid = true;
1946 continue;
1947 }
1948
1949 if (CXXBaseSpecifier *InstantiatedBase
1950 = CheckBaseSpecifier(Instantiation,
1951 Base.getSourceRange(),
1952 Base.isVirtual(),
1953 Base.getAccessSpecifierAsWritten(),
1954 BaseTypeLoc,
1955 EllipsisLoc))
1956 InstantiatedBases.push_back(InstantiatedBase);
1957 else
1958 Invalid = true;
1959 }
1960
1961 if (!Invalid && AttachBaseSpecifiers(Instantiation, InstantiatedBases))
1962 Invalid = true;
1963
1964 return Invalid;
1965 }
1966
1967 // Defined via #include from SemaTemplateInstantiateDecl.cpp
1968 namespace clang {
1969 namespace sema {
1970 Attr *instantiateTemplateAttribute(const Attr *At, ASTContext &C, Sema &S,
1971 const MultiLevelTemplateArgumentList &TemplateArgs);
1972 Attr *instantiateTemplateAttributeForDecl(
1973 const Attr *At, ASTContext &C, Sema &S,
1974 const MultiLevelTemplateArgumentList &TemplateArgs);
1975 }
1976 }
1977
1978 /// Instantiate the definition of a class from a given pattern.
1979 ///
1980 /// \param PointOfInstantiation The point of instantiation within the
1981 /// source code.
1982 ///
1983 /// \param Instantiation is the declaration whose definition is being
1984 /// instantiated. This will be either a class template specialization
1985 /// or a member class of a class template specialization.
1986 ///
1987 /// \param Pattern is the pattern from which the instantiation
1988 /// occurs. This will be either the declaration of a class template or
1989 /// the declaration of a member class of a class template.
1990 ///
1991 /// \param TemplateArgs The template arguments to be substituted into
1992 /// the pattern.
1993 ///
1994 /// \param TSK the kind of implicit or explicit instantiation to perform.
1995 ///
1996 /// \param Complain whether to complain if the class cannot be instantiated due
1997 /// to the lack of a definition.
1998 ///
1999 /// \returns true if an error occurred, false otherwise.
2000 bool
InstantiateClass(SourceLocation PointOfInstantiation,CXXRecordDecl * Instantiation,CXXRecordDecl * Pattern,const MultiLevelTemplateArgumentList & TemplateArgs,TemplateSpecializationKind TSK,bool Complain)2001 Sema::InstantiateClass(SourceLocation PointOfInstantiation,
2002 CXXRecordDecl *Instantiation, CXXRecordDecl *Pattern,
2003 const MultiLevelTemplateArgumentList &TemplateArgs,
2004 TemplateSpecializationKind TSK,
2005 bool Complain) {
2006 CXXRecordDecl *PatternDef
2007 = cast_or_null<CXXRecordDecl>(Pattern->getDefinition());
2008 if (DiagnoseUninstantiableTemplate(PointOfInstantiation, Instantiation,
2009 Instantiation->getInstantiatedFromMemberClass(),
2010 Pattern, PatternDef, TSK, Complain))
2011 return true;
2012 Pattern = PatternDef;
2013
2014 // Record the point of instantiation.
2015 if (MemberSpecializationInfo *MSInfo
2016 = Instantiation->getMemberSpecializationInfo()) {
2017 MSInfo->setTemplateSpecializationKind(TSK);
2018 MSInfo->setPointOfInstantiation(PointOfInstantiation);
2019 } else if (ClassTemplateSpecializationDecl *Spec
2020 = dyn_cast<ClassTemplateSpecializationDecl>(Instantiation)) {
2021 Spec->setTemplateSpecializationKind(TSK);
2022 Spec->setPointOfInstantiation(PointOfInstantiation);
2023 }
2024
2025 InstantiatingTemplate Inst(*this, PointOfInstantiation, Instantiation);
2026 if (Inst.isInvalid())
2027 return true;
2028 assert(!Inst.isAlreadyInstantiating() && "should have been caught by caller");
2029 PrettyDeclStackTraceEntry CrashInfo(Context, Instantiation, SourceLocation(),
2030 "instantiating class definition");
2031
2032 // Enter the scope of this instantiation. We don't use
2033 // PushDeclContext because we don't have a scope.
2034 ContextRAII SavedContext(*this, Instantiation);
2035 EnterExpressionEvaluationContext EvalContext(
2036 *this, Sema::ExpressionEvaluationContext::PotentiallyEvaluated);
2037
2038 // If this is an instantiation of a local class, merge this local
2039 // instantiation scope with the enclosing scope. Otherwise, every
2040 // instantiation of a class has its own local instantiation scope.
2041 bool MergeWithParentScope = !Instantiation->isDefinedOutsideFunctionOrMethod();
2042 LocalInstantiationScope Scope(*this, MergeWithParentScope);
2043
2044 // Some class state isn't processed immediately but delayed till class
2045 // instantiation completes. We may not be ready to handle any delayed state
2046 // already on the stack as it might correspond to a different class, so save
2047 // it now and put it back later.
2048 SavePendingParsedClassStateRAII SavedPendingParsedClassState(*this);
2049
2050 // Pull attributes from the pattern onto the instantiation.
2051 InstantiateAttrs(TemplateArgs, Pattern, Instantiation);
2052
2053 // Start the definition of this instantiation.
2054 Instantiation->startDefinition();
2055
2056 // The instantiation is visible here, even if it was first declared in an
2057 // unimported module.
2058 Instantiation->setVisibleDespiteOwningModule();
2059
2060 // FIXME: This loses the as-written tag kind for an explicit instantiation.
2061 Instantiation->setTagKind(Pattern->getTagKind());
2062
2063 // Do substitution on the base class specifiers.
2064 if (SubstBaseSpecifiers(Instantiation, Pattern, TemplateArgs))
2065 Instantiation->setInvalidDecl();
2066
2067 TemplateDeclInstantiator Instantiator(*this, Instantiation, TemplateArgs);
2068 SmallVector<Decl*, 4> Fields;
2069 // Delay instantiation of late parsed attributes.
2070 LateInstantiatedAttrVec LateAttrs;
2071 Instantiator.enableLateAttributeInstantiation(&LateAttrs);
2072
2073 for (auto *Member : Pattern->decls()) {
2074 // Don't instantiate members not belonging in this semantic context.
2075 // e.g. for:
2076 // @code
2077 // template <int i> class A {
2078 // class B *g;
2079 // };
2080 // @endcode
2081 // 'class B' has the template as lexical context but semantically it is
2082 // introduced in namespace scope.
2083 if (Member->getDeclContext() != Pattern)
2084 continue;
2085
2086 // BlockDecls can appear in a default-member-initializer. They must be the
2087 // child of a BlockExpr, so we only know how to instantiate them from there.
2088 if (isa<BlockDecl>(Member))
2089 continue;
2090
2091 if (Member->isInvalidDecl()) {
2092 Instantiation->setInvalidDecl();
2093 continue;
2094 }
2095
2096 Decl *NewMember = Instantiator.Visit(Member);
2097 if (NewMember) {
2098 if (FieldDecl *Field = dyn_cast<FieldDecl>(NewMember)) {
2099 Fields.push_back(Field);
2100 } else if (EnumDecl *Enum = dyn_cast<EnumDecl>(NewMember)) {
2101 // C++11 [temp.inst]p1: The implicit instantiation of a class template
2102 // specialization causes the implicit instantiation of the definitions
2103 // of unscoped member enumerations.
2104 // Record a point of instantiation for this implicit instantiation.
2105 if (TSK == TSK_ImplicitInstantiation && !Enum->isScoped() &&
2106 Enum->isCompleteDefinition()) {
2107 MemberSpecializationInfo *MSInfo =Enum->getMemberSpecializationInfo();
2108 assert(MSInfo && "no spec info for member enum specialization");
2109 MSInfo->setTemplateSpecializationKind(TSK_ImplicitInstantiation);
2110 MSInfo->setPointOfInstantiation(PointOfInstantiation);
2111 }
2112 } else if (StaticAssertDecl *SA = dyn_cast<StaticAssertDecl>(NewMember)) {
2113 if (SA->isFailed()) {
2114 // A static_assert failed. Bail out; instantiating this
2115 // class is probably not meaningful.
2116 Instantiation->setInvalidDecl();
2117 break;
2118 }
2119 }
2120
2121 if (NewMember->isInvalidDecl())
2122 Instantiation->setInvalidDecl();
2123 } else {
2124 // FIXME: Eventually, a NULL return will mean that one of the
2125 // instantiations was a semantic disaster, and we'll want to mark the
2126 // declaration invalid.
2127 // For now, we expect to skip some members that we can't yet handle.
2128 }
2129 }
2130
2131 // Finish checking fields.
2132 ActOnFields(nullptr, Instantiation->getLocation(), Instantiation, Fields,
2133 SourceLocation(), SourceLocation(), ParsedAttributesView());
2134 CheckCompletedCXXClass(Instantiation);
2135
2136 // Default arguments are parsed, if not instantiated. We can go instantiate
2137 // default arg exprs for default constructors if necessary now.
2138 ActOnFinishCXXNonNestedClass(Instantiation);
2139
2140 // Instantiate late parsed attributes, and attach them to their decls.
2141 // See Sema::InstantiateAttrs
2142 for (LateInstantiatedAttrVec::iterator I = LateAttrs.begin(),
2143 E = LateAttrs.end(); I != E; ++I) {
2144 assert(CurrentInstantiationScope == Instantiator.getStartingScope());
2145 CurrentInstantiationScope = I->Scope;
2146
2147 // Allow 'this' within late-parsed attributes.
2148 NamedDecl *ND = dyn_cast<NamedDecl>(I->NewDecl);
2149 CXXRecordDecl *ThisContext =
2150 dyn_cast_or_null<CXXRecordDecl>(ND->getDeclContext());
2151 CXXThisScopeRAII ThisScope(*this, ThisContext, Qualifiers(),
2152 ND && ND->isCXXInstanceMember());
2153
2154 Attr *NewAttr =
2155 instantiateTemplateAttribute(I->TmplAttr, Context, *this, TemplateArgs);
2156 I->NewDecl->addAttr(NewAttr);
2157 LocalInstantiationScope::deleteScopes(I->Scope,
2158 Instantiator.getStartingScope());
2159 }
2160 Instantiator.disableLateAttributeInstantiation();
2161 LateAttrs.clear();
2162
2163 ActOnFinishDelayedMemberInitializers(Instantiation);
2164
2165 // FIXME: We should do something similar for explicit instantiations so they
2166 // end up in the right module.
2167 if (TSK == TSK_ImplicitInstantiation) {
2168 Instantiation->setLocation(Pattern->getLocation());
2169 Instantiation->setLocStart(Pattern->getInnerLocStart());
2170 Instantiation->setBraceRange(Pattern->getBraceRange());
2171 }
2172
2173 if (!Instantiation->isInvalidDecl()) {
2174 // Perform any dependent diagnostics from the pattern.
2175 PerformDependentDiagnostics(Pattern, TemplateArgs);
2176
2177 // Instantiate any out-of-line class template partial
2178 // specializations now.
2179 for (TemplateDeclInstantiator::delayed_partial_spec_iterator
2180 P = Instantiator.delayed_partial_spec_begin(),
2181 PEnd = Instantiator.delayed_partial_spec_end();
2182 P != PEnd; ++P) {
2183 if (!Instantiator.InstantiateClassTemplatePartialSpecialization(
2184 P->first, P->second)) {
2185 Instantiation->setInvalidDecl();
2186 break;
2187 }
2188 }
2189
2190 // Instantiate any out-of-line variable template partial
2191 // specializations now.
2192 for (TemplateDeclInstantiator::delayed_var_partial_spec_iterator
2193 P = Instantiator.delayed_var_partial_spec_begin(),
2194 PEnd = Instantiator.delayed_var_partial_spec_end();
2195 P != PEnd; ++P) {
2196 if (!Instantiator.InstantiateVarTemplatePartialSpecialization(
2197 P->first, P->second)) {
2198 Instantiation->setInvalidDecl();
2199 break;
2200 }
2201 }
2202 }
2203
2204 // Exit the scope of this instantiation.
2205 SavedContext.pop();
2206
2207 if (!Instantiation->isInvalidDecl()) {
2208 Consumer.HandleTagDeclDefinition(Instantiation);
2209
2210 // Always emit the vtable for an explicit instantiation definition
2211 // of a polymorphic class template specialization.
2212 if (TSK == TSK_ExplicitInstantiationDefinition)
2213 MarkVTableUsed(PointOfInstantiation, Instantiation, true);
2214 }
2215
2216 return Instantiation->isInvalidDecl();
2217 }
2218
2219 /// Instantiate the definition of an enum from a given pattern.
2220 ///
2221 /// \param PointOfInstantiation The point of instantiation within the
2222 /// source code.
2223 /// \param Instantiation is the declaration whose definition is being
2224 /// instantiated. This will be a member enumeration of a class
2225 /// temploid specialization, or a local enumeration within a
2226 /// function temploid specialization.
2227 /// \param Pattern The templated declaration from which the instantiation
2228 /// occurs.
2229 /// \param TemplateArgs The template arguments to be substituted into
2230 /// the pattern.
2231 /// \param TSK The kind of implicit or explicit instantiation to perform.
2232 ///
2233 /// \return \c true if an error occurred, \c false otherwise.
InstantiateEnum(SourceLocation PointOfInstantiation,EnumDecl * Instantiation,EnumDecl * Pattern,const MultiLevelTemplateArgumentList & TemplateArgs,TemplateSpecializationKind TSK)2234 bool Sema::InstantiateEnum(SourceLocation PointOfInstantiation,
2235 EnumDecl *Instantiation, EnumDecl *Pattern,
2236 const MultiLevelTemplateArgumentList &TemplateArgs,
2237 TemplateSpecializationKind TSK) {
2238 EnumDecl *PatternDef = Pattern->getDefinition();
2239 if (DiagnoseUninstantiableTemplate(PointOfInstantiation, Instantiation,
2240 Instantiation->getInstantiatedFromMemberEnum(),
2241 Pattern, PatternDef, TSK,/*Complain*/true))
2242 return true;
2243 Pattern = PatternDef;
2244
2245 // Record the point of instantiation.
2246 if (MemberSpecializationInfo *MSInfo
2247 = Instantiation->getMemberSpecializationInfo()) {
2248 MSInfo->setTemplateSpecializationKind(TSK);
2249 MSInfo->setPointOfInstantiation(PointOfInstantiation);
2250 }
2251
2252 InstantiatingTemplate Inst(*this, PointOfInstantiation, Instantiation);
2253 if (Inst.isInvalid())
2254 return true;
2255 if (Inst.isAlreadyInstantiating())
2256 return false;
2257 PrettyDeclStackTraceEntry CrashInfo(Context, Instantiation, SourceLocation(),
2258 "instantiating enum definition");
2259
2260 // The instantiation is visible here, even if it was first declared in an
2261 // unimported module.
2262 Instantiation->setVisibleDespiteOwningModule();
2263
2264 // Enter the scope of this instantiation. We don't use
2265 // PushDeclContext because we don't have a scope.
2266 ContextRAII SavedContext(*this, Instantiation);
2267 EnterExpressionEvaluationContext EvalContext(
2268 *this, Sema::ExpressionEvaluationContext::PotentiallyEvaluated);
2269
2270 LocalInstantiationScope Scope(*this, /*MergeWithParentScope*/true);
2271
2272 // Pull attributes from the pattern onto the instantiation.
2273 InstantiateAttrs(TemplateArgs, Pattern, Instantiation);
2274
2275 TemplateDeclInstantiator Instantiator(*this, Instantiation, TemplateArgs);
2276 Instantiator.InstantiateEnumDefinition(Instantiation, Pattern);
2277
2278 // Exit the scope of this instantiation.
2279 SavedContext.pop();
2280
2281 return Instantiation->isInvalidDecl();
2282 }
2283
2284
2285 /// Instantiate the definition of a field from the given pattern.
2286 ///
2287 /// \param PointOfInstantiation The point of instantiation within the
2288 /// source code.
2289 /// \param Instantiation is the declaration whose definition is being
2290 /// instantiated. This will be a class of a class temploid
2291 /// specialization, or a local enumeration within a function temploid
2292 /// specialization.
2293 /// \param Pattern The templated declaration from which the instantiation
2294 /// occurs.
2295 /// \param TemplateArgs The template arguments to be substituted into
2296 /// the pattern.
2297 ///
2298 /// \return \c true if an error occurred, \c false otherwise.
InstantiateInClassInitializer(SourceLocation PointOfInstantiation,FieldDecl * Instantiation,FieldDecl * Pattern,const MultiLevelTemplateArgumentList & TemplateArgs)2299 bool Sema::InstantiateInClassInitializer(
2300 SourceLocation PointOfInstantiation, FieldDecl *Instantiation,
2301 FieldDecl *Pattern, const MultiLevelTemplateArgumentList &TemplateArgs) {
2302 // If there is no initializer, we don't need to do anything.
2303 if (!Pattern->hasInClassInitializer())
2304 return false;
2305
2306 assert(Instantiation->getInClassInitStyle() ==
2307 Pattern->getInClassInitStyle() &&
2308 "pattern and instantiation disagree about init style");
2309
2310 // Error out if we haven't parsed the initializer of the pattern yet because
2311 // we are waiting for the closing brace of the outer class.
2312 Expr *OldInit = Pattern->getInClassInitializer();
2313 if (!OldInit) {
2314 RecordDecl *PatternRD = Pattern->getParent();
2315 RecordDecl *OutermostClass = PatternRD->getOuterLexicalRecordContext();
2316 Diag(PointOfInstantiation,
2317 diag::err_in_class_initializer_not_yet_parsed)
2318 << OutermostClass << Pattern;
2319 Diag(Pattern->getEndLoc(), diag::note_in_class_initializer_not_yet_parsed);
2320 Instantiation->setInvalidDecl();
2321 return true;
2322 }
2323
2324 InstantiatingTemplate Inst(*this, PointOfInstantiation, Instantiation);
2325 if (Inst.isInvalid())
2326 return true;
2327 if (Inst.isAlreadyInstantiating()) {
2328 // Error out if we hit an instantiation cycle for this initializer.
2329 Diag(PointOfInstantiation, diag::err_in_class_initializer_cycle)
2330 << Instantiation;
2331 return true;
2332 }
2333 PrettyDeclStackTraceEntry CrashInfo(Context, Instantiation, SourceLocation(),
2334 "instantiating default member init");
2335
2336 // Enter the scope of this instantiation. We don't use PushDeclContext because
2337 // we don't have a scope.
2338 ContextRAII SavedContext(*this, Instantiation->getParent());
2339 EnterExpressionEvaluationContext EvalContext(
2340 *this, Sema::ExpressionEvaluationContext::PotentiallyEvaluated);
2341
2342 LocalInstantiationScope Scope(*this, true);
2343
2344 // Instantiate the initializer.
2345 ActOnStartCXXInClassMemberInitializer();
2346 CXXThisScopeRAII ThisScope(*this, Instantiation->getParent(), Qualifiers());
2347
2348 ExprResult NewInit = SubstInitializer(OldInit, TemplateArgs,
2349 /*CXXDirectInit=*/false);
2350 Expr *Init = NewInit.get();
2351 assert((!Init || !isa<ParenListExpr>(Init)) && "call-style init in class");
2352 ActOnFinishCXXInClassMemberInitializer(
2353 Instantiation, Init ? Init->getBeginLoc() : SourceLocation(), Init);
2354
2355 if (auto *L = getASTMutationListener())
2356 L->DefaultMemberInitializerInstantiated(Instantiation);
2357
2358 // Return true if the in-class initializer is still missing.
2359 return !Instantiation->getInClassInitializer();
2360 }
2361
2362 namespace {
2363 /// A partial specialization whose template arguments have matched
2364 /// a given template-id.
2365 struct PartialSpecMatchResult {
2366 ClassTemplatePartialSpecializationDecl *Partial;
2367 TemplateArgumentList *Args;
2368 };
2369 }
2370
usesPartialOrExplicitSpecialization(SourceLocation Loc,ClassTemplateSpecializationDecl * ClassTemplateSpec)2371 bool Sema::usesPartialOrExplicitSpecialization(
2372 SourceLocation Loc, ClassTemplateSpecializationDecl *ClassTemplateSpec) {
2373 if (ClassTemplateSpec->getTemplateSpecializationKind() ==
2374 TSK_ExplicitSpecialization)
2375 return true;
2376
2377 SmallVector<ClassTemplatePartialSpecializationDecl *, 4> PartialSpecs;
2378 ClassTemplateSpec->getSpecializedTemplate()
2379 ->getPartialSpecializations(PartialSpecs);
2380 for (unsigned I = 0, N = PartialSpecs.size(); I != N; ++I) {
2381 TemplateDeductionInfo Info(Loc);
2382 if (!DeduceTemplateArguments(PartialSpecs[I],
2383 ClassTemplateSpec->getTemplateArgs(), Info))
2384 return true;
2385 }
2386
2387 return false;
2388 }
2389
2390 /// Get the instantiation pattern to use to instantiate the definition of a
2391 /// given ClassTemplateSpecializationDecl (either the pattern of the primary
2392 /// template or of a partial specialization).
2393 static CXXRecordDecl *
getPatternForClassTemplateSpecialization(Sema & S,SourceLocation PointOfInstantiation,ClassTemplateSpecializationDecl * ClassTemplateSpec,TemplateSpecializationKind TSK,bool Complain)2394 getPatternForClassTemplateSpecialization(
2395 Sema &S, SourceLocation PointOfInstantiation,
2396 ClassTemplateSpecializationDecl *ClassTemplateSpec,
2397 TemplateSpecializationKind TSK, bool Complain) {
2398 Sema::InstantiatingTemplate Inst(S, PointOfInstantiation, ClassTemplateSpec);
2399 if (Inst.isInvalid() || Inst.isAlreadyInstantiating())
2400 return nullptr;
2401
2402 llvm::PointerUnion<ClassTemplateDecl *,
2403 ClassTemplatePartialSpecializationDecl *>
2404 Specialized = ClassTemplateSpec->getSpecializedTemplateOrPartial();
2405 if (!Specialized.is<ClassTemplatePartialSpecializationDecl *>()) {
2406 // Find best matching specialization.
2407 ClassTemplateDecl *Template = ClassTemplateSpec->getSpecializedTemplate();
2408
2409 // C++ [temp.class.spec.match]p1:
2410 // When a class template is used in a context that requires an
2411 // instantiation of the class, it is necessary to determine
2412 // whether the instantiation is to be generated using the primary
2413 // template or one of the partial specializations. This is done by
2414 // matching the template arguments of the class template
2415 // specialization with the template argument lists of the partial
2416 // specializations.
2417 typedef PartialSpecMatchResult MatchResult;
2418 SmallVector<MatchResult, 4> Matched;
2419 SmallVector<ClassTemplatePartialSpecializationDecl *, 4> PartialSpecs;
2420 Template->getPartialSpecializations(PartialSpecs);
2421 TemplateSpecCandidateSet FailedCandidates(PointOfInstantiation);
2422 for (unsigned I = 0, N = PartialSpecs.size(); I != N; ++I) {
2423 ClassTemplatePartialSpecializationDecl *Partial = PartialSpecs[I];
2424 TemplateDeductionInfo Info(FailedCandidates.getLocation());
2425 if (Sema::TemplateDeductionResult Result = S.DeduceTemplateArguments(
2426 Partial, ClassTemplateSpec->getTemplateArgs(), Info)) {
2427 // Store the failed-deduction information for use in diagnostics, later.
2428 // TODO: Actually use the failed-deduction info?
2429 FailedCandidates.addCandidate().set(
2430 DeclAccessPair::make(Template, AS_public), Partial,
2431 MakeDeductionFailureInfo(S.Context, Result, Info));
2432 (void)Result;
2433 } else {
2434 Matched.push_back(PartialSpecMatchResult());
2435 Matched.back().Partial = Partial;
2436 Matched.back().Args = Info.take();
2437 }
2438 }
2439
2440 // If we're dealing with a member template where the template parameters
2441 // have been instantiated, this provides the original template parameters
2442 // from which the member template's parameters were instantiated.
2443
2444 if (Matched.size() >= 1) {
2445 SmallVectorImpl<MatchResult>::iterator Best = Matched.begin();
2446 if (Matched.size() == 1) {
2447 // -- If exactly one matching specialization is found, the
2448 // instantiation is generated from that specialization.
2449 // We don't need to do anything for this.
2450 } else {
2451 // -- If more than one matching specialization is found, the
2452 // partial order rules (14.5.4.2) are used to determine
2453 // whether one of the specializations is more specialized
2454 // than the others. If none of the specializations is more
2455 // specialized than all of the other matching
2456 // specializations, then the use of the class template is
2457 // ambiguous and the program is ill-formed.
2458 for (SmallVectorImpl<MatchResult>::iterator P = Best + 1,
2459 PEnd = Matched.end();
2460 P != PEnd; ++P) {
2461 if (S.getMoreSpecializedPartialSpecialization(
2462 P->Partial, Best->Partial, PointOfInstantiation) ==
2463 P->Partial)
2464 Best = P;
2465 }
2466
2467 // Determine if the best partial specialization is more specialized than
2468 // the others.
2469 bool Ambiguous = false;
2470 for (SmallVectorImpl<MatchResult>::iterator P = Matched.begin(),
2471 PEnd = Matched.end();
2472 P != PEnd; ++P) {
2473 if (P != Best && S.getMoreSpecializedPartialSpecialization(
2474 P->Partial, Best->Partial,
2475 PointOfInstantiation) != Best->Partial) {
2476 Ambiguous = true;
2477 break;
2478 }
2479 }
2480
2481 if (Ambiguous) {
2482 // Partial ordering did not produce a clear winner. Complain.
2483 Inst.Clear();
2484 ClassTemplateSpec->setInvalidDecl();
2485 S.Diag(PointOfInstantiation,
2486 diag::err_partial_spec_ordering_ambiguous)
2487 << ClassTemplateSpec;
2488
2489 // Print the matching partial specializations.
2490 for (SmallVectorImpl<MatchResult>::iterator P = Matched.begin(),
2491 PEnd = Matched.end();
2492 P != PEnd; ++P)
2493 S.Diag(P->Partial->getLocation(), diag::note_partial_spec_match)
2494 << S.getTemplateArgumentBindingsText(
2495 P->Partial->getTemplateParameters(), *P->Args);
2496
2497 return nullptr;
2498 }
2499 }
2500
2501 ClassTemplateSpec->setInstantiationOf(Best->Partial, Best->Args);
2502 } else {
2503 // -- If no matches are found, the instantiation is generated
2504 // from the primary template.
2505 }
2506 }
2507
2508 CXXRecordDecl *Pattern = nullptr;
2509 Specialized = ClassTemplateSpec->getSpecializedTemplateOrPartial();
2510 if (auto *PartialSpec =
2511 Specialized.dyn_cast<ClassTemplatePartialSpecializationDecl *>()) {
2512 // Instantiate using the best class template partial specialization.
2513 while (PartialSpec->getInstantiatedFromMember()) {
2514 // If we've found an explicit specialization of this class template,
2515 // stop here and use that as the pattern.
2516 if (PartialSpec->isMemberSpecialization())
2517 break;
2518
2519 PartialSpec = PartialSpec->getInstantiatedFromMember();
2520 }
2521 Pattern = PartialSpec;
2522 } else {
2523 ClassTemplateDecl *Template = ClassTemplateSpec->getSpecializedTemplate();
2524 while (Template->getInstantiatedFromMemberTemplate()) {
2525 // If we've found an explicit specialization of this class template,
2526 // stop here and use that as the pattern.
2527 if (Template->isMemberSpecialization())
2528 break;
2529
2530 Template = Template->getInstantiatedFromMemberTemplate();
2531 }
2532 Pattern = Template->getTemplatedDecl();
2533 }
2534
2535 return Pattern;
2536 }
2537
InstantiateClassTemplateSpecialization(SourceLocation PointOfInstantiation,ClassTemplateSpecializationDecl * ClassTemplateSpec,TemplateSpecializationKind TSK,bool Complain)2538 bool Sema::InstantiateClassTemplateSpecialization(
2539 SourceLocation PointOfInstantiation,
2540 ClassTemplateSpecializationDecl *ClassTemplateSpec,
2541 TemplateSpecializationKind TSK, bool Complain) {
2542 // Perform the actual instantiation on the canonical declaration.
2543 ClassTemplateSpec = cast<ClassTemplateSpecializationDecl>(
2544 ClassTemplateSpec->getCanonicalDecl());
2545 if (ClassTemplateSpec->isInvalidDecl())
2546 return true;
2547
2548 CXXRecordDecl *Pattern = getPatternForClassTemplateSpecialization(
2549 *this, PointOfInstantiation, ClassTemplateSpec, TSK, Complain);
2550 if (!Pattern)
2551 return true;
2552
2553 return InstantiateClass(PointOfInstantiation, ClassTemplateSpec, Pattern,
2554 getTemplateInstantiationArgs(ClassTemplateSpec), TSK,
2555 Complain);
2556 }
2557
2558 /// Instantiates the definitions of all of the member
2559 /// of the given class, which is an instantiation of a class template
2560 /// or a member class of a template.
2561 void
InstantiateClassMembers(SourceLocation PointOfInstantiation,CXXRecordDecl * Instantiation,const MultiLevelTemplateArgumentList & TemplateArgs,TemplateSpecializationKind TSK)2562 Sema::InstantiateClassMembers(SourceLocation PointOfInstantiation,
2563 CXXRecordDecl *Instantiation,
2564 const MultiLevelTemplateArgumentList &TemplateArgs,
2565 TemplateSpecializationKind TSK) {
2566 // FIXME: We need to notify the ASTMutationListener that we did all of these
2567 // things, in case we have an explicit instantiation definition in a PCM, a
2568 // module, or preamble, and the declaration is in an imported AST.
2569 assert(
2570 (TSK == TSK_ExplicitInstantiationDefinition ||
2571 TSK == TSK_ExplicitInstantiationDeclaration ||
2572 (TSK == TSK_ImplicitInstantiation && Instantiation->isLocalClass())) &&
2573 "Unexpected template specialization kind!");
2574 for (auto *D : Instantiation->decls()) {
2575 bool SuppressNew = false;
2576 if (auto *Function = dyn_cast<FunctionDecl>(D)) {
2577 if (FunctionDecl *Pattern =
2578 Function->getInstantiatedFromMemberFunction()) {
2579
2580 if (Function->hasAttr<ExcludeFromExplicitInstantiationAttr>())
2581 continue;
2582
2583 MemberSpecializationInfo *MSInfo =
2584 Function->getMemberSpecializationInfo();
2585 assert(MSInfo && "No member specialization information?");
2586 if (MSInfo->getTemplateSpecializationKind()
2587 == TSK_ExplicitSpecialization)
2588 continue;
2589
2590 if (CheckSpecializationInstantiationRedecl(PointOfInstantiation, TSK,
2591 Function,
2592 MSInfo->getTemplateSpecializationKind(),
2593 MSInfo->getPointOfInstantiation(),
2594 SuppressNew) ||
2595 SuppressNew)
2596 continue;
2597
2598 // C++11 [temp.explicit]p8:
2599 // An explicit instantiation definition that names a class template
2600 // specialization explicitly instantiates the class template
2601 // specialization and is only an explicit instantiation definition
2602 // of members whose definition is visible at the point of
2603 // instantiation.
2604 if (TSK == TSK_ExplicitInstantiationDefinition && !Pattern->isDefined())
2605 continue;
2606
2607 Function->setTemplateSpecializationKind(TSK, PointOfInstantiation);
2608
2609 if (Function->isDefined()) {
2610 // Let the ASTConsumer know that this function has been explicitly
2611 // instantiated now, and its linkage might have changed.
2612 Consumer.HandleTopLevelDecl(DeclGroupRef(Function));
2613 } else if (TSK == TSK_ExplicitInstantiationDefinition) {
2614 InstantiateFunctionDefinition(PointOfInstantiation, Function);
2615 } else if (TSK == TSK_ImplicitInstantiation) {
2616 PendingLocalImplicitInstantiations.push_back(
2617 std::make_pair(Function, PointOfInstantiation));
2618 }
2619 }
2620 } else if (auto *Var = dyn_cast<VarDecl>(D)) {
2621 if (isa<VarTemplateSpecializationDecl>(Var))
2622 continue;
2623
2624 if (Var->isStaticDataMember()) {
2625 if (Var->hasAttr<ExcludeFromExplicitInstantiationAttr>())
2626 continue;
2627
2628 MemberSpecializationInfo *MSInfo = Var->getMemberSpecializationInfo();
2629 assert(MSInfo && "No member specialization information?");
2630 if (MSInfo->getTemplateSpecializationKind()
2631 == TSK_ExplicitSpecialization)
2632 continue;
2633
2634 if (CheckSpecializationInstantiationRedecl(PointOfInstantiation, TSK,
2635 Var,
2636 MSInfo->getTemplateSpecializationKind(),
2637 MSInfo->getPointOfInstantiation(),
2638 SuppressNew) ||
2639 SuppressNew)
2640 continue;
2641
2642 if (TSK == TSK_ExplicitInstantiationDefinition) {
2643 // C++0x [temp.explicit]p8:
2644 // An explicit instantiation definition that names a class template
2645 // specialization explicitly instantiates the class template
2646 // specialization and is only an explicit instantiation definition
2647 // of members whose definition is visible at the point of
2648 // instantiation.
2649 if (!Var->getInstantiatedFromStaticDataMember()->getDefinition())
2650 continue;
2651
2652 Var->setTemplateSpecializationKind(TSK, PointOfInstantiation);
2653 InstantiateVariableDefinition(PointOfInstantiation, Var);
2654 } else {
2655 Var->setTemplateSpecializationKind(TSK, PointOfInstantiation);
2656 }
2657 }
2658 } else if (auto *Record = dyn_cast<CXXRecordDecl>(D)) {
2659 if (Record->hasAttr<ExcludeFromExplicitInstantiationAttr>())
2660 continue;
2661
2662 // Always skip the injected-class-name, along with any
2663 // redeclarations of nested classes, since both would cause us
2664 // to try to instantiate the members of a class twice.
2665 // Skip closure types; they'll get instantiated when we instantiate
2666 // the corresponding lambda-expression.
2667 if (Record->isInjectedClassName() || Record->getPreviousDecl() ||
2668 Record->isLambda())
2669 continue;
2670
2671 MemberSpecializationInfo *MSInfo = Record->getMemberSpecializationInfo();
2672 assert(MSInfo && "No member specialization information?");
2673
2674 if (MSInfo->getTemplateSpecializationKind()
2675 == TSK_ExplicitSpecialization)
2676 continue;
2677
2678 if ((Context.getTargetInfo().getCXXABI().isMicrosoft() ||
2679 Context.getTargetInfo().getTriple().isWindowsItaniumEnvironment()) &&
2680 TSK == TSK_ExplicitInstantiationDeclaration) {
2681 // In MSVC and Windows Itanium mode, explicit instantiation decl of the
2682 // outer class doesn't affect the inner class.
2683 continue;
2684 }
2685
2686 if (CheckSpecializationInstantiationRedecl(PointOfInstantiation, TSK,
2687 Record,
2688 MSInfo->getTemplateSpecializationKind(),
2689 MSInfo->getPointOfInstantiation(),
2690 SuppressNew) ||
2691 SuppressNew)
2692 continue;
2693
2694 CXXRecordDecl *Pattern = Record->getInstantiatedFromMemberClass();
2695 assert(Pattern && "Missing instantiated-from-template information");
2696
2697 if (!Record->getDefinition()) {
2698 if (!Pattern->getDefinition()) {
2699 // C++0x [temp.explicit]p8:
2700 // An explicit instantiation definition that names a class template
2701 // specialization explicitly instantiates the class template
2702 // specialization and is only an explicit instantiation definition
2703 // of members whose definition is visible at the point of
2704 // instantiation.
2705 if (TSK == TSK_ExplicitInstantiationDeclaration) {
2706 MSInfo->setTemplateSpecializationKind(TSK);
2707 MSInfo->setPointOfInstantiation(PointOfInstantiation);
2708 }
2709
2710 continue;
2711 }
2712
2713 InstantiateClass(PointOfInstantiation, Record, Pattern,
2714 TemplateArgs,
2715 TSK);
2716 } else {
2717 if (TSK == TSK_ExplicitInstantiationDefinition &&
2718 Record->getTemplateSpecializationKind() ==
2719 TSK_ExplicitInstantiationDeclaration) {
2720 Record->setTemplateSpecializationKind(TSK);
2721 MarkVTableUsed(PointOfInstantiation, Record, true);
2722 }
2723 }
2724
2725 Pattern = cast_or_null<CXXRecordDecl>(Record->getDefinition());
2726 if (Pattern)
2727 InstantiateClassMembers(PointOfInstantiation, Pattern, TemplateArgs,
2728 TSK);
2729 } else if (auto *Enum = dyn_cast<EnumDecl>(D)) {
2730 MemberSpecializationInfo *MSInfo = Enum->getMemberSpecializationInfo();
2731 assert(MSInfo && "No member specialization information?");
2732
2733 if (MSInfo->getTemplateSpecializationKind()
2734 == TSK_ExplicitSpecialization)
2735 continue;
2736
2737 if (CheckSpecializationInstantiationRedecl(
2738 PointOfInstantiation, TSK, Enum,
2739 MSInfo->getTemplateSpecializationKind(),
2740 MSInfo->getPointOfInstantiation(), SuppressNew) ||
2741 SuppressNew)
2742 continue;
2743
2744 if (Enum->getDefinition())
2745 continue;
2746
2747 EnumDecl *Pattern = Enum->getTemplateInstantiationPattern();
2748 assert(Pattern && "Missing instantiated-from-template information");
2749
2750 if (TSK == TSK_ExplicitInstantiationDefinition) {
2751 if (!Pattern->getDefinition())
2752 continue;
2753
2754 InstantiateEnum(PointOfInstantiation, Enum, Pattern, TemplateArgs, TSK);
2755 } else {
2756 MSInfo->setTemplateSpecializationKind(TSK);
2757 MSInfo->setPointOfInstantiation(PointOfInstantiation);
2758 }
2759 } else if (auto *Field = dyn_cast<FieldDecl>(D)) {
2760 // No need to instantiate in-class initializers during explicit
2761 // instantiation.
2762 if (Field->hasInClassInitializer() && TSK == TSK_ImplicitInstantiation) {
2763 CXXRecordDecl *ClassPattern =
2764 Instantiation->getTemplateInstantiationPattern();
2765 DeclContext::lookup_result Lookup =
2766 ClassPattern->lookup(Field->getDeclName());
2767 FieldDecl *Pattern = cast<FieldDecl>(Lookup.front());
2768 InstantiateInClassInitializer(PointOfInstantiation, Field, Pattern,
2769 TemplateArgs);
2770 }
2771 }
2772 }
2773 }
2774
2775 /// Instantiate the definitions of all of the members of the
2776 /// given class template specialization, which was named as part of an
2777 /// explicit instantiation.
2778 void
InstantiateClassTemplateSpecializationMembers(SourceLocation PointOfInstantiation,ClassTemplateSpecializationDecl * ClassTemplateSpec,TemplateSpecializationKind TSK)2779 Sema::InstantiateClassTemplateSpecializationMembers(
2780 SourceLocation PointOfInstantiation,
2781 ClassTemplateSpecializationDecl *ClassTemplateSpec,
2782 TemplateSpecializationKind TSK) {
2783 // C++0x [temp.explicit]p7:
2784 // An explicit instantiation that names a class template
2785 // specialization is an explicit instantion of the same kind
2786 // (declaration or definition) of each of its members (not
2787 // including members inherited from base classes) that has not
2788 // been previously explicitly specialized in the translation unit
2789 // containing the explicit instantiation, except as described
2790 // below.
2791 InstantiateClassMembers(PointOfInstantiation, ClassTemplateSpec,
2792 getTemplateInstantiationArgs(ClassTemplateSpec),
2793 TSK);
2794 }
2795
2796 StmtResult
SubstStmt(Stmt * S,const MultiLevelTemplateArgumentList & TemplateArgs)2797 Sema::SubstStmt(Stmt *S, const MultiLevelTemplateArgumentList &TemplateArgs) {
2798 if (!S)
2799 return S;
2800
2801 TemplateInstantiator Instantiator(*this, TemplateArgs,
2802 SourceLocation(),
2803 DeclarationName());
2804 return Instantiator.TransformStmt(S);
2805 }
2806
2807 ExprResult
SubstExpr(Expr * E,const MultiLevelTemplateArgumentList & TemplateArgs)2808 Sema::SubstExpr(Expr *E, const MultiLevelTemplateArgumentList &TemplateArgs) {
2809 if (!E)
2810 return E;
2811
2812 TemplateInstantiator Instantiator(*this, TemplateArgs,
2813 SourceLocation(),
2814 DeclarationName());
2815 return Instantiator.TransformExpr(E);
2816 }
2817
SubstInitializer(Expr * Init,const MultiLevelTemplateArgumentList & TemplateArgs,bool CXXDirectInit)2818 ExprResult Sema::SubstInitializer(Expr *Init,
2819 const MultiLevelTemplateArgumentList &TemplateArgs,
2820 bool CXXDirectInit) {
2821 TemplateInstantiator Instantiator(*this, TemplateArgs,
2822 SourceLocation(),
2823 DeclarationName());
2824 return Instantiator.TransformInitializer(Init, CXXDirectInit);
2825 }
2826
SubstExprs(ArrayRef<Expr * > Exprs,bool IsCall,const MultiLevelTemplateArgumentList & TemplateArgs,SmallVectorImpl<Expr * > & Outputs)2827 bool Sema::SubstExprs(ArrayRef<Expr *> Exprs, bool IsCall,
2828 const MultiLevelTemplateArgumentList &TemplateArgs,
2829 SmallVectorImpl<Expr *> &Outputs) {
2830 if (Exprs.empty())
2831 return false;
2832
2833 TemplateInstantiator Instantiator(*this, TemplateArgs,
2834 SourceLocation(),
2835 DeclarationName());
2836 return Instantiator.TransformExprs(Exprs.data(), Exprs.size(),
2837 IsCall, Outputs);
2838 }
2839
2840 NestedNameSpecifierLoc
SubstNestedNameSpecifierLoc(NestedNameSpecifierLoc NNS,const MultiLevelTemplateArgumentList & TemplateArgs)2841 Sema::SubstNestedNameSpecifierLoc(NestedNameSpecifierLoc NNS,
2842 const MultiLevelTemplateArgumentList &TemplateArgs) {
2843 if (!NNS)
2844 return NestedNameSpecifierLoc();
2845
2846 TemplateInstantiator Instantiator(*this, TemplateArgs, NNS.getBeginLoc(),
2847 DeclarationName());
2848 return Instantiator.TransformNestedNameSpecifierLoc(NNS);
2849 }
2850
2851 /// Do template substitution on declaration name info.
2852 DeclarationNameInfo
SubstDeclarationNameInfo(const DeclarationNameInfo & NameInfo,const MultiLevelTemplateArgumentList & TemplateArgs)2853 Sema::SubstDeclarationNameInfo(const DeclarationNameInfo &NameInfo,
2854 const MultiLevelTemplateArgumentList &TemplateArgs) {
2855 TemplateInstantiator Instantiator(*this, TemplateArgs, NameInfo.getLoc(),
2856 NameInfo.getName());
2857 return Instantiator.TransformDeclarationNameInfo(NameInfo);
2858 }
2859
2860 TemplateName
SubstTemplateName(NestedNameSpecifierLoc QualifierLoc,TemplateName Name,SourceLocation Loc,const MultiLevelTemplateArgumentList & TemplateArgs)2861 Sema::SubstTemplateName(NestedNameSpecifierLoc QualifierLoc,
2862 TemplateName Name, SourceLocation Loc,
2863 const MultiLevelTemplateArgumentList &TemplateArgs) {
2864 TemplateInstantiator Instantiator(*this, TemplateArgs, Loc,
2865 DeclarationName());
2866 CXXScopeSpec SS;
2867 SS.Adopt(QualifierLoc);
2868 return Instantiator.TransformTemplateName(SS, Name, Loc);
2869 }
2870
Subst(const TemplateArgumentLoc * Args,unsigned NumArgs,TemplateArgumentListInfo & Result,const MultiLevelTemplateArgumentList & TemplateArgs)2871 bool Sema::Subst(const TemplateArgumentLoc *Args, unsigned NumArgs,
2872 TemplateArgumentListInfo &Result,
2873 const MultiLevelTemplateArgumentList &TemplateArgs) {
2874 TemplateInstantiator Instantiator(*this, TemplateArgs, SourceLocation(),
2875 DeclarationName());
2876
2877 return Instantiator.TransformTemplateArguments(Args, NumArgs, Result);
2878 }
2879
getCanonicalParmVarDecl(const Decl * D)2880 static const Decl *getCanonicalParmVarDecl(const Decl *D) {
2881 // When storing ParmVarDecls in the local instantiation scope, we always
2882 // want to use the ParmVarDecl from the canonical function declaration,
2883 // since the map is then valid for any redeclaration or definition of that
2884 // function.
2885 if (const ParmVarDecl *PV = dyn_cast<ParmVarDecl>(D)) {
2886 if (const FunctionDecl *FD = dyn_cast<FunctionDecl>(PV->getDeclContext())) {
2887 unsigned i = PV->getFunctionScopeIndex();
2888 // This parameter might be from a freestanding function type within the
2889 // function and isn't necessarily referring to one of FD's parameters.
2890 if (FD->getParamDecl(i) == PV)
2891 return FD->getCanonicalDecl()->getParamDecl(i);
2892 }
2893 }
2894 return D;
2895 }
2896
2897
2898 llvm::PointerUnion<Decl *, LocalInstantiationScope::DeclArgumentPack *> *
findInstantiationOf(const Decl * D)2899 LocalInstantiationScope::findInstantiationOf(const Decl *D) {
2900 D = getCanonicalParmVarDecl(D);
2901 for (LocalInstantiationScope *Current = this; Current;
2902 Current = Current->Outer) {
2903
2904 // Check if we found something within this scope.
2905 const Decl *CheckD = D;
2906 do {
2907 LocalDeclsMap::iterator Found = Current->LocalDecls.find(CheckD);
2908 if (Found != Current->LocalDecls.end())
2909 return &Found->second;
2910
2911 // If this is a tag declaration, it's possible that we need to look for
2912 // a previous declaration.
2913 if (const TagDecl *Tag = dyn_cast<TagDecl>(CheckD))
2914 CheckD = Tag->getPreviousDecl();
2915 else
2916 CheckD = nullptr;
2917 } while (CheckD);
2918
2919 // If we aren't combined with our outer scope, we're done.
2920 if (!Current->CombineWithOuterScope)
2921 break;
2922 }
2923
2924 // If we're performing a partial substitution during template argument
2925 // deduction, we may not have values for template parameters yet.
2926 if (isa<NonTypeTemplateParmDecl>(D) || isa<TemplateTypeParmDecl>(D) ||
2927 isa<TemplateTemplateParmDecl>(D))
2928 return nullptr;
2929
2930 // Local types referenced prior to definition may require instantiation.
2931 if (const CXXRecordDecl *RD = dyn_cast<CXXRecordDecl>(D))
2932 if (RD->isLocalClass())
2933 return nullptr;
2934
2935 // Enumeration types referenced prior to definition may appear as a result of
2936 // error recovery.
2937 if (isa<EnumDecl>(D))
2938 return nullptr;
2939
2940 // If we didn't find the decl, then we either have a sema bug, or we have a
2941 // forward reference to a label declaration. Return null to indicate that
2942 // we have an uninstantiated label.
2943 assert(isa<LabelDecl>(D) && "declaration not instantiated in this scope");
2944 return nullptr;
2945 }
2946
InstantiatedLocal(const Decl * D,Decl * Inst)2947 void LocalInstantiationScope::InstantiatedLocal(const Decl *D, Decl *Inst) {
2948 D = getCanonicalParmVarDecl(D);
2949 llvm::PointerUnion<Decl *, DeclArgumentPack *> &Stored = LocalDecls[D];
2950 if (Stored.isNull()) {
2951 #ifndef NDEBUG
2952 // It should not be present in any surrounding scope either.
2953 LocalInstantiationScope *Current = this;
2954 while (Current->CombineWithOuterScope && Current->Outer) {
2955 Current = Current->Outer;
2956 assert(Current->LocalDecls.find(D) == Current->LocalDecls.end() &&
2957 "Instantiated local in inner and outer scopes");
2958 }
2959 #endif
2960 Stored = Inst;
2961 } else if (DeclArgumentPack *Pack = Stored.dyn_cast<DeclArgumentPack *>()) {
2962 Pack->push_back(cast<ParmVarDecl>(Inst));
2963 } else {
2964 assert(Stored.get<Decl *>() == Inst && "Already instantiated this local");
2965 }
2966 }
2967
InstantiatedLocalPackArg(const Decl * D,ParmVarDecl * Inst)2968 void LocalInstantiationScope::InstantiatedLocalPackArg(const Decl *D,
2969 ParmVarDecl *Inst) {
2970 D = getCanonicalParmVarDecl(D);
2971 DeclArgumentPack *Pack = LocalDecls[D].get<DeclArgumentPack *>();
2972 Pack->push_back(Inst);
2973 }
2974
MakeInstantiatedLocalArgPack(const Decl * D)2975 void LocalInstantiationScope::MakeInstantiatedLocalArgPack(const Decl *D) {
2976 #ifndef NDEBUG
2977 // This should be the first time we've been told about this decl.
2978 for (LocalInstantiationScope *Current = this;
2979 Current && Current->CombineWithOuterScope; Current = Current->Outer)
2980 assert(Current->LocalDecls.find(D) == Current->LocalDecls.end() &&
2981 "Creating local pack after instantiation of local");
2982 #endif
2983
2984 D = getCanonicalParmVarDecl(D);
2985 llvm::PointerUnion<Decl *, DeclArgumentPack *> &Stored = LocalDecls[D];
2986 DeclArgumentPack *Pack = new DeclArgumentPack;
2987 Stored = Pack;
2988 ArgumentPacks.push_back(Pack);
2989 }
2990
SetPartiallySubstitutedPack(NamedDecl * Pack,const TemplateArgument * ExplicitArgs,unsigned NumExplicitArgs)2991 void LocalInstantiationScope::SetPartiallySubstitutedPack(NamedDecl *Pack,
2992 const TemplateArgument *ExplicitArgs,
2993 unsigned NumExplicitArgs) {
2994 assert((!PartiallySubstitutedPack || PartiallySubstitutedPack == Pack) &&
2995 "Already have a partially-substituted pack");
2996 assert((!PartiallySubstitutedPack
2997 || NumArgsInPartiallySubstitutedPack == NumExplicitArgs) &&
2998 "Wrong number of arguments in partially-substituted pack");
2999 PartiallySubstitutedPack = Pack;
3000 ArgsInPartiallySubstitutedPack = ExplicitArgs;
3001 NumArgsInPartiallySubstitutedPack = NumExplicitArgs;
3002 }
3003
getPartiallySubstitutedPack(const TemplateArgument ** ExplicitArgs,unsigned * NumExplicitArgs) const3004 NamedDecl *LocalInstantiationScope::getPartiallySubstitutedPack(
3005 const TemplateArgument **ExplicitArgs,
3006 unsigned *NumExplicitArgs) const {
3007 if (ExplicitArgs)
3008 *ExplicitArgs = nullptr;
3009 if (NumExplicitArgs)
3010 *NumExplicitArgs = 0;
3011
3012 for (const LocalInstantiationScope *Current = this; Current;
3013 Current = Current->Outer) {
3014 if (Current->PartiallySubstitutedPack) {
3015 if (ExplicitArgs)
3016 *ExplicitArgs = Current->ArgsInPartiallySubstitutedPack;
3017 if (NumExplicitArgs)
3018 *NumExplicitArgs = Current->NumArgsInPartiallySubstitutedPack;
3019
3020 return Current->PartiallySubstitutedPack;
3021 }
3022
3023 if (!Current->CombineWithOuterScope)
3024 break;
3025 }
3026
3027 return nullptr;
3028 }
3029