clang 23.0.0git
SemaExprCXX.cpp
Go to the documentation of this file.
1//===--- SemaExprCXX.cpp - Semantic Analysis for Expressions --------------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8///
9/// \file
10/// Implements semantic analysis for C++ expressions.
11///
12//===----------------------------------------------------------------------===//
13
14#include "TreeTransform.h"
15#include "TypeLocBuilder.h"
17#include "clang/AST/ASTLambda.h"
19#include "clang/AST/CharUnits.h"
20#include "clang/AST/DeclCXX.h"
21#include "clang/AST/DeclObjC.h"
23#include "clang/AST/ExprCXX.h"
25#include "clang/AST/ExprObjC.h"
26#include "clang/AST/Type.h"
27#include "clang/AST/TypeLoc.h"
34#include "clang/Sema/DeclSpec.h"
37#include "clang/Sema/Lookup.h"
39#include "clang/Sema/Scope.h"
41#include "clang/Sema/SemaCUDA.h"
42#include "clang/Sema/SemaHLSL.h"
44#include "clang/Sema/SemaObjC.h"
45#include "clang/Sema/SemaPPC.h"
46#include "clang/Sema/Template.h"
48#include "llvm/ADT/APInt.h"
49#include "llvm/ADT/STLExtras.h"
50#include "llvm/ADT/StringExtras.h"
51#include "llvm/Support/ErrorHandling.h"
52#include "llvm/Support/TypeSize.h"
53#include <optional>
54using namespace clang;
55using namespace sema;
56
58 SourceLocation NameLoc,
59 const IdentifierInfo &Name) {
61 QualType Type(NNS.getAsType(), 0);
62 if ([[maybe_unused]] const auto *DNT = dyn_cast<DependentNameType>(Type))
63 assert(DNT->getIdentifier() == &Name && "not a constructor name");
64
65 // This reference to the type is located entirely at the location of the
66 // final identifier in the qualified-id.
68 Context.getTrivialTypeSourceInfo(Type, NameLoc));
69}
70
72 SourceLocation NameLoc, Scope *S,
73 CXXScopeSpec &SS, bool EnteringContext) {
74 CXXRecordDecl *CurClass = getCurrentClass(S, &SS);
75 assert(CurClass && &II == CurClass->getIdentifier() &&
76 "not a constructor name");
77
78 // When naming a constructor as a member of a dependent context (eg, in a
79 // friend declaration or an inherited constructor declaration), form an
80 // unresolved "typename" type.
81 if (CurClass->isDependentContext() && !EnteringContext && SS.getScopeRep()) {
82 QualType T = Context.getDependentNameType(ElaboratedTypeKeyword::None,
83 SS.getScopeRep(), &II);
84 return ParsedType::make(T);
85 }
86
87 if (SS.isNotEmpty() && RequireCompleteDeclContext(SS, CurClass))
88 return ParsedType();
89
90 // Find the injected-class-name declaration. Note that we make no attempt to
91 // diagnose cases where the injected-class-name is shadowed: the only
92 // declaration that can validly shadow the injected-class-name is a
93 // non-static data member, and if the class contains both a non-static data
94 // member and a constructor then it is ill-formed (we check that in
95 // CheckCompletedCXXClass).
96 CXXRecordDecl *InjectedClassName = nullptr;
97 for (NamedDecl *ND : CurClass->lookup(&II)) {
98 auto *RD = dyn_cast<CXXRecordDecl>(ND);
99 if (RD && RD->isInjectedClassName()) {
100 InjectedClassName = RD;
101 break;
102 }
103 }
104 if (!InjectedClassName) {
105 if (!CurClass->isInvalidDecl()) {
106 // FIXME: RequireCompleteDeclContext doesn't check dependent contexts
107 // properly. Work around it here for now.
109 diag::err_incomplete_nested_name_spec) << CurClass << SS.getRange();
110 }
111 return ParsedType();
112 }
113
115 InjectedClassName, /*OwnsTag=*/false);
116 return ParsedType::make(T);
117}
118
120 SourceLocation NameLoc, Scope *S,
121 CXXScopeSpec &SS, ParsedType ObjectTypePtr,
122 bool EnteringContext) {
123 // Determine where to perform name lookup.
124
125 // FIXME: This area of the standard is very messy, and the current
126 // wording is rather unclear about which scopes we search for the
127 // destructor name; see core issues 399 and 555. Issue 399 in
128 // particular shows where the current description of destructor name
129 // lookup is completely out of line with existing practice, e.g.,
130 // this appears to be ill-formed:
131 //
132 // namespace N {
133 // template <typename T> struct S {
134 // ~S();
135 // };
136 // }
137 //
138 // void f(N::S<int>* s) {
139 // s->N::S<int>::~S();
140 // }
141 //
142 // See also PR6358 and PR6359.
143 //
144 // For now, we accept all the cases in which the name given could plausibly
145 // be interpreted as a correct destructor name, issuing off-by-default
146 // extension diagnostics on the cases that don't strictly conform to the
147 // C++20 rules. This basically means we always consider looking in the
148 // nested-name-specifier prefix, the complete nested-name-specifier, and
149 // the scope, and accept if we find the expected type in any of the three
150 // places.
151
152 if (SS.isInvalid())
153 return nullptr;
154
155 // Whether we've failed with a diagnostic already.
156 bool Failed = false;
157
160
161 // If we have an object type, it's because we are in a
162 // pseudo-destructor-expression or a member access expression, and
163 // we know what type we're looking for.
164 QualType SearchType =
165 ObjectTypePtr ? GetTypeFromParser(ObjectTypePtr) : QualType();
166
167 auto CheckLookupResult = [&](LookupResult &Found) -> ParsedType {
168 auto IsAcceptableResult = [&](NamedDecl *D) -> bool {
169 auto *Type = dyn_cast<TypeDecl>(D->getUnderlyingDecl());
170 if (!Type)
171 return false;
172
173 if (SearchType.isNull() || SearchType->isDependentType())
174 return true;
175
176 CanQualType T = Context.getCanonicalTypeDeclType(Type);
177 return Context.hasSameUnqualifiedType(T, SearchType);
178 };
179
180 unsigned NumAcceptableResults = 0;
181 for (NamedDecl *D : Found) {
182 if (IsAcceptableResult(D))
183 ++NumAcceptableResults;
184
185 // Don't list a class twice in the lookup failure diagnostic if it's
186 // found by both its injected-class-name and by the name in the enclosing
187 // scope.
188 if (auto *RD = dyn_cast<CXXRecordDecl>(D))
189 if (RD->isInjectedClassName())
190 D = cast<NamedDecl>(RD->getParent());
191
192 if (FoundDeclSet.insert(D).second)
193 FoundDecls.push_back(D);
194 }
195
196 // As an extension, attempt to "fix" an ambiguity by erasing all non-type
197 // results, and all non-matching results if we have a search type. It's not
198 // clear what the right behavior is if destructor lookup hits an ambiguity,
199 // but other compilers do generally accept at least some kinds of
200 // ambiguity.
201 if (Found.isAmbiguous() && NumAcceptableResults == 1) {
202 Diag(NameLoc, diag::ext_dtor_name_ambiguous);
203 LookupResult::Filter F = Found.makeFilter();
204 while (F.hasNext()) {
205 NamedDecl *D = F.next();
206 if (auto *TD = dyn_cast<TypeDecl>(D->getUnderlyingDecl()))
207 Diag(D->getLocation(), diag::note_destructor_type_here)
208 << Context.getTypeDeclType(ElaboratedTypeKeyword::None,
209 /*Qualifier=*/std::nullopt, TD);
210 else
211 Diag(D->getLocation(), diag::note_destructor_nontype_here);
212
213 if (!IsAcceptableResult(D))
214 F.erase();
215 }
216 F.done();
217 }
218
219 if (Found.isAmbiguous())
220 Failed = true;
221
222 if (TypeDecl *Type = Found.getAsSingle<TypeDecl>()) {
223 if (IsAcceptableResult(Type)) {
224 QualType T = Context.getTypeDeclType(ElaboratedTypeKeyword::None,
225 /*Qualifier=*/std::nullopt, Type);
226 MarkAnyDeclReferenced(Type->getLocation(), Type, /*OdrUse=*/false);
227 return CreateParsedType(T,
228 Context.getTrivialTypeSourceInfo(T, NameLoc));
229 }
230 }
231
232 return nullptr;
233 };
234
235 bool IsDependent = false;
236
237 auto LookupInObjectType = [&]() -> ParsedType {
238 if (Failed || SearchType.isNull())
239 return nullptr;
240
241 IsDependent |= SearchType->isDependentType();
242
243 LookupResult Found(*this, &II, NameLoc, LookupDestructorName);
244 DeclContext *LookupCtx = computeDeclContext(SearchType);
245 if (!LookupCtx)
246 return nullptr;
247 LookupQualifiedName(Found, LookupCtx);
248 return CheckLookupResult(Found);
249 };
250
251 auto LookupInNestedNameSpec = [&](CXXScopeSpec &LookupSS) -> ParsedType {
252 if (Failed)
253 return nullptr;
254
255 IsDependent |= isDependentScopeSpecifier(LookupSS);
256 DeclContext *LookupCtx = computeDeclContext(LookupSS, EnteringContext);
257 if (!LookupCtx)
258 return nullptr;
259
260 LookupResult Found(*this, &II, NameLoc, LookupDestructorName);
261 if (RequireCompleteDeclContext(LookupSS, LookupCtx)) {
262 Failed = true;
263 return nullptr;
264 }
265 LookupQualifiedName(Found, LookupCtx);
266 return CheckLookupResult(Found);
267 };
268
269 auto LookupInScope = [&]() -> ParsedType {
270 if (Failed || !S)
271 return nullptr;
272
273 LookupResult Found(*this, &II, NameLoc, LookupDestructorName);
274 LookupName(Found, S);
275 return CheckLookupResult(Found);
276 };
277
278 // C++2a [basic.lookup.qual]p6:
279 // In a qualified-id of the form
280 //
281 // nested-name-specifier[opt] type-name :: ~ type-name
282 //
283 // the second type-name is looked up in the same scope as the first.
284 //
285 // We interpret this as meaning that if you do a dual-scope lookup for the
286 // first name, you also do a dual-scope lookup for the second name, per
287 // C++ [basic.lookup.classref]p4:
288 //
289 // If the id-expression in a class member access is a qualified-id of the
290 // form
291 //
292 // class-name-or-namespace-name :: ...
293 //
294 // the class-name-or-namespace-name following the . or -> is first looked
295 // up in the class of the object expression and the name, if found, is used.
296 // Otherwise, it is looked up in the context of the entire
297 // postfix-expression.
298 //
299 // This looks in the same scopes as for an unqualified destructor name:
300 //
301 // C++ [basic.lookup.classref]p3:
302 // If the unqualified-id is ~ type-name, the type-name is looked up
303 // in the context of the entire postfix-expression. If the type T
304 // of the object expression is of a class type C, the type-name is
305 // also looked up in the scope of class C. At least one of the
306 // lookups shall find a name that refers to cv T.
307 //
308 // FIXME: The intent is unclear here. Should type-name::~type-name look in
309 // the scope anyway if it finds a non-matching name declared in the class?
310 // If both lookups succeed and find a dependent result, which result should
311 // we retain? (Same question for p->~type-name().)
312
313 auto Prefix = [&]() -> NestedNameSpecifierLoc {
315 if (!NNS)
316 return NestedNameSpecifierLoc();
317 if (auto TL = NNS.getAsTypeLoc())
318 return TL.getPrefix();
319 return NNS.getAsNamespaceAndPrefix().Prefix;
320 }();
321
322 if (Prefix) {
323 // This is
324 //
325 // nested-name-specifier type-name :: ~ type-name
326 //
327 // Look for the second type-name in the nested-name-specifier.
328 CXXScopeSpec PrefixSS;
329 PrefixSS.Adopt(Prefix);
330 if (ParsedType T = LookupInNestedNameSpec(PrefixSS))
331 return T;
332 } else {
333 // This is one of
334 //
335 // type-name :: ~ type-name
336 // ~ type-name
337 //
338 // Look in the scope and (if any) the object type.
339 if (ParsedType T = LookupInScope())
340 return T;
341 if (ParsedType T = LookupInObjectType())
342 return T;
343 }
344
345 if (Failed)
346 return nullptr;
347
348 if (IsDependent) {
349 // We didn't find our type, but that's OK: it's dependent anyway.
350
351 // FIXME: What if we have no nested-name-specifier?
352 TypeSourceInfo *TSI = nullptr;
353 QualType T =
355 SS.getWithLocInContext(Context), II, NameLoc, &TSI,
356 /*DeducedTSTContext=*/true);
357 if (T.isNull())
358 return ParsedType();
359 return CreateParsedType(T, TSI);
360 }
361
362 // The remaining cases are all non-standard extensions imitating the behavior
363 // of various other compilers.
364 unsigned NumNonExtensionDecls = FoundDecls.size();
365
366 if (SS.isSet()) {
367 // For compatibility with older broken C++ rules and existing code,
368 //
369 // nested-name-specifier :: ~ type-name
370 //
371 // also looks for type-name within the nested-name-specifier.
372 if (ParsedType T = LookupInNestedNameSpec(SS)) {
373 Diag(SS.getEndLoc(), diag::ext_dtor_named_in_wrong_scope)
374 << SS.getRange()
376 ("::" + II.getName()).str());
377 return T;
378 }
379
380 // For compatibility with other compilers and older versions of Clang,
381 //
382 // nested-name-specifier type-name :: ~ type-name
383 //
384 // also looks for type-name in the scope. Unfortunately, we can't
385 // reasonably apply this fallback for dependent nested-name-specifiers.
386 if (Prefix) {
387 if (ParsedType T = LookupInScope()) {
388 Diag(SS.getEndLoc(), diag::ext_qualified_dtor_named_in_lexical_scope)
390 Diag(FoundDecls.back()->getLocation(), diag::note_destructor_type_here)
391 << GetTypeFromParser(T);
392 return T;
393 }
394 }
395 }
396
397 // We didn't find anything matching; tell the user what we did find (if
398 // anything).
399
400 // Don't tell the user about declarations we shouldn't have found.
401 FoundDecls.resize(NumNonExtensionDecls);
402
403 // List types before non-types.
404 llvm::stable_sort(FoundDecls, [](NamedDecl *A, NamedDecl *B) {
405 return isa<TypeDecl>(A->getUnderlyingDecl()) >
407 });
408
409 // Suggest a fixit to properly name the destroyed type.
410 auto MakeFixItHint = [&]{
411 const CXXRecordDecl *Destroyed = nullptr;
412 // FIXME: If we have a scope specifier, suggest its last component?
413 if (!SearchType.isNull())
414 Destroyed = SearchType->getAsCXXRecordDecl();
415 else if (S)
416 Destroyed = dyn_cast_or_null<CXXRecordDecl>(S->getEntity());
417 if (Destroyed)
419 Destroyed->getNameAsString());
420 return FixItHint();
421 };
422
423 if (FoundDecls.empty()) {
424 // FIXME: Attempt typo-correction?
425 Diag(NameLoc, diag::err_undeclared_destructor_name)
426 << &II << MakeFixItHint();
427 } else if (!SearchType.isNull() && FoundDecls.size() == 1) {
428 if (auto *TD = dyn_cast<TypeDecl>(FoundDecls[0]->getUnderlyingDecl())) {
429 assert(!SearchType.isNull() &&
430 "should only reject a type result if we have a search type");
431 Diag(NameLoc, diag::err_destructor_expr_type_mismatch)
432 << Context.getTypeDeclType(ElaboratedTypeKeyword::None,
433 /*Qualifier=*/std::nullopt, TD)
434 << SearchType << MakeFixItHint();
435 } else {
436 Diag(NameLoc, diag::err_destructor_expr_nontype)
437 << &II << MakeFixItHint();
438 }
439 } else {
440 Diag(NameLoc, SearchType.isNull() ? diag::err_destructor_name_nontype
441 : diag::err_destructor_expr_mismatch)
442 << &II << SearchType << MakeFixItHint();
443 }
444
445 for (NamedDecl *FoundD : FoundDecls) {
446 if (auto *TD = dyn_cast<TypeDecl>(FoundD->getUnderlyingDecl()))
447 Diag(FoundD->getLocation(), diag::note_destructor_type_here)
448 << Context.getTypeDeclType(ElaboratedTypeKeyword::None,
449 /*Qualifier=*/std::nullopt, TD);
450 else
451 Diag(FoundD->getLocation(), diag::note_destructor_nontype_here)
452 << FoundD;
453 }
454
455 return nullptr;
456}
457
459 ParsedType ObjectType) {
461 return nullptr;
462
464 Diag(DS.getTypeSpecTypeLoc(), diag::err_decltype_auto_invalid);
465 return nullptr;
466 }
467
469 "unexpected type in getDestructorType");
471
472 // If we know the type of the object, check that the correct destructor
473 // type was named now; we can give better diagnostics this way.
474 QualType SearchType = GetTypeFromParser(ObjectType);
475 if (!SearchType.isNull() && !SearchType->isDependentType() &&
476 !Context.hasSameUnqualifiedType(T, SearchType)) {
477 Diag(DS.getTypeSpecTypeLoc(), diag::err_destructor_expr_type_mismatch)
478 << T << SearchType;
479 return nullptr;
480 }
481
482 return ParsedType::make(T);
483}
484
486 const UnqualifiedId &Name, bool IsUDSuffix) {
488 if (!IsUDSuffix) {
489 // [over.literal] p8
490 //
491 // double operator""_Bq(long double); // OK: not a reserved identifier
492 // double operator"" _Bq(long double); // ill-formed, no diagnostic required
493 const IdentifierInfo *II = Name.Identifier;
494 ReservedIdentifierStatus Status = II->isReserved(PP.getLangOpts());
495 SourceLocation Loc = Name.getEndLoc();
496
498 Name.getSourceRange(),
499 (StringRef("operator\"\"") + II->getName()).str());
500
501 // Only emit this diagnostic if we start with an underscore, else the
502 // diagnostic for C++11 requiring a space between the quotes and the
503 // identifier conflicts with this and gets confusing. The diagnostic stating
504 // this is a reserved name should force the underscore, which gets this
505 // back.
506 if (II->isReservedLiteralSuffixId() !=
508 Diag(Loc, diag::warn_deprecated_literal_operator_id) << II << Hint;
509
510 if (isReservedInAllContexts(Status))
511 Diag(Loc, diag::warn_reserved_extern_symbol)
512 << II << static_cast<int>(Status) << Hint;
513 }
514
515 switch (SS.getScopeRep().getKind()) {
517 // Per C++11 [over.literal]p2, literal operators can only be declared at
518 // namespace scope. Therefore, this unqualified-id cannot name anything.
519 // Reject it early, because we have no AST representation for this in the
520 // case where the scope is dependent.
521 Diag(Name.getBeginLoc(), diag::err_literal_operator_id_outside_namespace)
522 << SS.getScopeRep();
523 return true;
524
529 return false;
530 }
531
532 llvm_unreachable("unknown nested name specifier kind");
533}
534
536 SourceLocation TypeidLoc,
537 TypeSourceInfo *Operand,
538 SourceLocation RParenLoc) {
539 // C++ [expr.typeid]p4:
540 // The top-level cv-qualifiers of the lvalue expression or the type-id
541 // that is the operand of typeid are always ignored.
542 // If the type of the type-id is a class type or a reference to a class
543 // type, the class shall be completely-defined.
544 Qualifiers Quals;
545 QualType T
546 = Context.getUnqualifiedArrayType(Operand->getType().getNonReferenceType(),
547 Quals);
548 if (T->isRecordType() &&
549 RequireCompleteType(TypeidLoc, T, diag::err_incomplete_typeid))
550 return ExprError();
551
552 if (T->isVariablyModifiedType())
553 return ExprError(Diag(TypeidLoc, diag::err_variably_modified_typeid) << T);
554
555 if (CheckQualifiedFunctionForTypeId(T, TypeidLoc))
556 return ExprError();
557
558 return new (Context) CXXTypeidExpr(TypeInfoType.withConst(), Operand,
559 SourceRange(TypeidLoc, RParenLoc));
560}
561
563 SourceLocation TypeidLoc,
564 Expr *E,
565 SourceLocation RParenLoc) {
566 bool WasEvaluated = false;
567 if (E && !E->isTypeDependent()) {
568 if (E->hasPlaceholderType()) {
570 if (result.isInvalid()) return ExprError();
571 E = result.get();
572 }
573
574 QualType T = E->getType();
575 if (auto *RecordD = T->getAsCXXRecordDecl()) {
576 // C++ [expr.typeid]p3:
577 // [...] If the type of the expression is a class type, the class
578 // shall be completely-defined.
579 if (RequireCompleteType(TypeidLoc, T, diag::err_incomplete_typeid))
580 return ExprError();
581
582 // C++ [expr.typeid]p3:
583 // When typeid is applied to an expression other than an glvalue of a
584 // polymorphic class type [...] [the] expression is an unevaluated
585 // operand. [...]
586 if (RecordD->isPolymorphic() && E->isGLValue()) {
587 if (isUnevaluatedContext()) {
588 // The operand was processed in unevaluated context, switch the
589 // context and recheck the subexpression.
591 if (Result.isInvalid())
592 return ExprError();
593 E = Result.get();
594 }
595
596 // We require a vtable to query the type at run time.
597 MarkVTableUsed(TypeidLoc, RecordD);
598 WasEvaluated = true;
599 }
600 }
601
603 if (Result.isInvalid())
604 return ExprError();
605 E = Result.get();
606
607 // C++ [expr.typeid]p4:
608 // [...] If the type of the type-id is a reference to a possibly
609 // cv-qualified type, the result of the typeid expression refers to a
610 // std::type_info object representing the cv-unqualified referenced
611 // type.
612 Qualifiers Quals;
613 QualType UnqualT = Context.getUnqualifiedArrayType(T, Quals);
614 if (!Context.hasSameType(T, UnqualT)) {
615 T = UnqualT;
616 E = ImpCastExprToType(E, UnqualT, CK_NoOp, E->getValueKind()).get();
617 }
618 }
619
621 return ExprError(Diag(TypeidLoc, diag::err_variably_modified_typeid)
622 << E->getType());
623 else if (!inTemplateInstantiation() &&
624 E->HasSideEffects(Context, WasEvaluated)) {
625 // The expression operand for typeid is in an unevaluated expression
626 // context, so side effects could result in unintended consequences.
627 Diag(E->getExprLoc(), WasEvaluated
628 ? diag::warn_side_effects_typeid
629 : diag::warn_side_effects_unevaluated_context);
630 }
631
632 return new (Context) CXXTypeidExpr(TypeInfoType.withConst(), E,
633 SourceRange(TypeidLoc, RParenLoc));
634}
635
636/// ActOnCXXTypeidOfType - Parse typeid( type-id ) or typeid (expression);
639 bool isType, void *TyOrExpr, SourceLocation RParenLoc) {
640 // typeid is not supported in OpenCL.
641 if (getLangOpts().OpenCLCPlusPlus) {
642 return ExprError(Diag(OpLoc, diag::err_openclcxx_not_supported)
643 << "typeid");
644 }
645
646 // Find the std::type_info type.
647 if (!getStdNamespace()) {
648 return ExprError(Diag(OpLoc, diag::err_need_header_before_typeid)
649 << (getLangOpts().CPlusPlus20 ? 1 : 0));
650 }
651
652 if (!CXXTypeInfoDecl) {
653 IdentifierInfo *TypeInfoII = &PP.getIdentifierTable().get("type_info");
654 LookupResult R(*this, TypeInfoII, SourceLocation(), LookupTagName);
656 CXXTypeInfoDecl = R.getAsSingle<RecordDecl>();
657 // Microsoft's typeinfo doesn't have type_info in std but in the global
658 // namespace if _HAS_EXCEPTIONS is defined to 0. See PR13153.
659 if (!CXXTypeInfoDecl && LangOpts.MSVCCompat) {
660 LookupQualifiedName(R, Context.getTranslationUnitDecl());
661 CXXTypeInfoDecl = R.getAsSingle<RecordDecl>();
662 }
663 if (!CXXTypeInfoDecl)
664 return ExprError(Diag(OpLoc, diag::err_need_header_before_typeid)
665 << (getLangOpts().CPlusPlus20 ? 1 : 0));
666 }
667
668 if (!getLangOpts().RTTI) {
669 return ExprError(Diag(OpLoc, diag::err_no_typeid_with_fno_rtti));
670 }
671
672 CanQualType TypeInfoType = Context.getCanonicalTagType(CXXTypeInfoDecl);
673
674 if (isType) {
675 // The operand is a type; handle it as such.
676 TypeSourceInfo *TInfo = nullptr;
678 &TInfo);
679 if (T.isNull())
680 return ExprError();
681
682 if (!TInfo)
683 TInfo = Context.getTrivialTypeSourceInfo(T, OpLoc);
684
685 return BuildCXXTypeId(TypeInfoType, OpLoc, TInfo, RParenLoc);
686 }
687
688 // The operand is an expression.
690 BuildCXXTypeId(TypeInfoType, OpLoc, (Expr *)TyOrExpr, RParenLoc);
691
692 if (!getLangOpts().RTTIData && !Result.isInvalid())
693 if (auto *CTE = dyn_cast<CXXTypeidExpr>(Result.get()))
694 if (CTE->isPotentiallyEvaluated() && !CTE->isMostDerived(Context))
695 Diag(OpLoc, diag::warn_no_typeid_with_rtti_disabled)
696 << (getDiagnostics().getDiagnosticOptions().getFormat() ==
698 return Result;
699}
700
701/// Grabs __declspec(uuid()) off a type, or returns 0 if we cannot resolve to
702/// a single GUID.
703static void
706 // Optionally remove one level of pointer, reference or array indirection.
707 const Type *Ty = QT.getTypePtr();
708 if (QT->isPointerOrReferenceType())
709 Ty = QT->getPointeeType().getTypePtr();
710 else if (QT->isArrayType())
711 Ty = Ty->getBaseElementTypeUnsafe();
712
713 const auto *TD = Ty->getAsTagDecl();
714 if (!TD)
715 return;
716
717 if (const auto *Uuid = TD->getMostRecentDecl()->getAttr<UuidAttr>()) {
718 UuidAttrs.insert(Uuid);
719 return;
720 }
721
722 // __uuidof can grab UUIDs from template arguments.
723 if (const auto *CTSD = dyn_cast<ClassTemplateSpecializationDecl>(TD)) {
724 const TemplateArgumentList &TAL = CTSD->getTemplateArgs();
725 for (const TemplateArgument &TA : TAL.asArray()) {
726 const UuidAttr *UuidForTA = nullptr;
727 if (TA.getKind() == TemplateArgument::Type)
728 getUuidAttrOfType(SemaRef, TA.getAsType(), UuidAttrs);
729 else if (TA.getKind() == TemplateArgument::Declaration)
730 getUuidAttrOfType(SemaRef, TA.getAsDecl()->getType(), UuidAttrs);
731
732 if (UuidForTA)
733 UuidAttrs.insert(UuidForTA);
734 }
735 }
736}
737
739 SourceLocation TypeidLoc,
740 TypeSourceInfo *Operand,
741 SourceLocation RParenLoc) {
742 MSGuidDecl *Guid = nullptr;
743 if (!Operand->getType()->isDependentType()) {
745 getUuidAttrOfType(*this, Operand->getType(), UuidAttrs);
746 if (UuidAttrs.empty())
747 return ExprError(Diag(TypeidLoc, diag::err_uuidof_without_guid));
748 if (UuidAttrs.size() > 1)
749 return ExprError(Diag(TypeidLoc, diag::err_uuidof_with_multiple_guids));
750 Guid = UuidAttrs.back()->getGuidDecl();
751 }
752
753 return new (Context)
754 CXXUuidofExpr(Type, Operand, Guid, SourceRange(TypeidLoc, RParenLoc));
755}
756
758 Expr *E, SourceLocation RParenLoc) {
759 MSGuidDecl *Guid = nullptr;
760 if (!E->getType()->isDependentType()) {
762 // A null pointer results in {00000000-0000-0000-0000-000000000000}.
763 Guid = Context.getMSGuidDecl(MSGuidDecl::Parts{});
764 } else {
766 getUuidAttrOfType(*this, E->getType(), UuidAttrs);
767 if (UuidAttrs.empty())
768 return ExprError(Diag(TypeidLoc, diag::err_uuidof_without_guid));
769 if (UuidAttrs.size() > 1)
770 return ExprError(Diag(TypeidLoc, diag::err_uuidof_with_multiple_guids));
771 Guid = UuidAttrs.back()->getGuidDecl();
772 }
773 }
774
775 return new (Context)
776 CXXUuidofExpr(Type, E, Guid, SourceRange(TypeidLoc, RParenLoc));
777}
778
779/// ActOnCXXUuidof - Parse __uuidof( type-id ) or __uuidof (expression);
782 bool isType, void *TyOrExpr, SourceLocation RParenLoc) {
783 QualType GuidType = Context.getMSGuidType();
784 GuidType.addConst();
785
786 if (isType) {
787 // The operand is a type; handle it as such.
788 TypeSourceInfo *TInfo = nullptr;
790 &TInfo);
791 if (T.isNull())
792 return ExprError();
793
794 if (!TInfo)
795 TInfo = Context.getTrivialTypeSourceInfo(T, OpLoc);
796
797 return BuildCXXUuidof(GuidType, OpLoc, TInfo, RParenLoc);
798 }
799
800 // The operand is an expression.
801 return BuildCXXUuidof(GuidType, OpLoc, (Expr*)TyOrExpr, RParenLoc);
802}
803
806 assert((Kind == tok::kw_true || Kind == tok::kw_false) &&
807 "Unknown C++ Boolean value!");
808 return new (Context)
809 CXXBoolLiteralExpr(Kind == tok::kw_true, Context.BoolTy, OpLoc);
810}
811
816
819 bool IsThrownVarInScope = false;
820 if (Ex) {
821 // C++0x [class.copymove]p31:
822 // When certain criteria are met, an implementation is allowed to omit the
823 // copy/move construction of a class object [...]
824 //
825 // - in a throw-expression, when the operand is the name of a
826 // non-volatile automatic object (other than a function or catch-
827 // clause parameter) whose scope does not extend beyond the end of the
828 // innermost enclosing try-block (if there is one), the copy/move
829 // operation from the operand to the exception object (15.1) can be
830 // omitted by constructing the automatic object directly into the
831 // exception object
832 if (const auto *DRE = dyn_cast<DeclRefExpr>(Ex->IgnoreParens()))
833 if (const auto *Var = dyn_cast<VarDecl>(DRE->getDecl());
834 Var && Var->hasLocalStorage() &&
835 !Var->getType().isVolatileQualified()) {
836 for (; S; S = S->getParent()) {
837 if (S->isDeclScope(Var)) {
838 IsThrownVarInScope = true;
839 break;
840 }
841
842 // FIXME: Many of the scope checks here seem incorrect.
843 if (S->getFlags() &
846 break;
847 }
848 }
849 }
850
851 return BuildCXXThrow(OpLoc, Ex, IsThrownVarInScope);
852}
853
855 bool IsThrownVarInScope) {
856 const llvm::Triple &T = Context.getTargetInfo().getTriple();
857 const bool IsOpenMPGPUTarget =
858 getLangOpts().OpenMPIsTargetDevice && T.isGPU();
859
860 DiagnoseExceptionUse(OpLoc, /* IsTry= */ false);
861
862 // In OpenMP target regions, we replace 'throw' with a trap on GPU targets.
863 if (IsOpenMPGPUTarget)
864 targetDiag(OpLoc, diag::warn_throw_not_valid_on_target) << T.str();
865
866 // Exceptions aren't allowed in CUDA device code.
867 if (getLangOpts().CUDA)
868 CUDA().DiagIfDeviceCode(OpLoc, diag::err_cuda_device_exceptions)
869 << "throw" << CUDA().CurrentTarget();
870
871 if (getCurScope() && getCurScope()->isOpenMPSimdDirectiveScope())
872 Diag(OpLoc, diag::err_omp_simd_region_cannot_use_stmt) << "throw";
873
874 // Exceptions that escape a compute construct are ill-formed.
875 if (getLangOpts().OpenACC && getCurScope() &&
876 getCurScope()->isInOpenACCComputeConstructScope(Scope::TryScope))
877 Diag(OpLoc, diag::err_acc_branch_in_out_compute_construct)
878 << /*throw*/ 2 << /*out of*/ 0;
879
880 if (Ex && !Ex->isTypeDependent()) {
881 // Initialize the exception result. This implicitly weeds out
882 // abstract types or types with inaccessible copy constructors.
883
884 // C++0x [class.copymove]p31:
885 // When certain criteria are met, an implementation is allowed to omit the
886 // copy/move construction of a class object [...]
887 //
888 // - in a throw-expression, when the operand is the name of a
889 // non-volatile automatic object (other than a function or
890 // catch-clause
891 // parameter) whose scope does not extend beyond the end of the
892 // innermost enclosing try-block (if there is one), the copy/move
893 // operation from the operand to the exception object (15.1) can be
894 // omitted by constructing the automatic object directly into the
895 // exception object
896 NamedReturnInfo NRInfo =
897 IsThrownVarInScope ? getNamedReturnInfo(Ex) : NamedReturnInfo();
898
899 QualType ExceptionObjectTy = Context.getExceptionObjectType(Ex->getType());
900 if (CheckCXXThrowOperand(OpLoc, ExceptionObjectTy, Ex))
901 return ExprError();
902
903 InitializedEntity Entity =
904 InitializedEntity::InitializeException(OpLoc, ExceptionObjectTy);
905 ExprResult Res = PerformMoveOrCopyInitialization(Entity, NRInfo, Ex);
906 if (Res.isInvalid())
907 return ExprError();
908 Ex = Res.get();
909 }
910
911 // PPC MMA non-pointer types are not allowed as throw expr types.
912 if (Ex && Context.getTargetInfo().getTriple().isPPC64())
913 PPC().CheckPPCMMAType(Ex->getType(), Ex->getBeginLoc());
914
915 return new (Context)
916 CXXThrowExpr(Ex, Context.VoidTy, OpLoc, IsThrownVarInScope);
917}
918
919static void
921 llvm::DenseMap<CXXRecordDecl *, unsigned> &SubobjectsSeen,
922 llvm::SmallPtrSetImpl<CXXRecordDecl *> &VBases,
923 llvm::SetVector<CXXRecordDecl *> &PublicSubobjectsSeen,
924 bool ParentIsPublic) {
925 for (const CXXBaseSpecifier &BS : RD->bases()) {
926 CXXRecordDecl *BaseDecl = BS.getType()->getAsCXXRecordDecl();
927 bool NewSubobject;
928 // Virtual bases constitute the same subobject. Non-virtual bases are
929 // always distinct subobjects.
930 if (BS.isVirtual())
931 NewSubobject = VBases.insert(BaseDecl).second;
932 else
933 NewSubobject = true;
934
935 if (NewSubobject)
936 ++SubobjectsSeen[BaseDecl];
937
938 // Only add subobjects which have public access throughout the entire chain.
939 bool PublicPath = ParentIsPublic && BS.getAccessSpecifier() == AS_public;
940 if (PublicPath)
941 PublicSubobjectsSeen.insert(BaseDecl);
942
943 // Recurse on to each base subobject.
944 collectPublicBases(BaseDecl, SubobjectsSeen, VBases, PublicSubobjectsSeen,
945 PublicPath);
946 }
947}
948
951 llvm::DenseMap<CXXRecordDecl *, unsigned> SubobjectsSeen;
953 llvm::SetVector<CXXRecordDecl *> PublicSubobjectsSeen;
954 SubobjectsSeen[RD] = 1;
955 PublicSubobjectsSeen.insert(RD);
956 collectPublicBases(RD, SubobjectsSeen, VBases, PublicSubobjectsSeen,
957 /*ParentIsPublic=*/true);
958
959 for (CXXRecordDecl *PublicSubobject : PublicSubobjectsSeen) {
960 // Skip ambiguous objects.
961 if (SubobjectsSeen[PublicSubobject] > 1)
962 continue;
963
964 Objects.push_back(PublicSubobject);
965 }
966}
967
969 QualType ExceptionObjectTy, Expr *E) {
970 // If the type of the exception would be an incomplete type or a pointer
971 // to an incomplete type other than (cv) void the program is ill-formed.
972 QualType Ty = ExceptionObjectTy;
973 bool isPointer = false;
974 if (const PointerType* Ptr = Ty->getAs<PointerType>()) {
975 Ty = Ptr->getPointeeType();
976 isPointer = true;
977 }
978
979 // Cannot throw WebAssembly reference type.
981 Diag(ThrowLoc, diag::err_wasm_reftype_tc) << 0 << E->getSourceRange();
982 return true;
983 }
984
985 // Cannot throw WebAssembly table.
986 if (isPointer && Ty.isWebAssemblyReferenceType()) {
987 Diag(ThrowLoc, diag::err_wasm_table_art) << 2 << E->getSourceRange();
988 return true;
989 }
990
991 if (!isPointer || !Ty->isVoidType()) {
992 if (RequireCompleteType(ThrowLoc, Ty,
993 isPointer ? diag::err_throw_incomplete_ptr
994 : diag::err_throw_incomplete,
995 E->getSourceRange()))
996 return true;
997
998 if (!isPointer && Ty->isSizelessType()) {
999 Diag(ThrowLoc, diag::err_throw_sizeless) << Ty << E->getSourceRange();
1000 return true;
1001 }
1002
1003 if (RequireNonAbstractType(ThrowLoc, ExceptionObjectTy,
1004 diag::err_throw_abstract_type, E))
1005 return true;
1006 }
1007
1008 // If the exception has class type, we need additional handling.
1010 if (!RD)
1011 return false;
1012
1013 // If we are throwing a polymorphic class type or pointer thereof,
1014 // exception handling will make use of the vtable.
1015 MarkVTableUsed(ThrowLoc, RD);
1016
1017 // If a pointer is thrown, the referenced object will not be destroyed.
1018 if (isPointer)
1019 return false;
1020
1021 // If the class has a destructor, we must be able to call it.
1022 if (!RD->hasIrrelevantDestructor()) {
1026 PDiag(diag::err_access_dtor_exception) << Ty);
1028 return true;
1029 }
1030 }
1031
1032 // The MSVC ABI creates a list of all types which can catch the exception
1033 // object. This list also references the appropriate copy constructor to call
1034 // if the object is caught by value and has a non-trivial copy constructor.
1035 if (Context.getTargetInfo().getCXXABI().isMicrosoft()) {
1036 // We are only interested in the public, unambiguous bases contained within
1037 // the exception object. Bases which are ambiguous or otherwise
1038 // inaccessible are not catchable types.
1039 llvm::SmallVector<CXXRecordDecl *, 2> UnambiguousPublicSubobjects;
1040 getUnambiguousPublicSubobjects(RD, UnambiguousPublicSubobjects);
1041
1042 for (CXXRecordDecl *Subobject : UnambiguousPublicSubobjects) {
1043 // Attempt to lookup the copy constructor. Various pieces of machinery
1044 // will spring into action, like template instantiation, which means this
1045 // cannot be a simple walk of the class's decls. Instead, we must perform
1046 // lookup and overload resolution.
1047 CXXConstructorDecl *CD = LookupCopyingConstructor(Subobject, 0);
1048 if (!CD || CD->isDeleted())
1049 continue;
1050
1051 // Mark the constructor referenced as it is used by this throw expression.
1053
1054 // Skip this copy constructor if it is trivial, we don't need to record it
1055 // in the catchable type data.
1056 if (CD->isTrivial())
1057 continue;
1058
1059 // The copy constructor is non-trivial, create a mapping from this class
1060 // type to this constructor.
1061 // N.B. The selection of copy constructor is not sensitive to this
1062 // particular throw-site. Lookup will be performed at the catch-site to
1063 // ensure that the copy constructor is, in fact, accessible (via
1064 // friendship or any other means).
1065 Context.addCopyConstructorForExceptionObject(Subobject, CD);
1066
1067 // We don't keep the instantiated default argument expressions around so
1068 // we must rebuild them here.
1069 for (unsigned I = 1, E = CD->getNumParams(); I != E; ++I) {
1070 if (CheckCXXDefaultArgExpr(ThrowLoc, CD, CD->getParamDecl(I)))
1071 return true;
1072 }
1073 }
1074 }
1075
1076 // Under the Itanium C++ ABI, memory for the exception object is allocated by
1077 // the runtime with no ability for the compiler to request additional
1078 // alignment. Warn if the exception type requires alignment beyond the minimum
1079 // guaranteed by the target C++ runtime.
1080 if (Context.getTargetInfo().getCXXABI().isItaniumFamily()) {
1081 CharUnits TypeAlign = Context.getTypeAlignInChars(Ty);
1082 CharUnits ExnObjAlign = Context.getExnObjectAlignment();
1083 if (ExnObjAlign < TypeAlign) {
1084 Diag(ThrowLoc, diag::warn_throw_underaligned_obj);
1085 Diag(ThrowLoc, diag::note_throw_underaligned_obj)
1086 << Ty << (unsigned)TypeAlign.getQuantity()
1087 << (unsigned)ExnObjAlign.getQuantity();
1088 }
1089 }
1090 if (!isPointer && getLangOpts().AssumeNothrowExceptionDtor) {
1091 if (CXXDestructorDecl *Dtor = RD->getDestructor()) {
1092 auto Ty = Dtor->getType();
1093 if (auto *FT = Ty.getTypePtr()->getAs<FunctionProtoType>()) {
1094 if (!isUnresolvedExceptionSpec(FT->getExceptionSpecType()) &&
1095 !FT->isNothrow())
1096 Diag(ThrowLoc, diag::err_throw_object_throwing_dtor) << RD;
1097 }
1098 }
1099 }
1100
1101 return false;
1102}
1103
1105 ArrayRef<FunctionScopeInfo *> FunctionScopes, QualType ThisTy,
1106 DeclContext *CurSemaContext, ASTContext &ASTCtx) {
1107
1108 QualType ClassType = ThisTy->getPointeeType();
1109 LambdaScopeInfo *CurLSI = nullptr;
1110 DeclContext *CurDC = CurSemaContext;
1111
1112 // Iterate through the stack of lambdas starting from the innermost lambda to
1113 // the outermost lambda, checking if '*this' is ever captured by copy - since
1114 // that could change the cv-qualifiers of the '*this' object.
1115 // The object referred to by '*this' starts out with the cv-qualifiers of its
1116 // member function. We then start with the innermost lambda and iterate
1117 // outward checking to see if any lambda performs a by-copy capture of '*this'
1118 // - and if so, any nested lambda must respect the 'constness' of that
1119 // capturing lamdbda's call operator.
1120 //
1121
1122 // Since the FunctionScopeInfo stack is representative of the lexical
1123 // nesting of the lambda expressions during initial parsing (and is the best
1124 // place for querying information about captures about lambdas that are
1125 // partially processed) and perhaps during instantiation of function templates
1126 // that contain lambda expressions that need to be transformed BUT not
1127 // necessarily during instantiation of a nested generic lambda's function call
1128 // operator (which might even be instantiated at the end of the TU) - at which
1129 // time the DeclContext tree is mature enough to query capture information
1130 // reliably - we use a two pronged approach to walk through all the lexically
1131 // enclosing lambda expressions:
1132 //
1133 // 1) Climb down the FunctionScopeInfo stack as long as each item represents
1134 // a Lambda (i.e. LambdaScopeInfo) AND each LSI's 'closure-type' is lexically
1135 // enclosed by the call-operator of the LSI below it on the stack (while
1136 // tracking the enclosing DC for step 2 if needed). Note the topmost LSI on
1137 // the stack represents the innermost lambda.
1138 //
1139 // 2) If we run out of enclosing LSI's, check if the enclosing DeclContext
1140 // represents a lambda's call operator. If it does, we must be instantiating
1141 // a generic lambda's call operator (represented by the Current LSI, and
1142 // should be the only scenario where an inconsistency between the LSI and the
1143 // DeclContext should occur), so climb out the DeclContexts if they
1144 // represent lambdas, while querying the corresponding closure types
1145 // regarding capture information.
1146
1147 // 1) Climb down the function scope info stack.
1148 for (int I = FunctionScopes.size();
1149 I-- && isa<LambdaScopeInfo>(FunctionScopes[I]) &&
1150 (!CurLSI || !CurLSI->Lambda || CurLSI->Lambda->getDeclContext() ==
1151 cast<LambdaScopeInfo>(FunctionScopes[I])->CallOperator);
1152 CurDC = getLambdaAwareParentOfDeclContext(CurDC)) {
1153 CurLSI = cast<LambdaScopeInfo>(FunctionScopes[I]);
1154
1155 if (!CurLSI->isCXXThisCaptured())
1156 continue;
1157
1158 auto C = CurLSI->getCXXThisCapture();
1159
1160 if (C.isCopyCapture()) {
1161 if (CurLSI->lambdaCaptureShouldBeConst())
1162 ClassType.addConst();
1163 return ASTCtx.getPointerType(ClassType);
1164 }
1165 }
1166
1167 // 2) We've run out of ScopeInfos but check 1. if CurDC is a lambda (which
1168 // can happen during instantiation of its nested generic lambda call
1169 // operator); 2. if we're in a lambda scope (lambda body).
1170 if (CurLSI && isLambdaCallOperator(CurDC)) {
1172 "While computing 'this' capture-type for a generic lambda, when we "
1173 "run out of enclosing LSI's, yet the enclosing DC is a "
1174 "lambda-call-operator we must be (i.e. Current LSI) in a generic "
1175 "lambda call oeprator");
1176 assert(CurDC == getLambdaAwareParentOfDeclContext(CurLSI->CallOperator));
1177
1178 auto IsThisCaptured =
1179 [](CXXRecordDecl *Closure, bool &IsByCopy, bool &IsConst) {
1180 IsConst = false;
1181 IsByCopy = false;
1182 for (auto &&C : Closure->captures()) {
1183 if (C.capturesThis()) {
1184 if (C.getCaptureKind() == LCK_StarThis)
1185 IsByCopy = true;
1186 if (Closure->getLambdaCallOperator()->isConst())
1187 IsConst = true;
1188 return true;
1189 }
1190 }
1191 return false;
1192 };
1193
1194 bool IsByCopyCapture = false;
1195 bool IsConstCapture = false;
1196 CXXRecordDecl *Closure = cast<CXXRecordDecl>(CurDC->getParent());
1197 while (Closure &&
1198 IsThisCaptured(Closure, IsByCopyCapture, IsConstCapture)) {
1199 if (IsByCopyCapture) {
1200 if (IsConstCapture)
1201 ClassType.addConst();
1202 return ASTCtx.getPointerType(ClassType);
1203 }
1204 Closure = isLambdaCallOperator(Closure->getParent())
1205 ? cast<CXXRecordDecl>(Closure->getParent()->getParent())
1206 : nullptr;
1207 }
1208 }
1209 return ThisTy;
1210}
1211
1215
1216 if (CXXMethodDecl *method = dyn_cast<CXXMethodDecl>(DC)) {
1217 if (method && method->isImplicitObjectMemberFunction())
1218 ThisTy = method->getThisType().getNonReferenceType();
1219 }
1220
1223
1224 // This is a lambda call operator that is being instantiated as a default
1225 // initializer. DC must point to the enclosing class type, so we can recover
1226 // the 'this' type from it.
1227 CanQualType ClassTy = Context.getCanonicalTagType(cast<CXXRecordDecl>(DC));
1228 // There are no cv-qualifiers for 'this' within default initializers,
1229 // per [expr.prim.general]p4.
1230 ThisTy = Context.getPointerType(ClassTy);
1231 }
1232
1233 // If we are within a lambda's call operator, the cv-qualifiers of 'this'
1234 // might need to be adjusted if the lambda or any of its enclosing lambda's
1235 // captures '*this' by copy.
1236 if (!ThisTy.isNull() && isLambdaCallOperator(CurContext))
1239 return ThisTy;
1240}
1241
1243 Decl *ContextDecl,
1244 Qualifiers CXXThisTypeQuals,
1245 bool Enabled)
1246 : S(S), OldCXXThisTypeOverride(S.CXXThisTypeOverride), Enabled(false)
1247{
1248 if (!Enabled || !ContextDecl)
1249 return;
1250
1251 CXXRecordDecl *Record = nullptr;
1252 if (ClassTemplateDecl *Template = dyn_cast<ClassTemplateDecl>(ContextDecl))
1253 Record = Template->getTemplatedDecl();
1254 else
1255 Record = cast<CXXRecordDecl>(ContextDecl);
1256
1257 // 'this' never refers to the lambda class itself.
1258 if (Record->isLambda())
1259 return;
1260
1261 QualType T = S.Context.getCanonicalTagType(Record);
1262 T = S.getASTContext().getQualifiedType(T, CXXThisTypeQuals);
1263
1264 S.CXXThisTypeOverride =
1265 S.Context.getLangOpts().HLSL ? T : S.Context.getPointerType(T);
1266
1267 this->Enabled = true;
1268}
1269
1270
1272 if (Enabled) {
1273 S.CXXThisTypeOverride = OldCXXThisTypeOverride;
1274 }
1275}
1276
1278 SourceLocation DiagLoc = LSI->IntroducerRange.getEnd();
1279 assert(!LSI->isCXXThisCaptured());
1280 // [=, this] {}; // until C++20: Error: this when = is the default
1282 !Sema.getLangOpts().CPlusPlus20)
1283 return;
1284 Sema.Diag(DiagLoc, diag::note_lambda_this_capture_fixit)
1286 DiagLoc, LSI->NumExplicitCaptures > 0 ? ", this" : "this");
1287}
1288
1290 bool BuildAndDiagnose, const unsigned *const FunctionScopeIndexToStopAt,
1291 const bool ByCopy) {
1292 // We don't need to capture this in an unevaluated context.
1294 return true;
1295
1296 assert((!ByCopy || Explicit) && "cannot implicitly capture *this by value");
1297
1298 const int MaxFunctionScopesIndex = FunctionScopeIndexToStopAt
1299 ? *FunctionScopeIndexToStopAt
1300 : FunctionScopes.size() - 1;
1301
1302 // Check that we can capture the *enclosing object* (referred to by '*this')
1303 // by the capturing-entity/closure (lambda/block/etc) at
1304 // MaxFunctionScopesIndex-deep on the FunctionScopes stack.
1305
1306 // Note: The *enclosing object* can only be captured by-value by a
1307 // closure that is a lambda, using the explicit notation:
1308 // [*this] { ... }.
1309 // Every other capture of the *enclosing object* results in its by-reference
1310 // capture.
1311
1312 // For a closure 'L' (at MaxFunctionScopesIndex in the FunctionScopes
1313 // stack), we can capture the *enclosing object* only if:
1314 // - 'L' has an explicit byref or byval capture of the *enclosing object*
1315 // - or, 'L' has an implicit capture.
1316 // AND
1317 // -- there is no enclosing closure
1318 // -- or, there is some enclosing closure 'E' that has already captured the
1319 // *enclosing object*, and every intervening closure (if any) between 'E'
1320 // and 'L' can implicitly capture the *enclosing object*.
1321 // -- or, every enclosing closure can implicitly capture the
1322 // *enclosing object*
1323
1324
1325 unsigned NumCapturingClosures = 0;
1326 for (int idx = MaxFunctionScopesIndex; idx >= 0; idx--) {
1327 if (CapturingScopeInfo *CSI =
1328 dyn_cast<CapturingScopeInfo>(FunctionScopes[idx])) {
1329 if (CSI->CXXThisCaptureIndex != 0) {
1330 // 'this' is already being captured; there isn't anything more to do.
1331 CSI->Captures[CSI->CXXThisCaptureIndex - 1].markUsed(BuildAndDiagnose);
1332 break;
1333 }
1334 LambdaScopeInfo *LSI = dyn_cast<LambdaScopeInfo>(CSI);
1336 // This context can't implicitly capture 'this'; fail out.
1337 if (BuildAndDiagnose) {
1339 Diag(Loc, diag::err_this_capture)
1340 << (Explicit && idx == MaxFunctionScopesIndex);
1341 if (!Explicit)
1342 buildLambdaThisCaptureFixit(*this, LSI);
1343 }
1344 return true;
1345 }
1346 if (CSI->ImpCaptureStyle == CapturingScopeInfo::ImpCap_LambdaByref ||
1347 CSI->ImpCaptureStyle == CapturingScopeInfo::ImpCap_LambdaByval ||
1348 CSI->ImpCaptureStyle == CapturingScopeInfo::ImpCap_Block ||
1349 CSI->ImpCaptureStyle == CapturingScopeInfo::ImpCap_CapturedRegion ||
1350 (Explicit && idx == MaxFunctionScopesIndex)) {
1351 // Regarding (Explicit && idx == MaxFunctionScopesIndex): only the first
1352 // iteration through can be an explicit capture, all enclosing closures,
1353 // if any, must perform implicit captures.
1354
1355 // This closure can capture 'this'; continue looking upwards.
1356 NumCapturingClosures++;
1357 continue;
1358 }
1359 // This context can't implicitly capture 'this'; fail out.
1360 if (BuildAndDiagnose) {
1362 Diag(Loc, diag::err_this_capture)
1363 << (Explicit && idx == MaxFunctionScopesIndex);
1364 }
1365 if (!Explicit)
1366 buildLambdaThisCaptureFixit(*this, LSI);
1367 return true;
1368 }
1369 break;
1370 }
1371 if (!BuildAndDiagnose) return false;
1372
1373 // If we got here, then the closure at MaxFunctionScopesIndex on the
1374 // FunctionScopes stack, can capture the *enclosing object*, so capture it
1375 // (including implicit by-reference captures in any enclosing closures).
1376
1377 // In the loop below, respect the ByCopy flag only for the closure requesting
1378 // the capture (i.e. first iteration through the loop below). Ignore it for
1379 // all enclosing closure's up to NumCapturingClosures (since they must be
1380 // implicitly capturing the *enclosing object* by reference (see loop
1381 // above)).
1382 assert((!ByCopy ||
1383 isa<LambdaScopeInfo>(FunctionScopes[MaxFunctionScopesIndex])) &&
1384 "Only a lambda can capture the enclosing object (referred to by "
1385 "*this) by copy");
1386 QualType ThisTy = getCurrentThisType();
1387 for (int idx = MaxFunctionScopesIndex; NumCapturingClosures;
1388 --idx, --NumCapturingClosures) {
1390
1391 // The type of the corresponding data member (not a 'this' pointer if 'by
1392 // copy').
1393 QualType CaptureType = ByCopy ? ThisTy->getPointeeType() : ThisTy;
1394
1395 bool isNested = NumCapturingClosures > 1;
1396 CSI->addThisCapture(isNested, Loc, CaptureType, ByCopy);
1397 }
1398 return false;
1399}
1400
1402 // C++20 [expr.prim.this]p1:
1403 // The keyword this names a pointer to the object for which an
1404 // implicit object member function is invoked or a non-static
1405 // data member's initializer is evaluated.
1406 QualType ThisTy = getCurrentThisType();
1407
1408 if (CheckCXXThisType(Loc, ThisTy))
1409 return ExprError();
1410
1411 return BuildCXXThisExpr(Loc, ThisTy, /*IsImplicit=*/false);
1412}
1413
1415 if (!Type.isNull())
1416 return false;
1417
1418 // C++20 [expr.prim.this]p3:
1419 // If a declaration declares a member function or member function template
1420 // of a class X, the expression this is a prvalue of type
1421 // "pointer to cv-qualifier-seq X" wherever X is the current class between
1422 // the optional cv-qualifier-seq and the end of the function-definition,
1423 // member-declarator, or declarator. It shall not appear within the
1424 // declaration of either a static member function or an explicit object
1425 // member function of the current class (although its type and value
1426 // category are defined within such member functions as they are within
1427 // an implicit object member function).
1429 const auto *Method = dyn_cast<CXXMethodDecl>(DC);
1430 if (Method && Method->isExplicitObjectMemberFunction()) {
1431 Diag(Loc, diag::err_invalid_this_use) << 1;
1433 Diag(Loc, diag::err_invalid_this_use) << 1;
1434 } else {
1435 Diag(Loc, diag::err_invalid_this_use) << 0;
1436 }
1437 return true;
1438}
1439
1441 bool IsImplicit) {
1442 auto *This = CXXThisExpr::Create(Context, Loc, Type, IsImplicit);
1444 return This;
1445}
1446
1448 CheckCXXThisCapture(This->getExprLoc());
1449 if (This->isTypeDependent())
1450 return;
1451
1452 // Check if 'this' is captured by value in a lambda with a dependent explicit
1453 // object parameter, and mark it as type-dependent as well if so.
1454 auto IsDependent = [&]() {
1455 for (auto *Scope : llvm::reverse(FunctionScopes)) {
1456 auto *LSI = dyn_cast<sema::LambdaScopeInfo>(Scope);
1457 if (!LSI)
1458 continue;
1459
1460 if (LSI->Lambda && !LSI->Lambda->Encloses(CurContext) &&
1461 LSI->AfterParameterList)
1462 return false;
1463
1464 // If this lambda captures 'this' by value, then 'this' is dependent iff
1465 // this lambda has a dependent explicit object parameter. If we can't
1466 // determine whether it does (e.g. because the CXXMethodDecl's type is
1467 // null), assume it doesn't.
1468 if (LSI->isCXXThisCaptured()) {
1469 if (!LSI->getCXXThisCapture().isCopyCapture())
1470 continue;
1471
1472 const auto *MD = LSI->CallOperator;
1473 if (MD->getType().isNull())
1474 return false;
1475
1476 const auto *Ty = MD->getType()->getAs<FunctionProtoType>();
1477 return Ty && MD->isExplicitObjectMemberFunction() &&
1478 Ty->getParamType(0)->isDependentType();
1479 }
1480 }
1481 return false;
1482 }();
1483
1484 This->setCapturedByCopyInLambdaWithExplicitObjectParameter(IsDependent);
1485}
1486
1488 // If we're outside the body of a member function, then we'll have a specified
1489 // type for 'this'.
1490 if (CXXThisTypeOverride.isNull())
1491 return false;
1492
1493 // Determine whether we're looking into a class that's currently being
1494 // defined.
1495 CXXRecordDecl *Class = BaseType->getAsCXXRecordDecl();
1496 return Class && Class->isBeingDefined();
1497}
1498
1501 SourceLocation LParenOrBraceLoc,
1502 MultiExprArg exprs,
1503 SourceLocation RParenOrBraceLoc,
1504 bool ListInitialization) {
1505 if (!TypeRep)
1506 return ExprError();
1507
1508 TypeSourceInfo *TInfo;
1509 QualType Ty = GetTypeFromParser(TypeRep, &TInfo);
1510 if (!TInfo)
1511 TInfo = Context.getTrivialTypeSourceInfo(Ty, SourceLocation());
1512
1513 auto Result = BuildCXXTypeConstructExpr(TInfo, LParenOrBraceLoc, exprs,
1514 RParenOrBraceLoc, ListInitialization);
1515 if (Result.isInvalid())
1517 RParenOrBraceLoc, exprs, Ty);
1518 return Result;
1519}
1520
1523 SourceLocation LParenOrBraceLoc,
1524 MultiExprArg Exprs,
1525 SourceLocation RParenOrBraceLoc,
1526 bool ListInitialization) {
1527 QualType Ty = TInfo->getType();
1528 SourceLocation TyBeginLoc = TInfo->getTypeLoc().getBeginLoc();
1529 SourceRange FullRange = SourceRange(TyBeginLoc, RParenOrBraceLoc);
1530
1531 InitializedEntity Entity =
1533 InitializationKind Kind =
1534 Exprs.size()
1535 ? ListInitialization
1537 TyBeginLoc, LParenOrBraceLoc, RParenOrBraceLoc)
1538 : InitializationKind::CreateDirect(TyBeginLoc, LParenOrBraceLoc,
1539 RParenOrBraceLoc)
1540 : InitializationKind::CreateValue(TyBeginLoc, LParenOrBraceLoc,
1541 RParenOrBraceLoc);
1542
1543 // C++17 [expr.type.conv]p1:
1544 // If the type is a placeholder for a deduced class type, [...perform class
1545 // template argument deduction...]
1546 // C++23:
1547 // Otherwise, if the type contains a placeholder type, it is replaced by the
1548 // type determined by placeholder type deduction.
1549 DeducedType *Deduced = Ty->getContainedDeducedType();
1550 if (Deduced && !Deduced->isDeduced() &&
1553 Kind, Exprs);
1554 if (Ty.isNull())
1555 return ExprError();
1556 Entity = InitializedEntity::InitializeTemporary(TInfo, Ty);
1557 } else if (Deduced && !Deduced->isDeduced()) {
1558 MultiExprArg Inits = Exprs;
1559 if (ListInitialization) {
1560 auto *ILE = cast<InitListExpr>(Exprs[0]);
1561 Inits = MultiExprArg(ILE->getInits(), ILE->getNumInits());
1562 }
1563
1564 if (Inits.empty())
1565 return ExprError(Diag(TyBeginLoc, diag::err_auto_expr_init_no_expression)
1566 << Ty << FullRange);
1567 if (Inits.size() > 1) {
1568 Expr *FirstBad = Inits[1];
1569 return ExprError(Diag(FirstBad->getBeginLoc(),
1570 diag::err_auto_expr_init_multiple_expressions)
1571 << Ty << FullRange);
1572 }
1573 if (getLangOpts().CPlusPlus23) {
1574 if (Ty->getAs<AutoType>())
1575 Diag(TyBeginLoc, diag::warn_cxx20_compat_auto_expr) << FullRange;
1576 }
1577 Expr *Deduce = Inits[0];
1578 if (isa<InitListExpr>(Deduce))
1579 return ExprError(
1580 Diag(Deduce->getBeginLoc(), diag::err_auto_expr_init_paren_braces)
1581 << ListInitialization << Ty << FullRange);
1582 QualType DeducedType;
1583 TemplateDeductionInfo Info(Deduce->getExprLoc());
1585 DeduceAutoType(TInfo->getTypeLoc(), Deduce, DeducedType, Info);
1588 return ExprError(Diag(TyBeginLoc, diag::err_auto_expr_deduction_failure)
1589 << Ty << Deduce->getType() << FullRange
1590 << Deduce->getSourceRange());
1591 if (DeducedType.isNull()) {
1593 return ExprError();
1594 }
1595
1596 Ty = DeducedType;
1597 Entity = InitializedEntity::InitializeTemporary(TInfo, Ty);
1598 }
1599
1602 Context, Ty.getNonReferenceType(), TInfo, LParenOrBraceLoc, Exprs,
1603 RParenOrBraceLoc, ListInitialization);
1604
1605 // C++ [expr.type.conv]p1:
1606 // If the expression list is a parenthesized single expression, the type
1607 // conversion expression is equivalent (in definedness, and if defined in
1608 // meaning) to the corresponding cast expression.
1609 if (Exprs.size() == 1 && !ListInitialization &&
1610 !isa<InitListExpr>(Exprs[0])) {
1611 Expr *Arg = Exprs[0];
1612 return BuildCXXFunctionalCastExpr(TInfo, Ty, LParenOrBraceLoc, Arg,
1613 RParenOrBraceLoc);
1614 }
1615
1616 // For an expression of the form T(), T shall not be an array type.
1617 QualType ElemTy = Ty;
1618 if (Ty->isArrayType()) {
1619 if (!ListInitialization)
1620 return ExprError(Diag(TyBeginLoc, diag::err_value_init_for_array_type)
1621 << FullRange);
1622 ElemTy = Context.getBaseElementType(Ty);
1623 }
1624
1625 // Only construct objects with object types.
1626 // The standard doesn't explicitly forbid function types here, but that's an
1627 // obvious oversight, as there's no way to dynamically construct a function
1628 // in general.
1629 if (Ty->isFunctionType())
1630 return ExprError(Diag(TyBeginLoc, diag::err_init_for_function_type)
1631 << Ty << FullRange);
1632
1633 // C++17 [expr.type.conv]p2, per DR2351:
1634 // If the type is cv void and the initializer is () or {}, the expression is
1635 // a prvalue of the specified type that performs no initialization.
1636 if (Ty->isVoidType()) {
1637 if (Exprs.empty())
1638 return new (Context) CXXScalarValueInitExpr(
1639 Ty.getUnqualifiedType(), TInfo, Kind.getRange().getEnd());
1640 if (ListInitialization &&
1641 cast<InitListExpr>(Exprs[0])->getNumInits() == 0) {
1643 Context, Ty.getUnqualifiedType(), VK_PRValue, TInfo, CK_ToVoid,
1644 Exprs[0], /*Path=*/nullptr, CurFPFeatureOverrides(),
1645 Exprs[0]->getBeginLoc(), Exprs[0]->getEndLoc());
1646 }
1647 } else if (RequireCompleteType(TyBeginLoc, ElemTy,
1648 diag::err_invalid_incomplete_type_use,
1649 FullRange))
1650 return ExprError();
1651
1652 // Otherwise, the expression is a prvalue of the specified type whose
1653 // result object is direct-initialized (11.6) with the initializer.
1654 InitializationSequence InitSeq(*this, Entity, Kind, Exprs);
1655 ExprResult Result = InitSeq.Perform(*this, Entity, Kind, Exprs);
1656
1657 if (Result.isInvalid())
1658 return Result;
1659
1660 Expr *Inner = Result.get();
1661 if (CXXBindTemporaryExpr *BTE = dyn_cast_or_null<CXXBindTemporaryExpr>(Inner))
1662 Inner = BTE->getSubExpr();
1663 if (auto *CE = dyn_cast<ConstantExpr>(Inner);
1664 CE && CE->isImmediateInvocation())
1665 Inner = CE->getSubExpr();
1666 if (!isa<CXXTemporaryObjectExpr>(Inner) &&
1668 // If we created a CXXTemporaryObjectExpr, that node also represents the
1669 // functional cast. Otherwise, create an explicit cast to represent
1670 // the syntactic form of a functional-style cast that was used here.
1671 //
1672 // FIXME: Creating a CXXFunctionalCastExpr around a CXXConstructExpr
1673 // would give a more consistent AST representation than using a
1674 // CXXTemporaryObjectExpr. It's also weird that the functional cast
1675 // is sometimes handled by initialization and sometimes not.
1676 QualType ResultType = Result.get()->getType();
1677 // In HLSL, vector/matrix constructors have their arguments wrapped into an
1678 // InitListExpr during initialization sequencing. Mark the resulting
1679 // CXXFunctionalCastExpr as list-initialization so that during template
1680 // re-instantiation, TreeTransform correctly passes the InitListExpr back
1681 // through BuildCXXTypeConstructExpr with ListInitialization=true as opposed
1682 // to false.
1683 bool IsListInit = ListInitialization ||
1684 (getLangOpts().HLSL && isa<InitListExpr>(Result.get()));
1685 SourceRange Locs = IsListInit
1686 ? SourceRange()
1687 : SourceRange(LParenOrBraceLoc, RParenOrBraceLoc);
1689 Context, ResultType, Expr::getValueKindForType(Ty), TInfo, CK_NoOp,
1690 Result.get(), /*Path=*/nullptr, CurFPFeatureOverrides(),
1691 Locs.getBegin(), Locs.getEnd());
1692 }
1693
1694 return Result;
1695}
1696
1698 // [CUDA] Ignore this function, if we can't call it.
1699 const FunctionDecl *Caller = getCurFunctionDecl(/*AllowLambda=*/true);
1700 if (getLangOpts().CUDA) {
1701 auto CallPreference = CUDA().IdentifyPreference(Caller, Method);
1702 // If it's not callable at all, it's not the right function.
1703 if (CallPreference < SemaCUDA::CFP_WrongSide)
1704 return false;
1705 if (CallPreference == SemaCUDA::CFP_WrongSide) {
1706 // Maybe. We have to check if there are better alternatives.
1708 Method->getDeclContext()->lookup(Method->getDeclName());
1709 for (const auto *D : R) {
1710 if (const auto *FD = dyn_cast<FunctionDecl>(D)) {
1711 if (CUDA().IdentifyPreference(Caller, FD) > SemaCUDA::CFP_WrongSide)
1712 return false;
1713 }
1714 }
1715 // We've found no better variants.
1716 }
1717 }
1718
1720 bool Result = Method->isUsualDeallocationFunction(PreventedBy);
1721
1722 if (Result || !getLangOpts().CUDA || PreventedBy.empty())
1723 return Result;
1724
1725 // In case of CUDA, return true if none of the 1-argument deallocator
1726 // functions are actually callable.
1727 return llvm::none_of(PreventedBy, [&](const FunctionDecl *FD) {
1728 assert(FD->getNumParams() == 1 &&
1729 "Only single-operand functions should be in PreventedBy");
1730 return CUDA().IdentifyPreference(Caller, FD) >= SemaCUDA::CFP_HostDevice;
1731 });
1732}
1733
1734/// Determine whether the given function is a non-placement
1735/// deallocation function.
1737 if (CXXMethodDecl *Method = dyn_cast<CXXMethodDecl>(FD))
1738 return S.isUsualDeallocationFunction(Method);
1739
1740 if (!FD->getDeclName().isAnyOperatorDelete())
1741 return false;
1742
1745 FD->getNumParams();
1746
1747 unsigned UsualParams = 1;
1748 if (S.getLangOpts().SizedDeallocation && UsualParams < FD->getNumParams() &&
1750 FD->getParamDecl(UsualParams)->getType(),
1751 S.Context.getSizeType()))
1752 ++UsualParams;
1753
1754 if (S.getLangOpts().AlignedAllocation && UsualParams < FD->getNumParams() &&
1756 FD->getParamDecl(UsualParams)->getType(),
1758 ++UsualParams;
1759
1760 return UsualParams == FD->getNumParams();
1761}
1762
1763namespace {
1764 struct UsualDeallocFnInfo {
1765 UsualDeallocFnInfo()
1766 : Found(), FD(nullptr),
1768 UsualDeallocFnInfo(Sema &S, DeclAccessPair Found, QualType AllocType,
1769 SourceLocation Loc)
1770 : Found(Found), FD(dyn_cast<FunctionDecl>(Found->getUnderlyingDecl())),
1771 Destroying(false),
1772 IDP({AllocType, TypeAwareAllocationMode::No,
1773 AlignedAllocationMode::No, SizedDeallocationMode::No}),
1774 CUDAPref(SemaCUDA::CFP_Native) {
1775 // A function template declaration is only a usual deallocation function
1776 // if it is a typed delete.
1777 if (!FD) {
1778 if (AllocType.isNull())
1779 return;
1780 auto *FTD = dyn_cast<FunctionTemplateDecl>(Found->getUnderlyingDecl());
1781 if (!FTD)
1782 return;
1783 FunctionDecl *InstantiatedDecl =
1784 S.BuildTypeAwareUsualDelete(FTD, AllocType, Loc);
1785 if (!InstantiatedDecl)
1786 return;
1787 FD = InstantiatedDecl;
1788 }
1789 unsigned NumBaseParams = 1;
1790 if (FD->isTypeAwareOperatorNewOrDelete()) {
1791 // If this is a type aware operator delete we instantiate an appropriate
1792 // specialization of std::type_identity<>. If we do not know the
1793 // type being deallocated, or if the type-identity parameter of the
1794 // deallocation function does not match the constructed type_identity
1795 // specialization we reject the declaration.
1796 if (AllocType.isNull()) {
1797 FD = nullptr;
1798 return;
1799 }
1800 QualType TypeIdentityTag = FD->getParamDecl(0)->getType();
1801 QualType ExpectedTypeIdentityTag =
1802 S.tryBuildStdTypeIdentity(AllocType, Loc);
1803 if (ExpectedTypeIdentityTag.isNull()) {
1804 FD = nullptr;
1805 return;
1806 }
1807 if (!S.Context.hasSameType(TypeIdentityTag, ExpectedTypeIdentityTag)) {
1808 FD = nullptr;
1809 return;
1810 }
1811 IDP.PassTypeIdentity = TypeAwareAllocationMode::Yes;
1812 ++NumBaseParams;
1813 }
1814
1815 if (FD->isDestroyingOperatorDelete()) {
1816 Destroying = true;
1817 ++NumBaseParams;
1818 }
1819
1820 if (NumBaseParams < FD->getNumParams() &&
1821 S.Context.hasSameUnqualifiedType(
1822 FD->getParamDecl(NumBaseParams)->getType(),
1823 S.Context.getSizeType())) {
1824 ++NumBaseParams;
1825 IDP.PassSize = SizedDeallocationMode::Yes;
1826 }
1827
1828 if (NumBaseParams < FD->getNumParams() &&
1829 FD->getParamDecl(NumBaseParams)->getType()->isAlignValT()) {
1830 ++NumBaseParams;
1831 IDP.PassAlignment = AlignedAllocationMode::Yes;
1832 }
1833
1834 // In CUDA, determine how much we'd like / dislike to call this.
1835 if (S.getLangOpts().CUDA)
1836 CUDAPref = S.CUDA().IdentifyPreference(
1837 S.getCurFunctionDecl(/*AllowLambda=*/true), FD);
1838 }
1839
1840 explicit operator bool() const { return FD; }
1841
1842 int Compare(Sema &S, const UsualDeallocFnInfo &Other,
1843 ImplicitDeallocationParameters TargetIDP) const {
1844 assert(!TargetIDP.Type.isNull() ||
1845 !isTypeAwareAllocation(Other.IDP.PassTypeIdentity));
1846
1847 // C++ P0722:
1848 // A destroying operator delete is preferred over a non-destroying
1849 // operator delete.
1850 if (Destroying != Other.Destroying)
1851 return Destroying ? 1 : -1;
1852
1853 const ImplicitDeallocationParameters &OtherIDP = Other.IDP;
1854 // Selection for type awareness has priority over alignment and size
1855 if (IDP.PassTypeIdentity != OtherIDP.PassTypeIdentity)
1856 return IDP.PassTypeIdentity == TargetIDP.PassTypeIdentity ? 1 : -1;
1857
1858 // C++17 [expr.delete]p10:
1859 // If the type has new-extended alignment, a function with a parameter
1860 // of type std::align_val_t is preferred; otherwise a function without
1861 // such a parameter is preferred
1862 if (IDP.PassAlignment != OtherIDP.PassAlignment)
1863 return IDP.PassAlignment == TargetIDP.PassAlignment ? 1 : -1;
1864
1865 if (IDP.PassSize != OtherIDP.PassSize)
1866 return IDP.PassSize == TargetIDP.PassSize ? 1 : -1;
1867
1868 if (isTypeAwareAllocation(IDP.PassTypeIdentity)) {
1869 // Type aware allocation involves templates so we need to choose
1870 // the best type
1871 FunctionTemplateDecl *PrimaryTemplate = FD->getPrimaryTemplate();
1872 FunctionTemplateDecl *OtherPrimaryTemplate =
1873 Other.FD->getPrimaryTemplate();
1874 if ((!PrimaryTemplate) != (!OtherPrimaryTemplate))
1875 return OtherPrimaryTemplate ? 1 : -1;
1876
1877 if (PrimaryTemplate && OtherPrimaryTemplate) {
1878 const auto *DC = dyn_cast<CXXRecordDecl>(Found->getDeclContext());
1879 const auto *OtherDC =
1880 dyn_cast<CXXRecordDecl>(Other.Found->getDeclContext());
1881 unsigned ImplicitArgCount = Destroying + IDP.getNumImplicitArgs();
1882 if (FunctionTemplateDecl *Best = S.getMoreSpecializedTemplate(
1883 PrimaryTemplate, OtherPrimaryTemplate, SourceLocation(),
1884 TPOC_Call, ImplicitArgCount,
1885 DC ? S.Context.getCanonicalTagType(DC) : QualType{},
1886 OtherDC ? S.Context.getCanonicalTagType(OtherDC) : QualType{},
1887 false)) {
1888 return Best == PrimaryTemplate ? 1 : -1;
1889 }
1890 }
1891 }
1892
1893 // Use CUDA call preference as a tiebreaker.
1894 if (CUDAPref > Other.CUDAPref)
1895 return 1;
1896 if (CUDAPref == Other.CUDAPref)
1897 return 0;
1898 return -1;
1899 }
1900
1901 DeclAccessPair Found;
1902 FunctionDecl *FD;
1903 bool Destroying;
1904 ImplicitDeallocationParameters IDP;
1906 };
1907}
1908
1909/// Determine whether a type has new-extended alignment. This may be called when
1910/// the type is incomplete (for a delete-expression with an incomplete pointee
1911/// type), in which case it will conservatively return false if the alignment is
1912/// not known.
1913static bool hasNewExtendedAlignment(Sema &S, QualType AllocType) {
1914 return S.getLangOpts().AlignedAllocation &&
1915 S.getASTContext().getTypeAlignIfKnown(AllocType) >
1917}
1918
1919static bool CheckDeleteOperator(Sema &S, SourceLocation StartLoc,
1920 SourceRange Range, bool Diagnose,
1921 CXXRecordDecl *NamingClass, DeclAccessPair Decl,
1922 FunctionDecl *Operator) {
1923 if (Operator->isTypeAwareOperatorNewOrDelete()) {
1924 QualType SelectedTypeIdentityParameter =
1925 Operator->getParamDecl(0)->getType();
1926 if (S.RequireCompleteType(StartLoc, SelectedTypeIdentityParameter,
1927 diag::err_incomplete_type))
1928 return true;
1929 }
1930
1931 // FIXME: DiagnoseUseOfDecl?
1932 if (Operator->isDeleted()) {
1933 if (Diagnose) {
1934 StringLiteral *Msg = Operator->getDeletedMessage();
1935 S.Diag(StartLoc, diag::err_deleted_function_use)
1936 << (Msg != nullptr) << (Msg ? Msg->getString() : StringRef());
1937 S.NoteDeletedFunction(Operator);
1938 }
1939 return true;
1940 }
1941 Sema::AccessResult Accessible =
1942 S.CheckAllocationAccess(StartLoc, Range, NamingClass, Decl, Diagnose);
1943 return Accessible == Sema::AR_inaccessible;
1944}
1945
1946/// Select the correct "usual" deallocation function to use from a selection of
1947/// deallocation functions (either global or class-scope).
1948static UsualDeallocFnInfo resolveDeallocationOverload(
1950 SourceLocation Loc,
1951 llvm::SmallVectorImpl<UsualDeallocFnInfo> *BestFns = nullptr) {
1952
1953 UsualDeallocFnInfo Best;
1954 for (auto I = R.begin(), E = R.end(); I != E; ++I) {
1955 UsualDeallocFnInfo Info(S, I.getPair(), IDP.Type, Loc);
1956 if (!Info || !isNonPlacementDeallocationFunction(S, Info.FD) ||
1957 Info.CUDAPref == SemaCUDA::CFP_Never)
1958 continue;
1959
1962 continue;
1963 if (!Best) {
1964 Best = Info;
1965 if (BestFns)
1966 BestFns->push_back(Info);
1967 continue;
1968 }
1969 int ComparisonResult = Best.Compare(S, Info, IDP);
1970 if (ComparisonResult > 0)
1971 continue;
1972
1973 // If more than one preferred function is found, all non-preferred
1974 // functions are eliminated from further consideration.
1975 if (BestFns && ComparisonResult < 0)
1976 BestFns->clear();
1977
1978 Best = Info;
1979 if (BestFns)
1980 BestFns->push_back(Info);
1981 }
1982
1983 return Best;
1984}
1985
1986/// Determine whether a given type is a class for which 'delete[]' would call
1987/// a member 'operator delete[]' with a 'size_t' parameter. This implies that
1988/// we need to store the array size (even if the type is
1989/// trivially-destructible).
1991 TypeAwareAllocationMode PassType,
1992 QualType allocType) {
1993 const auto *record =
1994 allocType->getBaseElementTypeUnsafe()->getAsCanonical<RecordType>();
1995 if (!record) return false;
1996
1997 // Try to find an operator delete[] in class scope.
1998
1999 DeclarationName deleteName =
2000 S.Context.DeclarationNames.getCXXOperatorName(OO_Array_Delete);
2001 LookupResult ops(S, deleteName, loc, Sema::LookupOrdinaryName);
2002 S.LookupQualifiedName(ops, record->getDecl()->getDefinitionOrSelf());
2003
2004 // We're just doing this for information.
2005 ops.suppressDiagnostics();
2006
2007 // Very likely: there's no operator delete[].
2008 if (ops.empty()) return false;
2009
2010 // If it's ambiguous, it should be illegal to call operator delete[]
2011 // on this thing, so it doesn't matter if we allocate extra space or not.
2012 if (ops.isAmbiguous()) return false;
2013
2014 // C++17 [expr.delete]p10:
2015 // If the deallocation functions have class scope, the one without a
2016 // parameter of type std::size_t is selected.
2018 allocType, PassType,
2021 auto Best = resolveDeallocationOverload(S, ops, IDP, loc);
2022 return Best && isSizedDeallocation(Best.IDP.PassSize);
2023}
2024
2026Sema::ActOnCXXNew(SourceLocation StartLoc, bool UseGlobal,
2027 SourceLocation PlacementLParen, MultiExprArg PlacementArgs,
2028 SourceLocation PlacementRParen, SourceRange TypeIdParens,
2030 std::optional<Expr *> ArraySize;
2031 // If the specified type is an array, unwrap it and save the expression.
2032 if (D.getNumTypeObjects() > 0 &&
2034 DeclaratorChunk &Chunk = D.getTypeObject(0);
2035 if (D.getDeclSpec().hasAutoTypeSpec())
2036 return ExprError(Diag(Chunk.Loc, diag::err_new_array_of_auto)
2037 << D.getSourceRange());
2038 if (Chunk.Arr.hasStatic)
2039 return ExprError(Diag(Chunk.Loc, diag::err_static_illegal_in_new)
2040 << D.getSourceRange());
2041 if (!Chunk.Arr.NumElts && !Initializer)
2042 return ExprError(Diag(Chunk.Loc, diag::err_array_new_needs_size)
2043 << D.getSourceRange());
2044
2045 ArraySize = Chunk.Arr.NumElts;
2047 }
2048
2049 // Every dimension shall be of constant size.
2050 if (ArraySize) {
2051 for (unsigned I = 0, N = D.getNumTypeObjects(); I < N; ++I) {
2053 break;
2054
2056 if (Expr *NumElts = Array.NumElts) {
2057 if (!NumElts->isTypeDependent() && !NumElts->isValueDependent()) {
2058 // FIXME: GCC permits constant folding here. We should either do so consistently
2059 // or not do so at all, rather than changing behavior in C++14 onwards.
2060 if (getLangOpts().CPlusPlus14) {
2061 // C++1y [expr.new]p6: Every constant-expression in a noptr-new-declarator
2062 // shall be a converted constant expression (5.19) of type std::size_t
2063 // and shall evaluate to a strictly positive value.
2064 llvm::APSInt Value(Context.getIntWidth(Context.getSizeType()));
2065 Array.NumElts =
2066 CheckConvertedConstantExpression(NumElts, Context.getSizeType(),
2068 .get();
2069 } else {
2070 Array.NumElts = VerifyIntegerConstantExpression(
2071 NumElts, nullptr, diag::err_new_array_nonconst,
2073 .get();
2074 }
2075 if (!Array.NumElts)
2076 return ExprError();
2077 }
2078 }
2079 }
2080 }
2081
2083 QualType AllocType = TInfo->getType();
2084 if (D.isInvalidType())
2085 return ExprError();
2086
2087 SourceRange DirectInitRange;
2088 if (ParenListExpr *List = dyn_cast_or_null<ParenListExpr>(Initializer))
2089 DirectInitRange = List->getSourceRange();
2090
2091 return BuildCXXNew(SourceRange(StartLoc, D.getEndLoc()), UseGlobal,
2092 PlacementLParen, PlacementArgs, PlacementRParen,
2093 TypeIdParens, AllocType, TInfo, ArraySize, DirectInitRange,
2094 Initializer);
2095}
2096
2098 Expr *Init, bool IsCPlusPlus20) {
2099 if (!Init)
2100 return true;
2101 if (ParenListExpr *PLE = dyn_cast<ParenListExpr>(Init))
2102 return IsCPlusPlus20 || PLE->getNumExprs() == 0;
2104 return true;
2105 else if (CXXConstructExpr *CCE = dyn_cast<CXXConstructExpr>(Init))
2106 return !CCE->isListInitialization() &&
2107 CCE->getConstructor()->isDefaultConstructor();
2108 else if (Style == CXXNewInitializationStyle::Braces) {
2109 assert(isa<InitListExpr>(Init) &&
2110 "Shouldn't create list CXXConstructExprs for arrays.");
2111 return true;
2112 }
2113 return false;
2114}
2115
2116bool
2118 if (!getLangOpts().AlignedAllocationUnavailable)
2119 return false;
2120 if (FD.isDefined())
2121 return false;
2122 UnsignedOrNone AlignmentParam = std::nullopt;
2123 if (FD.isReplaceableGlobalAllocationFunction(&AlignmentParam) &&
2124 AlignmentParam)
2125 return true;
2126 return false;
2127}
2128
2129// Emit a diagnostic if an aligned allocation/deallocation function that is not
2130// implemented in the standard library is selected.
2132 SourceLocation Loc) {
2134 const llvm::Triple &T = getASTContext().getTargetInfo().getTriple();
2135 StringRef OSName = AvailabilityAttr::getPlatformNameSourceSpelling(
2136 getASTContext().getTargetInfo().getPlatformName());
2137 VersionTuple OSVersion = alignedAllocMinVersion(T.getOS());
2138
2139 bool IsDelete = FD.getDeclName().isAnyOperatorDelete();
2140 Diag(Loc, diag::err_aligned_allocation_unavailable)
2141 << IsDelete << FD.getType().getAsString() << OSName
2142 << OSVersion.getAsString() << OSVersion.empty();
2143 Diag(Loc, diag::note_silence_aligned_allocation_unavailable);
2144 }
2145}
2146
2148 SourceLocation PlacementLParen,
2149 MultiExprArg PlacementArgs,
2150 SourceLocation PlacementRParen,
2151 SourceRange TypeIdParens, QualType AllocType,
2152 TypeSourceInfo *AllocTypeInfo,
2153 std::optional<Expr *> ArraySize,
2154 SourceRange DirectInitRange, Expr *Initializer) {
2155 SourceRange TypeRange = AllocTypeInfo->getTypeLoc().getSourceRange();
2156 SourceLocation StartLoc = Range.getBegin();
2157
2158 CXXNewInitializationStyle InitStyle;
2159 if (DirectInitRange.isValid()) {
2160 assert(Initializer && "Have parens but no initializer.");
2162 } else if (isa_and_nonnull<InitListExpr>(Initializer))
2164 else {
2167 "Initializer expression that cannot have been implicitly created.");
2169 }
2170
2171 MultiExprArg Exprs(&Initializer, Initializer ? 1 : 0);
2172 if (ParenListExpr *List = dyn_cast_or_null<ParenListExpr>(Initializer)) {
2173 assert(InitStyle == CXXNewInitializationStyle::Parens &&
2174 "paren init for non-call init");
2175 Exprs = MultiExprArg(List->getExprs(), List->getNumExprs());
2176 } else if (auto *List = dyn_cast_or_null<CXXParenListInitExpr>(Initializer)) {
2177 assert(InitStyle == CXXNewInitializationStyle::Parens &&
2178 "paren init for non-call init");
2179 Exprs = List->getInitExprs();
2180 }
2181
2182 // C++11 [expr.new]p15:
2183 // A new-expression that creates an object of type T initializes that
2184 // object as follows:
2185 InitializationKind Kind = [&] {
2186 switch (InitStyle) {
2187 // - If the new-initializer is omitted, the object is default-
2188 // initialized (8.5); if no initialization is performed,
2189 // the object has indeterminate value
2191 return InitializationKind::CreateDefault(TypeRange.getBegin());
2192 // - Otherwise, the new-initializer is interpreted according to the
2193 // initialization rules of 8.5 for direct-initialization.
2195 return InitializationKind::CreateDirect(TypeRange.getBegin(),
2196 DirectInitRange.getBegin(),
2197 DirectInitRange.getEnd());
2200 Initializer->getBeginLoc(),
2201 Initializer->getEndLoc());
2202 }
2203 llvm_unreachable("Unknown initialization kind");
2204 }();
2205
2206 // C++11 [dcl.spec.auto]p6. Deduce the type which 'auto' stands in for.
2207 auto *Deduced = AllocType->getContainedDeducedType();
2208 if (Deduced && !Deduced->isDeduced() &&
2210 if (ArraySize)
2211 return ExprError(
2212 Diag(*ArraySize ? (*ArraySize)->getExprLoc() : TypeRange.getBegin(),
2213 diag::err_deduced_class_template_compound_type)
2214 << /*array*/ 2
2215 << (*ArraySize ? (*ArraySize)->getSourceRange() : TypeRange));
2216
2220 AllocTypeInfo, Entity, Kind, Exprs);
2221 if (AllocType.isNull())
2222 return ExprError();
2223 } else if (Deduced && !Deduced->isDeduced()) {
2224 MultiExprArg Inits = Exprs;
2225 bool Braced = (InitStyle == CXXNewInitializationStyle::Braces);
2226 if (Braced) {
2227 auto *ILE = cast<InitListExpr>(Exprs[0]);
2228 Inits = MultiExprArg(ILE->getInits(), ILE->getNumInits());
2229 }
2230
2231 if (InitStyle == CXXNewInitializationStyle::None || Inits.empty())
2232 return ExprError(Diag(StartLoc, diag::err_auto_new_requires_ctor_arg)
2233 << AllocType << TypeRange);
2234 if (Inits.size() > 1) {
2235 Expr *FirstBad = Inits[1];
2236 return ExprError(Diag(FirstBad->getBeginLoc(),
2237 diag::err_auto_new_ctor_multiple_expressions)
2238 << AllocType << TypeRange);
2239 }
2240 if (Braced && !getLangOpts().CPlusPlus17)
2241 Diag(Initializer->getBeginLoc(), diag::ext_auto_new_list_init)
2242 << AllocType << TypeRange;
2243 Expr *Deduce = Inits[0];
2244 if (isa<InitListExpr>(Deduce))
2245 return ExprError(
2246 Diag(Deduce->getBeginLoc(), diag::err_auto_expr_init_paren_braces)
2247 << Braced << AllocType << TypeRange);
2248 QualType DeducedType;
2249 TemplateDeductionInfo Info(Deduce->getExprLoc());
2251 DeduceAutoType(AllocTypeInfo->getTypeLoc(), Deduce, DeducedType, Info);
2254 return ExprError(Diag(StartLoc, diag::err_auto_new_deduction_failure)
2255 << AllocType << Deduce->getType() << TypeRange
2256 << Deduce->getSourceRange());
2257 if (DeducedType.isNull()) {
2259 return ExprError();
2260 }
2261 AllocType = DeducedType;
2262 }
2263
2264 // Per C++0x [expr.new]p5, the type being constructed may be a
2265 // typedef of an array type.
2266 // Dependent case will be handled separately.
2267 if (!ArraySize && !AllocType->isDependentType()) {
2268 if (const ConstantArrayType *Array
2269 = Context.getAsConstantArrayType(AllocType)) {
2270 ArraySize = IntegerLiteral::Create(Context, Array->getSize(),
2271 Context.getSizeType(),
2272 TypeRange.getEnd());
2273 AllocType = Array->getElementType();
2274 }
2275 }
2276
2277 if (CheckAllocatedType(AllocType, TypeRange.getBegin(), TypeRange))
2278 return ExprError();
2279
2280 if (ArraySize && !checkArrayElementAlignment(AllocType, TypeRange.getBegin()))
2281 return ExprError();
2282
2283 // In ARC, infer 'retaining' for the allocated
2284 if (getLangOpts().ObjCAutoRefCount &&
2285 AllocType.getObjCLifetime() == Qualifiers::OCL_None &&
2286 AllocType->isObjCLifetimeType()) {
2287 AllocType = Context.getLifetimeQualifiedType(AllocType,
2288 AllocType->getObjCARCImplicitLifetime());
2289 }
2290
2291 QualType ResultType = Context.getPointerType(AllocType);
2292
2293 if (ArraySize && *ArraySize &&
2294 (*ArraySize)->getType()->isNonOverloadPlaceholderType()) {
2295 ExprResult result = CheckPlaceholderExpr(*ArraySize);
2296 if (result.isInvalid()) return ExprError();
2297 ArraySize = result.get();
2298 }
2299 // C++98 5.3.4p6: "The expression in a direct-new-declarator shall have
2300 // integral or enumeration type with a non-negative value."
2301 // C++11 [expr.new]p6: The expression [...] shall be of integral or unscoped
2302 // enumeration type, or a class type for which a single non-explicit
2303 // conversion function to integral or unscoped enumeration type exists.
2304 // C++1y [expr.new]p6: The expression [...] is implicitly converted to
2305 // std::size_t.
2306 std::optional<uint64_t> KnownArraySize;
2307 if (ArraySize && *ArraySize && !(*ArraySize)->isTypeDependent()) {
2308 ExprResult ConvertedSize;
2309 if (getLangOpts().CPlusPlus14) {
2310 assert(Context.getTargetInfo().getIntWidth() && "Builtin type of size 0?");
2311
2312 ConvertedSize = PerformImplicitConversion(
2313 *ArraySize, Context.getSizeType(), AssignmentAction::Converting);
2314
2315 if (!ConvertedSize.isInvalid() && (*ArraySize)->getType()->isRecordType())
2316 // Diagnose the compatibility of this conversion.
2317 Diag(StartLoc, diag::warn_cxx98_compat_array_size_conversion)
2318 << (*ArraySize)->getType() << 0 << "'size_t'";
2319 } else {
2320 class SizeConvertDiagnoser : public ICEConvertDiagnoser {
2321 protected:
2322 Expr *ArraySize;
2323
2324 public:
2325 SizeConvertDiagnoser(Expr *ArraySize)
2326 : ICEConvertDiagnoser(/*AllowScopedEnumerations*/false, false, false),
2327 ArraySize(ArraySize) {}
2328
2329 SemaDiagnosticBuilder diagnoseNotInt(Sema &S, SourceLocation Loc,
2330 QualType T) override {
2331 return S.Diag(Loc, diag::err_array_size_not_integral)
2332 << S.getLangOpts().CPlusPlus11 << T;
2333 }
2334
2335 SemaDiagnosticBuilder diagnoseIncomplete(
2336 Sema &S, SourceLocation Loc, QualType T) override {
2337 return S.Diag(Loc, diag::err_array_size_incomplete_type)
2338 << T << ArraySize->getSourceRange();
2339 }
2340
2341 SemaDiagnosticBuilder diagnoseExplicitConv(
2342 Sema &S, SourceLocation Loc, QualType T, QualType ConvTy) override {
2343 return S.Diag(Loc, diag::err_array_size_explicit_conversion) << T << ConvTy;
2344 }
2345
2346 SemaDiagnosticBuilder noteExplicitConv(
2347 Sema &S, CXXConversionDecl *Conv, QualType ConvTy) override {
2348 return S.Diag(Conv->getLocation(), diag::note_array_size_conversion)
2349 << ConvTy->isEnumeralType() << ConvTy;
2350 }
2351
2352 SemaDiagnosticBuilder diagnoseAmbiguous(
2353 Sema &S, SourceLocation Loc, QualType T) override {
2354 return S.Diag(Loc, diag::err_array_size_ambiguous_conversion) << T;
2355 }
2356
2357 SemaDiagnosticBuilder noteAmbiguous(
2358 Sema &S, CXXConversionDecl *Conv, QualType ConvTy) override {
2359 return S.Diag(Conv->getLocation(), diag::note_array_size_conversion)
2360 << ConvTy->isEnumeralType() << ConvTy;
2361 }
2362
2363 SemaDiagnosticBuilder diagnoseConversion(Sema &S, SourceLocation Loc,
2364 QualType T,
2365 QualType ConvTy) override {
2366 return S.Diag(Loc,
2367 S.getLangOpts().CPlusPlus11
2368 ? diag::warn_cxx98_compat_array_size_conversion
2369 : diag::ext_array_size_conversion)
2370 << T << ConvTy->isEnumeralType() << ConvTy;
2371 }
2372 } SizeDiagnoser(*ArraySize);
2373
2374 ConvertedSize = PerformContextualImplicitConversion(StartLoc, *ArraySize,
2375 SizeDiagnoser);
2376 }
2377 if (ConvertedSize.isInvalid())
2378 return ExprError();
2379
2380 ArraySize = ConvertedSize.get();
2381 QualType SizeType = (*ArraySize)->getType();
2382
2383 if (!SizeType->isIntegralOrUnscopedEnumerationType())
2384 return ExprError();
2385
2386 // C++98 [expr.new]p7:
2387 // The expression in a direct-new-declarator shall have integral type
2388 // with a non-negative value.
2389 //
2390 // Let's see if this is a constant < 0. If so, we reject it out of hand,
2391 // per CWG1464. Otherwise, if it's not a constant, we must have an
2392 // unparenthesized array type.
2393
2394 // We've already performed any required implicit conversion to integer or
2395 // unscoped enumeration type.
2396 // FIXME: Per CWG1464, we are required to check the value prior to
2397 // converting to size_t. This will never find a negative array size in
2398 // C++14 onwards, because Value is always unsigned here!
2399 if (std::optional<llvm::APSInt> Value =
2400 (*ArraySize)->getIntegerConstantExpr(Context)) {
2401 if (Value->isSigned() && Value->isNegative()) {
2402 return ExprError(Diag((*ArraySize)->getBeginLoc(),
2403 diag::err_typecheck_negative_array_size)
2404 << (*ArraySize)->getSourceRange());
2405 }
2406
2407 if (!AllocType->isDependentType()) {
2408 unsigned ActiveSizeBits =
2410 if (ActiveSizeBits > ConstantArrayType::getMaxSizeBits(Context))
2411 return ExprError(
2412 Diag((*ArraySize)->getBeginLoc(), diag::err_array_too_large)
2413 << toString(*Value, 10, Value->isSigned(),
2414 /*formatAsCLiteral=*/false, /*UpperCase=*/false,
2415 /*InsertSeparators=*/true)
2416 << (*ArraySize)->getSourceRange());
2417 }
2418
2419 KnownArraySize = Value->getZExtValue();
2420 } else if (TypeIdParens.isValid()) {
2421 // Can't have dynamic array size when the type-id is in parentheses.
2422 Diag((*ArraySize)->getBeginLoc(), diag::ext_new_paren_array_nonconst)
2423 << (*ArraySize)->getSourceRange()
2424 << FixItHint::CreateRemoval(TypeIdParens.getBegin())
2425 << FixItHint::CreateRemoval(TypeIdParens.getEnd());
2426
2427 TypeIdParens = SourceRange();
2428 }
2429
2430 // Note that we do *not* convert the argument in any way. It can
2431 // be signed, larger than size_t, whatever.
2432 }
2433
2434 FunctionDecl *OperatorNew = nullptr;
2435 FunctionDecl *OperatorDelete = nullptr;
2436 unsigned Alignment =
2437 AllocType->isDependentType() ? 0 : Context.getTypeAlign(AllocType);
2438 unsigned NewAlignment = Context.getTargetInfo().getNewAlign();
2441 alignedAllocationModeFromBool(getLangOpts().AlignedAllocation &&
2442 Alignment > NewAlignment)};
2443
2444 if (CheckArgsForPlaceholders(PlacementArgs))
2445 return ExprError();
2446
2449 SourceRange AllocationParameterRange = Range;
2450 if (PlacementLParen.isValid() && PlacementRParen.isValid())
2451 AllocationParameterRange = SourceRange(PlacementLParen, PlacementRParen);
2452 if (!AllocType->isDependentType() &&
2453 !Expr::hasAnyTypeDependentArguments(PlacementArgs) &&
2454 FindAllocationFunctions(StartLoc, AllocationParameterRange, Scope, Scope,
2455 AllocType, ArraySize.has_value(), IAP,
2456 PlacementArgs, OperatorNew, OperatorDelete))
2457 return ExprError();
2458
2459 // If this is an array allocation, compute whether the usual array
2460 // deallocation function for the type has a size_t parameter.
2461 bool UsualArrayDeleteWantsSize = false;
2462 if (ArraySize && !AllocType->isDependentType())
2463 UsualArrayDeleteWantsSize = doesUsualArrayDeleteWantSize(
2464 *this, StartLoc, IAP.PassTypeIdentity, AllocType);
2465
2466 SmallVector<Expr *, 8> AllPlaceArgs;
2467 if (OperatorNew) {
2468 auto *Proto = OperatorNew->getType()->castAs<FunctionProtoType>();
2469 VariadicCallType CallType = Proto->isVariadic()
2472
2473 // We've already converted the placement args, just fill in any default
2474 // arguments. Skip the first parameter because we don't have a corresponding
2475 // argument. Skip the second parameter too if we're passing in the
2476 // alignment; we've already filled it in.
2477 unsigned NumImplicitArgs = 1;
2479 assert(OperatorNew->isTypeAwareOperatorNewOrDelete());
2480 NumImplicitArgs++;
2481 }
2483 NumImplicitArgs++;
2484 if (GatherArgumentsForCall(AllocationParameterRange.getBegin(), OperatorNew,
2485 Proto, NumImplicitArgs, PlacementArgs,
2486 AllPlaceArgs, CallType))
2487 return ExprError();
2488
2489 if (!AllPlaceArgs.empty())
2490 PlacementArgs = AllPlaceArgs;
2491
2492 // We would like to perform some checking on the given `operator new` call,
2493 // but the PlacementArgs does not contain the implicit arguments,
2494 // namely allocation size and maybe allocation alignment,
2495 // so we need to conjure them.
2496
2497 QualType SizeTy = Context.getSizeType();
2498 unsigned SizeTyWidth = Context.getTypeSize(SizeTy);
2499
2500 llvm::APInt SingleEltSize(
2501 SizeTyWidth, Context.getTypeSizeInChars(AllocType).getQuantity());
2502
2503 // How many bytes do we want to allocate here?
2504 std::optional<llvm::APInt> AllocationSize;
2505 if (!ArraySize && !AllocType->isDependentType()) {
2506 // For non-array operator new, we only want to allocate one element.
2507 AllocationSize = SingleEltSize;
2508 } else if (KnownArraySize && !AllocType->isDependentType()) {
2509 // For array operator new, only deal with static array size case.
2510 bool Overflow;
2511 AllocationSize = llvm::APInt(SizeTyWidth, *KnownArraySize)
2512 .umul_ov(SingleEltSize, Overflow);
2513 (void)Overflow;
2514 assert(
2515 !Overflow &&
2516 "Expected that all the overflows would have been handled already.");
2517 }
2518
2519 IntegerLiteral AllocationSizeLiteral(
2520 Context, AllocationSize.value_or(llvm::APInt::getZero(SizeTyWidth)),
2521 SizeTy, StartLoc);
2522 // Otherwise, if we failed to constant-fold the allocation size, we'll
2523 // just give up and pass-in something opaque, that isn't a null pointer.
2524 OpaqueValueExpr OpaqueAllocationSize(StartLoc, SizeTy, VK_PRValue,
2525 OK_Ordinary, /*SourceExpr=*/nullptr);
2526
2527 // Let's synthesize the alignment argument in case we will need it.
2528 // Since we *really* want to allocate these on stack, this is slightly ugly
2529 // because there might not be a `std::align_val_t` type.
2531 QualType AlignValT =
2532 StdAlignValT ? Context.getCanonicalTagType(StdAlignValT) : SizeTy;
2533 IntegerLiteral AlignmentLiteral(
2534 Context,
2535 llvm::APInt(Context.getTypeSize(SizeTy),
2536 Alignment / Context.getCharWidth()),
2537 SizeTy, StartLoc);
2538 ImplicitCastExpr DesiredAlignment(ImplicitCastExpr::OnStack, AlignValT,
2539 CK_IntegralCast, &AlignmentLiteral,
2541
2542 // Adjust placement args by prepending conjured size and alignment exprs.
2544 CallArgs.reserve(NumImplicitArgs + PlacementArgs.size());
2545 CallArgs.emplace_back(AllocationSize
2546 ? static_cast<Expr *>(&AllocationSizeLiteral)
2547 : &OpaqueAllocationSize);
2549 CallArgs.emplace_back(&DesiredAlignment);
2550 llvm::append_range(CallArgs, PlacementArgs);
2551
2552 DiagnoseSentinelCalls(OperatorNew, PlacementLParen, CallArgs);
2553
2554 checkCall(OperatorNew, Proto, /*ThisArg=*/nullptr, CallArgs,
2555 /*IsMemberFunction=*/false, StartLoc, Range, CallType);
2556
2557 // Warn if the type is over-aligned and is being allocated by (unaligned)
2558 // global operator new.
2559 if (PlacementArgs.empty() && !isAlignedAllocation(IAP.PassAlignment) &&
2560 (OperatorNew->isImplicit() ||
2561 (OperatorNew->getBeginLoc().isValid() &&
2562 getSourceManager().isInSystemHeader(OperatorNew->getBeginLoc())))) {
2563 if (Alignment > NewAlignment)
2564 Diag(StartLoc, diag::warn_overaligned_type)
2565 << AllocType
2566 << unsigned(Alignment / Context.getCharWidth())
2567 << unsigned(NewAlignment / Context.getCharWidth());
2568 }
2569 }
2570
2571 // Array 'new' can't have any initializers except empty parentheses.
2572 // Initializer lists are also allowed, in C++11. Rely on the parser for the
2573 // dialect distinction.
2574 if (ArraySize && !isLegalArrayNewInitializer(InitStyle, Initializer,
2576 SourceRange InitRange(Exprs.front()->getBeginLoc(),
2577 Exprs.back()->getEndLoc());
2578 Diag(StartLoc, diag::err_new_array_init_args) << InitRange;
2579 return ExprError();
2580 }
2581
2582 // If we can perform the initialization, and we've not already done so,
2583 // do it now.
2584 if (!AllocType->isDependentType() &&
2586 // The type we initialize is the complete type, including the array bound.
2587 QualType InitType;
2588 if (KnownArraySize)
2589 InitType = Context.getConstantArrayType(
2590 AllocType,
2591 llvm::APInt(Context.getTypeSize(Context.getSizeType()),
2592 *KnownArraySize),
2593 *ArraySize, ArraySizeModifier::Normal, 0);
2594 else if (ArraySize)
2595 InitType = Context.getIncompleteArrayType(AllocType,
2597 else
2598 InitType = AllocType;
2599
2600 bool VariableLengthArrayNew = ArraySize && *ArraySize && !KnownArraySize;
2602 StartLoc, InitType,
2603 VariableLengthArrayNew ? InitializedEntity::NewArrayKind::UnknownLength
2605 InitializationSequence InitSeq(*this, Entity, Kind, Exprs);
2606 ExprResult FullInit = InitSeq.Perform(*this, Entity, Kind, Exprs);
2607 if (FullInit.isInvalid())
2608 return ExprError();
2609
2610 // FullInit is our initializer; strip off CXXBindTemporaryExprs, because
2611 // we don't want the initialized object to be destructed.
2612 // FIXME: We should not create these in the first place.
2613 if (CXXBindTemporaryExpr *Binder =
2614 dyn_cast_or_null<CXXBindTemporaryExpr>(FullInit.get()))
2615 FullInit = Binder->getSubExpr();
2616
2617 Initializer = FullInit.get();
2618
2619 // FIXME: If we have a KnownArraySize, check that the array bound of the
2620 // initializer is no greater than that constant value.
2621
2622 if (ArraySize && !*ArraySize) {
2623 auto *CAT = Context.getAsConstantArrayType(Initializer->getType());
2624 if (CAT) {
2625 // FIXME: Track that the array size was inferred rather than explicitly
2626 // specified.
2627 ArraySize = IntegerLiteral::Create(
2628 Context, CAT->getSize(), Context.getSizeType(), TypeRange.getEnd());
2629 } else {
2630 Diag(TypeRange.getEnd(), diag::err_new_array_size_unknown_from_init)
2631 << Initializer->getSourceRange();
2632 }
2633 }
2634 }
2635
2636 // Mark the new and delete operators as referenced.
2637 if (OperatorNew) {
2638 if (DiagnoseUseOfDecl(OperatorNew, StartLoc))
2639 return ExprError();
2640 MarkFunctionReferenced(StartLoc, OperatorNew);
2641 }
2642 if (OperatorDelete) {
2643 if (DiagnoseUseOfDecl(OperatorDelete, StartLoc))
2644 return ExprError();
2645 MarkFunctionReferenced(StartLoc, OperatorDelete);
2646 }
2647
2648 // new[] will trigger vector deleting destructor emission if the class has
2649 // virtual destructor for MSVC compatibility. Perform necessary checks.
2650 if (Context.getTargetInfo().emitVectorDeletingDtors(Context.getLangOpts())) {
2651 if (const CXXConstructExpr *CCE =
2652 dyn_cast_or_null<CXXConstructExpr>(Initializer);
2653 CCE && ArraySize) {
2654 CXXRecordDecl *ClassDecl = CCE->getConstructor()->getParent();
2655 // We probably already did this for another new[] with this class so don't
2656 // do it twice.
2657 if (!Context.classMaybeNeedsVectorDeletingDestructor(ClassDecl)) {
2658 auto *Dtor = ClassDecl->getDestructor();
2659 if (Dtor && Dtor->isVirtual() && !Dtor->isDeleted()) {
2660 Context.setClassMaybeNeedsVectorDeletingDestructor(ClassDecl);
2661 if (!Dtor->isDefined() && !Dtor->isInvalidDecl()) {
2662 // Call CheckDestructor if destructor is not defined. This is
2663 // needed to find operators delete and delete[] for vector deleting
2664 // destructor body because new[] will trigger emission of vector
2665 // deleting destructor body even if destructor is defined in another
2666 // translation unit.
2667 ContextRAII SavedContext(*this, Dtor);
2668 CheckDestructor(Dtor);
2669 }
2670 }
2671 }
2672 }
2673 }
2674
2675 return CXXNewExpr::Create(Context, UseGlobal, OperatorNew, OperatorDelete,
2676 IAP, UsualArrayDeleteWantsSize, PlacementArgs,
2677 TypeIdParens, ArraySize, InitStyle, Initializer,
2678 ResultType, AllocTypeInfo, Range, DirectInitRange);
2679}
2680
2682 SourceRange R) {
2683 // C++ 5.3.4p1: "[The] type shall be a complete object type, but not an
2684 // abstract class type or array thereof.
2685 if (AllocType->isFunctionType())
2686 return Diag(Loc, diag::err_bad_new_type)
2687 << AllocType << 0 << R;
2688 else if (AllocType->isReferenceType())
2689 return Diag(Loc, diag::err_bad_new_type)
2690 << AllocType << 1 << R;
2691 else if (!AllocType->isDependentType() &&
2693 Loc, AllocType, diag::err_new_incomplete_or_sizeless_type, R))
2694 return true;
2695 else if (RequireNonAbstractType(Loc, AllocType,
2696 diag::err_allocation_of_abstract_type))
2697 return true;
2698 else if (AllocType->isVariablyModifiedType())
2699 return Diag(Loc, diag::err_variably_modified_new_type)
2700 << AllocType;
2701 else if (AllocType.getAddressSpace() != LangAS::Default &&
2702 !getLangOpts().OpenCLCPlusPlus)
2703 return Diag(Loc, diag::err_address_space_qualified_new)
2704 << AllocType.getUnqualifiedType()
2706
2707 else if (getLangOpts().ObjCAutoRefCount) {
2708 if (const ArrayType *AT = Context.getAsArrayType(AllocType)) {
2709 QualType BaseAllocType = Context.getBaseElementType(AT);
2710 if (BaseAllocType.getObjCLifetime() == Qualifiers::OCL_None &&
2711 BaseAllocType->isObjCLifetimeType())
2712 return Diag(Loc, diag::err_arc_new_array_without_ownership)
2713 << BaseAllocType;
2714 }
2715 }
2716
2717 return false;
2718}
2719
2720enum class ResolveMode { Typed, Untyped };
2722 Sema &S, LookupResult &R, SourceRange Range, ResolveMode Mode,
2723 SmallVectorImpl<Expr *> &Args, AlignedAllocationMode &PassAlignment,
2724 FunctionDecl *&Operator, OverloadCandidateSet *AlignedCandidates,
2725 Expr *AlignArg, bool Diagnose) {
2726 unsigned NonTypeArgumentOffset = 0;
2727 if (Mode == ResolveMode::Typed) {
2728 ++NonTypeArgumentOffset;
2729 }
2730
2731 OverloadCandidateSet Candidates(R.getNameLoc(),
2733 for (LookupResult::iterator Alloc = R.begin(), AllocEnd = R.end();
2734 Alloc != AllocEnd; ++Alloc) {
2735 // Even member operator new/delete are implicitly treated as
2736 // static, so don't use AddMemberCandidate.
2737 NamedDecl *D = (*Alloc)->getUnderlyingDecl();
2738 bool IsTypeAware = D->getAsFunction()->isTypeAwareOperatorNewOrDelete();
2739 if (IsTypeAware == (Mode != ResolveMode::Typed))
2740 continue;
2741
2742 if (FunctionTemplateDecl *FnTemplate = dyn_cast<FunctionTemplateDecl>(D)) {
2743 S.AddTemplateOverloadCandidate(FnTemplate, Alloc.getPair(),
2744 /*ExplicitTemplateArgs=*/nullptr, Args,
2745 Candidates,
2746 /*SuppressUserConversions=*/false);
2747 continue;
2748 }
2749
2751 S.AddOverloadCandidate(Fn, Alloc.getPair(), Args, Candidates,
2752 /*SuppressUserConversions=*/false);
2753 }
2754
2755 // Do the resolution.
2757 switch (Candidates.BestViableFunction(S, R.getNameLoc(), Best)) {
2758 case OR_Success: {
2759 // Got one!
2760 FunctionDecl *FnDecl = Best->Function;
2761 if (S.CheckAllocationAccess(R.getNameLoc(), Range, R.getNamingClass(),
2762 Best->FoundDecl) == Sema::AR_inaccessible)
2763 return true;
2764
2765 Operator = FnDecl;
2766 return false;
2767 }
2768
2770 // C++17 [expr.new]p13:
2771 // If no matching function is found and the allocated object type has
2772 // new-extended alignment, the alignment argument is removed from the
2773 // argument list, and overload resolution is performed again.
2774 if (isAlignedAllocation(PassAlignment)) {
2775 PassAlignment = AlignedAllocationMode::No;
2776 AlignArg = Args[NonTypeArgumentOffset + 1];
2777 Args.erase(Args.begin() + NonTypeArgumentOffset + 1);
2778 return resolveAllocationOverloadInterior(S, R, Range, Mode, Args,
2779 PassAlignment, Operator,
2780 &Candidates, AlignArg, Diagnose);
2781 }
2782
2783 // MSVC will fall back on trying to find a matching global operator new
2784 // if operator new[] cannot be found. Also, MSVC will leak by not
2785 // generating a call to operator delete or operator delete[], but we
2786 // will not replicate that bug.
2787 // FIXME: Find out how this interacts with the std::align_val_t fallback
2788 // once MSVC implements it.
2789 if (R.getLookupName().getCXXOverloadedOperator() == OO_Array_New &&
2790 S.Context.getLangOpts().MSVCCompat && Mode != ResolveMode::Typed) {
2791 R.clear();
2792 R.setLookupName(S.Context.DeclarationNames.getCXXOperatorName(OO_New));
2794 // FIXME: This will give bad diagnostics pointing at the wrong functions.
2795 return resolveAllocationOverloadInterior(S, R, Range, Mode, Args,
2796 PassAlignment, Operator,
2797 /*Candidates=*/nullptr,
2798 /*AlignArg=*/nullptr, Diagnose);
2799 }
2800 if (Mode == ResolveMode::Typed) {
2801 // If we can't find a matching type aware operator we don't consider this
2802 // a failure.
2803 Operator = nullptr;
2804 return false;
2805 }
2806 if (Diagnose) {
2807 // If this is an allocation of the form 'new (p) X' for some object
2808 // pointer p (or an expression that will decay to such a pointer),
2809 // diagnose the reason for the error.
2810 if (!R.isClassLookup() && Args.size() == 2 &&
2811 (Args[1]->getType()->isObjectPointerType() ||
2812 Args[1]->getType()->isArrayType())) {
2813 const QualType Arg1Type = Args[1]->getType();
2814 QualType UnderlyingType = S.Context.getBaseElementType(Arg1Type);
2815 if (UnderlyingType->isPointerType())
2816 UnderlyingType = UnderlyingType->getPointeeType();
2817 if (UnderlyingType.isConstQualified()) {
2818 S.Diag(Args[1]->getExprLoc(),
2819 diag::err_placement_new_into_const_qualified_storage)
2820 << Arg1Type << Args[1]->getSourceRange();
2821 return true;
2822 }
2823 S.Diag(R.getNameLoc(), diag::err_need_header_before_placement_new)
2824 << R.getLookupName() << Range;
2825 // Listing the candidates is unlikely to be useful; skip it.
2826 return true;
2827 }
2828
2829 // Finish checking all candidates before we note any. This checking can
2830 // produce additional diagnostics so can't be interleaved with our
2831 // emission of notes.
2832 //
2833 // For an aligned allocation, separately check the aligned and unaligned
2834 // candidates with their respective argument lists.
2837 llvm::SmallVector<Expr*, 4> AlignedArgs;
2838 if (AlignedCandidates) {
2839 auto IsAligned = [NonTypeArgumentOffset](OverloadCandidate &C) {
2840 auto AlignArgOffset = NonTypeArgumentOffset + 1;
2841 return C.Function->getNumParams() > AlignArgOffset &&
2842 C.Function->getParamDecl(AlignArgOffset)
2843 ->getType()
2844 ->isAlignValT();
2845 };
2846 auto IsUnaligned = [&](OverloadCandidate &C) { return !IsAligned(C); };
2847
2848 AlignedArgs.reserve(Args.size() + NonTypeArgumentOffset + 1);
2849 for (unsigned Idx = 0; Idx < NonTypeArgumentOffset + 1; ++Idx)
2850 AlignedArgs.push_back(Args[Idx]);
2851 AlignedArgs.push_back(AlignArg);
2852 AlignedArgs.append(Args.begin() + NonTypeArgumentOffset + 1,
2853 Args.end());
2854 AlignedCands = AlignedCandidates->CompleteCandidates(
2855 S, OCD_AllCandidates, AlignedArgs, R.getNameLoc(), IsAligned);
2856
2857 Cands = Candidates.CompleteCandidates(S, OCD_AllCandidates, Args,
2858 R.getNameLoc(), IsUnaligned);
2859 } else {
2860 Cands = Candidates.CompleteCandidates(S, OCD_AllCandidates, Args,
2861 R.getNameLoc());
2862 }
2863
2864 S.Diag(R.getNameLoc(), diag::err_ovl_no_viable_function_in_call)
2865 << R.getLookupName() << Range;
2866 if (AlignedCandidates)
2867 AlignedCandidates->NoteCandidates(S, AlignedArgs, AlignedCands, "",
2868 R.getNameLoc());
2869 Candidates.NoteCandidates(S, Args, Cands, "", R.getNameLoc());
2870 }
2871 return true;
2872
2873 case OR_Ambiguous:
2874 if (Diagnose) {
2875 Candidates.NoteCandidates(
2876 PartialDiagnosticAt(R.getNameLoc(),
2877 S.PDiag(diag::err_ovl_ambiguous_call)
2878 << R.getLookupName() << Range),
2879 S, OCD_AmbiguousCandidates, Args);
2880 }
2881 return true;
2882
2883 case OR_Deleted: {
2884 if (Diagnose)
2885 S.DiagnoseUseOfDeletedFunction(R.getNameLoc(), Range, R.getLookupName(),
2886 Candidates, Best->Function, Args);
2887 return true;
2888 }
2889 }
2890 llvm_unreachable("Unreachable, bad result from BestViableFunction");
2891}
2892
2894
2896 LookupResult &FoundDelete,
2897 DeallocLookupMode Mode,
2898 DeclarationName Name) {
2901 // We're going to remove either the typed or the non-typed
2902 bool RemoveTypedDecl = Mode == DeallocLookupMode::Untyped;
2903 LookupResult::Filter Filter = FoundDelete.makeFilter();
2904 while (Filter.hasNext()) {
2905 FunctionDecl *FD = Filter.next()->getUnderlyingDecl()->getAsFunction();
2906 if (FD->isTypeAwareOperatorNewOrDelete() == RemoveTypedDecl)
2907 Filter.erase();
2908 }
2909 Filter.done();
2910 }
2911}
2912
2916 OverloadCandidateSet *AlignedCandidates, Expr *AlignArg, bool Diagnose) {
2917 Operator = nullptr;
2919 assert(S.isStdTypeIdentity(Args[0]->getType(), nullptr));
2920 // The internal overload resolution work mutates the argument list
2921 // in accordance with the spec. We may want to change that in future,
2922 // but for now we deal with this by making a copy of the non-type-identity
2923 // arguments.
2924 SmallVector<Expr *> UntypedParameters;
2925 UntypedParameters.reserve(Args.size() - 1);
2926 UntypedParameters.push_back(Args[1]);
2927 // Type aware allocation implicitly includes the alignment parameter so
2928 // only include it in the untyped parameter list if alignment was explicitly
2929 // requested
2931 UntypedParameters.push_back(Args[2]);
2932 UntypedParameters.append(Args.begin() + 3, Args.end());
2933
2934 AlignedAllocationMode InitialAlignmentMode = IAP.PassAlignment;
2937 S, R, Range, ResolveMode::Typed, Args, IAP.PassAlignment, Operator,
2938 AlignedCandidates, AlignArg, Diagnose))
2939 return true;
2940 if (Operator)
2941 return false;
2942
2943 // If we got to this point we could not find a matching typed operator
2944 // so we update the IAP flags, and revert to our stored copy of the
2945 // type-identity-less argument list.
2947 IAP.PassAlignment = InitialAlignmentMode;
2948 Args = std::move(UntypedParameters);
2949 }
2950 assert(!S.isStdTypeIdentity(Args[0]->getType(), nullptr));
2952 S, R, Range, ResolveMode::Untyped, Args, IAP.PassAlignment, Operator,
2953 AlignedCandidates, AlignArg, Diagnose);
2954}
2955
2957 SourceLocation StartLoc, SourceRange Range,
2959 QualType AllocType, bool IsArray, ImplicitAllocationParameters &IAP,
2960 MultiExprArg PlaceArgs, FunctionDecl *&OperatorNew,
2961 FunctionDecl *&OperatorDelete, bool Diagnose) {
2962 // --- Choosing an allocation function ---
2963 // C++ 5.3.4p8 - 14 & 18
2964 // 1) If looking in AllocationFunctionScope::Global scope for allocation
2965 // functions, only look in
2966 // the global scope. Else, if AllocationFunctionScope::Class, only look in
2967 // the scope of the allocated class. If AllocationFunctionScope::Both, look
2968 // in both.
2969 // 2) If an array size is given, look for operator new[], else look for
2970 // operator new.
2971 // 3) The first argument is always size_t. Append the arguments from the
2972 // placement form.
2973
2974 SmallVector<Expr*, 8> AllocArgs;
2975 AllocArgs.reserve(IAP.getNumImplicitArgs() + PlaceArgs.size());
2976
2977 // C++ [expr.new]p8:
2978 // If the allocated type is a non-array type, the allocation
2979 // function's name is operator new and the deallocation function's
2980 // name is operator delete. If the allocated type is an array
2981 // type, the allocation function's name is operator new[] and the
2982 // deallocation function's name is operator delete[].
2983 DeclarationName NewName = Context.DeclarationNames.getCXXOperatorName(
2984 IsArray ? OO_Array_New : OO_New);
2985
2986 QualType AllocElemType = Context.getBaseElementType(AllocType);
2987
2988 // We don't care about the actual value of these arguments.
2989 // FIXME: Should the Sema create the expression and embed it in the syntax
2990 // tree? Or should the consumer just recalculate the value?
2991 // FIXME: Using a dummy value will interact poorly with attribute enable_if.
2992
2993 // We use size_t as a stand in so that we can construct the init
2994 // expr on the stack
2995 QualType TypeIdentity = Context.getSizeType();
2997 QualType SpecializedTypeIdentity =
2998 tryBuildStdTypeIdentity(IAP.Type, StartLoc);
2999 if (!SpecializedTypeIdentity.isNull()) {
3000 TypeIdentity = SpecializedTypeIdentity;
3001 if (RequireCompleteType(StartLoc, TypeIdentity,
3002 diag::err_incomplete_type))
3003 return true;
3004 } else
3006 }
3007 TypeAwareAllocationMode OriginalTypeAwareState = IAP.PassTypeIdentity;
3008
3009 CXXScalarValueInitExpr TypeIdentityParam(TypeIdentity, nullptr, StartLoc);
3011 AllocArgs.push_back(&TypeIdentityParam);
3012
3013 QualType SizeTy = Context.getSizeType();
3014 unsigned SizeTyWidth = Context.getTypeSize(SizeTy);
3015 IntegerLiteral Size(Context, llvm::APInt::getZero(SizeTyWidth), SizeTy,
3016 SourceLocation());
3017 AllocArgs.push_back(&Size);
3018
3019 QualType AlignValT = Context.VoidTy;
3020 bool IncludeAlignParam = isAlignedAllocation(IAP.PassAlignment) ||
3022 if (IncludeAlignParam) {
3024 AlignValT = Context.getCanonicalTagType(getStdAlignValT());
3025 }
3026 CXXScalarValueInitExpr Align(AlignValT, nullptr, SourceLocation());
3027 if (IncludeAlignParam)
3028 AllocArgs.push_back(&Align);
3029
3030 llvm::append_range(AllocArgs, PlaceArgs);
3031
3032 // Find the allocation function.
3033 {
3034 LookupResult R(*this, NewName, StartLoc, LookupOrdinaryName);
3035
3036 // C++1z [expr.new]p9:
3037 // If the new-expression begins with a unary :: operator, the allocation
3038 // function's name is looked up in the global scope. Otherwise, if the
3039 // allocated type is a class type T or array thereof, the allocation
3040 // function's name is looked up in the scope of T.
3041 if (AllocElemType->isRecordType() &&
3043 LookupQualifiedName(R, AllocElemType->getAsCXXRecordDecl());
3044
3045 // We can see ambiguity here if the allocation function is found in
3046 // multiple base classes.
3047 if (R.isAmbiguous())
3048 return true;
3049
3050 // If this lookup fails to find the name, or if the allocated type is not
3051 // a class type, the allocation function's name is looked up in the
3052 // global scope.
3053 if (R.empty()) {
3054 if (NewScope == AllocationFunctionScope::Class)
3055 return true;
3056
3057 LookupQualifiedName(R, Context.getTranslationUnitDecl());
3058 }
3059
3060 if (getLangOpts().OpenCLCPlusPlus && R.empty()) {
3061 if (PlaceArgs.empty()) {
3062 Diag(StartLoc, diag::err_openclcxx_not_supported) << "default new";
3063 } else {
3064 Diag(StartLoc, diag::err_openclcxx_placement_new);
3065 }
3066 return true;
3067 }
3068
3069 assert(!R.empty() && "implicitly declared allocation functions not found");
3070 assert(!R.isAmbiguous() && "global allocation functions are ambiguous");
3071
3072 // We do our own custom access checks below.
3073 R.suppressDiagnostics();
3074
3075 if (resolveAllocationOverload(*this, R, Range, AllocArgs, IAP, OperatorNew,
3076 /*Candidates=*/nullptr,
3077 /*AlignArg=*/nullptr, Diagnose))
3078 return true;
3079 }
3080
3081 // We don't need an operator delete if we're running under -fno-exceptions.
3082 if (!getLangOpts().Exceptions) {
3083 OperatorDelete = nullptr;
3084 return false;
3085 }
3086
3087 // Note, the name of OperatorNew might have been changed from array to
3088 // non-array by resolveAllocationOverload.
3089 DeclarationName DeleteName = Context.DeclarationNames.getCXXOperatorName(
3090 OperatorNew->getDeclName().getCXXOverloadedOperator() == OO_Array_New
3091 ? OO_Array_Delete
3092 : OO_Delete);
3093
3094 // C++ [expr.new]p19:
3095 //
3096 // If the new-expression begins with a unary :: operator, the
3097 // deallocation function's name is looked up in the global
3098 // scope. Otherwise, if the allocated type is a class type T or an
3099 // array thereof, the deallocation function's name is looked up in
3100 // the scope of T. If this lookup fails to find the name, or if
3101 // the allocated type is not a class type or array thereof, the
3102 // deallocation function's name is looked up in the global scope.
3103 LookupResult FoundDelete(*this, DeleteName, StartLoc, LookupOrdinaryName);
3104 if (AllocElemType->isRecordType() &&
3105 DeleteScope != AllocationFunctionScope::Global) {
3106 auto *RD = AllocElemType->castAsCXXRecordDecl();
3107 LookupQualifiedName(FoundDelete, RD);
3108 }
3109 if (FoundDelete.isAmbiguous())
3110 return true; // FIXME: clean up expressions?
3111
3112 // Filter out any destroying operator deletes. We can't possibly call such a
3113 // function in this context, because we're handling the case where the object
3114 // was not successfully constructed.
3115 // FIXME: This is not covered by the language rules yet.
3116 {
3117 LookupResult::Filter Filter = FoundDelete.makeFilter();
3118 while (Filter.hasNext()) {
3119 auto *FD = dyn_cast<FunctionDecl>(Filter.next()->getUnderlyingDecl());
3120 if (FD && FD->isDestroyingOperatorDelete())
3121 Filter.erase();
3122 }
3123 Filter.done();
3124 }
3125
3126 auto GetRedeclContext = [](Decl *D) {
3127 return D->getDeclContext()->getRedeclContext();
3128 };
3129
3130 DeclContext *OperatorNewContext = GetRedeclContext(OperatorNew);
3131
3132 bool FoundGlobalDelete = FoundDelete.empty();
3133 bool IsClassScopedTypeAwareNew =
3135 OperatorNewContext->isRecord();
3136 auto DiagnoseMissingTypeAwareCleanupOperator = [&](bool IsPlacementOperator) {
3138 if (Diagnose) {
3139 Diag(StartLoc, diag::err_mismatching_type_aware_cleanup_deallocator)
3140 << OperatorNew->getDeclName() << IsPlacementOperator << DeleteName;
3141 Diag(OperatorNew->getLocation(), diag::note_type_aware_operator_declared)
3142 << OperatorNew->isTypeAwareOperatorNewOrDelete()
3143 << OperatorNew->getDeclName() << OperatorNewContext;
3144 }
3145 };
3146 if (IsClassScopedTypeAwareNew && FoundDelete.empty()) {
3147 DiagnoseMissingTypeAwareCleanupOperator(/*isPlacementNew=*/false);
3148 return true;
3149 }
3150 if (FoundDelete.empty()) {
3151 FoundDelete.clear(LookupOrdinaryName);
3152
3153 if (DeleteScope == AllocationFunctionScope::Class)
3154 return true;
3155
3157 DeallocLookupMode LookupMode = isTypeAwareAllocation(OriginalTypeAwareState)
3160 LookupGlobalDeallocationFunctions(*this, StartLoc, FoundDelete, LookupMode,
3161 DeleteName);
3162 }
3163
3164 FoundDelete.suppressDiagnostics();
3165
3167
3168 // Whether we're looking for a placement operator delete is dictated
3169 // by whether we selected a placement operator new, not by whether
3170 // we had explicit placement arguments. This matters for things like
3171 // struct A { void *operator new(size_t, int = 0); ... };
3172 // A *a = new A()
3173 //
3174 // We don't have any definition for what a "placement allocation function"
3175 // is, but we assume it's any allocation function whose
3176 // parameter-declaration-clause is anything other than (size_t).
3177 //
3178 // FIXME: Should (size_t, std::align_val_t) also be considered non-placement?
3179 // This affects whether an exception from the constructor of an overaligned
3180 // type uses the sized or non-sized form of aligned operator delete.
3181
3182 unsigned NonPlacementNewArgCount = 1; // size parameter
3184 NonPlacementNewArgCount =
3185 /* type-identity */ 1 + /* size */ 1 + /* alignment */ 1;
3186 bool isPlacementNew = !PlaceArgs.empty() ||
3187 OperatorNew->param_size() != NonPlacementNewArgCount ||
3188 OperatorNew->isVariadic();
3189
3190 if (isPlacementNew) {
3191 // C++ [expr.new]p20:
3192 // A declaration of a placement deallocation function matches the
3193 // declaration of a placement allocation function if it has the
3194 // same number of parameters and, after parameter transformations
3195 // (8.3.5), all parameter types except the first are
3196 // identical. [...]
3197 //
3198 // To perform this comparison, we compute the function type that
3199 // the deallocation function should have, and use that type both
3200 // for template argument deduction and for comparison purposes.
3201 QualType ExpectedFunctionType;
3202 {
3203 auto *Proto = OperatorNew->getType()->castAs<FunctionProtoType>();
3204
3205 SmallVector<QualType, 6> ArgTypes;
3206 int InitialParamOffset = 0;
3208 ArgTypes.push_back(TypeIdentity);
3209 InitialParamOffset = 1;
3210 }
3211 ArgTypes.push_back(Context.VoidPtrTy);
3212 for (unsigned I = ArgTypes.size() - InitialParamOffset,
3213 N = Proto->getNumParams();
3214 I < N; ++I)
3215 ArgTypes.push_back(Proto->getParamType(I));
3216
3218 // FIXME: This is not part of the standard's rule.
3219 EPI.Variadic = Proto->isVariadic();
3220
3221 ExpectedFunctionType
3222 = Context.getFunctionType(Context.VoidTy, ArgTypes, EPI);
3223 }
3224
3225 for (LookupResult::iterator D = FoundDelete.begin(),
3226 DEnd = FoundDelete.end();
3227 D != DEnd; ++D) {
3228 FunctionDecl *Fn = nullptr;
3229 if (FunctionTemplateDecl *FnTmpl =
3230 dyn_cast<FunctionTemplateDecl>((*D)->getUnderlyingDecl())) {
3231 // Perform template argument deduction to try to match the
3232 // expected function type.
3233 TemplateDeductionInfo Info(StartLoc);
3234 if (DeduceTemplateArguments(FnTmpl, nullptr, ExpectedFunctionType, Fn,
3236 continue;
3237 } else
3238 Fn = cast<FunctionDecl>((*D)->getUnderlyingDecl());
3239
3240 if (Context.hasSameType(adjustCCAndNoReturn(Fn->getType(),
3241 ExpectedFunctionType,
3242 /*AdjustExcpetionSpec*/true),
3243 ExpectedFunctionType))
3244 Matches.push_back(std::make_pair(D.getPair(), Fn));
3245 }
3246
3247 if (getLangOpts().CUDA)
3248 CUDA().EraseUnwantedMatches(getCurFunctionDecl(/*AllowLambda=*/true),
3249 Matches);
3250 if (Matches.empty() && isTypeAwareAllocation(IAP.PassTypeIdentity)) {
3251 DiagnoseMissingTypeAwareCleanupOperator(isPlacementNew);
3252 return true;
3253 }
3254 } else {
3255 // C++1y [expr.new]p22:
3256 // For a non-placement allocation function, the normal deallocation
3257 // function lookup is used
3258 //
3259 // Per [expr.delete]p10, this lookup prefers a member operator delete
3260 // without a size_t argument, but prefers a non-member operator delete
3261 // with a size_t where possible (which it always is in this case).
3264 AllocElemType, OriginalTypeAwareState,
3266 hasNewExtendedAlignment(*this, AllocElemType)),
3267 sizedDeallocationModeFromBool(FoundGlobalDelete)};
3268 UsualDeallocFnInfo Selected = resolveDeallocationOverload(
3269 *this, FoundDelete, IDP, StartLoc, &BestDeallocFns);
3270 if (Selected && BestDeallocFns.empty())
3271 Matches.push_back(std::make_pair(Selected.Found, Selected.FD));
3272 else {
3273 // If we failed to select an operator, all remaining functions are viable
3274 // but ambiguous.
3275 for (auto Fn : BestDeallocFns)
3276 Matches.push_back(std::make_pair(Fn.Found, Fn.FD));
3277 }
3278 }
3279
3280 // C++ [expr.new]p20:
3281 // [...] If the lookup finds a single matching deallocation
3282 // function, that function will be called; otherwise, no
3283 // deallocation function will be called.
3284 if (Matches.size() == 1) {
3285 OperatorDelete = Matches[0].second;
3286 DeclContext *OperatorDeleteContext = GetRedeclContext(OperatorDelete);
3287 bool FoundTypeAwareOperator =
3288 OperatorDelete->isTypeAwareOperatorNewOrDelete() ||
3289 OperatorNew->isTypeAwareOperatorNewOrDelete();
3290 if (Diagnose && FoundTypeAwareOperator) {
3291 bool MismatchedTypeAwareness =
3292 OperatorDelete->isTypeAwareOperatorNewOrDelete() !=
3293 OperatorNew->isTypeAwareOperatorNewOrDelete();
3294 bool MismatchedContext = OperatorDeleteContext != OperatorNewContext;
3295 if (MismatchedTypeAwareness || MismatchedContext) {
3296 FunctionDecl *Operators[] = {OperatorDelete, OperatorNew};
3297 bool TypeAwareOperatorIndex =
3298 OperatorNew->isTypeAwareOperatorNewOrDelete();
3299 Diag(StartLoc, diag::err_mismatching_type_aware_cleanup_deallocator)
3300 << Operators[TypeAwareOperatorIndex]->getDeclName()
3301 << isPlacementNew
3302 << Operators[!TypeAwareOperatorIndex]->getDeclName()
3303 << GetRedeclContext(Operators[TypeAwareOperatorIndex]);
3304 Diag(OperatorNew->getLocation(),
3305 diag::note_type_aware_operator_declared)
3306 << OperatorNew->isTypeAwareOperatorNewOrDelete()
3307 << OperatorNew->getDeclName() << OperatorNewContext;
3308 Diag(OperatorDelete->getLocation(),
3309 diag::note_type_aware_operator_declared)
3310 << OperatorDelete->isTypeAwareOperatorNewOrDelete()
3311 << OperatorDelete->getDeclName() << OperatorDeleteContext;
3312 }
3313 }
3314
3315 // C++1z [expr.new]p23:
3316 // If the lookup finds a usual deallocation function (3.7.4.2)
3317 // with a parameter of type std::size_t and that function, considered
3318 // as a placement deallocation function, would have been
3319 // selected as a match for the allocation function, the program
3320 // is ill-formed.
3321 if (getLangOpts().CPlusPlus11 && isPlacementNew &&
3322 isNonPlacementDeallocationFunction(*this, OperatorDelete)) {
3323 UsualDeallocFnInfo Info(*this,
3324 DeclAccessPair::make(OperatorDelete, AS_public),
3325 AllocElemType, StartLoc);
3326 // Core issue, per mail to core reflector, 2016-10-09:
3327 // If this is a member operator delete, and there is a corresponding
3328 // non-sized member operator delete, this isn't /really/ a sized
3329 // deallocation function, it just happens to have a size_t parameter.
3330 bool IsSizedDelete = isSizedDeallocation(Info.IDP.PassSize);
3331 if (IsSizedDelete && !FoundGlobalDelete) {
3332 ImplicitDeallocationParameters SizeTestingIDP = {
3333 AllocElemType, Info.IDP.PassTypeIdentity, Info.IDP.PassAlignment,
3335 auto NonSizedDelete = resolveDeallocationOverload(
3336 *this, FoundDelete, SizeTestingIDP, StartLoc);
3337 if (NonSizedDelete &&
3338 !isSizedDeallocation(NonSizedDelete.IDP.PassSize) &&
3339 NonSizedDelete.IDP.PassAlignment == Info.IDP.PassAlignment)
3340 IsSizedDelete = false;
3341 }
3342
3343 if (IsSizedDelete && !isTypeAwareAllocation(IAP.PassTypeIdentity)) {
3344 SourceRange R = PlaceArgs.empty()
3345 ? SourceRange()
3346 : SourceRange(PlaceArgs.front()->getBeginLoc(),
3347 PlaceArgs.back()->getEndLoc());
3348 Diag(StartLoc, diag::err_placement_new_non_placement_delete) << R;
3349 if (!OperatorDelete->isImplicit())
3350 Diag(OperatorDelete->getLocation(), diag::note_previous_decl)
3351 << DeleteName;
3352 }
3353 }
3354 if (CheckDeleteOperator(*this, StartLoc, Range, Diagnose,
3355 FoundDelete.getNamingClass(), Matches[0].first,
3356 Matches[0].second))
3357 return true;
3358
3359 } else if (!Matches.empty()) {
3360 // We found multiple suitable operators. Per [expr.new]p20, that means we
3361 // call no 'operator delete' function, but we should at least warn the user.
3362 // FIXME: Suppress this warning if the construction cannot throw.
3363 Diag(StartLoc, diag::warn_ambiguous_suitable_delete_function_found)
3364 << DeleteName << AllocElemType;
3365
3366 for (auto &Match : Matches)
3367 Diag(Match.second->getLocation(),
3368 diag::note_member_declared_here) << DeleteName;
3369 }
3370
3371 return false;
3372}
3373
3376 return;
3377
3378 // The implicitly declared new and delete operators
3379 // are not supported in OpenCL.
3380 if (getLangOpts().OpenCLCPlusPlus)
3381 return;
3382
3383 // C++ [basic.stc.dynamic.general]p2:
3384 // The library provides default definitions for the global allocation
3385 // and deallocation functions. Some global allocation and deallocation
3386 // functions are replaceable ([new.delete]); these are attached to the
3387 // global module ([module.unit]).
3388 if (getLangOpts().CPlusPlusModules && getCurrentModule())
3389 PushGlobalModuleFragment(SourceLocation());
3390
3391 // C++ [basic.std.dynamic]p2:
3392 // [...] The following allocation and deallocation functions (18.4) are
3393 // implicitly declared in global scope in each translation unit of a
3394 // program
3395 //
3396 // C++03:
3397 // void* operator new(std::size_t) throw(std::bad_alloc);
3398 // void* operator new[](std::size_t) throw(std::bad_alloc);
3399 // void operator delete(void*) throw();
3400 // void operator delete[](void*) throw();
3401 // C++11:
3402 // void* operator new(std::size_t);
3403 // void* operator new[](std::size_t);
3404 // void operator delete(void*) noexcept;
3405 // void operator delete[](void*) noexcept;
3406 // C++1y:
3407 // void* operator new(std::size_t);
3408 // void* operator new[](std::size_t);
3409 // void operator delete(void*) noexcept;
3410 // void operator delete[](void*) noexcept;
3411 // void operator delete(void*, std::size_t) noexcept;
3412 // void operator delete[](void*, std::size_t) noexcept;
3413 //
3414 // These implicit declarations introduce only the function names operator
3415 // new, operator new[], operator delete, operator delete[].
3416 //
3417 // Here, we need to refer to std::bad_alloc, so we will implicitly declare
3418 // "std" or "bad_alloc" as necessary to form the exception specification.
3419 // However, we do not make these implicit declarations visible to name
3420 // lookup.
3421 if (!StdBadAlloc && !getLangOpts().CPlusPlus11) {
3422 // The "std::bad_alloc" class has not yet been declared, so build it
3423 // implicitly.
3427 &PP.getIdentifierTable().get("bad_alloc"), nullptr);
3428 getStdBadAlloc()->setImplicit(true);
3429
3430 // The implicitly declared "std::bad_alloc" should live in global module
3431 // fragment.
3432 if (TheGlobalModuleFragment) {
3435 getStdBadAlloc()->setLocalOwningModule(TheGlobalModuleFragment);
3436 }
3437 }
3438 if (!StdAlignValT && getLangOpts().AlignedAllocation) {
3439 // The "std::align_val_t" enum class has not yet been declared, so build it
3440 // implicitly.
3441 auto *AlignValT = EnumDecl::Create(
3443 &PP.getIdentifierTable().get("align_val_t"), nullptr, true, true, true);
3444
3445 // The implicitly declared "std::align_val_t" should live in global module
3446 // fragment.
3447 if (TheGlobalModuleFragment) {
3448 AlignValT->setModuleOwnershipKind(
3450 AlignValT->setLocalOwningModule(TheGlobalModuleFragment);
3451 }
3452
3453 AlignValT->setIntegerType(Context.getSizeType());
3454 AlignValT->setPromotionType(Context.getSizeType());
3455 AlignValT->setImplicit(true);
3456
3457 // Add to the std namespace so that the module merger can find it via
3458 // noload_lookup and merge it with the module's explicit definition.
3459 // We want the created EnumDecl to be available for redeclaration lookups,
3460 // but not for regular name lookups (same pattern as
3461 // getOrCreateStdNamespace).
3462 getOrCreateStdNamespace()->addDecl(AlignValT);
3463
3464 StdAlignValT = AlignValT;
3465 }
3466
3468
3469 QualType VoidPtr = Context.getPointerType(Context.VoidTy);
3470 QualType SizeT = Context.getSizeType();
3471
3472 auto DeclareGlobalAllocationFunctions = [&](OverloadedOperatorKind Kind,
3473 QualType Return, QualType Param) {
3475 Params.push_back(Param);
3476
3477 // Create up to four variants of the function (sized/aligned).
3478 bool HasSizedVariant = getLangOpts().SizedDeallocation &&
3479 (Kind == OO_Delete || Kind == OO_Array_Delete);
3480 bool HasAlignedVariant = getLangOpts().AlignedAllocation;
3481
3482 int NumSizeVariants = (HasSizedVariant ? 2 : 1);
3483 int NumAlignVariants = (HasAlignedVariant ? 2 : 1);
3484 for (int Sized = 0; Sized < NumSizeVariants; ++Sized) {
3485 if (Sized)
3486 Params.push_back(SizeT);
3487
3488 for (int Aligned = 0; Aligned < NumAlignVariants; ++Aligned) {
3489 if (Aligned)
3490 Params.push_back(Context.getCanonicalTagType(getStdAlignValT()));
3491
3493 Context.DeclarationNames.getCXXOperatorName(Kind), Return, Params);
3494
3495 if (Aligned)
3496 Params.pop_back();
3497 }
3498 }
3499 };
3500
3501 DeclareGlobalAllocationFunctions(OO_New, VoidPtr, SizeT);
3502 DeclareGlobalAllocationFunctions(OO_Array_New, VoidPtr, SizeT);
3503 DeclareGlobalAllocationFunctions(OO_Delete, Context.VoidTy, VoidPtr);
3504 DeclareGlobalAllocationFunctions(OO_Array_Delete, Context.VoidTy, VoidPtr);
3505
3506 if (getLangOpts().CPlusPlusModules && getCurrentModule())
3507 PopGlobalModuleFragment();
3508}
3509
3510/// DeclareGlobalAllocationFunction - Declares a single implicit global
3511/// allocation function if it doesn't already exist.
3513 QualType Return,
3514 ArrayRef<QualType> Params) {
3515 DeclContext *GlobalCtx = Context.getTranslationUnitDecl();
3516
3517 // Check if this function is already declared.
3518 DeclContext::lookup_result R = GlobalCtx->lookup(Name);
3519 for (DeclContext::lookup_iterator Alloc = R.begin(), AllocEnd = R.end();
3520 Alloc != AllocEnd; ++Alloc) {
3521 // Only look at non-template functions, as it is the predefined,
3522 // non-templated allocation function we are trying to declare here.
3523 if (FunctionDecl *Func = dyn_cast<FunctionDecl>(*Alloc)) {
3524 if (Func->getNumParams() == Params.size()) {
3525 if (std::equal(Func->param_begin(), Func->param_end(), Params.begin(),
3526 Params.end(), [&](ParmVarDecl *D, QualType RT) {
3527 return Context.hasSameUnqualifiedType(D->getType(),
3528 RT);
3529 })) {
3530 // Make the function visible to name lookup, even if we found it in
3531 // an unimported module. It either is an implicitly-declared global
3532 // allocation function, or is suppressing that function.
3533 Func->setVisibleDespiteOwningModule();
3534 return;
3535 }
3536 }
3537 }
3538 }
3539
3541 Context.getTargetInfo().getDefaultCallingConv());
3542
3543 QualType BadAllocType;
3544 bool HasBadAllocExceptionSpec = Name.isAnyOperatorNew();
3545 if (HasBadAllocExceptionSpec) {
3546 if (!getLangOpts().CPlusPlus11) {
3547 BadAllocType = Context.getCanonicalTagType(getStdBadAlloc());
3548 assert(StdBadAlloc && "Must have std::bad_alloc declared");
3550 EPI.ExceptionSpec.Exceptions = llvm::ArrayRef(BadAllocType);
3551 }
3552 if (getLangOpts().NewInfallible) {
3554 }
3555 } else {
3556 EPI.ExceptionSpec =
3558 }
3559
3560 auto CreateAllocationFunctionDecl = [&](Attr *ExtraAttr) {
3561 // The MSVC STL has explicit cdecl on its (host-side) allocation function
3562 // specializations for the allocation, so in order to prevent a CC clash
3563 // we use the host's CC, if available, or CC_C as a fallback, for the
3564 // host-side implicit decls, knowing these do not get emitted when compiling
3565 // for device.
3566 if (getLangOpts().CUDAIsDevice && ExtraAttr &&
3567 isa<CUDAHostAttr>(ExtraAttr) &&
3568 Context.getTargetInfo().getTriple().isSPIRV()) {
3569 if (auto *ATI = Context.getAuxTargetInfo())
3570 EPI.ExtInfo = EPI.ExtInfo.withCallingConv(ATI->getDefaultCallingConv());
3571 else
3573 }
3574 QualType FnType = Context.getFunctionType(Return, Params, EPI);
3576 Context, GlobalCtx, SourceLocation(), SourceLocation(), Name, FnType,
3577 /*TInfo=*/nullptr, SC_None, getCurFPFeatures().isFPConstrained(), false,
3578 true);
3579 Alloc->setImplicit();
3580 // Global allocation functions should always be visible.
3581 Alloc->setVisibleDespiteOwningModule();
3582
3583 if (HasBadAllocExceptionSpec && getLangOpts().NewInfallible &&
3584 !getLangOpts().CheckNew)
3585 Alloc->addAttr(
3586 ReturnsNonNullAttr::CreateImplicit(Context, Alloc->getLocation()));
3587
3588 // C++ [basic.stc.dynamic.general]p2:
3589 // The library provides default definitions for the global allocation
3590 // and deallocation functions. Some global allocation and deallocation
3591 // functions are replaceable ([new.delete]); these are attached to the
3592 // global module ([module.unit]).
3593 //
3594 // In the language wording, these functions are attched to the global
3595 // module all the time. But in the implementation, the global module
3596 // is only meaningful when we're in a module unit. So here we attach
3597 // these allocation functions to global module conditionally.
3598 if (TheGlobalModuleFragment) {
3599 Alloc->setModuleOwnershipKind(
3601 Alloc->setLocalOwningModule(TheGlobalModuleFragment);
3602 }
3603
3604 if (LangOpts.hasGlobalAllocationFunctionVisibility())
3605 Alloc->addAttr(VisibilityAttr::CreateImplicit(
3606 Context, LangOpts.hasHiddenGlobalAllocationFunctionVisibility()
3607 ? VisibilityAttr::Hidden
3608 : LangOpts.hasProtectedGlobalAllocationFunctionVisibility()
3609 ? VisibilityAttr::Protected
3610 : VisibilityAttr::Default));
3611
3613 for (QualType T : Params) {
3614 ParamDecls.push_back(ParmVarDecl::Create(
3615 Context, Alloc, SourceLocation(), SourceLocation(), nullptr, T,
3616 /*TInfo=*/nullptr, SC_None, nullptr));
3617 ParamDecls.back()->setImplicit();
3618 }
3619 Alloc->setParams(ParamDecls);
3620 if (ExtraAttr)
3621 Alloc->addAttr(ExtraAttr);
3623 Context.getTranslationUnitDecl()->addDecl(Alloc);
3624 IdResolver.tryAddTopLevelDecl(Alloc, Name);
3625 };
3626
3627 if (!LangOpts.CUDA)
3628 CreateAllocationFunctionDecl(nullptr);
3629 else {
3630 // Host and device get their own declaration so each can be
3631 // defined or re-declared independently.
3632 CreateAllocationFunctionDecl(CUDAHostAttr::CreateImplicit(Context));
3633 CreateAllocationFunctionDecl(CUDADeviceAttr::CreateImplicit(Context));
3634 }
3635}
3636
3640 DeclarationName Name, bool Diagnose) {
3642
3643 LookupResult FoundDelete(*this, Name, StartLoc, LookupOrdinaryName);
3644 LookupGlobalDeallocationFunctions(*this, StartLoc, FoundDelete,
3646
3647 // FIXME: It's possible for this to result in ambiguity, through a
3648 // user-declared variadic operator delete or the enable_if attribute. We
3649 // should probably not consider those cases to be usual deallocation
3650 // functions. But for now we just make an arbitrary choice in that case.
3651 auto Result = resolveDeallocationOverload(*this, FoundDelete, IDP, StartLoc);
3652 if (!Result)
3653 return nullptr;
3654
3655 if (CheckDeleteOperator(*this, StartLoc, StartLoc, Diagnose,
3656 FoundDelete.getNamingClass(), Result.Found,
3657 Result.FD))
3658 return nullptr;
3659
3660 assert(Result.FD && "operator delete missing from global scope?");
3661 return Result.FD;
3662}
3663
3665 SourceLocation Loc, CXXRecordDecl *RD, bool Diagnose, bool LookForGlobal,
3666 DeclarationName Name) {
3667
3668 FunctionDecl *OperatorDelete = nullptr;
3669 CanQualType DeallocType = Context.getCanonicalTagType(RD);
3673
3674 if (!LookForGlobal) {
3675 if (FindDeallocationFunction(Loc, RD, Name, OperatorDelete, IDP, Diagnose))
3676 return nullptr;
3677
3678 if (OperatorDelete)
3679 return OperatorDelete;
3680 }
3681
3682 // If there's no class-specific operator delete, look up the global
3683 // non-array delete.
3685 hasNewExtendedAlignment(*this, DeallocType));
3687 return FindUsualDeallocationFunction(Loc, IDP, Name, Diagnose);
3688}
3689
3691 DeclarationName Name,
3692 FunctionDecl *&Operator,
3694 bool Diagnose) {
3695 LookupResult Found(*this, Name, StartLoc, LookupOrdinaryName);
3696 // Try to find operator delete/operator delete[] in class scope.
3698
3699 if (Found.isAmbiguous()) {
3700 if (!Diagnose)
3701 Found.suppressDiagnostics();
3702 return true;
3703 }
3704
3705 Found.suppressDiagnostics();
3706
3708 hasNewExtendedAlignment(*this, Context.getCanonicalTagType(RD)))
3710
3711 // C++17 [expr.delete]p10:
3712 // If the deallocation functions have class scope, the one without a
3713 // parameter of type std::size_t is selected.
3715 resolveDeallocationOverload(*this, Found, IDP, StartLoc, &Matches);
3716
3717 // If we could find an overload, use it.
3718 if (Matches.size() == 1) {
3719 Operator = cast<CXXMethodDecl>(Matches[0].FD);
3720 return CheckDeleteOperator(*this, StartLoc, StartLoc, Diagnose,
3721 Found.getNamingClass(), Matches[0].Found,
3722 Operator);
3723 }
3724
3725 // We found multiple suitable operators; complain about the ambiguity.
3726 // FIXME: The standard doesn't say to do this; it appears that the intent
3727 // is that this should never happen.
3728 if (!Matches.empty()) {
3729 if (Diagnose) {
3730 Diag(StartLoc, diag::err_ambiguous_suitable_delete_member_function_found)
3731 << Name << RD;
3732 for (auto &Match : Matches)
3733 Diag(Match.FD->getLocation(), diag::note_member_declared_here) << Name;
3734 }
3735 return true;
3736 }
3737
3738 // We did find operator delete/operator delete[] declarations, but
3739 // none of them were suitable.
3740 if (!Found.empty()) {
3741 if (Diagnose) {
3742 Diag(StartLoc, diag::err_no_suitable_delete_member_function_found)
3743 << Name << RD;
3744
3745 for (NamedDecl *D : Found)
3746 Diag(D->getUnderlyingDecl()->getLocation(),
3747 diag::note_member_declared_here) << Name;
3748 }
3749 return true;
3750 }
3751
3752 Operator = nullptr;
3753 return false;
3754}
3755
3756namespace {
3757/// Checks whether delete-expression, and new-expression used for
3758/// initializing deletee have the same array form.
3759class MismatchingNewDeleteDetector {
3760public:
3761 enum MismatchResult {
3762 /// Indicates that there is no mismatch or a mismatch cannot be proven.
3763 NoMismatch,
3764 /// Indicates that variable is initialized with mismatching form of \a new.
3765 VarInitMismatches,
3766 /// Indicates that member is initialized with mismatching form of \a new.
3767 MemberInitMismatches,
3768 /// Indicates that 1 or more constructors' definitions could not been
3769 /// analyzed, and they will be checked again at the end of translation unit.
3770 AnalyzeLater
3771 };
3772
3773 /// \param EndOfTU True, if this is the final analysis at the end of
3774 /// translation unit. False, if this is the initial analysis at the point
3775 /// delete-expression was encountered.
3776 explicit MismatchingNewDeleteDetector(bool EndOfTU)
3777 : Field(nullptr), IsArrayForm(false), EndOfTU(EndOfTU),
3778 HasUndefinedConstructors(false) {}
3779
3780 /// Checks whether pointee of a delete-expression is initialized with
3781 /// matching form of new-expression.
3782 ///
3783 /// If return value is \c VarInitMismatches or \c MemberInitMismatches at the
3784 /// point where delete-expression is encountered, then a warning will be
3785 /// issued immediately. If return value is \c AnalyzeLater at the point where
3786 /// delete-expression is seen, then member will be analyzed at the end of
3787 /// translation unit. \c AnalyzeLater is returned iff at least one constructor
3788 /// couldn't be analyzed. If at least one constructor initializes the member
3789 /// with matching type of new, the return value is \c NoMismatch.
3790 MismatchResult analyzeDeleteExpr(const CXXDeleteExpr *DE);
3791 /// Analyzes a class member.
3792 /// \param Field Class member to analyze.
3793 /// \param DeleteWasArrayForm Array form-ness of the delete-expression used
3794 /// for deleting the \p Field.
3795 MismatchResult analyzeField(FieldDecl *Field, bool DeleteWasArrayForm);
3796 FieldDecl *Field;
3797 /// List of mismatching new-expressions used for initialization of the pointee
3798 llvm::SmallVector<const CXXNewExpr *, 4> NewExprs;
3799 /// Indicates whether delete-expression was in array form.
3800 bool IsArrayForm;
3801
3802private:
3803 const bool EndOfTU;
3804 /// Indicates that there is at least one constructor without body.
3805 bool HasUndefinedConstructors;
3806 /// Returns \c CXXNewExpr from given initialization expression.
3807 /// \param E Expression used for initializing pointee in delete-expression.
3808 /// E can be a single-element \c InitListExpr consisting of new-expression.
3809 const CXXNewExpr *getNewExprFromInitListOrExpr(const Expr *E);
3810 /// Returns whether member is initialized with mismatching form of
3811 /// \c new either by the member initializer or in-class initialization.
3812 ///
3813 /// If bodies of all constructors are not visible at the end of translation
3814 /// unit or at least one constructor initializes member with the matching
3815 /// form of \c new, mismatch cannot be proven, and this function will return
3816 /// \c NoMismatch.
3817 MismatchResult analyzeMemberExpr(const MemberExpr *ME);
3818 /// Returns whether variable is initialized with mismatching form of
3819 /// \c new.
3820 ///
3821 /// If variable is initialized with matching form of \c new or variable is not
3822 /// initialized with a \c new expression, this function will return true.
3823 /// If variable is initialized with mismatching form of \c new, returns false.
3824 /// \param D Variable to analyze.
3825 bool hasMatchingVarInit(const DeclRefExpr *D);
3826 /// Checks whether the constructor initializes pointee with mismatching
3827 /// form of \c new.
3828 ///
3829 /// Returns true, if member is initialized with matching form of \c new in
3830 /// member initializer list. Returns false, if member is initialized with the
3831 /// matching form of \c new in this constructor's initializer or given
3832 /// constructor isn't defined at the point where delete-expression is seen, or
3833 /// member isn't initialized by the constructor.
3834 bool hasMatchingNewInCtor(const CXXConstructorDecl *CD);
3835 /// Checks whether member is initialized with matching form of
3836 /// \c new in member initializer list.
3837 bool hasMatchingNewInCtorInit(const CXXCtorInitializer *CI);
3838 /// Checks whether member is initialized with mismatching form of \c new by
3839 /// in-class initializer.
3840 MismatchResult analyzeInClassInitializer();
3841};
3842}
3843
3844MismatchingNewDeleteDetector::MismatchResult
3845MismatchingNewDeleteDetector::analyzeDeleteExpr(const CXXDeleteExpr *DE) {
3846 NewExprs.clear();
3847 assert(DE && "Expected delete-expression");
3848 IsArrayForm = DE->isArrayForm();
3849 const Expr *E = DE->getArgument()->IgnoreParenImpCasts();
3850 if (const MemberExpr *ME = dyn_cast<const MemberExpr>(E)) {
3851 return analyzeMemberExpr(ME);
3852 } else if (const DeclRefExpr *D = dyn_cast<const DeclRefExpr>(E)) {
3853 if (!hasMatchingVarInit(D))
3854 return VarInitMismatches;
3855 }
3856 return NoMismatch;
3857}
3858
3859const CXXNewExpr *
3860MismatchingNewDeleteDetector::getNewExprFromInitListOrExpr(const Expr *E) {
3861 assert(E != nullptr && "Expected a valid initializer expression");
3862 E = E->IgnoreParenImpCasts();
3863 if (const InitListExpr *ILE = dyn_cast<const InitListExpr>(E)) {
3864 if (ILE->getNumInits() == 1)
3865 E = dyn_cast<const CXXNewExpr>(ILE->getInit(0)->IgnoreParenImpCasts());
3866 }
3867
3868 return dyn_cast_or_null<const CXXNewExpr>(E);
3869}
3870
3871bool MismatchingNewDeleteDetector::hasMatchingNewInCtorInit(
3872 const CXXCtorInitializer *CI) {
3873 const CXXNewExpr *NE = nullptr;
3874 if (Field == CI->getMember() &&
3875 (NE = getNewExprFromInitListOrExpr(CI->getInit()))) {
3876 if (NE->isArray() == IsArrayForm)
3877 return true;
3878 else
3879 NewExprs.push_back(NE);
3880 }
3881 return false;
3882}
3883
3884bool MismatchingNewDeleteDetector::hasMatchingNewInCtor(
3885 const CXXConstructorDecl *CD) {
3886 if (CD->isImplicit())
3887 return false;
3888 const FunctionDecl *Definition = CD;
3890 HasUndefinedConstructors = true;
3891 return EndOfTU;
3892 }
3893 for (const auto *CI : cast<const CXXConstructorDecl>(Definition)->inits()) {
3894 if (hasMatchingNewInCtorInit(CI))
3895 return true;
3896 }
3897 return false;
3898}
3899
3900MismatchingNewDeleteDetector::MismatchResult
3901MismatchingNewDeleteDetector::analyzeInClassInitializer() {
3902 assert(Field != nullptr && "This should be called only for members");
3903 const Expr *InitExpr = Field->getInClassInitializer();
3904 if (!InitExpr)
3905 return EndOfTU ? NoMismatch : AnalyzeLater;
3906 if (const CXXNewExpr *NE = getNewExprFromInitListOrExpr(InitExpr)) {
3907 if (NE->isArray() != IsArrayForm) {
3908 NewExprs.push_back(NE);
3909 return MemberInitMismatches;
3910 }
3911 }
3912 return NoMismatch;
3913}
3914
3915MismatchingNewDeleteDetector::MismatchResult
3916MismatchingNewDeleteDetector::analyzeField(FieldDecl *Field,
3917 bool DeleteWasArrayForm) {
3918 assert(Field != nullptr && "Analysis requires a valid class member.");
3919 this->Field = Field;
3920 IsArrayForm = DeleteWasArrayForm;
3921 const CXXRecordDecl *RD = cast<const CXXRecordDecl>(Field->getParent());
3922 for (const auto *CD : RD->ctors()) {
3923 if (hasMatchingNewInCtor(CD))
3924 return NoMismatch;
3925 }
3926 if (HasUndefinedConstructors)
3927 return EndOfTU ? NoMismatch : AnalyzeLater;
3928 if (!NewExprs.empty())
3929 return MemberInitMismatches;
3930 return Field->hasInClassInitializer() ? analyzeInClassInitializer()
3931 : NoMismatch;
3932}
3933
3934MismatchingNewDeleteDetector::MismatchResult
3935MismatchingNewDeleteDetector::analyzeMemberExpr(const MemberExpr *ME) {
3936 assert(ME != nullptr && "Expected a member expression");
3937 if (FieldDecl *F = dyn_cast<FieldDecl>(ME->getMemberDecl()))
3938 return analyzeField(F, IsArrayForm);
3939 return NoMismatch;
3940}
3941
3942bool MismatchingNewDeleteDetector::hasMatchingVarInit(const DeclRefExpr *D) {
3943 const CXXNewExpr *NE = nullptr;
3944 if (const VarDecl *VD = dyn_cast<const VarDecl>(D->getDecl())) {
3945 if (VD->hasInit() && (NE = getNewExprFromInitListOrExpr(VD->getInit())) &&
3946 NE->isArray() != IsArrayForm) {
3947 NewExprs.push_back(NE);
3948 }
3949 }
3950 return NewExprs.empty();
3951}
3952
3953static void
3955 const MismatchingNewDeleteDetector &Detector) {
3956 SourceLocation EndOfDelete = SemaRef.getLocForEndOfToken(DeleteLoc);
3957 FixItHint H;
3958 if (!Detector.IsArrayForm)
3959 H = FixItHint::CreateInsertion(EndOfDelete, "[]");
3960 else {
3962 DeleteLoc, tok::l_square, SemaRef.getSourceManager(),
3963 SemaRef.getLangOpts(), true);
3964 if (RSquare.isValid())
3965 H = FixItHint::CreateRemoval(SourceRange(EndOfDelete, RSquare));
3966 }
3967 SemaRef.Diag(DeleteLoc, diag::warn_mismatched_delete_new)
3968 << Detector.IsArrayForm << H;
3969
3970 for (const auto *NE : Detector.NewExprs)
3971 SemaRef.Diag(NE->getExprLoc(), diag::note_allocated_here)
3972 << Detector.IsArrayForm;
3973}
3974
3975void Sema::AnalyzeDeleteExprMismatch(const CXXDeleteExpr *DE) {
3976 if (Diags.isIgnored(diag::warn_mismatched_delete_new, SourceLocation()))
3977 return;
3978 MismatchingNewDeleteDetector Detector(/*EndOfTU=*/false);
3979 switch (Detector.analyzeDeleteExpr(DE)) {
3980 case MismatchingNewDeleteDetector::VarInitMismatches:
3981 case MismatchingNewDeleteDetector::MemberInitMismatches: {
3982 DiagnoseMismatchedNewDelete(*this, DE->getBeginLoc(), Detector);
3983 break;
3984 }
3985 case MismatchingNewDeleteDetector::AnalyzeLater: {
3986 DeleteExprs[Detector.Field].push_back(
3987 std::make_pair(DE->getBeginLoc(), DE->isArrayForm()));
3988 break;
3989 }
3990 case MismatchingNewDeleteDetector::NoMismatch:
3991 break;
3992 }
3993}
3994
3995void Sema::AnalyzeDeleteExprMismatch(FieldDecl *Field, SourceLocation DeleteLoc,
3996 bool DeleteWasArrayForm) {
3997 MismatchingNewDeleteDetector Detector(/*EndOfTU=*/true);
3998 switch (Detector.analyzeField(Field, DeleteWasArrayForm)) {
3999 case MismatchingNewDeleteDetector::VarInitMismatches:
4000 llvm_unreachable("This analysis should have been done for class members.");
4001 case MismatchingNewDeleteDetector::AnalyzeLater:
4002 llvm_unreachable("Analysis cannot be postponed any point beyond end of "
4003 "translation unit.");
4004 case MismatchingNewDeleteDetector::MemberInitMismatches:
4005 DiagnoseMismatchedNewDelete(*this, DeleteLoc, Detector);
4006 break;
4007 case MismatchingNewDeleteDetector::NoMismatch:
4008 break;
4009 }
4010}
4011
4013Sema::ActOnCXXDelete(SourceLocation StartLoc, bool UseGlobal,
4014 bool ArrayForm, Expr *ExE) {
4015 // C++ [expr.delete]p1:
4016 // The operand shall have a pointer type, or a class type having a single
4017 // non-explicit conversion function to a pointer type. The result has type
4018 // void.
4019 //
4020 // DR599 amends "pointer type" to "pointer to object type" in both cases.
4021
4022 ExprResult Ex = ExE;
4023 FunctionDecl *OperatorDelete = nullptr;
4024 bool ArrayFormAsWritten = ArrayForm;
4025 bool UsualArrayDeleteWantsSize = false;
4026
4027 if (!Ex.get()->isTypeDependent()) {
4028 // Perform lvalue-to-rvalue cast, if needed.
4029 Ex = DefaultLvalueConversion(Ex.get());
4030 if (Ex.isInvalid())
4031 return ExprError();
4032
4033 QualType Type = Ex.get()->getType();
4034
4035 class DeleteConverter : public ContextualImplicitConverter {
4036 public:
4037 DeleteConverter() : ContextualImplicitConverter(false, true) {}
4038
4039 bool match(QualType ConvType) override {
4040 // FIXME: If we have an operator T* and an operator void*, we must pick
4041 // the operator T*.
4042 if (const PointerType *ConvPtrType = ConvType->getAs<PointerType>())
4043 if (ConvPtrType->getPointeeType()->isIncompleteOrObjectType())
4044 return true;
4045 return false;
4046 }
4047
4048 SemaDiagnosticBuilder diagnoseNoMatch(Sema &S, SourceLocation Loc,
4049 QualType T) override {
4050 return S.Diag(Loc, diag::err_delete_operand) << T;
4051 }
4052
4053 SemaDiagnosticBuilder diagnoseIncomplete(Sema &S, SourceLocation Loc,
4054 QualType T) override {
4055 return S.Diag(Loc, diag::err_delete_incomplete_class_type) << T;
4056 }
4057
4058 SemaDiagnosticBuilder diagnoseExplicitConv(Sema &S, SourceLocation Loc,
4059 QualType T,
4060 QualType ConvTy) override {
4061 return S.Diag(Loc, diag::err_delete_explicit_conversion) << T << ConvTy;
4062 }
4063
4064 SemaDiagnosticBuilder noteExplicitConv(Sema &S, CXXConversionDecl *Conv,
4065 QualType ConvTy) override {
4066 return S.Diag(Conv->getLocation(), diag::note_delete_conversion)
4067 << ConvTy;
4068 }
4069
4070 SemaDiagnosticBuilder diagnoseAmbiguous(Sema &S, SourceLocation Loc,
4071 QualType T) override {
4072 return S.Diag(Loc, diag::err_ambiguous_delete_operand) << T;
4073 }
4074
4075 SemaDiagnosticBuilder noteAmbiguous(Sema &S, CXXConversionDecl *Conv,
4076 QualType ConvTy) override {
4077 return S.Diag(Conv->getLocation(), diag::note_delete_conversion)
4078 << ConvTy;
4079 }
4080
4081 SemaDiagnosticBuilder diagnoseConversion(Sema &S, SourceLocation Loc,
4082 QualType T,
4083 QualType ConvTy) override {
4084 llvm_unreachable("conversion functions are permitted");
4085 }
4086 } Converter;
4087
4088 Ex = PerformContextualImplicitConversion(StartLoc, Ex.get(), Converter);
4089 if (Ex.isInvalid())
4090 return ExprError();
4091 Type = Ex.get()->getType();
4092 if (!Converter.match(Type))
4093 // FIXME: PerformContextualImplicitConversion should return ExprError
4094 // itself in this case.
4095 return ExprError();
4096
4098 QualType PointeeElem = Context.getBaseElementType(Pointee);
4099
4100 if (Pointee.getAddressSpace() != LangAS::Default &&
4101 !getLangOpts().OpenCLCPlusPlus)
4102 return Diag(Ex.get()->getBeginLoc(),
4103 diag::err_address_space_qualified_delete)
4104 << Pointee.getUnqualifiedType()
4106
4107 CXXRecordDecl *PointeeRD = nullptr;
4108 if (Pointee->isVoidType() && !isSFINAEContext()) {
4109 // The C++ standard bans deleting a pointer to a non-object type, which
4110 // effectively bans deletion of "void*". However, most compilers support
4111 // this, so we treat it as a warning unless we're in a SFINAE context.
4112 // But we still prohibit this since C++26.
4113 Diag(StartLoc, LangOpts.CPlusPlus26 ? diag::err_delete_incomplete
4114 : diag::ext_delete_void_ptr_operand)
4115 << (LangOpts.CPlusPlus26 ? Pointee : Type)
4116 << Ex.get()->getSourceRange();
4117 } else if (Pointee->isFunctionType() || Pointee->isVoidType() ||
4118 Pointee->isSizelessType()) {
4119 return ExprError(Diag(StartLoc, diag::err_delete_operand)
4120 << Type << Ex.get()->getSourceRange());
4121 } else if (!Pointee->isDependentType()) {
4122 // FIXME: This can result in errors if the definition was imported from a
4123 // module but is hidden.
4124 if (Pointee->isEnumeralType() ||
4125 !RequireCompleteType(StartLoc, Pointee,
4126 LangOpts.CPlusPlus26
4127 ? diag::err_delete_incomplete
4128 : diag::warn_delete_incomplete,
4129 Ex.get())) {
4130 PointeeRD = PointeeElem->getAsCXXRecordDecl();
4131 }
4132 }
4133
4134 if (Pointee->isArrayType() && !ArrayForm) {
4135 Diag(StartLoc, diag::warn_delete_array_type)
4136 << Type << Ex.get()->getSourceRange()
4138 ArrayForm = true;
4139 }
4140
4141 DeclarationName DeleteName = Context.DeclarationNames.getCXXOperatorName(
4142 ArrayForm ? OO_Array_Delete : OO_Delete);
4143
4144 if (PointeeRD) {
4148 if (!UseGlobal &&
4149 FindDeallocationFunction(StartLoc, PointeeRD, DeleteName,
4150 OperatorDelete, IDP))
4151 return ExprError();
4152
4153 // If we're allocating an array of records, check whether the
4154 // usual operator delete[] has a size_t parameter.
4155 if (ArrayForm) {
4156 // If the user specifically asked to use the global allocator,
4157 // we'll need to do the lookup into the class.
4158 if (UseGlobal)
4159 UsualArrayDeleteWantsSize = doesUsualArrayDeleteWantSize(
4160 *this, StartLoc, IDP.PassTypeIdentity, PointeeElem);
4161
4162 // Otherwise, the usual operator delete[] should be the
4163 // function we just found.
4164 else if (isa_and_nonnull<CXXMethodDecl>(OperatorDelete)) {
4165 UsualDeallocFnInfo UDFI(
4166 *this, DeclAccessPair::make(OperatorDelete, AS_public), Pointee,
4167 StartLoc);
4168 UsualArrayDeleteWantsSize = isSizedDeallocation(UDFI.IDP.PassSize);
4169 }
4170 }
4171
4172 if (!PointeeRD->hasIrrelevantDestructor()) {
4173 if (CXXDestructorDecl *Dtor = LookupDestructor(PointeeRD)) {
4174 if (Dtor->isCalledByDelete(OperatorDelete)) {
4175 MarkFunctionReferenced(StartLoc, Dtor);
4176 if (DiagnoseUseOfDecl(Dtor, StartLoc))
4177 return ExprError();
4178 }
4179 }
4180 }
4181
4182 CheckVirtualDtorCall(PointeeRD->getDestructor(), StartLoc,
4183 /*IsDelete=*/true, /*CallCanBeVirtual=*/true,
4184 /*WarnOnNonAbstractTypes=*/!ArrayForm,
4185 SourceLocation());
4186 }
4187
4188 if (!OperatorDelete) {
4189 if (getLangOpts().OpenCLCPlusPlus) {
4190 Diag(StartLoc, diag::err_openclcxx_not_supported) << "default delete";
4191 return ExprError();
4192 }
4193
4194 bool IsComplete = isCompleteType(StartLoc, Pointee);
4195 bool CanProvideSize =
4196 IsComplete && (!ArrayForm || UsualArrayDeleteWantsSize ||
4197 Pointee.isDestructedType());
4198 bool Overaligned = hasNewExtendedAlignment(*this, Pointee);
4199
4200 // Look for a global declaration.
4203 alignedAllocationModeFromBool(Overaligned),
4204 sizedDeallocationModeFromBool(CanProvideSize)};
4205 OperatorDelete = FindUsualDeallocationFunction(StartLoc, IDP, DeleteName);
4206 if (!OperatorDelete)
4207 return ExprError();
4208 }
4209
4210 if (OperatorDelete->isInvalidDecl())
4211 return ExprError();
4212
4213 MarkFunctionReferenced(StartLoc, OperatorDelete);
4214
4215 // Check access and ambiguity of destructor if we're going to call it.
4216 // Note that this is required even for a virtual delete.
4217 bool IsVirtualDelete = false;
4218 if (PointeeRD) {
4219 if (CXXDestructorDecl *Dtor = LookupDestructor(PointeeRD)) {
4220 if (Dtor->isCalledByDelete(OperatorDelete))
4221 CheckDestructorAccess(Ex.get()->getExprLoc(), Dtor,
4222 PDiag(diag::err_access_dtor) << PointeeElem);
4223 IsVirtualDelete = Dtor->isVirtual();
4224 }
4225 }
4226
4227 DiagnoseUseOfDecl(OperatorDelete, StartLoc);
4228
4229 unsigned AddressParamIdx = 0;
4230 if (OperatorDelete->isTypeAwareOperatorNewOrDelete()) {
4231 QualType TypeIdentity = OperatorDelete->getParamDecl(0)->getType();
4232 if (RequireCompleteType(StartLoc, TypeIdentity,
4233 diag::err_incomplete_type))
4234 return ExprError();
4235 AddressParamIdx = 1;
4236 }
4237
4238 // Convert the operand to the type of the first parameter of operator
4239 // delete. This is only necessary if we selected a destroying operator
4240 // delete that we are going to call (non-virtually); converting to void*
4241 // is trivial and left to AST consumers to handle.
4242 QualType ParamType =
4243 OperatorDelete->getParamDecl(AddressParamIdx)->getType();
4244 if (!IsVirtualDelete && !ParamType->getPointeeType()->isVoidType()) {
4245 Qualifiers Qs = Pointee.getQualifiers();
4246 if (Qs.hasCVRQualifiers()) {
4247 // Qualifiers are irrelevant to this conversion; we're only looking
4248 // for access and ambiguity.
4250 QualType Unqual = Context.getPointerType(
4251 Context.getQualifiedType(Pointee.getUnqualifiedType(), Qs));
4252 Ex = ImpCastExprToType(Ex.get(), Unqual, CK_NoOp);
4253 }
4254 Ex = PerformImplicitConversion(Ex.get(), ParamType,
4256 if (Ex.isInvalid())
4257 return ExprError();
4258 }
4259 }
4260
4262 Context.VoidTy, UseGlobal, ArrayForm, ArrayFormAsWritten,
4263 UsualArrayDeleteWantsSize, OperatorDelete, Ex.get(), StartLoc);
4264 AnalyzeDeleteExprMismatch(Result);
4265 return Result;
4266}
4267
4269 bool IsDelete,
4270 FunctionDecl *&Operator) {
4271
4273 IsDelete ? OO_Delete : OO_New);
4274
4275 LookupResult R(S, NewName, TheCall->getBeginLoc(), Sema::LookupOrdinaryName);
4277 assert(!R.empty() && "implicitly declared allocation functions not found");
4278 assert(!R.isAmbiguous() && "global allocation functions are ambiguous");
4279
4280 // We do our own custom access checks below.
4281 R.suppressDiagnostics();
4282
4283 SmallVector<Expr *, 8> Args(TheCall->arguments());
4284 OverloadCandidateSet Candidates(R.getNameLoc(),
4286 for (LookupResult::iterator FnOvl = R.begin(), FnOvlEnd = R.end();
4287 FnOvl != FnOvlEnd; ++FnOvl) {
4288 // Even member operator new/delete are implicitly treated as
4289 // static, so don't use AddMemberCandidate.
4290 NamedDecl *D = (*FnOvl)->getUnderlyingDecl();
4291
4292 if (FunctionTemplateDecl *FnTemplate = dyn_cast<FunctionTemplateDecl>(D)) {
4293 S.AddTemplateOverloadCandidate(FnTemplate, FnOvl.getPair(),
4294 /*ExplicitTemplateArgs=*/nullptr, Args,
4295 Candidates,
4296 /*SuppressUserConversions=*/false);
4297 continue;
4298 }
4299
4301 S.AddOverloadCandidate(Fn, FnOvl.getPair(), Args, Candidates,
4302 /*SuppressUserConversions=*/false);
4303 }
4304
4305 SourceRange Range = TheCall->getSourceRange();
4306
4307 // Do the resolution.
4309 switch (Candidates.BestViableFunction(S, R.getNameLoc(), Best)) {
4310 case OR_Success: {
4311 // Got one!
4312 FunctionDecl *FnDecl = Best->Function;
4313 assert(R.getNamingClass() == nullptr &&
4314 "class members should not be considered");
4315
4317 S.Diag(R.getNameLoc(), diag::err_builtin_operator_new_delete_not_usual)
4318 << (IsDelete ? 1 : 0) << Range;
4319 S.Diag(FnDecl->getLocation(), diag::note_non_usual_function_declared_here)
4320 << R.getLookupName() << FnDecl->getSourceRange();
4321 return true;
4322 }
4323
4324 Operator = FnDecl;
4325 return false;
4326 }
4327
4329 Candidates.NoteCandidates(
4330 PartialDiagnosticAt(R.getNameLoc(),
4331 S.PDiag(diag::err_ovl_no_viable_function_in_call)
4332 << R.getLookupName() << Range),
4333 S, OCD_AllCandidates, Args);
4334 return true;
4335
4336 case OR_Ambiguous:
4337 Candidates.NoteCandidates(
4338 PartialDiagnosticAt(R.getNameLoc(),
4339 S.PDiag(diag::err_ovl_ambiguous_call)
4340 << R.getLookupName() << Range),
4341 S, OCD_AmbiguousCandidates, Args);
4342 return true;
4343
4344 case OR_Deleted:
4345 S.DiagnoseUseOfDeletedFunction(R.getNameLoc(), Range, R.getLookupName(),
4346 Candidates, Best->Function, Args);
4347 return true;
4348 }
4349 llvm_unreachable("Unreachable, bad result from BestViableFunction");
4350}
4351
4352ExprResult Sema::BuiltinOperatorNewDeleteOverloaded(ExprResult TheCallResult,
4353 bool IsDelete) {
4354 CallExpr *TheCall = cast<CallExpr>(TheCallResult.get());
4355 if (!getLangOpts().CPlusPlus) {
4356 Diag(TheCall->getExprLoc(), diag::err_builtin_requires_language)
4357 << (IsDelete ? "__builtin_operator_delete" : "__builtin_operator_new")
4358 << "C++";
4359 return ExprError();
4360 }
4361 // CodeGen assumes it can find the global new and delete to call,
4362 // so ensure that they are declared.
4364
4365 FunctionDecl *OperatorNewOrDelete = nullptr;
4366 if (resolveBuiltinNewDeleteOverload(*this, TheCall, IsDelete,
4367 OperatorNewOrDelete))
4368 return ExprError();
4369 assert(OperatorNewOrDelete && "should be found");
4370
4371 DiagnoseUseOfDecl(OperatorNewOrDelete, TheCall->getExprLoc());
4372 MarkFunctionReferenced(TheCall->getExprLoc(), OperatorNewOrDelete);
4373
4374 TheCall->setType(OperatorNewOrDelete->getReturnType());
4375 for (unsigned i = 0; i != TheCall->getNumArgs(); ++i) {
4376 QualType ParamTy = OperatorNewOrDelete->getParamDecl(i)->getType();
4377 InitializedEntity Entity =
4380 Entity, TheCall->getArg(i)->getBeginLoc(), TheCall->getArg(i));
4381 if (Arg.isInvalid())
4382 return ExprError();
4383 TheCall->setArg(i, Arg.get());
4384 }
4385 auto Callee = dyn_cast<ImplicitCastExpr>(TheCall->getCallee());
4386 assert(Callee && Callee->getCastKind() == CK_BuiltinFnToFnPtr &&
4387 "Callee expected to be implicit cast to a builtin function pointer");
4388 Callee->setType(OperatorNewOrDelete->getType());
4389
4390 return TheCallResult;
4391}
4392
4394 bool IsDelete, bool CallCanBeVirtual,
4395 bool WarnOnNonAbstractTypes,
4396 SourceLocation DtorLoc) {
4397 if (!dtor || dtor->isVirtual() || !CallCanBeVirtual || isUnevaluatedContext())
4398 return;
4399
4400 // C++ [expr.delete]p3:
4401 // In the first alternative (delete object), if the static type of the
4402 // object to be deleted is different from its dynamic type, the static
4403 // type shall be a base class of the dynamic type of the object to be
4404 // deleted and the static type shall have a virtual destructor or the
4405 // behavior is undefined.
4406 //
4407 const CXXRecordDecl *PointeeRD = dtor->getParent();
4408 // Note: a final class cannot be derived from, no issue there
4409 if (!PointeeRD->isPolymorphic() || PointeeRD->hasAttr<FinalAttr>())
4410 return;
4411
4412 // If the superclass is in a system header, there's nothing that can be done.
4413 // The `delete` (where we emit the warning) can be in a system header,
4414 // what matters for this warning is where the deleted type is defined.
4415 if (getSourceManager().isInSystemHeader(PointeeRD->getLocation()))
4416 return;
4417
4418 QualType ClassType = dtor->getFunctionObjectParameterType();
4419 if (PointeeRD->isAbstract()) {
4420 // If the class is abstract, we warn by default, because we're
4421 // sure the code has undefined behavior.
4422 Diag(Loc, diag::warn_delete_abstract_non_virtual_dtor) << (IsDelete ? 0 : 1)
4423 << ClassType;
4424 } else if (WarnOnNonAbstractTypes) {
4425 // Otherwise, if this is not an array delete, it's a bit suspect,
4426 // but not necessarily wrong.
4427 Diag(Loc, diag::warn_delete_non_virtual_dtor) << (IsDelete ? 0 : 1)
4428 << ClassType;
4429 }
4430 if (!IsDelete) {
4431 std::string TypeStr;
4432 ClassType.getAsStringInternal(TypeStr, getPrintingPolicy());
4433 Diag(DtorLoc, diag::note_delete_non_virtual)
4434 << FixItHint::CreateInsertion(DtorLoc, TypeStr + "::");
4435 }
4436}
4437
4439 SourceLocation StmtLoc,
4440 ConditionKind CK) {
4441 ExprResult E =
4442 CheckConditionVariable(cast<VarDecl>(ConditionVar), StmtLoc, CK);
4443 if (E.isInvalid())
4444 return ConditionError();
4445 E = ActOnFinishFullExpr(E.get(), /*DiscardedValue*/ false);
4446 return ConditionResult(*this, ConditionVar, E,
4448}
4449
4451 SourceLocation StmtLoc,
4452 ConditionKind CK) {
4453 if (ConditionVar->isInvalidDecl())
4454 return ExprError();
4455
4456 QualType T = ConditionVar->getType();
4457
4458 // C++ [stmt.select]p2:
4459 // The declarator shall not specify a function or an array.
4460 if (T->isFunctionType())
4461 return ExprError(Diag(ConditionVar->getLocation(),
4462 diag::err_invalid_use_of_function_type)
4463 << ConditionVar->getSourceRange());
4464 else if (T->isArrayType())
4465 return ExprError(Diag(ConditionVar->getLocation(),
4466 diag::err_invalid_use_of_array_type)
4467 << ConditionVar->getSourceRange());
4468
4470 ConditionVar, ConditionVar->getType().getNonReferenceType(), VK_LValue,
4471 ConditionVar->getLocation());
4472
4473 switch (CK) {
4475 return CheckBooleanCondition(StmtLoc, Condition.get());
4476
4478 return CheckBooleanCondition(StmtLoc, Condition.get(), true);
4479
4481 return CheckSwitchCondition(StmtLoc, Condition.get());
4482 }
4483
4484 llvm_unreachable("unexpected condition kind");
4485}
4486
4487ExprResult Sema::CheckCXXBooleanCondition(Expr *CondExpr, bool IsConstexpr) {
4488 // C++11 6.4p4:
4489 // The value of a condition that is an initialized declaration in a statement
4490 // other than a switch statement is the value of the declared variable
4491 // implicitly converted to type bool. If that conversion is ill-formed, the
4492 // program is ill-formed.
4493 // The value of a condition that is an expression is the value of the
4494 // expression, implicitly converted to bool.
4495 //
4496 // C++23 8.5.2p2
4497 // If the if statement is of the form if constexpr, the value of the condition
4498 // is contextually converted to bool and the converted expression shall be
4499 // a constant expression.
4500 //
4501
4503 if (!IsConstexpr || E.isInvalid() || E.get()->isValueDependent())
4504 return E;
4505
4506 E = ActOnFinishFullExpr(E.get(), E.get()->getExprLoc(),
4507 /*DiscardedValue*/ false,
4508 /*IsConstexpr*/ true);
4509 if (E.isInvalid())
4510 return E;
4511
4512 // FIXME: Return this value to the caller so they don't need to recompute it.
4513 llvm::APSInt Cond;
4515 E.get(), &Cond,
4516 diag::err_constexpr_if_condition_expression_is_not_constant);
4517 return E;
4518}
4519
4520bool
4522 // Look inside the implicit cast, if it exists.
4523 if (ImplicitCastExpr *Cast = dyn_cast<ImplicitCastExpr>(From))
4524 From = Cast->getSubExpr();
4525
4526 // A string literal (2.13.4) that is not a wide string literal can
4527 // be converted to an rvalue of type "pointer to char"; a wide
4528 // string literal can be converted to an rvalue of type "pointer
4529 // to wchar_t" (C++ 4.2p2).
4530 if (StringLiteral *StrLit = dyn_cast<StringLiteral>(From->IgnoreParens()))
4531 if (const PointerType *ToPtrType = ToType->getAs<PointerType>())
4532 if (const BuiltinType *ToPointeeType
4533 = ToPtrType->getPointeeType()->getAs<BuiltinType>()) {
4534 // This conversion is considered only when there is an
4535 // explicit appropriate pointer target type (C++ 4.2p2).
4536 if (!ToPtrType->getPointeeType().hasQualifiers()) {
4537 switch (StrLit->getKind()) {
4541 // We don't allow UTF literals to be implicitly converted
4542 break;
4545 return (ToPointeeType->getKind() == BuiltinType::Char_U ||
4546 ToPointeeType->getKind() == BuiltinType::Char_S);
4548 return Context.typesAreCompatible(Context.getWideCharType(),
4549 QualType(ToPointeeType, 0));
4551 assert(false && "Unevaluated string literal in expression");
4552 break;
4553 }
4554 }
4555 }
4556
4557 return false;
4558}
4559
4561 SourceLocation CastLoc,
4562 QualType Ty,
4563 CastKind Kind,
4564 CXXMethodDecl *Method,
4565 DeclAccessPair FoundDecl,
4566 bool HadMultipleCandidates,
4567 Expr *From) {
4568 switch (Kind) {
4569 default: llvm_unreachable("Unhandled cast kind!");
4570 case CK_ConstructorConversion: {
4572 SmallVector<Expr*, 8> ConstructorArgs;
4573
4574 if (S.RequireNonAbstractType(CastLoc, Ty,
4575 diag::err_allocation_of_abstract_type))
4576 return ExprError();
4577
4578 if (S.CompleteConstructorCall(Constructor, Ty, From, CastLoc,
4579 ConstructorArgs))
4580 return ExprError();
4581
4582 S.CheckConstructorAccess(CastLoc, Constructor, FoundDecl,
4584 if (S.DiagnoseUseOfDecl(Method, CastLoc))
4585 return ExprError();
4586
4588 CastLoc, Ty, FoundDecl, cast<CXXConstructorDecl>(Method),
4589 ConstructorArgs, HadMultipleCandidates,
4590 /*ListInit*/ false, /*StdInitListInit*/ false, /*ZeroInit*/ false,
4592 if (Result.isInvalid())
4593 return ExprError();
4594
4595 return S.MaybeBindToTemporary(Result.getAs<Expr>());
4596 }
4597
4598 case CK_UserDefinedConversion: {
4599 assert(!From->getType()->isPointerType() && "Arg can't have pointer type!");
4600
4601 S.CheckMemberOperatorAccess(CastLoc, From, /*arg*/ nullptr, FoundDecl);
4602 if (S.DiagnoseUseOfDecl(Method, CastLoc))
4603 return ExprError();
4604
4605 // Create an implicit call expr that calls it.
4607 ExprResult Result = S.BuildCXXMemberCallExpr(From, FoundDecl, Conv,
4608 HadMultipleCandidates);
4609 if (Result.isInvalid())
4610 return ExprError();
4611 // Record usage of conversion in an implicit cast.
4612 Result = ImplicitCastExpr::Create(S.Context, Result.get()->getType(),
4613 CK_UserDefinedConversion, Result.get(),
4614 nullptr, Result.get()->getValueKind(),
4616
4617 return S.MaybeBindToTemporary(Result.get());
4618 }
4619 }
4620}
4621
4624 const ImplicitConversionSequence &ICS,
4625 AssignmentAction Action,
4627 // C++ [over.match.oper]p7: [...] operands of class type are converted [...]
4629 !From->getType()->isRecordType())
4630 return From;
4631
4632 switch (ICS.getKind()) {
4634 ExprResult Res = PerformImplicitConversion(From, ToType, ICS.Standard,
4635 Action, CCK);
4636 if (Res.isInvalid())
4637 return ExprError();
4638 From = Res.get();
4639 break;
4640 }
4641
4643
4646 QualType BeforeToType;
4647 assert(FD && "no conversion function for user-defined conversion seq");
4648 if (const CXXConversionDecl *Conv = dyn_cast<CXXConversionDecl>(FD)) {
4649 CastKind = CK_UserDefinedConversion;
4650
4651 // If the user-defined conversion is specified by a conversion function,
4652 // the initial standard conversion sequence converts the source type to
4653 // the implicit object parameter of the conversion function.
4654 BeforeToType = Context.getCanonicalTagType(Conv->getParent());
4655 } else {
4657 CastKind = CK_ConstructorConversion;
4658 // Do no conversion if dealing with ... for the first conversion.
4660 // If the user-defined conversion is specified by a constructor, the
4661 // initial standard conversion sequence converts the source type to
4662 // the type required by the argument of the constructor
4663 BeforeToType = Ctor->getParamDecl(0)->getType().getNonReferenceType();
4664 }
4665 }
4666 // Watch out for ellipsis conversion.
4669 From, BeforeToType, ICS.UserDefined.Before,
4671 if (Res.isInvalid())
4672 return ExprError();
4673 From = Res.get();
4674 }
4675
4677 *this, From->getBeginLoc(), ToType.getNonReferenceType(), CastKind,
4680
4681 if (CastArg.isInvalid())
4682 return ExprError();
4683
4684 From = CastArg.get();
4685
4686 // C++ [over.match.oper]p7:
4687 // [...] the second standard conversion sequence of a user-defined
4688 // conversion sequence is not applied.
4690 return From;
4691
4692 return PerformImplicitConversion(From, ToType, ICS.UserDefined.After,
4694 }
4695
4697 ICS.DiagnoseAmbiguousConversion(*this, From->getExprLoc(),
4698 PDiag(diag::err_typecheck_ambiguous_condition)
4699 << From->getSourceRange());
4700 return ExprError();
4701
4704 llvm_unreachable("bad conversion");
4705
4707 AssignConvertType ConvTy =
4708 CheckAssignmentConstraints(From->getExprLoc(), ToType, From->getType());
4709 bool Diagnosed = DiagnoseAssignmentResult(
4712 : ConvTy,
4713 From->getExprLoc(), ToType, From->getType(), From, Action);
4714 assert(Diagnosed && "failed to diagnose bad conversion"); (void)Diagnosed;
4715 return ExprError();
4716 }
4717
4718 // Everything went well.
4719 return From;
4720}
4721
4722// adjustVectorOrConstantMatrixType - Compute the intermediate cast type casting
4723// elements of the from type to the elements of the to type without resizing the
4724// vector or matrix.
4726 QualType FromTy,
4727 QualType ToType,
4728 QualType *ElTy = nullptr) {
4729 QualType ElType = ToType;
4730 if (auto *ToVec = ToType->getAs<VectorType>())
4731 ElType = ToVec->getElementType();
4732 else if (auto *ToMat = ToType->getAs<ConstantMatrixType>())
4733 ElType = ToMat->getElementType();
4734
4735 if (ElTy)
4736 *ElTy = ElType;
4737 if (FromTy->isVectorType()) {
4738 auto *FromVec = FromTy->castAs<VectorType>();
4739 return Context.getExtVectorType(ElType, FromVec->getNumElements());
4740 }
4741 if (FromTy->isConstantMatrixType()) {
4742 auto *FromMat = FromTy->castAs<ConstantMatrixType>();
4743 return Context.getConstantMatrixType(ElType, FromMat->getNumRows(),
4744 FromMat->getNumColumns());
4745 }
4746 return ElType;
4747}
4748
4749/// Check if an integral conversion involves incompatible overflow behavior
4750/// types. Returns true if the conversion is invalid.
4752 QualType ToType, Expr *From) {
4753 const auto *FromOBT = FromType->getAs<OverflowBehaviorType>();
4754 const auto *ToOBT = ToType->getAs<OverflowBehaviorType>();
4755
4756 if (FromOBT && ToOBT &&
4757 FromOBT->getBehaviorKind() != ToOBT->getBehaviorKind()) {
4758 S.Diag(From->getExprLoc(), diag::err_incompatible_obt_kinds_assignment)
4759 << ToType << FromType
4760 << (ToOBT->getBehaviorKind() ==
4761 OverflowBehaviorType::OverflowBehaviorKind::Trap
4762 ? "__ob_trap"
4763 : "__ob_wrap")
4764 << (FromOBT->getBehaviorKind() ==
4765 OverflowBehaviorType::OverflowBehaviorKind::Trap
4766 ? "__ob_trap"
4767 : "__ob_wrap");
4768 return true;
4769 }
4770 return false;
4771}
4772
4775 const StandardConversionSequence& SCS,
4776 AssignmentAction Action,
4778 bool CStyle = (CCK == CheckedConversionKind::CStyleCast ||
4780
4781 // Overall FIXME: we are recomputing too many types here and doing far too
4782 // much extra work. What this means is that we need to keep track of more
4783 // information that is computed when we try the implicit conversion initially,
4784 // so that we don't need to recompute anything here.
4785 QualType FromType = From->getType();
4786
4787 if (SCS.CopyConstructor) {
4788 // FIXME: When can ToType be a reference type?
4789 assert(!ToType->isReferenceType());
4790 if (SCS.Second == ICK_Derived_To_Base) {
4791 SmallVector<Expr*, 8> ConstructorArgs;
4793 cast<CXXConstructorDecl>(SCS.CopyConstructor), ToType, From,
4794 /*FIXME:ConstructLoc*/ SourceLocation(), ConstructorArgs))
4795 return ExprError();
4796 return BuildCXXConstructExpr(
4797 /*FIXME:ConstructLoc*/ SourceLocation(), ToType,
4798 SCS.FoundCopyConstructor, SCS.CopyConstructor, ConstructorArgs,
4799 /*HadMultipleCandidates*/ false,
4800 /*ListInit*/ false, /*StdInitListInit*/ false, /*ZeroInit*/ false,
4802 }
4803 return BuildCXXConstructExpr(
4804 /*FIXME:ConstructLoc*/ SourceLocation(), ToType,
4806 /*HadMultipleCandidates*/ false,
4807 /*ListInit*/ false, /*StdInitListInit*/ false, /*ZeroInit*/ false,
4809 }
4810
4811 // Resolve overloaded function references.
4812 if (Context.hasSameType(FromType, Context.OverloadTy)) {
4815 true, Found);
4816 if (!Fn)
4817 return ExprError();
4818
4819 if (DiagnoseUseOfDecl(Fn, From->getBeginLoc()))
4820 return ExprError();
4821
4823 if (Res.isInvalid())
4824 return ExprError();
4825
4826 // We might get back another placeholder expression if we resolved to a
4827 // builtin.
4828 Res = CheckPlaceholderExpr(Res.get());
4829 if (Res.isInvalid())
4830 return ExprError();
4831
4832 From = Res.get();
4833 FromType = From->getType();
4834 }
4835
4836 // If we're converting to an atomic type, first convert to the corresponding
4837 // non-atomic type.
4838 QualType ToAtomicType;
4839 if (const AtomicType *ToAtomic = ToType->getAs<AtomicType>()) {
4840 ToAtomicType = ToType;
4841 ToType = ToAtomic->getValueType();
4842 }
4843
4844 QualType InitialFromType = FromType;
4845 // Perform the first implicit conversion.
4846 switch (SCS.First) {
4847 case ICK_Identity:
4848 if (const AtomicType *FromAtomic = FromType->getAs<AtomicType>()) {
4849 FromType = FromAtomic->getValueType().getUnqualifiedType();
4850 From = ImplicitCastExpr::Create(Context, FromType, CK_AtomicToNonAtomic,
4851 From, /*BasePath=*/nullptr, VK_PRValue,
4853 }
4854 break;
4855
4856 case ICK_Lvalue_To_Rvalue: {
4857 assert(From->getObjectKind() != OK_ObjCProperty);
4858 ExprResult FromRes = DefaultLvalueConversion(From);
4859 if (FromRes.isInvalid())
4860 return ExprError();
4861
4862 From = FromRes.get();
4863 FromType = From->getType();
4864 break;
4865 }
4866
4868 FromType = Context.getArrayDecayedType(FromType);
4869 From = ImpCastExprToType(From, FromType, CK_ArrayToPointerDecay, VK_PRValue,
4870 /*BasePath=*/nullptr, CCK)
4871 .get();
4872 break;
4873
4875 if (ToType->isArrayParameterType()) {
4876 FromType = Context.getArrayParameterType(FromType);
4877 } else if (FromType->isArrayParameterType()) {
4878 const ArrayParameterType *APT = cast<ArrayParameterType>(FromType);
4879 FromType = APT->getConstantArrayType(Context);
4880 }
4881 From = ImpCastExprToType(From, FromType, CK_HLSLArrayRValue, VK_PRValue,
4882 /*BasePath=*/nullptr, CCK)
4883 .get();
4884 break;
4885
4887 FromType = Context.getPointerType(FromType);
4888 From = ImpCastExprToType(From, FromType, CK_FunctionToPointerDecay,
4889 VK_PRValue, /*BasePath=*/nullptr, CCK)
4890 .get();
4891 break;
4892
4893 default:
4894 llvm_unreachable("Improper first standard conversion");
4895 }
4896
4897 // Perform the second implicit conversion
4898 switch (SCS.Second) {
4899 case ICK_Identity:
4900 // C++ [except.spec]p5:
4901 // [For] assignment to and initialization of pointers to functions,
4902 // pointers to member functions, and references to functions: the
4903 // target entity shall allow at least the exceptions allowed by the
4904 // source value in the assignment or initialization.
4905 switch (Action) {
4908 // Note, function argument passing and returning are initialization.
4913 if (CheckExceptionSpecCompatibility(From, ToType))
4914 return ExprError();
4915 break;
4916
4919 // Casts and implicit conversions are not initialization, so are not
4920 // checked for exception specification mismatches.
4921 break;
4922 }
4923 // Nothing else to do.
4924 break;
4925
4928 QualType ElTy = ToType;
4929 QualType StepTy = ToType;
4930 if (FromType->isVectorType() || ToType->isVectorType() ||
4931 FromType->isConstantMatrixType() || ToType->isConstantMatrixType())
4932 StepTy =
4933 adjustVectorOrConstantMatrixType(Context, FromType, ToType, &ElTy);
4934
4935 // Check for incompatible OBT kinds before converting
4936 if (checkIncompatibleOBTConversion(*this, FromType, StepTy, From))
4937 return ExprError();
4938
4939 if (ElTy->isBooleanType()) {
4940 assert(FromType->castAsEnumDecl()->isFixed() &&
4942 "only enums with fixed underlying type can promote to bool");
4943 From = ImpCastExprToType(From, StepTy, CK_IntegralToBoolean, VK_PRValue,
4944 /*BasePath=*/nullptr, CCK)
4945 .get();
4946 } else {
4947 From = ImpCastExprToType(From, StepTy, CK_IntegralCast, VK_PRValue,
4948 /*BasePath=*/nullptr, CCK)
4949 .get();
4950 }
4951 break;
4952 }
4953
4956 QualType StepTy = ToType;
4957 if (FromType->isVectorType() || ToType->isVectorType() ||
4958 FromType->isConstantMatrixType() || ToType->isConstantMatrixType())
4959 StepTy = adjustVectorOrConstantMatrixType(Context, FromType, ToType);
4960 From = ImpCastExprToType(From, StepTy, CK_FloatingCast, VK_PRValue,
4961 /*BasePath=*/nullptr, CCK)
4962 .get();
4963 break;
4964 }
4965
4968 QualType FromEl = From->getType()->castAs<ComplexType>()->getElementType();
4969 QualType ToEl = ToType->castAs<ComplexType>()->getElementType();
4970 CastKind CK;
4971 if (FromEl->isRealFloatingType()) {
4972 if (ToEl->isRealFloatingType())
4973 CK = CK_FloatingComplexCast;
4974 else
4975 CK = CK_FloatingComplexToIntegralComplex;
4976 } else if (ToEl->isRealFloatingType()) {
4977 CK = CK_IntegralComplexToFloatingComplex;
4978 } else {
4979 CK = CK_IntegralComplexCast;
4980 }
4981 From = ImpCastExprToType(From, ToType, CK, VK_PRValue, /*BasePath=*/nullptr,
4982 CCK)
4983 .get();
4984 break;
4985 }
4986
4987 case ICK_Floating_Integral: {
4988 QualType ElTy = ToType;
4989 QualType StepTy = ToType;
4990 if (FromType->isVectorType() || ToType->isVectorType() ||
4991 FromType->isConstantMatrixType() || ToType->isConstantMatrixType())
4992 StepTy =
4993 adjustVectorOrConstantMatrixType(Context, FromType, ToType, &ElTy);
4994 if (ElTy->isRealFloatingType())
4995 From = ImpCastExprToType(From, StepTy, CK_IntegralToFloating, VK_PRValue,
4996 /*BasePath=*/nullptr, CCK)
4997 .get();
4998 else
4999 From = ImpCastExprToType(From, StepTy, CK_FloatingToIntegral, VK_PRValue,
5000 /*BasePath=*/nullptr, CCK)
5001 .get();
5002 break;
5003 }
5004
5006 assert((FromType->isFixedPointType() || ToType->isFixedPointType()) &&
5007 "Attempting implicit fixed point conversion without a fixed "
5008 "point operand");
5009 if (FromType->isFloatingType())
5010 From = ImpCastExprToType(From, ToType, CK_FloatingToFixedPoint,
5011 VK_PRValue,
5012 /*BasePath=*/nullptr, CCK).get();
5013 else if (ToType->isFloatingType())
5014 From = ImpCastExprToType(From, ToType, CK_FixedPointToFloating,
5015 VK_PRValue,
5016 /*BasePath=*/nullptr, CCK).get();
5017 else if (FromType->isIntegralType(Context))
5018 From = ImpCastExprToType(From, ToType, CK_IntegralToFixedPoint,
5019 VK_PRValue,
5020 /*BasePath=*/nullptr, CCK).get();
5021 else if (ToType->isIntegralType(Context))
5022 From = ImpCastExprToType(From, ToType, CK_FixedPointToIntegral,
5023 VK_PRValue,
5024 /*BasePath=*/nullptr, CCK).get();
5025 else if (ToType->isBooleanType())
5026 From = ImpCastExprToType(From, ToType, CK_FixedPointToBoolean,
5027 VK_PRValue,
5028 /*BasePath=*/nullptr, CCK).get();
5029 else
5030 From = ImpCastExprToType(From, ToType, CK_FixedPointCast,
5031 VK_PRValue,
5032 /*BasePath=*/nullptr, CCK).get();
5033 break;
5034
5036 From = ImpCastExprToType(From, ToType, CK_NoOp, From->getValueKind(),
5037 /*BasePath=*/nullptr, CCK).get();
5038 break;
5039
5042 if (SCS.IncompatibleObjC && Action != AssignmentAction::Casting) {
5043 // Diagnose incompatible Objective-C conversions
5044 if (Action == AssignmentAction::Initializing ||
5046 Diag(From->getBeginLoc(),
5047 diag::ext_typecheck_convert_incompatible_pointer)
5048 << ToType << From->getType() << Action << From->getSourceRange()
5049 << 0;
5050 else
5051 Diag(From->getBeginLoc(),
5052 diag::ext_typecheck_convert_incompatible_pointer)
5053 << From->getType() << ToType << Action << From->getSourceRange()
5054 << 0;
5055
5056 if (From->getType()->isObjCObjectPointerType() &&
5057 ToType->isObjCObjectPointerType())
5059 } else if (getLangOpts().allowsNonTrivialObjCLifetimeQualifiers() &&
5060 !ObjC().CheckObjCARCUnavailableWeakConversion(ToType,
5061 From->getType())) {
5062 if (Action == AssignmentAction::Initializing)
5063 Diag(From->getBeginLoc(), diag::err_arc_weak_unavailable_assign);
5064 else
5065 Diag(From->getBeginLoc(), diag::err_arc_convesion_of_weak_unavailable)
5066 << (Action == AssignmentAction::Casting) << From->getType()
5067 << ToType << From->getSourceRange();
5068 }
5069
5070 // Defer address space conversion to the third conversion.
5071 QualType FromPteeType = From->getType()->getPointeeType();
5072 QualType ToPteeType = ToType->getPointeeType();
5073 QualType NewToType = ToType;
5074 if (!FromPteeType.isNull() && !ToPteeType.isNull() &&
5075 FromPteeType.getAddressSpace() != ToPteeType.getAddressSpace()) {
5076 NewToType = Context.removeAddrSpaceQualType(ToPteeType);
5077 NewToType = Context.getAddrSpaceQualType(NewToType,
5078 FromPteeType.getAddressSpace());
5079 if (ToType->isObjCObjectPointerType())
5080 NewToType = Context.getObjCObjectPointerType(NewToType);
5081 else if (ToType->isBlockPointerType())
5082 NewToType = Context.getBlockPointerType(NewToType);
5083 else
5084 NewToType = Context.getPointerType(NewToType);
5085 }
5086
5087 CastKind Kind;
5088 CXXCastPath BasePath;
5089 if (CheckPointerConversion(From, NewToType, Kind, BasePath, CStyle))
5090 return ExprError();
5091
5092 // Make sure we extend blocks if necessary.
5093 // FIXME: doing this here is really ugly.
5094 if (Kind == CK_BlockPointerToObjCPointerCast) {
5095 ExprResult E = From;
5097 From = E.get();
5098 }
5099 if (getLangOpts().allowsNonTrivialObjCLifetimeQualifiers())
5100 ObjC().CheckObjCConversion(SourceRange(), NewToType, From, CCK);
5101 From = ImpCastExprToType(From, NewToType, Kind, VK_PRValue, &BasePath, CCK)
5102 .get();
5103 break;
5104 }
5105
5106 case ICK_Pointer_Member: {
5107 CastKind Kind;
5108 CXXCastPath BasePath;
5110 From->getType(), ToType->castAs<MemberPointerType>(), Kind, BasePath,
5111 From->getExprLoc(), From->getSourceRange(), CStyle,
5114 assert((Kind != CK_NullToMemberPointer ||
5117 "Expr must be null pointer constant!");
5118 break;
5120 break;
5122 llvm_unreachable("unexpected result");
5124 llvm_unreachable("Should not have been called if derivation isn't OK.");
5127 return ExprError();
5128 }
5129 if (CheckExceptionSpecCompatibility(From, ToType))
5130 return ExprError();
5131
5132 From =
5133 ImpCastExprToType(From, ToType, Kind, VK_PRValue, &BasePath, CCK).get();
5134 break;
5135 }
5136
5138 // Perform half-to-boolean conversion via float.
5139 if (From->getType()->isHalfType()) {
5140 From = ImpCastExprToType(From, Context.FloatTy, CK_FloatingCast).get();
5141 FromType = Context.FloatTy;
5142 }
5143 QualType ElTy = FromType;
5144 QualType StepTy = ToType;
5145 if (FromType->isVectorType())
5146 ElTy = FromType->castAs<VectorType>()->getElementType();
5147 else if (FromType->isConstantMatrixType())
5148 ElTy = FromType->castAs<ConstantMatrixType>()->getElementType();
5149 if (getLangOpts().HLSL) {
5150 if (FromType->isVectorType() || ToType->isVectorType() ||
5151 FromType->isConstantMatrixType() || ToType->isConstantMatrixType())
5152 StepTy = adjustVectorOrConstantMatrixType(Context, FromType, ToType);
5153 }
5154
5155 From = ImpCastExprToType(From, StepTy, ScalarTypeToBooleanCastKind(ElTy),
5156 VK_PRValue,
5157 /*BasePath=*/nullptr, CCK)
5158 .get();
5159 break;
5160 }
5161
5162 case ICK_Derived_To_Base: {
5163 CXXCastPath BasePath;
5165 From->getType(), ToType.getNonReferenceType(), From->getBeginLoc(),
5166 From->getSourceRange(), &BasePath, CStyle))
5167 return ExprError();
5168
5169 From = ImpCastExprToType(From, ToType.getNonReferenceType(),
5170 CK_DerivedToBase, From->getValueKind(),
5171 &BasePath, CCK).get();
5172 break;
5173 }
5174
5176 From = ImpCastExprToType(From, ToType, CK_BitCast, VK_PRValue,
5177 /*BasePath=*/nullptr, CCK)
5178 .get();
5179 break;
5180
5183 From = ImpCastExprToType(From, ToType, CK_BitCast, VK_PRValue,
5184 /*BasePath=*/nullptr, CCK)
5185 .get();
5186 break;
5187
5188 case ICK_Vector_Splat: {
5189 // Vector splat from any arithmetic type to a vector.
5190 Expr *Elem = prepareVectorSplat(ToType, From).get();
5191 From = ImpCastExprToType(Elem, ToType, CK_VectorSplat, VK_PRValue,
5192 /*BasePath=*/nullptr, CCK)
5193 .get();
5194 break;
5195 }
5196
5197 case ICK_Complex_Real:
5198 // Case 1. x -> _Complex y
5199 if (const ComplexType *ToComplex = ToType->getAs<ComplexType>()) {
5200 QualType ElType = ToComplex->getElementType();
5201 bool isFloatingComplex = ElType->isRealFloatingType();
5202
5203 // x -> y
5204 if (Context.hasSameUnqualifiedType(ElType, From->getType())) {
5205 // do nothing
5206 } else if (From->getType()->isRealFloatingType()) {
5207 From = ImpCastExprToType(From, ElType,
5208 isFloatingComplex ? CK_FloatingCast : CK_FloatingToIntegral).get();
5209 } else {
5210 assert(From->getType()->isIntegerType());
5211 From = ImpCastExprToType(From, ElType,
5212 isFloatingComplex ? CK_IntegralToFloating : CK_IntegralCast).get();
5213 }
5214 // y -> _Complex y
5215 From = ImpCastExprToType(From, ToType,
5216 isFloatingComplex ? CK_FloatingRealToComplex
5217 : CK_IntegralRealToComplex).get();
5218
5219 // Case 2. _Complex x -> y
5220 } else {
5221 auto *FromComplex = From->getType()->castAs<ComplexType>();
5222 QualType ElType = FromComplex->getElementType();
5223 bool isFloatingComplex = ElType->isRealFloatingType();
5224
5225 // _Complex x -> x
5226 From = ImpCastExprToType(From, ElType,
5227 isFloatingComplex ? CK_FloatingComplexToReal
5228 : CK_IntegralComplexToReal,
5229 VK_PRValue, /*BasePath=*/nullptr, CCK)
5230 .get();
5231
5232 // x -> y
5233 if (Context.hasSameUnqualifiedType(ElType, ToType)) {
5234 // do nothing
5235 } else if (ToType->isRealFloatingType()) {
5236 From = ImpCastExprToType(From, ToType,
5237 isFloatingComplex ? CK_FloatingCast
5238 : CK_IntegralToFloating,
5239 VK_PRValue, /*BasePath=*/nullptr, CCK)
5240 .get();
5241 } else {
5242 assert(ToType->isIntegerType());
5243 From = ImpCastExprToType(From, ToType,
5244 isFloatingComplex ? CK_FloatingToIntegral
5245 : CK_IntegralCast,
5246 VK_PRValue, /*BasePath=*/nullptr, CCK)
5247 .get();
5248 }
5249 }
5250 break;
5251
5253 LangAS AddrSpaceL =
5255 LangAS AddrSpaceR =
5257 assert(Qualifiers::isAddressSpaceSupersetOf(AddrSpaceL, AddrSpaceR,
5258 getASTContext()) &&
5259 "Invalid cast");
5260 CastKind Kind =
5261 AddrSpaceL != AddrSpaceR ? CK_AddressSpaceConversion : CK_BitCast;
5262 From = ImpCastExprToType(From, ToType.getUnqualifiedType(), Kind,
5263 VK_PRValue, /*BasePath=*/nullptr, CCK)
5264 .get();
5265 break;
5266 }
5267
5269 ExprResult FromRes = From;
5270 AssignConvertType ConvTy =
5272 if (FromRes.isInvalid())
5273 return ExprError();
5274 From = FromRes.get();
5275 assert((ConvTy == AssignConvertType::Compatible) &&
5276 "Improper transparent union conversion");
5277 (void)ConvTy;
5278 break;
5279 }
5280
5283 From = ImpCastExprToType(From, ToType,
5284 CK_ZeroToOCLOpaqueType,
5285 From->getValueKind()).get();
5286 break;
5287
5292 case ICK_Qualification:
5301 llvm_unreachable("Improper second standard conversion");
5302 }
5303
5304 if (SCS.Dimension != ICK_Identity) {
5305 // If SCS.Element is not ICK_Identity the To and From types must be HLSL
5306 // vectors or matrices.
5307 assert(
5308 (ToType->isVectorType() || ToType->isConstantMatrixType() ||
5309 ToType->isBuiltinType()) &&
5310 "Dimension conversion output must be vector, matrix, or scalar type.");
5311 switch (SCS.Dimension) {
5312 case ICK_HLSL_Vector_Splat: {
5313 // Vector splat from any arithmetic type to a vector.
5314 Expr *Elem = prepareVectorSplat(ToType, From).get();
5315 From = ImpCastExprToType(Elem, ToType, CK_VectorSplat, VK_PRValue,
5316 /*BasePath=*/nullptr, CCK)
5317 .get();
5318 break;
5319 }
5320 case ICK_HLSL_Matrix_Splat: {
5321 // Matrix splat from any arithmetic type to a matrix.
5322 Expr *Elem = prepareMatrixSplat(ToType, From).get();
5323 From =
5324 ImpCastExprToType(Elem, ToType, CK_HLSLAggregateSplatCast, VK_PRValue,
5325 /*BasePath=*/nullptr, CCK)
5326 .get();
5327 break;
5328 }
5330 // Note: HLSL built-in vectors are ExtVectors. Since this truncates a
5331 // vector to a smaller vector or to a scalar, this can only operate on
5332 // arguments where the source type is an ExtVector and the destination
5333 // type is destination type is either an ExtVectorType or a builtin scalar
5334 // type.
5335 auto *FromVec = From->getType()->castAs<VectorType>();
5336 QualType TruncTy = FromVec->getElementType();
5337 if (auto *ToVec = ToType->getAs<VectorType>())
5338 TruncTy = Context.getExtVectorType(TruncTy, ToVec->getNumElements());
5339 From = ImpCastExprToType(From, TruncTy, CK_HLSLVectorTruncation,
5340 From->getValueKind())
5341 .get();
5342
5343 break;
5344 }
5346 auto *FromMat = From->getType()->castAs<ConstantMatrixType>();
5347 QualType TruncTy = FromMat->getElementType();
5348 if (auto *ToMat = ToType->getAs<ConstantMatrixType>())
5349 TruncTy = Context.getConstantMatrixType(TruncTy, ToMat->getNumRows(),
5350 ToMat->getNumColumns());
5351 From = ImpCastExprToType(From, TruncTy, CK_HLSLMatrixTruncation,
5352 From->getValueKind())
5353 .get();
5354 break;
5355 }
5356 case ICK_Identity:
5357 default:
5358 llvm_unreachable("Improper element standard conversion");
5359 }
5360 }
5361
5362 switch (SCS.Third) {
5363 case ICK_Identity:
5364 // Nothing to do.
5365 break;
5366
5368 // If both sides are functions (or pointers/references to them), there could
5369 // be incompatible exception declarations.
5370 if (CheckExceptionSpecCompatibility(From, ToType))
5371 return ExprError();
5372
5373 From = ImpCastExprToType(From, ToType, CK_NoOp, VK_PRValue,
5374 /*BasePath=*/nullptr, CCK)
5375 .get();
5376 break;
5377
5378 case ICK_Qualification: {
5379 ExprValueKind VK = From->getValueKind();
5380 CastKind CK = CK_NoOp;
5381
5382 if (ToType->isReferenceType() &&
5383 ToType->getPointeeType().getAddressSpace() !=
5384 From->getType().getAddressSpace())
5385 CK = CK_AddressSpaceConversion;
5386
5387 if (ToType->isPointerType() &&
5388 ToType->getPointeeType().getAddressSpace() !=
5390 CK = CK_AddressSpaceConversion;
5391
5392 if (!isCast(CCK) &&
5393 !ToType->getPointeeType().getQualifiers().hasUnaligned() &&
5395 Diag(From->getBeginLoc(), diag::warn_imp_cast_drops_unaligned)
5396 << InitialFromType << ToType;
5397 }
5398
5399 From = ImpCastExprToType(From, ToType.getNonLValueExprType(Context), CK, VK,
5400 /*BasePath=*/nullptr, CCK)
5401 .get();
5402
5404 !getLangOpts().WritableStrings) {
5405 Diag(From->getBeginLoc(),
5407 ? diag::ext_deprecated_string_literal_conversion
5408 : diag::warn_deprecated_string_literal_conversion)
5409 << ToType.getNonReferenceType();
5410 }
5411
5412 break;
5413 }
5414
5415 default:
5416 llvm_unreachable("Improper third standard conversion");
5417 }
5418
5419 // If this conversion sequence involved a scalar -> atomic conversion, perform
5420 // that conversion now.
5421 if (!ToAtomicType.isNull()) {
5422 assert(Context.hasSameType(
5423 ToAtomicType->castAs<AtomicType>()->getValueType(), From->getType()));
5424 From = ImpCastExprToType(From, ToAtomicType, CK_NonAtomicToAtomic,
5425 VK_PRValue, nullptr, CCK)
5426 .get();
5427 }
5428
5429 // Materialize a temporary if we're implicitly converting to a reference
5430 // type. This is not required by the C++ rules but is necessary to maintain
5431 // AST invariants.
5432 if (ToType->isReferenceType() && From->isPRValue()) {
5434 if (Res.isInvalid())
5435 return ExprError();
5436 From = Res.get();
5437 }
5438
5439 // If this conversion sequence succeeded and involved implicitly converting a
5440 // _Nullable type to a _Nonnull one, complain.
5441 if (!isCast(CCK))
5442 diagnoseNullableToNonnullConversion(ToType, InitialFromType,
5443 From->getBeginLoc());
5444
5445 return From;
5446}
5447
5450 SourceLocation Loc,
5451 bool isIndirect) {
5452 assert(!LHS.get()->hasPlaceholderType() && !RHS.get()->hasPlaceholderType() &&
5453 "placeholders should have been weeded out by now");
5454
5455 // The LHS undergoes lvalue conversions if this is ->*, and undergoes the
5456 // temporary materialization conversion otherwise.
5457 if (isIndirect)
5458 LHS = DefaultLvalueConversion(LHS.get());
5459 else if (LHS.get()->isPRValue())
5461 if (LHS.isInvalid())
5462 return QualType();
5463
5464 // The RHS always undergoes lvalue conversions.
5465 RHS = DefaultLvalueConversion(RHS.get());
5466 if (RHS.isInvalid()) return QualType();
5467
5468 const char *OpSpelling = isIndirect ? "->*" : ".*";
5469 // C++ 5.5p2
5470 // The binary operator .* [p3: ->*] binds its second operand, which shall
5471 // be of type "pointer to member of T" (where T is a completely-defined
5472 // class type) [...]
5473 QualType RHSType = RHS.get()->getType();
5474 const MemberPointerType *MemPtr = RHSType->getAs<MemberPointerType>();
5475 if (!MemPtr) {
5476 Diag(Loc, diag::err_bad_memptr_rhs)
5477 << OpSpelling << RHSType << RHS.get()->getSourceRange();
5478 return QualType();
5479 }
5480
5481 CXXRecordDecl *RHSClass = MemPtr->getMostRecentCXXRecordDecl();
5482
5483 // Note: C++ [expr.mptr.oper]p2-3 says that the class type into which the
5484 // member pointer points must be completely-defined. However, there is no
5485 // reason for this semantic distinction, and the rule is not enforced by
5486 // other compilers. Therefore, we do not check this property, as it is
5487 // likely to be considered a defect.
5488
5489 // C++ 5.5p2
5490 // [...] to its first operand, which shall be of class T or of a class of
5491 // which T is an unambiguous and accessible base class. [p3: a pointer to
5492 // such a class]
5493 QualType LHSType = LHS.get()->getType();
5494 if (isIndirect) {
5495 if (const PointerType *Ptr = LHSType->getAs<PointerType>())
5496 LHSType = Ptr->getPointeeType();
5497 else {
5498 Diag(Loc, diag::err_bad_memptr_lhs)
5499 << OpSpelling << 1 << LHSType
5501 return QualType();
5502 }
5503 }
5504 CXXRecordDecl *LHSClass = LHSType->getAsCXXRecordDecl();
5505
5506 if (!declaresSameEntity(LHSClass, RHSClass)) {
5507 // If we want to check the hierarchy, we need a complete type.
5508 if (RequireCompleteType(Loc, LHSType, diag::err_bad_memptr_lhs,
5509 OpSpelling, (int)isIndirect)) {
5510 return QualType();
5511 }
5512
5513 if (!IsDerivedFrom(Loc, LHSClass, RHSClass)) {
5514 Diag(Loc, diag::err_bad_memptr_lhs) << OpSpelling
5515 << (int)isIndirect << LHS.get()->getType();
5516 return QualType();
5517 }
5518
5519 // FIXME: use sugared type from member pointer.
5520 CanQualType RHSClassType = Context.getCanonicalTagType(RHSClass);
5521 CXXCastPath BasePath;
5523 LHSType, RHSClassType, Loc,
5524 SourceRange(LHS.get()->getBeginLoc(), RHS.get()->getEndLoc()),
5525 &BasePath))
5526 return QualType();
5527
5528 // Cast LHS to type of use.
5529 QualType UseType =
5530 Context.getQualifiedType(RHSClassType, LHSType.getQualifiers());
5531 if (isIndirect)
5532 UseType = Context.getPointerType(UseType);
5533 ExprValueKind VK = isIndirect ? VK_PRValue : LHS.get()->getValueKind();
5534 LHS = ImpCastExprToType(LHS.get(), UseType, CK_DerivedToBase, VK,
5535 &BasePath);
5536 }
5537
5539 // Diagnose use of pointer-to-member type which when used as
5540 // the functional cast in a pointer-to-member expression.
5541 Diag(Loc, diag::err_pointer_to_member_type) << isIndirect;
5542 return QualType();
5543 }
5544
5545 // C++ 5.5p2
5546 // The result is an object or a function of the type specified by the
5547 // second operand.
5548 // The cv qualifiers are the union of those in the pointer and the left side,
5549 // in accordance with 5.5p5 and 5.2.5.
5550 QualType Result = MemPtr->getPointeeType();
5551 Result = Context.getCVRQualifiedType(Result, LHSType.getCVRQualifiers());
5552
5553 // C++0x [expr.mptr.oper]p6:
5554 // In a .* expression whose object expression is an rvalue, the program is
5555 // ill-formed if the second operand is a pointer to member function with
5556 // ref-qualifier &. In a ->* expression or in a .* expression whose object
5557 // expression is an lvalue, the program is ill-formed if the second operand
5558 // is a pointer to member function with ref-qualifier &&.
5559 if (const FunctionProtoType *Proto = Result->getAs<FunctionProtoType>()) {
5560 switch (Proto->getRefQualifier()) {
5561 case RQ_None:
5562 // Do nothing
5563 break;
5564
5565 case RQ_LValue:
5566 if (!isIndirect && !LHS.get()->Classify(Context).isLValue()) {
5567 // C++2a allows functions with ref-qualifier & if their cv-qualifier-seq
5568 // is (exactly) 'const'.
5569 if (Proto->isConst() && !Proto->isVolatile())
5571 ? diag::warn_cxx17_compat_pointer_to_const_ref_member_on_rvalue
5572 : diag::ext_pointer_to_const_ref_member_on_rvalue);
5573 else
5574 Diag(Loc, diag::err_pointer_to_member_oper_value_classify)
5575 << RHSType << 1 << LHS.get()->getSourceRange();
5576 }
5577 break;
5578
5579 case RQ_RValue:
5580 if (isIndirect || !LHS.get()->Classify(Context).isRValue())
5581 Diag(Loc, diag::err_pointer_to_member_oper_value_classify)
5582 << RHSType << 0 << LHS.get()->getSourceRange();
5583 break;
5584 }
5585 }
5586
5587 // C++ [expr.mptr.oper]p6:
5588 // The result of a .* expression whose second operand is a pointer
5589 // to a data member is of the same value category as its
5590 // first operand. The result of a .* expression whose second
5591 // operand is a pointer to a member function is a prvalue. The
5592 // result of an ->* expression is an lvalue if its second operand
5593 // is a pointer to data member and a prvalue otherwise.
5594 if (Result->isFunctionType()) {
5595 VK = VK_PRValue;
5596 return Context.BoundMemberTy;
5597 } else if (isIndirect) {
5598 VK = VK_LValue;
5599 } else {
5600 VK = LHS.get()->getValueKind();
5601 }
5602
5603 return Result;
5604}
5605
5606/// Try to convert a type to another according to C++11 5.16p3.
5607///
5608/// This is part of the parameter validation for the ? operator. If either
5609/// value operand is a class type, the two operands are attempted to be
5610/// converted to each other. This function does the conversion in one direction.
5611/// It returns true if the program is ill-formed and has already been diagnosed
5612/// as such.
5613static bool TryClassUnification(Sema &Self, Expr *From, Expr *To,
5614 SourceLocation QuestionLoc,
5615 bool &HaveConversion,
5616 QualType &ToType) {
5617 HaveConversion = false;
5618 ToType = To->getType();
5619
5620 InitializationKind Kind =
5622 // C++11 5.16p3
5623 // The process for determining whether an operand expression E1 of type T1
5624 // can be converted to match an operand expression E2 of type T2 is defined
5625 // as follows:
5626 // -- If E2 is an lvalue: E1 can be converted to match E2 if E1 can be
5627 // implicitly converted to type "lvalue reference to T2", subject to the
5628 // constraint that in the conversion the reference must bind directly to
5629 // an lvalue.
5630 // -- If E2 is an xvalue: E1 can be converted to match E2 if E1 can be
5631 // implicitly converted to the type "rvalue reference to R2", subject to
5632 // the constraint that the reference must bind directly.
5633 if (To->isGLValue()) {
5634 QualType T = Self.Context.getReferenceQualifiedType(To);
5636
5637 InitializationSequence InitSeq(Self, Entity, Kind, From);
5638 if (InitSeq.isDirectReferenceBinding()) {
5639 ToType = T;
5640 HaveConversion = true;
5641 return false;
5642 }
5643
5644 if (InitSeq.isAmbiguous())
5645 return InitSeq.Diagnose(Self, Entity, Kind, From);
5646 }
5647
5648 // -- If E2 is an rvalue, or if the conversion above cannot be done:
5649 // -- if E1 and E2 have class type, and the underlying class types are
5650 // the same or one is a base class of the other:
5651 QualType FTy = From->getType();
5652 QualType TTy = To->getType();
5653 const RecordType *FRec = FTy->getAsCanonical<RecordType>();
5654 const RecordType *TRec = TTy->getAsCanonical<RecordType>();
5655 bool FDerivedFromT = FRec && TRec && FRec != TRec &&
5656 Self.IsDerivedFrom(QuestionLoc, FTy, TTy);
5657 if (FRec && TRec && (FRec == TRec || FDerivedFromT ||
5658 Self.IsDerivedFrom(QuestionLoc, TTy, FTy))) {
5659 // E1 can be converted to match E2 if the class of T2 is the
5660 // same type as, or a base class of, the class of T1, and
5661 // [cv2 > cv1].
5662 if (FRec == TRec || FDerivedFromT) {
5663 if (TTy.isAtLeastAsQualifiedAs(FTy, Self.getASTContext())) {
5665 InitializationSequence InitSeq(Self, Entity, Kind, From);
5666 if (InitSeq) {
5667 HaveConversion = true;
5668 return false;
5669 }
5670
5671 if (InitSeq.isAmbiguous())
5672 return InitSeq.Diagnose(Self, Entity, Kind, From);
5673 }
5674 }
5675
5676 return false;
5677 }
5678
5679 // -- Otherwise: E1 can be converted to match E2 if E1 can be
5680 // implicitly converted to the type that expression E2 would have
5681 // if E2 were converted to an rvalue (or the type it has, if E2 is
5682 // an rvalue).
5683 //
5684 // This actually refers very narrowly to the lvalue-to-rvalue conversion, not
5685 // to the array-to-pointer or function-to-pointer conversions.
5686 TTy = TTy.getNonLValueExprType(Self.Context);
5687
5689 InitializationSequence InitSeq(Self, Entity, Kind, From);
5690 HaveConversion = !InitSeq.Failed();
5691 ToType = TTy;
5692 if (InitSeq.isAmbiguous())
5693 return InitSeq.Diagnose(Self, Entity, Kind, From);
5694
5695 return false;
5696}
5697
5698/// Try to find a common type for two according to C++0x 5.16p5.
5699///
5700/// This is part of the parameter validation for the ? operator. If either
5701/// value operand is a class type, overload resolution is used to find a
5702/// conversion to a common type.
5704 SourceLocation QuestionLoc) {
5705 Expr *Args[2] = { LHS.get(), RHS.get() };
5706 OverloadCandidateSet CandidateSet(QuestionLoc,
5708 Self.AddBuiltinOperatorCandidates(OO_Conditional, QuestionLoc, Args,
5709 CandidateSet);
5710
5712 switch (CandidateSet.BestViableFunction(Self, QuestionLoc, Best)) {
5713 case OR_Success: {
5714 // We found a match. Perform the conversions on the arguments and move on.
5715 ExprResult LHSRes = Self.PerformImplicitConversion(
5716 LHS.get(), Best->BuiltinParamTypes[0], Best->Conversions[0],
5718 if (LHSRes.isInvalid())
5719 break;
5720 LHS = LHSRes;
5721
5722 ExprResult RHSRes = Self.PerformImplicitConversion(
5723 RHS.get(), Best->BuiltinParamTypes[1], Best->Conversions[1],
5725 if (RHSRes.isInvalid())
5726 break;
5727 RHS = RHSRes;
5728 if (Best->Function)
5729 Self.MarkFunctionReferenced(QuestionLoc, Best->Function);
5730 return false;
5731 }
5732
5734
5735 // Emit a better diagnostic if one of the expressions is a null pointer
5736 // constant and the other is a pointer type. In this case, the user most
5737 // likely forgot to take the address of the other expression.
5738 if (Self.DiagnoseConditionalForNull(LHS.get(), RHS.get(), QuestionLoc))
5739 return true;
5740
5741 Self.Diag(QuestionLoc, diag::err_typecheck_cond_incompatible_operands)
5742 << LHS.get()->getType() << RHS.get()->getType()
5743 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
5744 return true;
5745
5746 case OR_Ambiguous:
5747 Self.Diag(QuestionLoc, diag::err_conditional_ambiguous_ovl)
5748 << LHS.get()->getType() << RHS.get()->getType()
5749 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
5750 // FIXME: Print the possible common types by printing the return types of
5751 // the viable candidates.
5752 break;
5753
5754 case OR_Deleted:
5755 llvm_unreachable("Conditional operator has only built-in overloads");
5756 }
5757 return true;
5758}
5759
5760/// Perform an "extended" implicit conversion as returned by
5761/// TryClassUnification.
5764 InitializationKind Kind =
5766 Expr *Arg = E.get();
5767 InitializationSequence InitSeq(Self, Entity, Kind, Arg);
5768 ExprResult Result = InitSeq.Perform(Self, Entity, Kind, Arg);
5769 if (Result.isInvalid())
5770 return true;
5771
5772 E = Result;
5773 return false;
5774}
5775
5776// Check the condition operand of ?: to see if it is valid for the GCC
5777// extension.
5779 QualType CondTy) {
5780 bool IsSVEVectorType = CondTy->isSveVLSBuiltinType();
5781 if (!CondTy->isVectorType() && !CondTy->isExtVectorType() && !IsSVEVectorType)
5782 return false;
5783 const QualType EltTy =
5784 IsSVEVectorType
5785 ? cast<BuiltinType>(CondTy.getCanonicalType())->getSveEltType(Ctx)
5786 : cast<VectorType>(CondTy.getCanonicalType())->getElementType();
5787 assert(!EltTy->isEnumeralType() && "Vectors cant be enum types");
5788 return EltTy->isIntegralType(Ctx);
5789}
5790
5792 ExprResult &RHS,
5793 SourceLocation QuestionLoc) {
5796
5797 QualType CondType = Cond.get()->getType();
5798 QualType LHSType = LHS.get()->getType();
5799 QualType RHSType = RHS.get()->getType();
5800
5801 bool LHSSizelessVector = LHSType->isSizelessVectorType();
5802 bool RHSSizelessVector = RHSType->isSizelessVectorType();
5803 bool LHSIsVector = LHSType->isVectorType() || LHSSizelessVector;
5804 bool RHSIsVector = RHSType->isVectorType() || RHSSizelessVector;
5805
5806 auto GetVectorInfo =
5807 [&](QualType Type) -> std::pair<QualType, llvm::ElementCount> {
5808 if (const auto *VT = Type->getAs<VectorType>())
5809 return std::make_pair(VT->getElementType(),
5810 llvm::ElementCount::getFixed(VT->getNumElements()));
5812 Context.getBuiltinVectorTypeInfo(Type->castAs<BuiltinType>());
5813 return std::make_pair(VectorInfo.ElementType, VectorInfo.EC);
5814 };
5815
5816 auto [CondElementTy, CondElementCount] = GetVectorInfo(CondType);
5817
5818 QualType ResultType;
5819 if (LHSIsVector && RHSIsVector) {
5820 if (CondType->isExtVectorType() != LHSType->isExtVectorType()) {
5821 Diag(QuestionLoc, diag::err_conditional_vector_cond_result_mismatch)
5822 << /*isExtVectorNotSizeless=*/1;
5823 return {};
5824 }
5825
5826 // If both are vector types, they must be the same type.
5827 if (!Context.hasSameType(LHSType, RHSType)) {
5828 Diag(QuestionLoc, diag::err_conditional_vector_mismatched)
5829 << LHSType << RHSType;
5830 return {};
5831 }
5832 ResultType = Context.getCommonSugaredType(LHSType, RHSType);
5833 } else if (LHSIsVector || RHSIsVector) {
5834 bool ResultSizeless = LHSSizelessVector || RHSSizelessVector;
5835 if (ResultSizeless != CondType->isSizelessVectorType()) {
5836 Diag(QuestionLoc, diag::err_conditional_vector_cond_result_mismatch)
5837 << /*isExtVectorNotSizeless=*/0;
5838 return {};
5839 }
5840 if (ResultSizeless)
5841 ResultType = CheckSizelessVectorOperands(LHS, RHS, QuestionLoc,
5842 /*IsCompAssign*/ false,
5844 else
5845 ResultType = CheckVectorOperands(
5846 LHS, RHS, QuestionLoc, /*isCompAssign*/ false, /*AllowBothBool*/ true,
5847 /*AllowBoolConversions*/ false,
5848 /*AllowBoolOperation*/ true,
5849 /*ReportInvalid*/ true);
5850 if (ResultType.isNull())
5851 return {};
5852 } else {
5853 // Both are scalar.
5854 LHSType = LHSType.getUnqualifiedType();
5855 RHSType = RHSType.getUnqualifiedType();
5856 QualType ResultElementTy =
5857 Context.hasSameType(LHSType, RHSType)
5858 ? Context.getCommonSugaredType(LHSType, RHSType)
5859 : UsualArithmeticConversions(LHS, RHS, QuestionLoc,
5861
5862 if (ResultElementTy->isEnumeralType()) {
5863 Diag(QuestionLoc, diag::err_conditional_vector_operand_type)
5864 << ResultElementTy;
5865 return {};
5866 }
5867 if (CondType->isExtVectorType()) {
5868 ResultType = Context.getExtVectorType(ResultElementTy,
5869 CondElementCount.getFixedValue());
5870 } else if (CondType->isSizelessVectorType()) {
5871 ResultType = Context.getScalableVectorType(
5872 ResultElementTy, CondElementCount.getKnownMinValue());
5873 // There are not scalable vector type mappings for all element counts.
5874 if (ResultType.isNull()) {
5875 Diag(QuestionLoc, diag::err_conditional_vector_scalar_type_unsupported)
5876 << ResultElementTy << CondType;
5877 return {};
5878 }
5879 } else {
5880 ResultType = Context.getVectorType(ResultElementTy,
5881 CondElementCount.getFixedValue(),
5883 }
5884 LHS = ImpCastExprToType(LHS.get(), ResultType, CK_VectorSplat);
5885 RHS = ImpCastExprToType(RHS.get(), ResultType, CK_VectorSplat);
5886 }
5887
5888 assert(!ResultType.isNull() &&
5889 (ResultType->isVectorType() || ResultType->isSizelessVectorType()) &&
5890 (!CondType->isExtVectorType() || ResultType->isExtVectorType()) &&
5891 "Result should have been a vector type");
5892
5893 auto [ResultElementTy, ResultElementCount] = GetVectorInfo(ResultType);
5894 if (ResultElementCount != CondElementCount) {
5895 Diag(QuestionLoc, diag::err_conditional_vector_size) << CondType
5896 << ResultType;
5897 return {};
5898 }
5899
5900 // Boolean vectors are permitted outside of OpenCL mode.
5901 if (Context.getTypeSize(ResultElementTy) !=
5902 Context.getTypeSize(CondElementTy) &&
5903 (!CondElementTy->isBooleanType() || LangOpts.OpenCL)) {
5904 Diag(QuestionLoc, diag::err_conditional_vector_element_size)
5905 << CondType << ResultType;
5906 return {};
5907 }
5908
5909 return ResultType;
5910}
5911
5914 ExprObjectKind &OK,
5915 SourceLocation QuestionLoc) {
5916 // FIXME: Handle C99's complex types, block pointers and Obj-C++ interface
5917 // pointers.
5918
5919 // Assume r-value.
5920 VK = VK_PRValue;
5921 OK = OK_Ordinary;
5922 bool IsVectorConditional =
5924
5925 // C++11 [expr.cond]p1
5926 // The first expression is contextually converted to bool.
5927 if (!Cond.get()->isTypeDependent()) {
5928 ExprResult CondRes = IsVectorConditional
5931 if (CondRes.isInvalid())
5932 return QualType();
5933 Cond = CondRes;
5934 } else {
5935 // To implement C++, the first expression typically doesn't alter the result
5936 // type of the conditional, however the GCC compatible vector extension
5937 // changes the result type to be that of the conditional. Since we cannot
5938 // know if this is a vector extension here, delay the conversion of the
5939 // LHS/RHS below until later.
5940 return Context.DependentTy;
5941 }
5942
5943
5944 // Either of the arguments dependent?
5945 if (LHS.get()->isTypeDependent() || RHS.get()->isTypeDependent())
5946 return Context.DependentTy;
5947
5948 // C++11 [expr.cond]p2
5949 // If either the second or the third operand has type (cv) void, ...
5950 QualType LTy = LHS.get()->getType();
5951 QualType RTy = RHS.get()->getType();
5952 bool LVoid = LTy->isVoidType();
5953 bool RVoid = RTy->isVoidType();
5954 if (LVoid || RVoid) {
5955 // ... one of the following shall hold:
5956 // -- The second or the third operand (but not both) is a (possibly
5957 // parenthesized) throw-expression; the result is of the type
5958 // and value category of the other.
5959 bool LThrow = isa<CXXThrowExpr>(LHS.get()->IgnoreParenImpCasts());
5960 bool RThrow = isa<CXXThrowExpr>(RHS.get()->IgnoreParenImpCasts());
5961
5962 // Void expressions aren't legal in the vector-conditional expressions.
5963 if (IsVectorConditional) {
5964 SourceRange DiagLoc =
5965 LVoid ? LHS.get()->getSourceRange() : RHS.get()->getSourceRange();
5966 bool IsThrow = LVoid ? LThrow : RThrow;
5967 Diag(DiagLoc.getBegin(), diag::err_conditional_vector_has_void)
5968 << DiagLoc << IsThrow;
5969 return QualType();
5970 }
5971
5972 if (LThrow != RThrow) {
5973 Expr *NonThrow = LThrow ? RHS.get() : LHS.get();
5974 VK = NonThrow->getValueKind();
5975 // DR (no number yet): the result is a bit-field if the
5976 // non-throw-expression operand is a bit-field.
5977 OK = NonThrow->getObjectKind();
5978 return NonThrow->getType();
5979 }
5980
5981 // -- Both the second and third operands have type void; the result is of
5982 // type void and is a prvalue.
5983 if (LVoid && RVoid)
5984 return Context.getCommonSugaredType(LTy, RTy);
5985
5986 // Neither holds, error.
5987 Diag(QuestionLoc, diag::err_conditional_void_nonvoid)
5988 << (LVoid ? RTy : LTy) << (LVoid ? 0 : 1)
5989 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
5990 return QualType();
5991 }
5992
5993 // Neither is void.
5994 if (IsVectorConditional)
5995 return CheckVectorConditionalTypes(Cond, LHS, RHS, QuestionLoc);
5996
5997 // WebAssembly tables are not allowed as conditional LHS or RHS.
5998 if (LTy->isWebAssemblyTableType() || RTy->isWebAssemblyTableType()) {
5999 Diag(QuestionLoc, diag::err_wasm_table_conditional_expression)
6000 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
6001 return QualType();
6002 }
6003
6004 // C++11 [expr.cond]p3
6005 // Otherwise, if the second and third operand have different types, and
6006 // either has (cv) class type [...] an attempt is made to convert each of
6007 // those operands to the type of the other.
6008 if (!Context.hasSameType(LTy, RTy) &&
6009 (LTy->isRecordType() || RTy->isRecordType())) {
6010 // These return true if a single direction is already ambiguous.
6011 QualType L2RType, R2LType;
6012 bool HaveL2R, HaveR2L;
6013 if (TryClassUnification(*this, LHS.get(), RHS.get(), QuestionLoc, HaveL2R, L2RType))
6014 return QualType();
6015 if (TryClassUnification(*this, RHS.get(), LHS.get(), QuestionLoc, HaveR2L, R2LType))
6016 return QualType();
6017
6018 // If both can be converted, [...] the program is ill-formed.
6019 if (HaveL2R && HaveR2L) {
6020 Diag(QuestionLoc, diag::err_conditional_ambiguous)
6021 << LTy << RTy << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
6022 return QualType();
6023 }
6024
6025 // If exactly one conversion is possible, that conversion is applied to
6026 // the chosen operand and the converted operands are used in place of the
6027 // original operands for the remainder of this section.
6028 if (HaveL2R) {
6029 if (ConvertForConditional(*this, LHS, L2RType) || LHS.isInvalid())
6030 return QualType();
6031 LTy = LHS.get()->getType();
6032 } else if (HaveR2L) {
6033 if (ConvertForConditional(*this, RHS, R2LType) || RHS.isInvalid())
6034 return QualType();
6035 RTy = RHS.get()->getType();
6036 }
6037 }
6038
6039 // C++11 [expr.cond]p3
6040 // if both are glvalues of the same value category and the same type except
6041 // for cv-qualification, an attempt is made to convert each of those
6042 // operands to the type of the other.
6043 // FIXME:
6044 // Resolving a defect in P0012R1: we extend this to cover all cases where
6045 // one of the operands is reference-compatible with the other, in order
6046 // to support conditionals between functions differing in noexcept. This
6047 // will similarly cover difference in array bounds after P0388R4.
6048 // FIXME: If LTy and RTy have a composite pointer type, should we convert to
6049 // that instead?
6050 ExprValueKind LVK = LHS.get()->getValueKind();
6051 ExprValueKind RVK = RHS.get()->getValueKind();
6052 if (!Context.hasSameType(LTy, RTy) && LVK == RVK && LVK != VK_PRValue) {
6053 // DerivedToBase was already handled by the class-specific case above.
6054 // FIXME: Should we allow ObjC conversions here?
6055 const ReferenceConversions AllowedConversions =
6056 ReferenceConversions::Qualification |
6057 ReferenceConversions::NestedQualification |
6058 ReferenceConversions::Function;
6059
6060 ReferenceConversions RefConv;
6061 if (CompareReferenceRelationship(QuestionLoc, LTy, RTy, &RefConv) ==
6063 !(RefConv & ~AllowedConversions) &&
6064 // [...] subject to the constraint that the reference must bind
6065 // directly [...]
6066 !RHS.get()->refersToBitField() && !RHS.get()->refersToVectorElement()) {
6067 RHS = ImpCastExprToType(RHS.get(), LTy, CK_NoOp, RVK);
6068 RTy = RHS.get()->getType();
6069 } else if (CompareReferenceRelationship(QuestionLoc, RTy, LTy, &RefConv) ==
6071 !(RefConv & ~AllowedConversions) &&
6072 !LHS.get()->refersToBitField() &&
6073 !LHS.get()->refersToVectorElement()) {
6074 LHS = ImpCastExprToType(LHS.get(), RTy, CK_NoOp, LVK);
6075 LTy = LHS.get()->getType();
6076 }
6077 }
6078
6079 // C++11 [expr.cond]p4
6080 // If the second and third operands are glvalues of the same value
6081 // category and have the same type, the result is of that type and
6082 // value category and it is a bit-field if the second or the third
6083 // operand is a bit-field, or if both are bit-fields.
6084 // We only extend this to bitfields, not to the crazy other kinds of
6085 // l-values.
6086 bool Same = Context.hasSameType(LTy, RTy);
6087 if (Same && LVK == RVK && LVK != VK_PRValue &&
6090 VK = LHS.get()->getValueKind();
6091 if (LHS.get()->getObjectKind() == OK_BitField ||
6092 RHS.get()->getObjectKind() == OK_BitField)
6093 OK = OK_BitField;
6094 return Context.getCommonSugaredType(LTy, RTy);
6095 }
6096
6097 // C++11 [expr.cond]p5
6098 // Otherwise, the result is a prvalue. If the second and third operands
6099 // do not have the same type, and either has (cv) class type, ...
6100 if (!Same && (LTy->isRecordType() || RTy->isRecordType())) {
6101 // ... overload resolution is used to determine the conversions (if any)
6102 // to be applied to the operands. If the overload resolution fails, the
6103 // program is ill-formed.
6104 if (FindConditionalOverload(*this, LHS, RHS, QuestionLoc))
6105 return QualType();
6106 }
6107
6108 // C++11 [expr.cond]p6
6109 // Lvalue-to-rvalue, array-to-pointer, and function-to-pointer standard
6110 // conversions are performed on the second and third operands.
6113 if (LHS.isInvalid() || RHS.isInvalid())
6114 return QualType();
6115 LTy = LHS.get()->getType();
6116 RTy = RHS.get()->getType();
6117
6118 // After those conversions, one of the following shall hold:
6119 // -- The second and third operands have the same type; the result
6120 // is of that type. If the operands have class type, the result
6121 // is a prvalue temporary of the result type, which is
6122 // copy-initialized from either the second operand or the third
6123 // operand depending on the value of the first operand.
6124 if (Context.hasSameType(LTy, RTy)) {
6125 if (LTy->isRecordType()) {
6126 // The operands have class type. Make a temporary copy.
6129 if (LHSCopy.isInvalid())
6130 return QualType();
6131
6134 if (RHSCopy.isInvalid())
6135 return QualType();
6136
6137 LHS = LHSCopy;
6138 RHS = RHSCopy;
6139 }
6140 return Context.getCommonSugaredType(LTy, RTy);
6141 }
6142
6143 // Extension: conditional operator involving vector types.
6144 if (LTy->isVectorType() || RTy->isVectorType())
6145 return CheckVectorOperands(LHS, RHS, QuestionLoc, /*isCompAssign*/ false,
6146 /*AllowBothBool*/ true,
6147 /*AllowBoolConversions*/ false,
6148 /*AllowBoolOperation*/ false,
6149 /*ReportInvalid*/ true);
6150
6151 // -- The second and third operands have arithmetic or enumeration type;
6152 // the usual arithmetic conversions are performed to bring them to a
6153 // common type, and the result is of that type.
6154 if (LTy->isArithmeticType() && RTy->isArithmeticType()) {
6155 QualType ResTy = UsualArithmeticConversions(LHS, RHS, QuestionLoc,
6157 if (LHS.isInvalid() || RHS.isInvalid())
6158 return QualType();
6159 if (ResTy.isNull()) {
6160 Diag(QuestionLoc,
6161 diag::err_typecheck_cond_incompatible_operands) << LTy << RTy
6162 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
6163 return QualType();
6164 }
6165
6166 LHS = ImpCastExprToType(LHS.get(), ResTy, PrepareScalarCast(LHS, ResTy));
6167 RHS = ImpCastExprToType(RHS.get(), ResTy, PrepareScalarCast(RHS, ResTy));
6168
6169 return ResTy;
6170 }
6171
6172 // -- The second and third operands have pointer type, or one has pointer
6173 // type and the other is a null pointer constant, or both are null
6174 // pointer constants, at least one of which is non-integral; pointer
6175 // conversions and qualification conversions are performed to bring them
6176 // to their composite pointer type. The result is of the composite
6177 // pointer type.
6178 // -- The second and third operands have pointer to member type, or one has
6179 // pointer to member type and the other is a null pointer constant;
6180 // pointer to member conversions and qualification conversions are
6181 // performed to bring them to a common type, whose cv-qualification
6182 // shall match the cv-qualification of either the second or the third
6183 // operand. The result is of the common type.
6184 QualType Composite = FindCompositePointerType(QuestionLoc, LHS, RHS);
6185 if (!Composite.isNull())
6186 return Composite;
6187
6188 // Similarly, attempt to find composite type of two objective-c pointers.
6189 Composite = ObjC().FindCompositeObjCPointerType(LHS, RHS, QuestionLoc);
6190 if (LHS.isInvalid() || RHS.isInvalid())
6191 return QualType();
6192 if (!Composite.isNull())
6193 return Composite;
6194
6195 // Check if we are using a null with a non-pointer type.
6196 if (DiagnoseConditionalForNull(LHS.get(), RHS.get(), QuestionLoc))
6197 return QualType();
6198
6199 Diag(QuestionLoc, diag::err_typecheck_cond_incompatible_operands)
6200 << LHS.get()->getType() << RHS.get()->getType()
6201 << LHS.get()->getSourceRange() << RHS.get()->getSourceRange();
6202 return QualType();
6203}
6204
6206 Expr *&E1, Expr *&E2,
6207 bool ConvertArgs) {
6208 assert(getLangOpts().CPlusPlus && "This function assumes C++");
6209
6210 // C++1z [expr]p14:
6211 // The composite pointer type of two operands p1 and p2 having types T1
6212 // and T2
6213 QualType T1 = E1->getType(), T2 = E2->getType();
6214
6215 // where at least one is a pointer or pointer to member type or
6216 // std::nullptr_t is:
6217 bool T1IsPointerLike = T1->isAnyPointerType() || T1->isMemberPointerType() ||
6218 T1->isNullPtrType();
6219 bool T2IsPointerLike = T2->isAnyPointerType() || T2->isMemberPointerType() ||
6220 T2->isNullPtrType();
6221 if (!T1IsPointerLike && !T2IsPointerLike)
6222 return QualType();
6223
6224 // - if both p1 and p2 are null pointer constants, std::nullptr_t;
6225 // This can't actually happen, following the standard, but we also use this
6226 // to implement the end of [expr.conv], which hits this case.
6227 //
6228 // - if either p1 or p2 is a null pointer constant, T2 or T1, respectively;
6229 if (T1IsPointerLike &&
6231 if (ConvertArgs)
6232 E2 = ImpCastExprToType(E2, T1, T1->isMemberPointerType()
6233 ? CK_NullToMemberPointer
6234 : CK_NullToPointer).get();
6235 return T1;
6236 }
6237 if (T2IsPointerLike &&
6239 if (ConvertArgs)
6240 E1 = ImpCastExprToType(E1, T2, T2->isMemberPointerType()
6241 ? CK_NullToMemberPointer
6242 : CK_NullToPointer).get();
6243 return T2;
6244 }
6245
6246 // Now both have to be pointers or member pointers.
6247 if (!T1IsPointerLike || !T2IsPointerLike)
6248 return QualType();
6249 assert(!T1->isNullPtrType() && !T2->isNullPtrType() &&
6250 "nullptr_t should be a null pointer constant");
6251
6252 struct Step {
6253 enum Kind { Pointer, ObjCPointer, MemberPointer, Array } K;
6254 // Qualifiers to apply under the step kind.
6255 Qualifiers Quals;
6256 /// The class for a pointer-to-member; a constant array type with a bound
6257 /// (if any) for an array.
6258 /// FIXME: Store Qualifier for pointer-to-member.
6259 const Type *ClassOrBound;
6260
6261 Step(Kind K, const Type *ClassOrBound = nullptr)
6262 : K(K), ClassOrBound(ClassOrBound) {}
6263 QualType rebuild(ASTContext &Ctx, QualType T) const {
6264 T = Ctx.getQualifiedType(T, Quals);
6265 switch (K) {
6266 case Pointer:
6267 return Ctx.getPointerType(T);
6268 case MemberPointer:
6269 return Ctx.getMemberPointerType(T, /*Qualifier=*/std::nullopt,
6270 ClassOrBound->getAsCXXRecordDecl());
6271 case ObjCPointer:
6272 return Ctx.getObjCObjectPointerType(T);
6273 case Array:
6274 if (auto *CAT = cast_or_null<ConstantArrayType>(ClassOrBound))
6275 return Ctx.getConstantArrayType(T, CAT->getSize(), nullptr,
6277 else
6279 }
6280 llvm_unreachable("unknown step kind");
6281 }
6282 };
6283
6285
6286 // - if T1 is "pointer to cv1 C1" and T2 is "pointer to cv2 C2", where C1
6287 // is reference-related to C2 or C2 is reference-related to C1 (8.6.3),
6288 // the cv-combined type of T1 and T2 or the cv-combined type of T2 and T1,
6289 // respectively;
6290 // - if T1 is "pointer to member of C1 of type cv1 U1" and T2 is "pointer
6291 // to member of C2 of type cv2 U2" for some non-function type U, where
6292 // C1 is reference-related to C2 or C2 is reference-related to C1, the
6293 // cv-combined type of T2 and T1 or the cv-combined type of T1 and T2,
6294 // respectively;
6295 // - if T1 and T2 are similar types (4.5), the cv-combined type of T1 and
6296 // T2;
6297 //
6298 // Dismantle T1 and T2 to simultaneously determine whether they are similar
6299 // and to prepare to form the cv-combined type if so.
6300 QualType Composite1 = T1;
6301 QualType Composite2 = T2;
6302 unsigned NeedConstBefore = 0;
6303 while (true) {
6304 assert(!Composite1.isNull() && !Composite2.isNull());
6305
6306 Qualifiers Q1, Q2;
6307 Composite1 = Context.getUnqualifiedArrayType(Composite1, Q1);
6308 Composite2 = Context.getUnqualifiedArrayType(Composite2, Q2);
6309
6310 // Top-level qualifiers are ignored. Merge at all lower levels.
6311 if (!Steps.empty()) {
6312 // Find the qualifier union: (approximately) the unique minimal set of
6313 // qualifiers that is compatible with both types.
6315 Q2.getCVRUQualifiers());
6316
6317 // Under one level of pointer or pointer-to-member, we can change to an
6318 // unambiguous compatible address space.
6319 if (Q1.getAddressSpace() == Q2.getAddressSpace()) {
6320 Quals.setAddressSpace(Q1.getAddressSpace());
6321 } else if (Steps.size() == 1) {
6322 bool MaybeQ1 = Q1.isAddressSpaceSupersetOf(Q2, getASTContext());
6323 bool MaybeQ2 = Q2.isAddressSpaceSupersetOf(Q1, getASTContext());
6324 if (MaybeQ1 == MaybeQ2) {
6325 // Exception for ptr size address spaces. Should be able to choose
6326 // either address space during comparison.
6329 MaybeQ1 = true;
6330 else
6331 return QualType(); // No unique best address space.
6332 }
6333 Quals.setAddressSpace(MaybeQ1 ? Q1.getAddressSpace()
6334 : Q2.getAddressSpace());
6335 } else {
6336 return QualType();
6337 }
6338
6339 // FIXME: In C, we merge __strong and none to __strong at the top level.
6340 if (Q1.getObjCGCAttr() == Q2.getObjCGCAttr())
6341 Quals.setObjCGCAttr(Q1.getObjCGCAttr());
6342 else if (T1->isVoidPointerType() || T2->isVoidPointerType())
6343 assert(Steps.size() == 1);
6344 else
6345 return QualType();
6346
6347 // Mismatched lifetime qualifiers never compatibly include each other.
6348 if (Q1.getObjCLifetime() == Q2.getObjCLifetime())
6349 Quals.setObjCLifetime(Q1.getObjCLifetime());
6350 else if (T1->isVoidPointerType() || T2->isVoidPointerType())
6351 assert(Steps.size() == 1);
6352 else
6353 return QualType();
6354
6356 Quals.setPointerAuth(Q1.getPointerAuth());
6357 else
6358 return QualType();
6359
6360 Steps.back().Quals = Quals;
6361 if (Q1 != Quals || Q2 != Quals)
6362 NeedConstBefore = Steps.size() - 1;
6363 }
6364
6365 // FIXME: Can we unify the following with UnwrapSimilarTypes?
6366
6367 const ArrayType *Arr1, *Arr2;
6368 if ((Arr1 = Context.getAsArrayType(Composite1)) &&
6369 (Arr2 = Context.getAsArrayType(Composite2))) {
6370 auto *CAT1 = dyn_cast<ConstantArrayType>(Arr1);
6371 auto *CAT2 = dyn_cast<ConstantArrayType>(Arr2);
6372 if (CAT1 && CAT2 && CAT1->getSize() == CAT2->getSize()) {
6373 Composite1 = Arr1->getElementType();
6374 Composite2 = Arr2->getElementType();
6375 Steps.emplace_back(Step::Array, CAT1);
6376 continue;
6377 }
6378 bool IAT1 = isa<IncompleteArrayType>(Arr1);
6379 bool IAT2 = isa<IncompleteArrayType>(Arr2);
6380 if ((IAT1 && IAT2) ||
6381 (getLangOpts().CPlusPlus20 && (IAT1 != IAT2) &&
6382 ((bool)CAT1 != (bool)CAT2) &&
6383 (Steps.empty() || Steps.back().K != Step::Array))) {
6384 // In C++20 onwards, we can unify an array of N T with an array of
6385 // a different or unknown bound. But we can't form an array whose
6386 // element type is an array of unknown bound by doing so.
6387 Composite1 = Arr1->getElementType();
6388 Composite2 = Arr2->getElementType();
6389 Steps.emplace_back(Step::Array);
6390 if (CAT1 || CAT2)
6391 NeedConstBefore = Steps.size();
6392 continue;
6393 }
6394 }
6395
6396 const PointerType *Ptr1, *Ptr2;
6397 if ((Ptr1 = Composite1->getAs<PointerType>()) &&
6398 (Ptr2 = Composite2->getAs<PointerType>())) {
6399 Composite1 = Ptr1->getPointeeType();
6400 Composite2 = Ptr2->getPointeeType();
6401 Steps.emplace_back(Step::Pointer);
6402 continue;
6403 }
6404
6405 const ObjCObjectPointerType *ObjPtr1, *ObjPtr2;
6406 if ((ObjPtr1 = Composite1->getAs<ObjCObjectPointerType>()) &&
6407 (ObjPtr2 = Composite2->getAs<ObjCObjectPointerType>())) {
6408 Composite1 = ObjPtr1->getPointeeType();
6409 Composite2 = ObjPtr2->getPointeeType();
6410 Steps.emplace_back(Step::ObjCPointer);
6411 continue;
6412 }
6413
6414 const MemberPointerType *MemPtr1, *MemPtr2;
6415 if ((MemPtr1 = Composite1->getAs<MemberPointerType>()) &&
6416 (MemPtr2 = Composite2->getAs<MemberPointerType>())) {
6417 Composite1 = MemPtr1->getPointeeType();
6418 Composite2 = MemPtr2->getPointeeType();
6419
6420 // At the top level, we can perform a base-to-derived pointer-to-member
6421 // conversion:
6422 //
6423 // - [...] where C1 is reference-related to C2 or C2 is
6424 // reference-related to C1
6425 //
6426 // (Note that the only kinds of reference-relatedness in scope here are
6427 // "same type or derived from".) At any other level, the class must
6428 // exactly match.
6429 CXXRecordDecl *Cls = nullptr,
6430 *Cls1 = MemPtr1->getMostRecentCXXRecordDecl(),
6431 *Cls2 = MemPtr2->getMostRecentCXXRecordDecl();
6432 if (declaresSameEntity(Cls1, Cls2))
6433 Cls = Cls1;
6434 else if (Steps.empty())
6435 Cls = IsDerivedFrom(Loc, Cls1, Cls2) ? Cls1
6436 : IsDerivedFrom(Loc, Cls2, Cls1) ? Cls2
6437 : nullptr;
6438 if (!Cls)
6439 return QualType();
6440
6441 Steps.emplace_back(Step::MemberPointer,
6442 Context.getCanonicalTagType(Cls).getTypePtr());
6443 continue;
6444 }
6445
6446 // Special case: at the top level, we can decompose an Objective-C pointer
6447 // and a 'cv void *'. Unify the qualifiers.
6448 if (Steps.empty() && ((Composite1->isVoidPointerType() &&
6449 Composite2->isObjCObjectPointerType()) ||
6450 (Composite1->isObjCObjectPointerType() &&
6451 Composite2->isVoidPointerType()))) {
6452 Composite1 = Composite1->getPointeeType();
6453 Composite2 = Composite2->getPointeeType();
6454 Steps.emplace_back(Step::Pointer);
6455 continue;
6456 }
6457
6458 // FIXME: block pointer types?
6459
6460 // Cannot unwrap any more types.
6461 break;
6462 }
6463
6464 // - if T1 or T2 is "pointer to noexcept function" and the other type is
6465 // "pointer to function", where the function types are otherwise the same,
6466 // "pointer to function";
6467 // - if T1 or T2 is "pointer to member of C1 of type function", the other
6468 // type is "pointer to member of C2 of type noexcept function", and C1
6469 // is reference-related to C2 or C2 is reference-related to C1, where
6470 // the function types are otherwise the same, "pointer to member of C2 of
6471 // type function" or "pointer to member of C1 of type function",
6472 // respectively;
6473 //
6474 // We also support 'noreturn' here, so as a Clang extension we generalize the
6475 // above to:
6476 //
6477 // - [Clang] If T1 and T2 are both of type "pointer to function" or
6478 // "pointer to member function" and the pointee types can be unified
6479 // by a function pointer conversion, that conversion is applied
6480 // before checking the following rules.
6481 //
6482 // We've already unwrapped down to the function types, and we want to merge
6483 // rather than just convert, so do this ourselves rather than calling
6484 // IsFunctionConversion.
6485 //
6486 // FIXME: In order to match the standard wording as closely as possible, we
6487 // currently only do this under a single level of pointers. Ideally, we would
6488 // allow this in general, and set NeedConstBefore to the relevant depth on
6489 // the side(s) where we changed anything. If we permit that, we should also
6490 // consider this conversion when determining type similarity and model it as
6491 // a qualification conversion.
6492 if (Steps.size() == 1) {
6493 if (auto *FPT1 = Composite1->getAs<FunctionProtoType>()) {
6494 if (auto *FPT2 = Composite2->getAs<FunctionProtoType>()) {
6495 FunctionProtoType::ExtProtoInfo EPI1 = FPT1->getExtProtoInfo();
6496 FunctionProtoType::ExtProtoInfo EPI2 = FPT2->getExtProtoInfo();
6497
6498 // The result is noreturn if both operands are.
6499 bool Noreturn =
6500 EPI1.ExtInfo.getNoReturn() && EPI2.ExtInfo.getNoReturn();
6501 EPI1.ExtInfo = EPI1.ExtInfo.withNoReturn(Noreturn);
6502 EPI2.ExtInfo = EPI2.ExtInfo.withNoReturn(Noreturn);
6503
6504 bool CFIUncheckedCallee =
6506 EPI1.CFIUncheckedCallee = CFIUncheckedCallee;
6507 EPI2.CFIUncheckedCallee = CFIUncheckedCallee;
6508
6509 // The result is nothrow if both operands are.
6510 SmallVector<QualType, 8> ExceptionTypeStorage;
6511 EPI1.ExceptionSpec = EPI2.ExceptionSpec = Context.mergeExceptionSpecs(
6512 EPI1.ExceptionSpec, EPI2.ExceptionSpec, ExceptionTypeStorage,
6514
6515 Composite1 = Context.getFunctionType(FPT1->getReturnType(),
6516 FPT1->getParamTypes(), EPI1);
6517 Composite2 = Context.getFunctionType(FPT2->getReturnType(),
6518 FPT2->getParamTypes(), EPI2);
6519 }
6520 }
6521 }
6522
6523 // There are some more conversions we can perform under exactly one pointer.
6524 if (Steps.size() == 1 && Steps.front().K == Step::Pointer &&
6525 !Context.hasSameType(Composite1, Composite2)) {
6526 // - if T1 or T2 is "pointer to cv1 void" and the other type is
6527 // "pointer to cv2 T", where T is an object type or void,
6528 // "pointer to cv12 void", where cv12 is the union of cv1 and cv2;
6529 if (Composite1->isVoidType() && Composite2->isObjectType())
6530 Composite2 = Composite1;
6531 else if (Composite2->isVoidType() && Composite1->isObjectType())
6532 Composite1 = Composite2;
6533 // - if T1 is "pointer to cv1 C1" and T2 is "pointer to cv2 C2", where C1
6534 // is reference-related to C2 or C2 is reference-related to C1 (8.6.3),
6535 // the cv-combined type of T1 and T2 or the cv-combined type of T2 and
6536 // T1, respectively;
6537 //
6538 // The "similar type" handling covers all of this except for the "T1 is a
6539 // base class of T2" case in the definition of reference-related.
6540 else if (IsDerivedFrom(Loc, Composite1, Composite2))
6541 Composite1 = Composite2;
6542 else if (IsDerivedFrom(Loc, Composite2, Composite1))
6543 Composite2 = Composite1;
6544 }
6545
6546 // At this point, either the inner types are the same or we have failed to
6547 // find a composite pointer type.
6548 if (!Context.hasSameType(Composite1, Composite2))
6549 return QualType();
6550
6551 // Per C++ [conv.qual]p3, add 'const' to every level before the last
6552 // differing qualifier.
6553 for (unsigned I = 0; I != NeedConstBefore; ++I)
6554 Steps[I].Quals.addConst();
6555
6556 // Rebuild the composite type.
6557 QualType Composite = Context.getCommonSugaredType(Composite1, Composite2);
6558 for (auto &S : llvm::reverse(Steps))
6559 Composite = S.rebuild(Context, Composite);
6560
6561 if (ConvertArgs) {
6562 // Convert the expressions to the composite pointer type.
6563 InitializedEntity Entity =
6565 InitializationKind Kind =
6567
6568 InitializationSequence E1ToC(*this, Entity, Kind, E1);
6569 if (!E1ToC)
6570 return QualType();
6571
6572 InitializationSequence E2ToC(*this, Entity, Kind, E2);
6573 if (!E2ToC)
6574 return QualType();
6575
6576 // FIXME: Let the caller know if these fail to avoid duplicate diagnostics.
6577 ExprResult E1Result = E1ToC.Perform(*this, Entity, Kind, E1);
6578 if (E1Result.isInvalid())
6579 return QualType();
6580 E1 = E1Result.get();
6581
6582 ExprResult E2Result = E2ToC.Perform(*this, Entity, Kind, E2);
6583 if (E2Result.isInvalid())
6584 return QualType();
6585 E2 = E2Result.get();
6586 }
6587
6588 return Composite;
6589}
6590
6592 if (!E)
6593 return ExprError();
6594
6595 assert(!isa<CXXBindTemporaryExpr>(E) && "Double-bound temporary?");
6596
6597 // If the result is a glvalue, we shouldn't bind it.
6598 if (E->isGLValue())
6599 return E;
6600
6601 // In ARC, calls that return a retainable type can return retained,
6602 // in which case we have to insert a consuming cast.
6603 if (getLangOpts().ObjCAutoRefCount &&
6604 E->getType()->isObjCRetainableType()) {
6605
6606 bool ReturnsRetained;
6607
6608 // For actual calls, we compute this by examining the type of the
6609 // called value.
6610 if (CallExpr *Call = dyn_cast<CallExpr>(E)) {
6611 Expr *Callee = Call->getCallee()->IgnoreParens();
6612 QualType T = Callee->getType();
6613
6614 if (T == Context.BoundMemberTy) {
6615 // Handle pointer-to-members.
6616 if (BinaryOperator *BinOp = dyn_cast<BinaryOperator>(Callee))
6617 T = BinOp->getRHS()->getType();
6618 else if (MemberExpr *Mem = dyn_cast<MemberExpr>(Callee))
6619 T = Mem->getMemberDecl()->getType();
6620 }
6621
6622 if (const PointerType *Ptr = T->getAs<PointerType>())
6623 T = Ptr->getPointeeType();
6624 else if (const BlockPointerType *Ptr = T->getAs<BlockPointerType>())
6625 T = Ptr->getPointeeType();
6626 else if (const MemberPointerType *MemPtr = T->getAs<MemberPointerType>())
6627 T = MemPtr->getPointeeType();
6628
6629 auto *FTy = T->castAs<FunctionType>();
6630 ReturnsRetained = FTy->getExtInfo().getProducesResult();
6631
6632 // ActOnStmtExpr arranges things so that StmtExprs of retainable
6633 // type always produce a +1 object.
6634 } else if (isa<StmtExpr>(E)) {
6635 ReturnsRetained = true;
6636
6637 // We hit this case with the lambda conversion-to-block optimization;
6638 // we don't want any extra casts here.
6639 } else if (isa<CastExpr>(E) &&
6640 isa<BlockExpr>(cast<CastExpr>(E)->getSubExpr())) {
6641 return E;
6642
6643 // For message sends and property references, we try to find an
6644 // actual method. FIXME: we should infer retention by selector in
6645 // cases where we don't have an actual method.
6646 } else {
6647 ObjCMethodDecl *D = nullptr;
6648 if (ObjCMessageExpr *Send = dyn_cast<ObjCMessageExpr>(E)) {
6649 D = Send->getMethodDecl();
6650 } else if (auto *OL = dyn_cast<ObjCObjectLiteral>(E);
6651 OL && OL->isGlobalAllocation()) {
6652 return E;
6653 } else if (ObjCBoxedExpr *BoxedExpr = dyn_cast<ObjCBoxedExpr>(E)) {
6654 D = BoxedExpr->getBoxingMethod();
6655 } else if (ObjCArrayLiteral *ArrayLit = dyn_cast<ObjCArrayLiteral>(E)) {
6656 // Don't do reclaims if we're using the zero-element array
6657 // constant.
6658 if (ArrayLit->getNumElements() == 0 &&
6659 Context.getLangOpts().ObjCRuntime.hasEmptyCollections())
6660 return E;
6661
6662 D = ArrayLit->getArrayWithObjectsMethod();
6663 } else if (ObjCDictionaryLiteral *DictLit =
6664 dyn_cast<ObjCDictionaryLiteral>(E)) {
6665 // Don't do reclaims if we're using the zero-element dictionary
6666 // constant.
6667 if (DictLit->getNumElements() == 0 &&
6668 Context.getLangOpts().ObjCRuntime.hasEmptyCollections())
6669 return E;
6670
6671 D = DictLit->getDictWithObjectsMethod();
6672 }
6673
6674 ReturnsRetained = (D && D->hasAttr<NSReturnsRetainedAttr>());
6675
6676 // Don't do reclaims on performSelector calls; despite their
6677 // return type, the invoked method doesn't necessarily actually
6678 // return an object.
6679 if (!ReturnsRetained &&
6681 return E;
6682 }
6683
6684 // Don't reclaim an object of Class type.
6685 if (!ReturnsRetained && E->getType()->isObjCARCImplicitlyUnretainedType())
6686 return E;
6687
6688 Cleanup.setExprNeedsCleanups(true);
6689
6690 CastKind ck = (ReturnsRetained ? CK_ARCConsumeObject
6691 : CK_ARCReclaimReturnedObject);
6692 return ImplicitCastExpr::Create(Context, E->getType(), ck, E, nullptr,
6694 }
6695
6697 Cleanup.setExprNeedsCleanups(true);
6698
6699 if (!getLangOpts().CPlusPlus)
6700 return E;
6701
6702 // Search for the base element type (cf. ASTContext::getBaseElementType) with
6703 // a fast path for the common case that the type is directly a RecordType.
6704 const Type *T = Context.getCanonicalType(E->getType().getTypePtr());
6705 const RecordType *RT = nullptr;
6706 while (!RT) {
6707 switch (T->getTypeClass()) {
6708 case Type::Record:
6709 RT = cast<RecordType>(T);
6710 break;
6711 case Type::ConstantArray:
6712 case Type::IncompleteArray:
6713 case Type::VariableArray:
6714 case Type::DependentSizedArray:
6715 T = cast<ArrayType>(T)->getElementType().getTypePtr();
6716 break;
6717 default:
6718 return E;
6719 }
6720 }
6721
6722 // That should be enough to guarantee that this type is complete, if we're
6723 // not processing a decltype expression.
6724 auto *RD = cast<CXXRecordDecl>(RT->getDecl())->getDefinitionOrSelf();
6725 if (RD->isInvalidDecl() || RD->isDependentContext())
6726 return E;
6727
6728 bool IsDecltype = ExprEvalContexts.back().ExprContext ==
6731
6732 if (Destructor) {
6735 PDiag(diag::err_access_dtor_temp)
6736 << E->getType());
6738 return ExprError();
6739
6740 // If destructor is trivial, we can avoid the extra copy.
6741 if (Destructor->isTrivial())
6742 return E;
6743
6744 // We need a cleanup, but we don't need to remember the temporary.
6745 Cleanup.setExprNeedsCleanups(true);
6746 }
6747
6750
6751 if (IsDecltype)
6752 ExprEvalContexts.back().DelayedDecltypeBinds.push_back(Bind);
6753
6754 return Bind;
6755}
6756
6759 if (SubExpr.isInvalid())
6760 return ExprError();
6761
6762 return MaybeCreateExprWithCleanups(SubExpr.get());
6763}
6764
6766 assert(SubExpr && "subexpression can't be null!");
6767
6769
6770 unsigned FirstCleanup = ExprEvalContexts.back().NumCleanupObjects;
6771 assert(ExprCleanupObjects.size() >= FirstCleanup);
6772 assert(Cleanup.exprNeedsCleanups() ||
6773 ExprCleanupObjects.size() == FirstCleanup);
6774 if (!Cleanup.exprNeedsCleanups())
6775 return SubExpr;
6776
6777 auto Cleanups = llvm::ArrayRef(ExprCleanupObjects.begin() + FirstCleanup,
6778 ExprCleanupObjects.size() - FirstCleanup);
6779
6780 auto *E = ExprWithCleanups::Create(
6781 Context, SubExpr, Cleanup.cleanupsHaveSideEffects(), Cleanups);
6783
6784 return E;
6785}
6786
6788 assert(SubStmt && "sub-statement can't be null!");
6789
6791
6792 if (!Cleanup.exprNeedsCleanups())
6793 return SubStmt;
6794
6795 // FIXME: In order to attach the temporaries, wrap the statement into
6796 // a StmtExpr; currently this is only used for asm statements.
6797 // This is hacky, either create a new CXXStmtWithTemporaries statement or
6798 // a new AsmStmtWithTemporaries.
6799 CompoundStmt *CompStmt =
6802 Expr *E = new (Context)
6803 StmtExpr(CompStmt, Context.VoidTy, SourceLocation(), SourceLocation(),
6804 /*FIXME TemplateDepth=*/0);
6806}
6807
6809 assert(ExprEvalContexts.back().ExprContext ==
6811 "not in a decltype expression");
6812
6814 if (Result.isInvalid())
6815 return ExprError();
6816 E = Result.get();
6817
6818 // C++11 [expr.call]p11:
6819 // If a function call is a prvalue of object type,
6820 // -- if the function call is either
6821 // -- the operand of a decltype-specifier, or
6822 // -- the right operand of a comma operator that is the operand of a
6823 // decltype-specifier,
6824 // a temporary object is not introduced for the prvalue.
6825
6826 // Recursively rebuild ParenExprs and comma expressions to strip out the
6827 // outermost CXXBindTemporaryExpr, if any.
6828 if (ParenExpr *PE = dyn_cast<ParenExpr>(E)) {
6829 ExprResult SubExpr = ActOnDecltypeExpression(PE->getSubExpr());
6830 if (SubExpr.isInvalid())
6831 return ExprError();
6832 if (SubExpr.get() == PE->getSubExpr())
6833 return E;
6834 return ActOnParenExpr(PE->getLParen(), PE->getRParen(), SubExpr.get());
6835 }
6836 if (BinaryOperator *BO = dyn_cast<BinaryOperator>(E)) {
6837 if (BO->getOpcode() == BO_Comma) {
6838 ExprResult RHS = ActOnDecltypeExpression(BO->getRHS());
6839 if (RHS.isInvalid())
6840 return ExprError();
6841 if (RHS.get() == BO->getRHS())
6842 return E;
6843 return BinaryOperator::Create(Context, BO->getLHS(), RHS.get(), BO_Comma,
6844 BO->getType(), BO->getValueKind(),
6845 BO->getObjectKind(), BO->getOperatorLoc(),
6846 BO->getFPFeatures());
6847 }
6848 }
6849
6850 CXXBindTemporaryExpr *TopBind = dyn_cast<CXXBindTemporaryExpr>(E);
6851 CallExpr *TopCall = TopBind ? dyn_cast<CallExpr>(TopBind->getSubExpr())
6852 : nullptr;
6853 if (TopCall)
6854 E = TopCall;
6855 else
6856 TopBind = nullptr;
6857
6858 // Disable the special decltype handling now.
6859 ExprEvalContexts.back().ExprContext =
6861
6863 if (Result.isInvalid())
6864 return ExprError();
6865 E = Result.get();
6866
6867 // In MS mode, don't perform any extra checking of call return types within a
6868 // decltype expression.
6869 if (getLangOpts().MSVCCompat)
6870 return E;
6871
6872 // Perform the semantic checks we delayed until this point.
6873 for (unsigned I = 0, N = ExprEvalContexts.back().DelayedDecltypeCalls.size();
6874 I != N; ++I) {
6875 CallExpr *Call = ExprEvalContexts.back().DelayedDecltypeCalls[I];
6876 if (Call == TopCall)
6877 continue;
6878
6879 if (CheckCallReturnType(Call->getCallReturnType(Context),
6880 Call->getBeginLoc(), Call, Call->getDirectCallee()))
6881 return ExprError();
6882 }
6883
6884 // Now all relevant types are complete, check the destructors are accessible
6885 // and non-deleted, and annotate them on the temporaries.
6886 for (unsigned I = 0, N = ExprEvalContexts.back().DelayedDecltypeBinds.size();
6887 I != N; ++I) {
6889 ExprEvalContexts.back().DelayedDecltypeBinds[I];
6890 if (Bind == TopBind)
6891 continue;
6892
6893 CXXTemporary *Temp = Bind->getTemporary();
6894
6895 CXXRecordDecl *RD =
6896 Bind->getType()->getBaseElementTypeUnsafe()->getAsCXXRecordDecl();
6899
6900 MarkFunctionReferenced(Bind->getExprLoc(), Destructor);
6901 CheckDestructorAccess(Bind->getExprLoc(), Destructor,
6902 PDiag(diag::err_access_dtor_temp)
6903 << Bind->getType());
6904 if (DiagnoseUseOfDecl(Destructor, Bind->getExprLoc()))
6905 return ExprError();
6906
6907 // We need a cleanup, but we don't need to remember the temporary.
6908 Cleanup.setExprNeedsCleanups(true);
6909 }
6910
6911 // Possibly strip off the top CXXBindTemporaryExpr.
6912 return E;
6913}
6914
6915/// Note a set of 'operator->' functions that were used for a member access.
6917 ArrayRef<FunctionDecl *> OperatorArrows) {
6918 unsigned SkipStart = OperatorArrows.size(), SkipCount = 0;
6919 // FIXME: Make this configurable?
6920 unsigned Limit = 9;
6921 if (OperatorArrows.size() > Limit) {
6922 // Produce Limit-1 normal notes and one 'skipping' note.
6923 SkipStart = (Limit - 1) / 2 + (Limit - 1) % 2;
6924 SkipCount = OperatorArrows.size() - (Limit - 1);
6925 }
6926
6927 for (unsigned I = 0; I < OperatorArrows.size(); /**/) {
6928 if (I == SkipStart) {
6929 S.Diag(OperatorArrows[I]->getLocation(),
6930 diag::note_operator_arrows_suppressed)
6931 << SkipCount;
6932 I += SkipCount;
6933 } else {
6934 S.Diag(OperatorArrows[I]->getLocation(), diag::note_operator_arrow_here)
6935 << OperatorArrows[I]->getCallResultType();
6936 ++I;
6937 }
6938 }
6939}
6940
6942 SourceLocation OpLoc,
6943 tok::TokenKind OpKind,
6944 ParsedType &ObjectType,
6945 bool &MayBePseudoDestructor) {
6946 // Since this might be a postfix expression, get rid of ParenListExprs.
6948 if (Result.isInvalid()) return ExprError();
6949 Base = Result.get();
6950
6952 if (Result.isInvalid()) return ExprError();
6953 Base = Result.get();
6954
6955 QualType BaseType = Base->getType();
6956 MayBePseudoDestructor = false;
6957 if (BaseType->isDependentType()) {
6958 // If we have a pointer to a dependent type and are using the -> operator,
6959 // the object type is the type that the pointer points to. We might still
6960 // have enough information about that type to do something useful.
6961 if (OpKind == tok::arrow)
6962 if (const PointerType *Ptr = BaseType->getAs<PointerType>())
6963 BaseType = Ptr->getPointeeType();
6964
6965 ObjectType = ParsedType::make(BaseType);
6966 MayBePseudoDestructor = true;
6967 return Base;
6968 }
6969
6970 // C++ [over.match.oper]p8:
6971 // [...] When operator->returns, the operator-> is applied to the value
6972 // returned, with the original second operand.
6973 if (OpKind == tok::arrow) {
6974 QualType StartingType = BaseType;
6975 bool NoArrowOperatorFound = false;
6976 bool FirstIteration = true;
6977 FunctionDecl *CurFD = dyn_cast<FunctionDecl>(CurContext);
6978 // The set of types we've considered so far.
6980 SmallVector<FunctionDecl*, 8> OperatorArrows;
6981 CTypes.insert(Context.getCanonicalType(BaseType));
6982
6983 while (BaseType->isRecordType()) {
6984 if (OperatorArrows.size() >= getLangOpts().ArrowDepth) {
6985 Diag(OpLoc, diag::err_operator_arrow_depth_exceeded)
6986 << StartingType << getLangOpts().ArrowDepth << Base->getSourceRange();
6987 noteOperatorArrows(*this, OperatorArrows);
6988 Diag(OpLoc, diag::note_operator_arrow_depth)
6989 << getLangOpts().ArrowDepth;
6990 return ExprError();
6991 }
6992
6994 S, Base, OpLoc,
6995 // When in a template specialization and on the first loop iteration,
6996 // potentially give the default diagnostic (with the fixit in a
6997 // separate note) instead of having the error reported back to here
6998 // and giving a diagnostic with a fixit attached to the error itself.
6999 (FirstIteration && CurFD && CurFD->isFunctionTemplateSpecialization())
7000 ? nullptr
7001 : &NoArrowOperatorFound);
7002 if (Result.isInvalid()) {
7003 if (NoArrowOperatorFound) {
7004 if (FirstIteration) {
7005 Diag(OpLoc, diag::err_typecheck_member_reference_suggestion)
7006 << BaseType << 1 << Base->getSourceRange()
7007 << FixItHint::CreateReplacement(OpLoc, ".");
7008 OpKind = tok::period;
7009 break;
7010 }
7011 Diag(OpLoc, diag::err_typecheck_member_reference_arrow)
7012 << BaseType << Base->getSourceRange();
7013 CallExpr *CE = dyn_cast<CallExpr>(Base);
7014 if (Decl *CD = (CE ? CE->getCalleeDecl() : nullptr)) {
7015 Diag(CD->getBeginLoc(),
7016 diag::note_member_reference_arrow_from_operator_arrow);
7017 }
7018 }
7019 return ExprError();
7020 }
7021 Base = Result.get();
7022 if (CXXOperatorCallExpr *OpCall = dyn_cast<CXXOperatorCallExpr>(Base))
7023 OperatorArrows.push_back(OpCall->getDirectCallee());
7024 BaseType = Base->getType();
7025 CanQualType CBaseType = Context.getCanonicalType(BaseType);
7026 if (!CTypes.insert(CBaseType).second) {
7027 Diag(OpLoc, diag::err_operator_arrow_circular) << StartingType;
7028 noteOperatorArrows(*this, OperatorArrows);
7029 return ExprError();
7030 }
7031 FirstIteration = false;
7032 }
7033
7034 if (OpKind == tok::arrow) {
7035 if (BaseType->isPointerType())
7036 BaseType = BaseType->getPointeeType();
7037 else if (auto *AT = Context.getAsArrayType(BaseType))
7038 BaseType = AT->getElementType();
7039 }
7040 }
7041
7042 // Objective-C properties allow "." access on Objective-C pointer types,
7043 // so adjust the base type to the object type itself.
7044 if (BaseType->isObjCObjectPointerType())
7045 BaseType = BaseType->getPointeeType();
7046
7047 // C++ [basic.lookup.classref]p2:
7048 // [...] If the type of the object expression is of pointer to scalar
7049 // type, the unqualified-id is looked up in the context of the complete
7050 // postfix-expression.
7051 //
7052 // This also indicates that we could be parsing a pseudo-destructor-name.
7053 // Note that Objective-C class and object types can be pseudo-destructor
7054 // expressions or normal member (ivar or property) access expressions, and
7055 // it's legal for the type to be incomplete if this is a pseudo-destructor
7056 // call. We'll do more incomplete-type checks later in the lookup process,
7057 // so just skip this check for ObjC types.
7058 if (!BaseType->isRecordType()) {
7059 ObjectType = ParsedType::make(BaseType);
7060 MayBePseudoDestructor = true;
7061 return Base;
7062 }
7063
7064 // The object type must be complete (or dependent), or
7065 // C++11 [expr.prim.general]p3:
7066 // Unlike the object expression in other contexts, *this is not required to
7067 // be of complete type for purposes of class member access (5.2.5) outside
7068 // the member function body.
7069 if (!BaseType->isDependentType() &&
7071 RequireCompleteType(OpLoc, BaseType,
7072 diag::err_incomplete_member_access)) {
7073 return CreateRecoveryExpr(Base->getBeginLoc(), Base->getEndLoc(), {Base});
7074 }
7075
7076 // C++ [basic.lookup.classref]p2:
7077 // If the id-expression in a class member access (5.2.5) is an
7078 // unqualified-id, and the type of the object expression is of a class
7079 // type C (or of pointer to a class type C), the unqualified-id is looked
7080 // up in the scope of class C. [...]
7081 ObjectType = ParsedType::make(BaseType);
7082 return Base;
7083}
7084
7085static bool CheckArrow(Sema &S, QualType &ObjectType, Expr *&Base,
7086 tok::TokenKind &OpKind, SourceLocation OpLoc) {
7087 if (Base->hasPlaceholderType()) {
7089 if (result.isInvalid()) return true;
7090 Base = result.get();
7091 }
7092 ObjectType = Base->getType();
7093
7094 // C++ [expr.pseudo]p2:
7095 // The left-hand side of the dot operator shall be of scalar type. The
7096 // left-hand side of the arrow operator shall be of pointer to scalar type.
7097 // This scalar type is the object type.
7098 // Note that this is rather different from the normal handling for the
7099 // arrow operator.
7100 if (OpKind == tok::arrow) {
7101 // The operator requires a prvalue, so perform lvalue conversions.
7102 // Only do this if we might plausibly end with a pointer, as otherwise
7103 // this was likely to be intended to be a '.'.
7104 if (ObjectType->isPointerType() || ObjectType->isArrayType() ||
7105 ObjectType->isFunctionType()) {
7107 if (BaseResult.isInvalid())
7108 return true;
7109 Base = BaseResult.get();
7110 ObjectType = Base->getType();
7111 }
7112
7113 if (const PointerType *Ptr = ObjectType->getAs<PointerType>()) {
7114 ObjectType = Ptr->getPointeeType();
7115 } else if (!Base->isTypeDependent()) {
7116 // The user wrote "p->" when they probably meant "p."; fix it.
7117 S.Diag(OpLoc, diag::err_typecheck_member_reference_suggestion)
7118 << ObjectType << true
7119 << FixItHint::CreateReplacement(OpLoc, ".");
7120 if (S.isSFINAEContext())
7121 return true;
7122
7123 OpKind = tok::period;
7124 }
7125 }
7126
7127 return false;
7128}
7129
7130/// Check if it's ok to try and recover dot pseudo destructor calls on
7131/// pointer objects.
7132static bool
7134 QualType DestructedType) {
7135 // If this is a record type, check if its destructor is callable.
7136 if (auto *RD = DestructedType->getAsCXXRecordDecl()) {
7137 if (RD->hasDefinition())
7139 return SemaRef.CanUseDecl(D, /*TreatUnavailableAsInvalid=*/false);
7140 return false;
7141 }
7142
7143 // Otherwise, check if it's a type for which it's valid to use a pseudo-dtor.
7144 return DestructedType->isDependentType() || DestructedType->isScalarType() ||
7145 DestructedType->isVectorType();
7146}
7147
7149 SourceLocation OpLoc,
7150 tok::TokenKind OpKind,
7151 const CXXScopeSpec &SS,
7152 TypeSourceInfo *ScopeTypeInfo,
7153 SourceLocation CCLoc,
7154 SourceLocation TildeLoc,
7155 PseudoDestructorTypeStorage Destructed) {
7156 TypeSourceInfo *DestructedTypeInfo = Destructed.getTypeSourceInfo();
7157
7158 QualType ObjectType;
7159 if (CheckArrow(*this, ObjectType, Base, OpKind, OpLoc))
7160 return ExprError();
7161
7162 if (!ObjectType->isDependentType() && !ObjectType->isScalarType() &&
7163 !ObjectType->isVectorType() && !ObjectType->isMatrixType()) {
7164 if (getLangOpts().MSVCCompat && ObjectType->isVoidType())
7165 Diag(OpLoc, diag::ext_pseudo_dtor_on_void) << Base->getSourceRange();
7166 else {
7167 Diag(OpLoc, diag::err_pseudo_dtor_base_not_scalar)
7168 << ObjectType << Base->getSourceRange();
7169 return ExprError();
7170 }
7171 }
7172
7173 // C++ [expr.pseudo]p2:
7174 // [...] The cv-unqualified versions of the object type and of the type
7175 // designated by the pseudo-destructor-name shall be the same type.
7176 if (DestructedTypeInfo) {
7177 QualType DestructedType = DestructedTypeInfo->getType();
7178 SourceLocation DestructedTypeStart =
7179 DestructedTypeInfo->getTypeLoc().getBeginLoc();
7180 if (!DestructedType->isDependentType() && !ObjectType->isDependentType()) {
7181 if (!Context.hasSameUnqualifiedType(DestructedType, ObjectType)) {
7182 // Detect dot pseudo destructor calls on pointer objects, e.g.:
7183 // Foo *foo;
7184 // foo.~Foo();
7185 if (OpKind == tok::period && ObjectType->isPointerType() &&
7186 Context.hasSameUnqualifiedType(DestructedType,
7187 ObjectType->getPointeeType())) {
7188 auto Diagnostic =
7189 Diag(OpLoc, diag::err_typecheck_member_reference_suggestion)
7190 << ObjectType << /*IsArrow=*/0 << Base->getSourceRange();
7191
7192 // Issue a fixit only when the destructor is valid.
7194 *this, DestructedType))
7196
7197 // Recover by setting the object type to the destructed type and the
7198 // operator to '->'.
7199 ObjectType = DestructedType;
7200 OpKind = tok::arrow;
7201 } else {
7202 Diag(DestructedTypeStart, diag::err_pseudo_dtor_type_mismatch)
7203 << ObjectType << DestructedType << Base->getSourceRange()
7204 << DestructedTypeInfo->getTypeLoc().getSourceRange();
7205
7206 // Recover by setting the destructed type to the object type.
7207 DestructedType = ObjectType;
7208 DestructedTypeInfo =
7209 Context.getTrivialTypeSourceInfo(ObjectType, DestructedTypeStart);
7210 Destructed = PseudoDestructorTypeStorage(DestructedTypeInfo);
7211 }
7212 } else if (DestructedType.getObjCLifetime() !=
7213 ObjectType.getObjCLifetime()) {
7214
7215 if (DestructedType.getObjCLifetime() == Qualifiers::OCL_None) {
7216 // Okay: just pretend that the user provided the correctly-qualified
7217 // type.
7218 } else {
7219 Diag(DestructedTypeStart, diag::err_arc_pseudo_dtor_inconstant_quals)
7220 << ObjectType << DestructedType << Base->getSourceRange()
7221 << DestructedTypeInfo->getTypeLoc().getSourceRange();
7222 }
7223
7224 // Recover by setting the destructed type to the object type.
7225 DestructedType = ObjectType;
7226 DestructedTypeInfo = Context.getTrivialTypeSourceInfo(ObjectType,
7227 DestructedTypeStart);
7228 Destructed = PseudoDestructorTypeStorage(DestructedTypeInfo);
7229 }
7230 }
7231 }
7232
7233 // C++ [expr.pseudo]p2:
7234 // [...] Furthermore, the two type-names in a pseudo-destructor-name of the
7235 // form
7236 //
7237 // ::[opt] nested-name-specifier[opt] type-name :: ~ type-name
7238 //
7239 // shall designate the same scalar type.
7240 if (ScopeTypeInfo) {
7241 QualType ScopeType = ScopeTypeInfo->getType();
7242 if (!ScopeType->isDependentType() && !ObjectType->isDependentType() &&
7243 !Context.hasSameUnqualifiedType(ScopeType, ObjectType)) {
7244
7245 Diag(ScopeTypeInfo->getTypeLoc().getSourceRange().getBegin(),
7246 diag::err_pseudo_dtor_type_mismatch)
7247 << ObjectType << ScopeType << Base->getSourceRange()
7248 << ScopeTypeInfo->getTypeLoc().getSourceRange();
7249
7250 ScopeType = QualType();
7251 ScopeTypeInfo = nullptr;
7252 }
7253 }
7254
7255 Expr *Result
7257 OpKind == tok::arrow, OpLoc,
7259 ScopeTypeInfo,
7260 CCLoc,
7261 TildeLoc,
7262 Destructed);
7263
7264 return Result;
7265}
7266
7268 SourceLocation OpLoc,
7269 tok::TokenKind OpKind,
7270 CXXScopeSpec &SS,
7271 UnqualifiedId &FirstTypeName,
7272 SourceLocation CCLoc,
7273 SourceLocation TildeLoc,
7274 UnqualifiedId &SecondTypeName) {
7275 assert((FirstTypeName.getKind() == UnqualifiedIdKind::IK_TemplateId ||
7276 FirstTypeName.getKind() == UnqualifiedIdKind::IK_Identifier) &&
7277 "Invalid first type name in pseudo-destructor");
7278 assert((SecondTypeName.getKind() == UnqualifiedIdKind::IK_TemplateId ||
7279 SecondTypeName.getKind() == UnqualifiedIdKind::IK_Identifier) &&
7280 "Invalid second type name in pseudo-destructor");
7281
7282 QualType ObjectType;
7283 if (CheckArrow(*this, ObjectType, Base, OpKind, OpLoc))
7284 return ExprError();
7285
7286 // Compute the object type that we should use for name lookup purposes. Only
7287 // record types and dependent types matter.
7288 ParsedType ObjectTypePtrForLookup;
7289 if (!SS.isSet()) {
7290 if (ObjectType->isRecordType())
7291 ObjectTypePtrForLookup = ParsedType::make(ObjectType);
7292 else if (ObjectType->isDependentType())
7293 ObjectTypePtrForLookup = ParsedType::make(Context.DependentTy);
7294 }
7295
7296 // Convert the name of the type being destructed (following the ~) into a
7297 // type (with source-location information).
7298 QualType DestructedType;
7299 TypeSourceInfo *DestructedTypeInfo = nullptr;
7300 PseudoDestructorTypeStorage Destructed;
7301 if (SecondTypeName.getKind() == UnqualifiedIdKind::IK_Identifier) {
7302 ParsedType T = getTypeName(*SecondTypeName.Identifier,
7303 SecondTypeName.StartLocation,
7304 S, &SS, true, false, ObjectTypePtrForLookup,
7305 /*IsCtorOrDtorName*/true);
7306 if (!T &&
7307 ((SS.isSet() && !computeDeclContext(SS, false)) ||
7308 (!SS.isSet() && ObjectType->isDependentType()))) {
7309 // The name of the type being destroyed is a dependent name, and we
7310 // couldn't find anything useful in scope. Just store the identifier and
7311 // it's location, and we'll perform (qualified) name lookup again at
7312 // template instantiation time.
7313 Destructed = PseudoDestructorTypeStorage(SecondTypeName.Identifier,
7314 SecondTypeName.StartLocation);
7315 } else if (!T) {
7316 Diag(SecondTypeName.StartLocation,
7317 diag::err_pseudo_dtor_destructor_non_type)
7318 << SecondTypeName.Identifier << ObjectType;
7319 if (isSFINAEContext())
7320 return ExprError();
7321
7322 // Recover by assuming we had the right type all along.
7323 DestructedType = ObjectType;
7324 } else
7325 DestructedType = GetTypeFromParser(T, &DestructedTypeInfo);
7326 } else {
7327 // Resolve the template-id to a type.
7328 TemplateIdAnnotation *TemplateId = SecondTypeName.TemplateId;
7329 ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(),
7330 TemplateId->NumArgs);
7333 /*ElaboratedKeywordLoc=*/SourceLocation(), SS,
7334 TemplateId->TemplateKWLoc, TemplateId->Template, TemplateId->Name,
7335 TemplateId->TemplateNameLoc, TemplateId->LAngleLoc, TemplateArgsPtr,
7336 TemplateId->RAngleLoc,
7337 /*IsCtorOrDtorName*/ true);
7338 if (T.isInvalid() || !T.get()) {
7339 // Recover by assuming we had the right type all along.
7340 DestructedType = ObjectType;
7341 } else
7342 DestructedType = GetTypeFromParser(T.get(), &DestructedTypeInfo);
7343 }
7344
7345 // If we've performed some kind of recovery, (re-)build the type source
7346 // information.
7347 if (!DestructedType.isNull()) {
7348 if (!DestructedTypeInfo)
7349 DestructedTypeInfo = Context.getTrivialTypeSourceInfo(DestructedType,
7350 SecondTypeName.StartLocation);
7351 Destructed = PseudoDestructorTypeStorage(DestructedTypeInfo);
7352 }
7353
7354 // Convert the name of the scope type (the type prior to '::') into a type.
7355 TypeSourceInfo *ScopeTypeInfo = nullptr;
7356 QualType ScopeType;
7357 if (FirstTypeName.getKind() == UnqualifiedIdKind::IK_TemplateId ||
7358 FirstTypeName.Identifier) {
7359 if (FirstTypeName.getKind() == UnqualifiedIdKind::IK_Identifier) {
7360 ParsedType T = getTypeName(*FirstTypeName.Identifier,
7361 FirstTypeName.StartLocation,
7362 S, &SS, true, false, ObjectTypePtrForLookup,
7363 /*IsCtorOrDtorName*/true);
7364 if (!T) {
7365 Diag(FirstTypeName.StartLocation,
7366 diag::err_pseudo_dtor_destructor_non_type)
7367 << FirstTypeName.Identifier << ObjectType;
7368
7369 if (isSFINAEContext())
7370 return ExprError();
7371
7372 // Just drop this type. It's unnecessary anyway.
7373 ScopeType = QualType();
7374 } else
7375 ScopeType = GetTypeFromParser(T, &ScopeTypeInfo);
7376 } else {
7377 // Resolve the template-id to a type.
7378 TemplateIdAnnotation *TemplateId = FirstTypeName.TemplateId;
7379 ASTTemplateArgsPtr TemplateArgsPtr(TemplateId->getTemplateArgs(),
7380 TemplateId->NumArgs);
7383 /*ElaboratedKeywordLoc=*/SourceLocation(), SS,
7384 TemplateId->TemplateKWLoc, TemplateId->Template, TemplateId->Name,
7385 TemplateId->TemplateNameLoc, TemplateId->LAngleLoc, TemplateArgsPtr,
7386 TemplateId->RAngleLoc,
7387 /*IsCtorOrDtorName*/ true);
7388 if (T.isInvalid() || !T.get()) {
7389 // Recover by dropping this type.
7390 ScopeType = QualType();
7391 } else
7392 ScopeType = GetTypeFromParser(T.get(), &ScopeTypeInfo);
7393 }
7394 }
7395
7396 if (!ScopeType.isNull() && !ScopeTypeInfo)
7397 ScopeTypeInfo = Context.getTrivialTypeSourceInfo(ScopeType,
7398 FirstTypeName.StartLocation);
7399
7400
7401 return BuildPseudoDestructorExpr(Base, OpLoc, OpKind, SS,
7402 ScopeTypeInfo, CCLoc, TildeLoc,
7403 Destructed);
7404}
7405
7407 SourceLocation OpLoc,
7408 tok::TokenKind OpKind,
7409 SourceLocation TildeLoc,
7410 const DeclSpec& DS) {
7411 QualType ObjectType;
7412 QualType T;
7413 TypeLocBuilder TLB;
7414 if (CheckArrow(*this, ObjectType, Base, OpKind, OpLoc) ||
7416 return ExprError();
7417
7418 switch (DS.getTypeSpecType()) {
7420 Diag(DS.getTypeSpecTypeLoc(), diag::err_decltype_auto_invalid);
7421 return true;
7422 }
7424 T = BuildDecltypeType(DS.getRepAsExpr(), /*AsUnevaluated=*/false);
7425 DecltypeTypeLoc DecltypeTL = TLB.push<DecltypeTypeLoc>(T);
7426 DecltypeTL.setDecltypeLoc(DS.getTypeSpecTypeLoc());
7427 DecltypeTL.setRParenLoc(DS.getTypeofParensRange().getEnd());
7428 break;
7429 }
7432 DS.getBeginLoc(), DS.getEllipsisLoc());
7434 cast<PackIndexingType>(T.getTypePtr())->getPattern(),
7435 DS.getBeginLoc());
7437 PITL.setEllipsisLoc(DS.getEllipsisLoc());
7438 break;
7439 }
7440 default:
7441 llvm_unreachable("Unsupported type in pseudo destructor");
7442 }
7443 TypeSourceInfo *DestructedTypeInfo = TLB.getTypeSourceInfo(Context, T);
7444 PseudoDestructorTypeStorage Destructed(DestructedTypeInfo);
7445
7446 return BuildPseudoDestructorExpr(Base, OpLoc, OpKind, CXXScopeSpec(),
7447 nullptr, SourceLocation(), TildeLoc,
7448 Destructed);
7449}
7450
7452 SourceLocation RParen) {
7453 // If the operand is an unresolved lookup expression, the expression is ill-
7454 // formed per [over.over]p1, because overloaded function names cannot be used
7455 // without arguments except in explicit contexts.
7456 ExprResult R = CheckPlaceholderExpr(Operand);
7457 if (R.isInvalid())
7458 return R;
7459
7460 R = CheckUnevaluatedOperand(R.get());
7461 if (R.isInvalid())
7462 return ExprError();
7463
7464 Operand = R.get();
7465
7466 if (!inTemplateInstantiation() && !Operand->isInstantiationDependent() &&
7467 Operand->HasSideEffects(Context, false)) {
7468 // The expression operand for noexcept is in an unevaluated expression
7469 // context, so side effects could result in unintended consequences.
7470 Diag(Operand->getExprLoc(), diag::warn_side_effects_unevaluated_context);
7471 }
7472
7473 CanThrowResult CanThrow = canThrow(Operand);
7474 return new (Context)
7475 CXXNoexceptExpr(Context.BoolTy, Operand, CanThrow, KeyLoc, RParen);
7476}
7477
7479 Expr *Operand, SourceLocation RParen) {
7480 return BuildCXXNoexceptExpr(KeyLoc, Operand, RParen);
7481}
7482
7484 Expr *E, llvm::DenseMap<const VarDecl *, int> &RefsMinusAssignments) {
7485 DeclRefExpr *LHS = nullptr;
7486 bool IsCompoundAssign = false;
7487 bool isIncrementDecrementUnaryOp = false;
7488 if (BinaryOperator *BO = dyn_cast<BinaryOperator>(E)) {
7489 if (BO->getLHS()->getType()->isDependentType() ||
7490 BO->getRHS()->getType()->isDependentType()) {
7491 if (BO->getOpcode() != BO_Assign)
7492 return;
7493 } else if (!BO->isAssignmentOp())
7494 return;
7495 else
7496 IsCompoundAssign = BO->isCompoundAssignmentOp();
7497 LHS = dyn_cast<DeclRefExpr>(BO->getLHS());
7498 } else if (CXXOperatorCallExpr *COCE = dyn_cast<CXXOperatorCallExpr>(E)) {
7499 if (COCE->getOperator() != OO_Equal)
7500 return;
7501 LHS = dyn_cast<DeclRefExpr>(COCE->getArg(0));
7502 } else if (UnaryOperator *UO = dyn_cast<UnaryOperator>(E)) {
7503 if (!UO->isIncrementDecrementOp())
7504 return;
7505 isIncrementDecrementUnaryOp = true;
7506 LHS = dyn_cast<DeclRefExpr>(UO->getSubExpr());
7507 }
7508 if (!LHS)
7509 return;
7510 VarDecl *VD = dyn_cast<VarDecl>(LHS->getDecl());
7511 if (!VD)
7512 return;
7513 // Don't decrement RefsMinusAssignments if volatile variable with compound
7514 // assignment (+=, ...) or increment/decrement unary operator to avoid
7515 // potential unused-but-set-variable warning.
7516 if ((IsCompoundAssign || isIncrementDecrementUnaryOp) &&
7518 return;
7519 auto iter = RefsMinusAssignments.find(VD->getCanonicalDecl());
7520 if (iter == RefsMinusAssignments.end())
7521 return;
7522 iter->getSecond()--;
7523}
7524
7525/// Perform the conversions required for an expression used in a
7526/// context that ignores the result.
7529
7530 if (E->hasPlaceholderType()) {
7531 ExprResult result = CheckPlaceholderExpr(E);
7532 if (result.isInvalid()) return E;
7533 E = result.get();
7534 }
7535
7536 if (getLangOpts().CPlusPlus) {
7537 // The C++11 standard defines the notion of a discarded-value expression;
7538 // normally, we don't need to do anything to handle it, but if it is a
7539 // volatile lvalue with a special form, we perform an lvalue-to-rvalue
7540 // conversion.
7543 if (Res.isInvalid())
7544 return E;
7545 E = Res.get();
7546 } else {
7547 // Per C++2a [expr.ass]p5, a volatile assignment is not deprecated if
7548 // it occurs as a discarded-value expression.
7550 }
7551
7552 // C++1z:
7553 // If the expression is a prvalue after this optional conversion, the
7554 // temporary materialization conversion is applied.
7555 //
7556 // We do not materialize temporaries by default in order to avoid creating
7557 // unnecessary temporary objects. If we skip this step, IR generation is
7558 // able to synthesize the storage for itself in the aggregate case, and
7559 // adding the extra node to the AST is just clutter.
7561 E->isPRValue() && !E->getType()->isVoidType()) {
7563 if (Res.isInvalid())
7564 return E;
7565 E = Res.get();
7566 }
7567 return E;
7568 }
7569
7570 // C99 6.3.2.1:
7571 // [Except in specific positions,] an lvalue that does not have
7572 // array type is converted to the value stored in the
7573 // designated object (and is no longer an lvalue).
7574 if (E->isPRValue()) {
7575 // In C, function designators (i.e. expressions of function type)
7576 // are r-values, but we still want to do function-to-pointer decay
7577 // on them. This is both technically correct and convenient for
7578 // some clients.
7579 if (!getLangOpts().CPlusPlus && E->getType()->isFunctionType())
7581
7582 return E;
7583 }
7584
7585 // GCC seems to also exclude expressions of incomplete enum type.
7586 if (const auto *ED = E->getType()->getAsEnumDecl(); ED && !ED->isComplete()) {
7587 // FIXME: stupid workaround for a codegen bug!
7588 E = ImpCastExprToType(E, Context.VoidTy, CK_ToVoid).get();
7589 return E;
7590 }
7591
7593 if (Res.isInvalid())
7594 return E;
7595 E = Res.get();
7596
7597 if (!E->getType()->isVoidType())
7599 diag::err_incomplete_type);
7600 return E;
7601}
7602
7604 // Per C++2a [expr.ass]p5, a volatile assignment is not deprecated if
7605 // it occurs as an unevaluated operand.
7607
7608 return E;
7609}
7610
7611// If we can unambiguously determine whether Var can never be used
7612// in a constant expression, return true.
7613// - if the variable and its initializer are non-dependent, then
7614// we can unambiguously check if the variable is a constant expression.
7615// - if the initializer is not value dependent - we can determine whether
7616// it can be used to initialize a constant expression. If Init can not
7617// be used to initialize a constant expression we conclude that Var can
7618// never be a constant expression.
7619// - FXIME: if the initializer is dependent, we can still do some analysis and
7620// identify certain cases unambiguously as non-const by using a Visitor:
7621// - such as those that involve odr-use of a ParmVarDecl, involve a new
7622// delete, lambda-expr, dynamic-cast, reinterpret-cast etc...
7624 ASTContext &Context) {
7625 if (isa<ParmVarDecl>(Var)) return true;
7626 const VarDecl *DefVD = nullptr;
7627
7628 // If there is no initializer - this can not be a constant expression.
7629 const Expr *Init = Var->getAnyInitializer(DefVD);
7630 if (!Init)
7631 return true;
7632 assert(DefVD);
7633 if (DefVD->isWeak())
7634 return false;
7635
7636 if (Var->getType()->isDependentType() || Init->isValueDependent()) {
7637 // FIXME: Teach the constant evaluator to deal with the non-dependent parts
7638 // of value-dependent expressions, and use it here to determine whether the
7639 // initializer is a potential constant expression.
7640 return false;
7641 }
7642
7643 return !Var->isUsableInConstantExpressions(Context);
7644}
7645
7646/// Check if the current lambda has any potential captures
7647/// that must be captured by any of its enclosing lambdas that are ready to
7648/// capture. If there is a lambda that can capture a nested
7649/// potential-capture, go ahead and do so. Also, check to see if any
7650/// variables are uncaptureable or do not involve an odr-use so do not
7651/// need to be captured.
7652
7654 Expr *const FE, LambdaScopeInfo *const CurrentLSI, Sema &S) {
7655
7656 assert(!S.isUnevaluatedContext());
7657 assert(S.CurContext->isDependentContext());
7658#ifndef NDEBUG
7659 DeclContext *DC = S.CurContext;
7660 while (isa_and_nonnull<CapturedDecl>(DC))
7661 DC = DC->getParent();
7662 assert(
7663 (CurrentLSI->CallOperator == DC || !CurrentLSI->AfterParameterList) &&
7664 "The current call operator must be synchronized with Sema's CurContext");
7665#endif // NDEBUG
7666
7667 const bool IsFullExprInstantiationDependent = FE->isInstantiationDependent();
7668
7669 // All the potentially captureable variables in the current nested
7670 // lambda (within a generic outer lambda), must be captured by an
7671 // outer lambda that is enclosed within a non-dependent context.
7672 CurrentLSI->visitPotentialCaptures([&](ValueDecl *Var, Expr *VarExpr) {
7673 // If the variable is clearly identified as non-odr-used and the full
7674 // expression is not instantiation dependent, only then do we not
7675 // need to check enclosing lambda's for speculative captures.
7676 // For e.g.:
7677 // Even though 'x' is not odr-used, it should be captured.
7678 // int test() {
7679 // const int x = 10;
7680 // auto L = [=](auto a) {
7681 // (void) +x + a;
7682 // };
7683 // }
7684 if (CurrentLSI->isVariableExprMarkedAsNonODRUsed(VarExpr) &&
7685 !IsFullExprInstantiationDependent)
7686 return;
7687
7688 VarDecl *UnderlyingVar = Var->getPotentiallyDecomposedVarDecl();
7689 if (!UnderlyingVar)
7690 return;
7691
7692 // If we have a capture-capable lambda for the variable, go ahead and
7693 // capture the variable in that lambda (and all its enclosing lambdas).
7694 if (const UnsignedOrNone Index =
7696 S.FunctionScopes, Var, S))
7697 S.MarkCaptureUsedInEnclosingContext(Var, VarExpr->getExprLoc(), *Index);
7698 const bool IsVarNeverAConstantExpression =
7700 if (!IsFullExprInstantiationDependent || IsVarNeverAConstantExpression) {
7701 // This full expression is not instantiation dependent or the variable
7702 // can not be used in a constant expression - which means
7703 // this variable must be odr-used here, so diagnose a
7704 // capture violation early, if the variable is un-captureable.
7705 // This is purely for diagnosing errors early. Otherwise, this
7706 // error would get diagnosed when the lambda becomes capture ready.
7707 QualType CaptureType, DeclRefType;
7708 SourceLocation ExprLoc = VarExpr->getExprLoc();
7709 if (S.tryCaptureVariable(Var, ExprLoc, TryCaptureKind::Implicit,
7710 /*EllipsisLoc*/ SourceLocation(),
7711 /*BuildAndDiagnose*/ false, CaptureType,
7712 DeclRefType, nullptr)) {
7713 // We will never be able to capture this variable, and we need
7714 // to be able to in any and all instantiations, so diagnose it.
7716 /*EllipsisLoc*/ SourceLocation(),
7717 /*BuildAndDiagnose*/ true, CaptureType,
7718 DeclRefType, nullptr);
7719 }
7720 }
7721 });
7722
7723 // Check if 'this' needs to be captured.
7724 if (CurrentLSI->hasPotentialThisCapture()) {
7725 // If we have a capture-capable lambda for 'this', go ahead and capture
7726 // 'this' in that lambda (and all its enclosing lambdas).
7727 if (const UnsignedOrNone Index =
7729 S.FunctionScopes, /*0 is 'this'*/ nullptr, S)) {
7730 const unsigned FunctionScopeIndexOfCapturableLambda = *Index;
7732 /*Explicit*/ false, /*BuildAndDiagnose*/ true,
7733 &FunctionScopeIndexOfCapturableLambda);
7734 }
7735 }
7736
7737 // Reset all the potential captures at the end of each full-expression.
7738 CurrentLSI->clearPotentialCaptures();
7739}
7740
7742 bool DiscardedValue, bool IsConstexpr,
7743 bool IsTemplateArgument) {
7744 ExprResult FullExpr = FE;
7745
7746 if (!FullExpr.get())
7747 return ExprError();
7748
7749 if (!IsTemplateArgument && DiagnoseUnexpandedParameterPack(FullExpr.get()))
7750 return ExprError();
7751
7752 if (DiscardedValue) {
7753 // Top-level expressions default to 'id' when we're in a debugger.
7754 if (getLangOpts().DebuggerCastResultToId &&
7755 FullExpr.get()->getType() == Context.UnknownAnyTy) {
7756 FullExpr = forceUnknownAnyToType(FullExpr.get(), Context.getObjCIdType());
7757 if (FullExpr.isInvalid())
7758 return ExprError();
7759 }
7760
7762 if (FullExpr.isInvalid())
7763 return ExprError();
7764
7766 if (FullExpr.isInvalid())
7767 return ExprError();
7768
7769 DiagnoseUnusedExprResult(FullExpr.get(), diag::warn_unused_expr);
7770 }
7771
7772 if (FullExpr.isInvalid())
7773 return ExprError();
7774
7775 CheckCompletedExpr(FullExpr.get(), CC, IsConstexpr);
7776
7777 // At the end of this full expression (which could be a deeply nested
7778 // lambda), if there is a potential capture within the nested lambda,
7779 // have the outer capture-able lambda try and capture it.
7780 // Consider the following code:
7781 // void f(int, int);
7782 // void f(const int&, double);
7783 // void foo() {
7784 // const int x = 10, y = 20;
7785 // auto L = [=](auto a) {
7786 // auto M = [=](auto b) {
7787 // f(x, b); <-- requires x to be captured by L and M
7788 // f(y, a); <-- requires y to be captured by L, but not all Ms
7789 // };
7790 // };
7791 // }
7792
7793 // FIXME: Also consider what happens for something like this that involves
7794 // the gnu-extension statement-expressions or even lambda-init-captures:
7795 // void f() {
7796 // const int n = 0;
7797 // auto L = [&](auto a) {
7798 // +n + ({ 0; a; });
7799 // };
7800 // }
7801 //
7802 // Here, we see +n, and then the full-expression 0; ends, so we don't
7803 // capture n (and instead remove it from our list of potential captures),
7804 // and then the full-expression +n + ({ 0; }); ends, but it's too late
7805 // for us to see that we need to capture n after all.
7806
7807 LambdaScopeInfo *const CurrentLSI =
7808 getCurLambda(/*IgnoreCapturedRegions=*/true);
7809 // FIXME: PR 17877 showed that getCurLambda() can return a valid pointer
7810 // even if CurContext is not a lambda call operator. Refer to that Bug Report
7811 // for an example of the code that might cause this asynchrony.
7812 // By ensuring we are in the context of a lambda's call operator
7813 // we can fix the bug (we only need to check whether we need to capture
7814 // if we are within a lambda's body); but per the comments in that
7815 // PR, a proper fix would entail :
7816 // "Alternative suggestion:
7817 // - Add to Sema an integer holding the smallest (outermost) scope
7818 // index that we are *lexically* within, and save/restore/set to
7819 // FunctionScopes.size() in InstantiatingTemplate's
7820 // constructor/destructor.
7821 // - Teach the handful of places that iterate over FunctionScopes to
7822 // stop at the outermost enclosing lexical scope."
7823 DeclContext *DC = CurContext;
7824 while (isa_and_nonnull<CapturedDecl>(DC))
7825 DC = DC->getParent();
7826 const bool IsInLambdaDeclContext = isLambdaCallOperator(DC);
7827 if (IsInLambdaDeclContext && CurrentLSI &&
7828 CurrentLSI->hasPotentialCaptures() && !FullExpr.isInvalid())
7830 *this);
7832}
7833
7835 if (!FullStmt) return StmtError();
7836
7837 return MaybeCreateStmtWithCleanups(FullStmt);
7838}
7839
7842 const DeclarationNameInfo &TargetNameInfo) {
7843 DeclarationName TargetName = TargetNameInfo.getName();
7844 if (!TargetName)
7846
7847 // If the name itself is dependent, then the result is dependent.
7848 if (TargetName.isDependentName())
7850
7851 // Do the redeclaration lookup in the current scope.
7852 LookupResult R(*this, TargetNameInfo, Sema::LookupAnyName,
7854 LookupParsedName(R, S, &SS, /*ObjectType=*/QualType());
7855 R.suppressDiagnostics();
7856
7857 switch (R.getResultKind()) {
7863
7866
7869 }
7870
7871 llvm_unreachable("Invalid LookupResult Kind!");
7872}
7873
7875 SourceLocation KeywordLoc,
7876 bool IsIfExists,
7877 CXXScopeSpec &SS,
7878 UnqualifiedId &Name) {
7879 DeclarationNameInfo TargetNameInfo = GetNameFromUnqualifiedId(Name);
7880
7881 // Check for an unexpanded parameter pack.
7882 auto UPPC = IsIfExists ? UPPC_IfExists : UPPC_IfNotExists;
7883 if (DiagnoseUnexpandedParameterPack(SS, UPPC) ||
7884 DiagnoseUnexpandedParameterPack(TargetNameInfo, UPPC))
7885 return IfExistsResult::Error;
7886
7887 return CheckMicrosoftIfExistsSymbol(S, SS, TargetNameInfo);
7888}
7889
7891 return BuildExprRequirement(E, /*IsSimple=*/true,
7892 /*NoexceptLoc=*/SourceLocation(),
7893 /*ReturnTypeRequirement=*/{});
7894}
7895
7897 SourceLocation TypenameKWLoc, CXXScopeSpec &SS, SourceLocation NameLoc,
7898 const IdentifierInfo *TypeName, TemplateIdAnnotation *TemplateId) {
7899 assert(((!TypeName && TemplateId) || (TypeName && !TemplateId)) &&
7900 "Exactly one of TypeName and TemplateId must be specified.");
7901 TypeSourceInfo *TSI = nullptr;
7902 if (TypeName) {
7903 QualType T =
7905 SS.getWithLocInContext(Context), *TypeName, NameLoc,
7906 &TSI, /*DeducedTSTContext=*/false);
7907 if (T.isNull())
7908 return nullptr;
7909 } else {
7910 ASTTemplateArgsPtr ArgsPtr(TemplateId->getTemplateArgs(),
7911 TemplateId->NumArgs);
7912 TypeResult T = ActOnTypenameType(CurScope, TypenameKWLoc, SS,
7913 TemplateId->TemplateKWLoc,
7914 TemplateId->Template, TemplateId->Name,
7915 TemplateId->TemplateNameLoc,
7916 TemplateId->LAngleLoc, ArgsPtr,
7917 TemplateId->RAngleLoc);
7918 if (T.isInvalid())
7919 return nullptr;
7920 if (GetTypeFromParser(T.get(), &TSI).isNull())
7921 return nullptr;
7922 }
7923 return BuildTypeRequirement(TSI);
7924}
7925
7928 return BuildExprRequirement(E, /*IsSimple=*/false, NoexceptLoc,
7929 /*ReturnTypeRequirement=*/{});
7930}
7931
7934 Expr *E, SourceLocation NoexceptLoc, CXXScopeSpec &SS,
7935 TemplateIdAnnotation *TypeConstraint, unsigned Depth) {
7936 // C++2a [expr.prim.req.compound] p1.3.3
7937 // [..] the expression is deduced against an invented function template
7938 // F [...] F is a void function template with a single type template
7939 // parameter T declared with the constrained-parameter. Form a new
7940 // cv-qualifier-seq cv by taking the union of const and volatile specifiers
7941 // around the constrained-parameter. F has a single parameter whose
7942 // type-specifier is cv T followed by the abstract-declarator. [...]
7943 //
7944 // The cv part is done in the calling function - we get the concept with
7945 // arguments and the abstract declarator with the correct CV qualification and
7946 // have to synthesize T and the single parameter of F.
7947 auto &II = Context.Idents.get("expr-type");
7950 SourceLocation(), Depth,
7951 /*Index=*/0, &II,
7952 /*Typename=*/true,
7953 /*ParameterPack=*/false,
7954 /*HasTypeConstraint=*/true);
7955
7956 if (BuildTypeConstraint(SS, TypeConstraint, TParam,
7957 /*EllipsisLoc=*/SourceLocation(),
7958 /*AllowUnexpandedPack=*/true))
7959 // Just produce a requirement with no type requirements.
7960 return BuildExprRequirement(E, /*IsSimple=*/false, NoexceptLoc, {});
7961
7964 ArrayRef<NamedDecl *>(TParam),
7966 /*RequiresClause=*/nullptr);
7967 return BuildExprRequirement(
7968 E, /*IsSimple=*/false, NoexceptLoc,
7970}
7971
7974 Expr *E, bool IsSimple, SourceLocation NoexceptLoc,
7977 ConceptSpecializationExpr *SubstitutedConstraintExpr = nullptr;
7979 ReturnTypeRequirement.isDependent())
7981 else if (NoexceptLoc.isValid() && canThrow(E) == CanThrowResult::CT_Can)
7983 else if (ReturnTypeRequirement.isSubstitutionFailure())
7985 else if (ReturnTypeRequirement.isTypeConstraint()) {
7986 // C++2a [expr.prim.req]p1.3.3
7987 // The immediately-declared constraint ([temp]) of decltype((E)) shall
7988 // be satisfied.
7990 ReturnTypeRequirement.getTypeConstraintTemplateParameterList();
7991 QualType MatchedType = Context.getReferenceQualifiedType(E);
7993 Args.push_back(TemplateArgument(MatchedType));
7994
7995 auto *Param = cast<TemplateTypeParmDecl>(TPL->getParam(0));
7996
7997 MultiLevelTemplateArgumentList MLTAL(Param, Args, /*Final=*/true);
7998 MLTAL.addOuterRetainedLevels(TPL->getDepth());
7999 const TypeConstraint *TC = Param->getTypeConstraint();
8000 assert(TC && "Type Constraint cannot be null here");
8001 auto *IDC = TC->getImmediatelyDeclaredConstraint();
8002 assert(IDC && "ImmediatelyDeclaredConstraint can't be null here.");
8003 ExprResult Constraint = SubstExpr(IDC, MLTAL);
8004 bool HasError = Constraint.isInvalid();
8005 if (!HasError) {
8006 SubstitutedConstraintExpr =
8008 if (SubstitutedConstraintExpr->getSatisfaction().ContainsErrors)
8009 HasError = true;
8010 }
8011 if (HasError) {
8013 createSubstDiagAt(IDC->getExprLoc(),
8014 [&](llvm::raw_ostream &OS) {
8015 IDC->printPretty(OS, /*Helper=*/nullptr,
8016 getPrintingPolicy());
8017 }),
8018 IsSimple, NoexceptLoc, ReturnTypeRequirement);
8019 }
8020 if (!SubstitutedConstraintExpr->isSatisfied())
8022 }
8023 return new (Context) concepts::ExprRequirement(E, IsSimple, NoexceptLoc,
8024 ReturnTypeRequirement, Status,
8025 SubstitutedConstraintExpr);
8026}
8027
8030 concepts::Requirement::SubstitutionDiagnostic *ExprSubstitutionDiagnostic,
8031 bool IsSimple, SourceLocation NoexceptLoc,
8033 return new (Context) concepts::ExprRequirement(ExprSubstitutionDiagnostic,
8034 IsSimple, NoexceptLoc,
8035 ReturnTypeRequirement);
8036}
8037
8042
8048
8052
8055 ConstraintSatisfaction Satisfaction;
8057 if (!Constraint->isInstantiationDependent() &&
8058 !Constraint->isValueDependent() &&
8060 /*TemplateArgs=*/{},
8061 Constraint->getSourceRange(), Satisfaction))
8062 return nullptr;
8063 return new (Context) concepts::NestedRequirement(Context, Constraint,
8064 Satisfaction);
8065}
8066
8068Sema::BuildNestedRequirement(StringRef InvalidConstraintEntity,
8069 const ASTConstraintSatisfaction &Satisfaction) {
8071 InvalidConstraintEntity,
8073}
8074
8077 ArrayRef<ParmVarDecl *> LocalParameters,
8078 Scope *BodyScope) {
8079 assert(BodyScope);
8080
8082 RequiresKWLoc);
8083
8084 PushDeclContext(BodyScope, Body);
8085
8086 for (ParmVarDecl *Param : LocalParameters) {
8087 if (Param->getType()->isVoidType()) {
8088 if (LocalParameters.size() > 1) {
8089 Diag(Param->getBeginLoc(), diag::err_void_only_param);
8090 Param->setType(Context.IntTy);
8091 } else if (Param->getIdentifier()) {
8092 Diag(Param->getBeginLoc(), diag::err_param_with_void_type);
8093 Param->setType(Context.IntTy);
8094 } else if (Param->getType().hasQualifiers()) {
8095 Diag(Param->getBeginLoc(), diag::err_void_param_qualified);
8096 }
8097 } else if (Param->hasDefaultArg()) {
8098 // C++2a [expr.prim.req] p4
8099 // [...] A local parameter of a requires-expression shall not have a
8100 // default argument. [...]
8101 Diag(Param->getDefaultArgRange().getBegin(),
8102 diag::err_requires_expr_local_parameter_default_argument);
8103 // Ignore default argument and move on
8104 } else if (Param->isExplicitObjectParameter()) {
8105 // C++23 [dcl.fct]p6:
8106 // An explicit-object-parameter-declaration is a parameter-declaration
8107 // with a this specifier. An explicit-object-parameter-declaration
8108 // shall appear only as the first parameter-declaration of a
8109 // parameter-declaration-list of either:
8110 // - a member-declarator that declares a member function, or
8111 // - a lambda-declarator.
8112 //
8113 // The parameter-declaration-list of a requires-expression is not such
8114 // a context.
8115 Diag(Param->getExplicitObjectParamThisLoc(),
8116 diag::err_requires_expr_explicit_object_parameter);
8117 Param->setExplicitObjectParameterLoc(SourceLocation());
8118 }
8119
8120 Param->setDeclContext(Body);
8121 // If this has an identifier, add it to the scope stack.
8122 if (Param->getIdentifier()) {
8123 CheckShadow(BodyScope, Param);
8124 PushOnScopeChains(Param, BodyScope);
8125 }
8126 }
8127 return Body;
8128}
8129
8131 assert(CurContext && "DeclContext imbalance!");
8132 CurContext = CurContext->getLexicalParent();
8133 assert(CurContext && "Popped translation unit!");
8134}
8135
8137 SourceLocation RequiresKWLoc, RequiresExprBodyDecl *Body,
8138 SourceLocation LParenLoc, ArrayRef<ParmVarDecl *> LocalParameters,
8139 SourceLocation RParenLoc, ArrayRef<concepts::Requirement *> Requirements,
8140 SourceLocation ClosingBraceLoc) {
8141 auto *RE = RequiresExpr::Create(Context, RequiresKWLoc, Body, LParenLoc,
8142 LocalParameters, RParenLoc, Requirements,
8143 ClosingBraceLoc);
8145 return ExprError();
8146 return RE;
8147}
Defines the clang::ASTContext interface.
This file provides some common utility functions for processing Lambda related AST Constructs.
Defines a function that returns the minimum OS versions supporting C++17's aligned allocation functio...
static bool CanThrow(Expr *E, ASTContext &Ctx)
Definition CFG.cpp:2848
static const char * getPlatformName(Darwin::DarwinPlatformKind Platform, Darwin::DarwinEnvironmentKind Environment)
Definition Darwin.cpp:3721
Defines the C++ Decl subclasses, other than those for templates (found in DeclTemplate....
This file defines the classes used to store parsed information about declaration-specifiers and decla...
Defines the clang::Expr interface and subclasses for C++ expressions.
Defines Expressions and AST nodes for C++2a concepts.
llvm::MachO::Record Record
Definition MachO.h:31
Implements a partial diagnostic that can be emitted anwyhere in a DiagnosticBuilder stream.
Defines the clang::Preprocessor interface.
@ NotForRedeclaration
The lookup is a reference to this name that is not for the purpose of redeclaring the name.
static std::string toString(const clang::SanitizerSet &Sanitizers)
Produce a string containing comma-separated names of sanitizers in Sanitizers set.
This file declares semantic analysis for CUDA constructs.
static bool doesUsualArrayDeleteWantSize(Sema &S, SourceLocation loc, TypeAwareAllocationMode PassType, QualType allocType)
Determine whether a given type is a class for which 'delete[]' would call a member 'operator delete[]...
static void collectPublicBases(CXXRecordDecl *RD, llvm::DenseMap< CXXRecordDecl *, unsigned > &SubobjectsSeen, llvm::SmallPtrSetImpl< CXXRecordDecl * > &VBases, llvm::SetVector< CXXRecordDecl * > &PublicSubobjectsSeen, bool ParentIsPublic)
static bool ConvertForConditional(Sema &Self, ExprResult &E, QualType T)
Perform an "extended" implicit conversion as returned by TryClassUnification.
static void MaybeDecrementCount(Expr *E, llvm::DenseMap< const VarDecl *, int > &RefsMinusAssignments)
static bool CheckDeleteOperator(Sema &S, SourceLocation StartLoc, SourceRange Range, bool Diagnose, CXXRecordDecl *NamingClass, DeclAccessPair Decl, FunctionDecl *Operator)
static void DiagnoseMismatchedNewDelete(Sema &SemaRef, SourceLocation DeleteLoc, const MismatchingNewDeleteDetector &Detector)
static void getUnambiguousPublicSubobjects(CXXRecordDecl *RD, llvm::SmallVectorImpl< CXXRecordDecl * > &Objects)
static bool isLegalArrayNewInitializer(CXXNewInitializationStyle Style, Expr *Init, bool IsCPlusPlus20)
static void CheckIfAnyEnclosingLambdasMustCaptureAnyPotentialCaptures(Expr *const FE, LambdaScopeInfo *const CurrentLSI, Sema &S)
Check if the current lambda has any potential captures that must be captured by any of its enclosing ...
static void getUuidAttrOfType(Sema &SemaRef, QualType QT, llvm::SmallSetVector< const UuidAttr *, 1 > &UuidAttrs)
Grabs __declspec(uuid()) off a type, or returns 0 if we cannot resolve to a single GUID.
DeallocLookupMode
static QualType adjustVectorOrConstantMatrixType(ASTContext &Context, QualType FromTy, QualType ToType, QualType *ElTy=nullptr)
static QualType adjustCVQualifiersForCXXThisWithinLambda(ArrayRef< FunctionScopeInfo * > FunctionScopes, QualType ThisTy, DeclContext *CurSemaContext, ASTContext &ASTCtx)
static bool resolveAllocationOverloadInterior(Sema &S, LookupResult &R, SourceRange Range, ResolveMode Mode, SmallVectorImpl< Expr * > &Args, AlignedAllocationMode &PassAlignment, FunctionDecl *&Operator, OverloadCandidateSet *AlignedCandidates, Expr *AlignArg, bool Diagnose)
static bool FindConditionalOverload(Sema &Self, ExprResult &LHS, ExprResult &RHS, SourceLocation QuestionLoc)
Try to find a common type for two according to C++0x 5.16p5.
static bool TryClassUnification(Sema &Self, Expr *From, Expr *To, SourceLocation QuestionLoc, bool &HaveConversion, QualType &ToType)
Try to convert a type to another according to C++11 5.16p3.
static bool resolveAllocationOverload(Sema &S, LookupResult &R, SourceRange Range, SmallVectorImpl< Expr * > &Args, ImplicitAllocationParameters &IAP, FunctionDecl *&Operator, OverloadCandidateSet *AlignedCandidates, Expr *AlignArg, bool Diagnose)
static UsualDeallocFnInfo resolveDeallocationOverload(Sema &S, LookupResult &R, const ImplicitDeallocationParameters &IDP, SourceLocation Loc, llvm::SmallVectorImpl< UsualDeallocFnInfo > *BestFns=nullptr)
Select the correct "usual" deallocation function to use from a selection of deallocation functions (e...
static bool hasNewExtendedAlignment(Sema &S, QualType AllocType)
Determine whether a type has new-extended alignment.
static ExprResult BuildCXXCastArgument(Sema &S, SourceLocation CastLoc, QualType Ty, CastKind Kind, CXXMethodDecl *Method, DeclAccessPair FoundDecl, bool HadMultipleCandidates, Expr *From)
ResolveMode
static bool VariableCanNeverBeAConstantExpression(VarDecl *Var, ASTContext &Context)
static bool canRecoverDotPseudoDestructorCallsOnPointerObjects(Sema &SemaRef, QualType DestructedType)
Check if it's ok to try and recover dot pseudo destructor calls on pointer objects.
static bool CheckArrow(Sema &S, QualType &ObjectType, Expr *&Base, tok::TokenKind &OpKind, SourceLocation OpLoc)
static bool resolveBuiltinNewDeleteOverload(Sema &S, CallExpr *TheCall, bool IsDelete, FunctionDecl *&Operator)
static bool isValidVectorForConditionalCondition(ASTContext &Ctx, QualType CondTy)
static void LookupGlobalDeallocationFunctions(Sema &S, SourceLocation Loc, LookupResult &FoundDelete, DeallocLookupMode Mode, DeclarationName Name)
static void noteOperatorArrows(Sema &S, ArrayRef< FunctionDecl * > OperatorArrows)
Note a set of 'operator->' functions that were used for a member access.
static void buildLambdaThisCaptureFixit(Sema &Sema, LambdaScopeInfo *LSI)
static bool checkIncompatibleOBTConversion(Sema &S, QualType FromType, QualType ToType, Expr *From)
Check if an integral conversion involves incompatible overflow behavior types.
static bool isNonPlacementDeallocationFunction(Sema &S, FunctionDecl *FD)
Determine whether the given function is a non-placement deallocation function.
This file declares semantic analysis for HLSL constructs.
This file provides some common utility functions for processing Lambdas.
This file declares semantic analysis for Objective-C.
This file declares semantic analysis functions specific to PowerPC.
static QualType getPointeeType(const MemRegion *R)
Defines the clang::TokenKind enum and support functions.
Defines the clang::TypeLoc interface and its subclasses.
C Language Family Type Representation.
a trap message and trap category.
Holds long-lived AST nodes (such as types and decls) that can be referred to throughout the semantic ...
Definition ASTContext.h:226
TranslationUnitDecl * getTranslationUnitDecl() const
DeclarationNameTable DeclarationNames
Definition ASTContext.h:802
QualType getPointerType(QualType T) const
Return the uniqued reference to the type for a pointer to the specified type.
QualType getConstantArrayType(QualType EltTy, const llvm::APInt &ArySize, const Expr *SizeExpr, ArraySizeModifier ASM, unsigned IndexTypeQuals) const
Return the unique reference to the type for a constant array of the specified element type.
const LangOptions & getLangOpts() const
Definition ASTContext.h:952
QualType getBaseElementType(const ArrayType *VAT) const
Return the innermost element type of an array type.
QualType getQualifiedType(SplitQualType split) const
Un-split a SplitQualType.
QualType getObjCObjectPointerType(QualType OIT) const
Return a ObjCObjectPointerType type for the given ObjCObjectType.
unsigned getTypeAlignIfKnown(QualType T, bool NeedsPreferredAlignment=false) const
Return the alignment of a type, in bits, or 0 if the type is incomplete and we cannot determine the a...
QualType getMemberPointerType(QualType T, NestedNameSpecifier Qualifier, const CXXRecordDecl *Cls) const
Return the uniqued reference to the type for a member pointer to the specified type in the specified ...
QualType getSizeType() const
Return the unique type for "size_t" (C99 7.17), defined in <stddef.h>.
const TargetInfo & getTargetInfo() const
Definition ASTContext.h:917
CanQualType getCanonicalTagType(const TagDecl *TD) const
static bool hasSameUnqualifiedType(QualType T1, QualType T2)
Determine whether the given types are equivalent after cvr-qualifiers have been removed.
QualType getIncompleteArrayType(QualType EltTy, ArraySizeModifier ASM, unsigned IndexTypeQuals) const
Return a unique reference to the type for an incomplete array of the specified element type.
PtrTy get() const
Definition Ownership.h:171
bool isInvalid() const
Definition Ownership.h:167
Represents a constant array type that does not decay to a pointer when used as a function parameter.
Definition TypeBase.h:3942
QualType getConstantArrayType(const ASTContext &Ctx) const
Definition Type.cpp:281
Represents an array type, per C99 6.7.5.2 - Array Declarators.
Definition TypeBase.h:3772
QualType getElementType() const
Definition TypeBase.h:3784
QualType getValueType() const
Gets the type contained by this atomic type, i.e.
Definition TypeBase.h:8230
Attr - This represents one attribute.
Definition Attr.h:46
A builtin binary operation expression such as "x + y" or "x <= y".
Definition Expr.h:4041
static BinaryOperator * Create(const ASTContext &C, Expr *lhs, Expr *rhs, Opcode opc, QualType ResTy, ExprValueKind VK, ExprObjectKind OK, SourceLocation opLoc, FPOptionsOverride FPFeatures)
Definition Expr.cpp:5094
Pointer to a block type.
Definition TypeBase.h:3592
This class is used for builtin types like 'int'.
Definition TypeBase.h:3214
Represents a base class of a C++ class.
Definition DeclCXX.h:146
Represents binding an expression to a temporary.
Definition ExprCXX.h:1497
static CXXBindTemporaryExpr * Create(const ASTContext &C, CXXTemporary *Temp, Expr *SubExpr)
Definition ExprCXX.cpp:1120
const Expr * getSubExpr() const
Definition ExprCXX.h:1519
A boolean literal, per ([C++ lex.bool] Boolean literals).
Definition ExprCXX.h:727
Represents a call to a C++ constructor.
Definition ExprCXX.h:1552
Represents a C++ constructor within a class.
Definition DeclCXX.h:2624
Represents a C++ conversion function within a class.
Definition DeclCXX.h:2959
FieldDecl * getMember() const
If this is a member initializer, returns the declaration of the non-static data member being initiali...
Definition DeclCXX.h:2529
Expr * getInit() const
Get the initializer.
Definition DeclCXX.h:2591
Represents a delete expression for memory deallocation and destructor calls, e.g.
Definition ExprCXX.h:2630
bool isArrayForm() const
Definition ExprCXX.h:2656
SourceLocation getBeginLoc() const
Definition ExprCXX.h:2680
Represents a C++ destructor within a class.
Definition DeclCXX.h:2889
static CXXFunctionalCastExpr * Create(const ASTContext &Context, QualType T, ExprValueKind VK, TypeSourceInfo *Written, CastKind Kind, Expr *Op, const CXXCastPath *Path, FPOptionsOverride FPO, SourceLocation LPLoc, SourceLocation RPLoc)
Definition ExprCXX.cpp:920
Represents a static or instance method of a struct/union/class.
Definition DeclCXX.h:2136
bool isVirtual() const
Definition DeclCXX.h:2191
const CXXRecordDecl * getParent() const
Return the parent of this method declaration, which is the class in which this method is defined.
Definition DeclCXX.h:2275
QualType getFunctionObjectParameterType() const
Definition DeclCXX.h:2299
bool isConst() const
Definition DeclCXX.h:2188
static CXXNewExpr * Create(const ASTContext &Ctx, bool IsGlobalNew, FunctionDecl *OperatorNew, FunctionDecl *OperatorDelete, const ImplicitAllocationParameters &IAP, bool UsualArrayDeleteWantsSize, ArrayRef< Expr * > PlacementArgs, SourceRange TypeIdParens, std::optional< Expr * > ArraySize, CXXNewInitializationStyle InitializationStyle, Expr *Initializer, QualType Ty, TypeSourceInfo *AllocatedTypeInfo, SourceRange Range, SourceRange DirectInitRange)
Create a c++ new expression.
Definition ExprCXX.cpp:293
Represents a C++11 noexcept expression (C++ [expr.unary.noexcept]).
Definition ExprCXX.h:4309
The null pointer literal (C++11 [lex.nullptr])
Definition ExprCXX.h:772
A call to an overloaded operator written using operator syntax.
Definition ExprCXX.h:85
Represents a C++ pseudo-destructor (C++ [expr.pseudo]).
Definition ExprCXX.h:2749
Represents a C++ struct/union/class.
Definition DeclCXX.h:258
static CXXRecordDecl * Create(const ASTContext &C, TagKind TK, DeclContext *DC, SourceLocation StartLoc, SourceLocation IdLoc, IdentifierInfo *Id, CXXRecordDecl *PrevDecl=nullptr)
Definition DeclCXX.cpp:132
base_class_range bases()
Definition DeclCXX.h:608
bool isPolymorphic() const
Whether this class is polymorphic (C++ [class.virtual]), which means that the class contains or inher...
Definition DeclCXX.h:1214
capture_const_range captures() const
Definition DeclCXX.h:1097
ctor_range ctors() const
Definition DeclCXX.h:670
bool isAbstract() const
Determine whether this class has a pure virtual function.
Definition DeclCXX.h:1221
bool hasIrrelevantDestructor() const
Determine whether this class has a destructor which has no semantic effect.
Definition DeclCXX.h:1408
bool hasDefinition() const
Definition DeclCXX.h:561
CXXDestructorDecl * getDestructor() const
Returns the destructor decl for this class.
Definition DeclCXX.cpp:2131
CXXMethodDecl * getLambdaCallOperator() const
Retrieve the lambda call operator of the closure type if this is a closure type.
Definition DeclCXX.cpp:1742
An expression "T()" which creates an rvalue of a non-class type T.
Definition ExprCXX.h:2200
Represents a C++ nested-name-specifier or a global scope specifier.
Definition DeclSpec.h:74
bool isNotEmpty() const
A scope specifier is present, but may be valid or invalid.
Definition DeclSpec.h:181
SourceLocation getLastQualifierNameLoc() const
Retrieve the location of the name in the last qualifier in this nested name specifier.
Definition DeclSpec.cpp:116
SourceLocation getEndLoc() const
Definition DeclSpec.h:85
SourceRange getRange() const
Definition DeclSpec.h:80
bool isSet() const
Deprecated.
Definition DeclSpec.h:199
NestedNameSpecifier getScopeRep() const
Retrieve the representation of the nested-name-specifier.
Definition DeclSpec.h:95
NestedNameSpecifierLoc getWithLocInContext(ASTContext &Context) const
Retrieve a nested-name-specifier with location information, copied into the given AST context.
Definition DeclSpec.cpp:123
bool isInvalid() const
An error occurred during parsing of the scope specifier.
Definition DeclSpec.h:184
void Adopt(NestedNameSpecifierLoc Other)
Adopt an existing nested-name-specifier (with source-range information).
Definition DeclSpec.cpp:103
Represents a C++ temporary.
Definition ExprCXX.h:1463
void setDestructor(const CXXDestructorDecl *Dtor)
Definition ExprCXX.h:1476
static CXXTemporary * Create(const ASTContext &C, const CXXDestructorDecl *Destructor)
Definition ExprCXX.cpp:1115
Represents the this expression in C++.
Definition ExprCXX.h:1158
static CXXThisExpr * Create(const ASTContext &Ctx, SourceLocation L, QualType Ty, bool IsImplicit)
Definition ExprCXX.cpp:1587
A C++ throw-expression (C++ [except.throw]).
Definition ExprCXX.h:1212
A C++ typeid expression (C++ [expr.typeid]), which gets the type_info that corresponds to the supplie...
Definition ExprCXX.h:852
static CXXUnresolvedConstructExpr * Create(const ASTContext &Context, QualType T, TypeSourceInfo *TSI, SourceLocation LParenLoc, ArrayRef< Expr * > Args, SourceLocation RParenLoc, bool IsListInit)
Definition ExprCXX.cpp:1490
A Microsoft C++ __uuidof expression, which gets the _GUID that corresponds to the supplied type or ex...
Definition ExprCXX.h:1072
CallExpr - Represents a function call (C99 6.5.2.2, C++ [expr.call]).
Definition Expr.h:2946
Expr * getArg(unsigned Arg)
getArg - Return the specified argument.
Definition Expr.h:3150
SourceLocation getBeginLoc() const
Definition Expr.h:3280
void setArg(unsigned Arg, Expr *ArgExpr)
setArg - Set the specified argument.
Definition Expr.h:3163
Expr * getCallee()
Definition Expr.h:3093
unsigned getNumArgs() const
getNumArgs - Return the number of actual arguments to this call.
Definition Expr.h:3137
arg_range arguments()
Definition Expr.h:3198
Decl * getCalleeDecl()
Definition Expr.h:3123
CharUnits - This is an opaque type for sizes expressed in character units.
Definition CharUnits.h:38
QuantityType getQuantity() const
getQuantity - Get the raw integer representation of this quantity.
Definition CharUnits.h:185
Declaration of a class template.
Complex values, per C99 6.2.5p11.
Definition TypeBase.h:3325
CompoundStmt - This represents a group of statements like { stmt stmt }.
Definition Stmt.h:1746
static CompoundStmt * Create(const ASTContext &C, ArrayRef< Stmt * > Stmts, FPOptionsOverride FPFeatures, SourceLocation LB, SourceLocation RB)
Definition Stmt.cpp:399
Represents the specialization of a concept - evaluates to a prvalue of type bool.
bool isSatisfied() const
Whether or not the concept with the given arguments was satisfied when the expression was created.
const ASTConstraintSatisfaction & getSatisfaction() const
Get elaborated satisfaction info about the template arguments' satisfaction of the named concept.
Represents the canonical version of C arrays with a specified constant size.
Definition TypeBase.h:3810
static unsigned getNumAddressingBits(const ASTContext &Context, QualType ElementType, const llvm::APInt &NumElements)
Determine the number of bits required to address a member of.
Definition Type.cpp:216
static unsigned getMaxSizeBits(const ASTContext &Context)
Determine the maximum number of active bits that an array's size can require, which limits the maximu...
Definition Type.cpp:256
Represents a concrete matrix type with constant number of rows and columns.
Definition TypeBase.h:4437
The result of a constraint satisfaction check, containing the necessary information to diagnose an un...
Definition ASTConcept.h:47
A POD class for pairing a NamedDecl* with an access specifier.
static DeclAccessPair make(NamedDecl *D, AccessSpecifier AS)
DeclContext - This is used only as base class of specific decl types that can act as declaration cont...
Definition DeclBase.h:1462
DeclContext * getParent()
getParent - Returns the containing DeclContext.
Definition DeclBase.h:2122
lookup_result::iterator lookup_iterator
Definition DeclBase.h:2591
DeclContextLookupResult lookup_result
Definition DeclBase.h:2590
bool isDependentContext() const
Determines whether this context is dependent on a template parameter.
lookup_result lookup(DeclarationName Name) const
lookup - Find the declarations (if any) with the given Name in this context.
bool isRecord() const
Definition DeclBase.h:2202
void addDecl(Decl *D)
Add the declaration D into this context.
A reference to a declared variable, function, enum, etc.
Definition Expr.h:1273
ValueDecl * getDecl()
Definition Expr.h:1341
Captures information about "declaration specifiers".
Definition DeclSpec.h:218
bool hasAutoTypeSpec() const
Definition DeclSpec.h:578
Expr * getPackIndexingExpr() const
Definition DeclSpec.h:543
TST getTypeSpecType() const
Definition DeclSpec.h:520
SourceLocation getBeginLoc() const LLVM_READONLY
Definition DeclSpec.h:558
static const TST TST_typename_pack_indexing
Definition DeclSpec.h:284
ParsedType getRepAsType() const
Definition DeclSpec.h:530
SourceLocation getEllipsisLoc() const
Definition DeclSpec.h:607
Expr * getRepAsExpr() const
Definition DeclSpec.h:538
static const TST TST_decltype
Definition DeclSpec.h:282
SourceLocation getTypeSpecTypeLoc() const
Definition DeclSpec.h:565
static const TST TST_decltype_auto
Definition DeclSpec.h:283
static const TST TST_error
Definition DeclSpec.h:299
SourceRange getTypeofParensRange() const
Definition DeclSpec.h:575
Decl - This represents one declaration (or definition), e.g.
Definition DeclBase.h:86
bool isImplicit() const
isImplicit - Indicates whether the declaration was implicitly generated by the implementation.
Definition DeclBase.h:601
void setInvalidDecl(bool Invalid=true)
setInvalidDecl - Indicates the Decl had a semantic error.
Definition DeclBase.cpp:178
FunctionDecl * getAsFunction() LLVM_READONLY
Returns the function itself, or the templated function if this is a function template.
Definition DeclBase.cpp:273
bool isInvalidDecl() const
Definition DeclBase.h:596
SourceLocation getLocation() const
Definition DeclBase.h:447
void setLocalOwningModule(Module *M)
Definition DeclBase.h:837
void setImplicit(bool I=true)
Definition DeclBase.h:602
DeclContext * getDeclContext()
Definition DeclBase.h:456
bool hasAttr() const
Definition DeclBase.h:585
@ ReachableWhenImported
This declaration has an owning module, and is visible to lookups that occurs within that module.
Definition DeclBase.h:242
void setModuleOwnershipKind(ModuleOwnershipKind MOK)
Set whether this declaration is hidden from name lookup.
Definition DeclBase.h:894
DeclarationName getCXXOperatorName(OverloadedOperatorKind Op)
Get the name of the overloadable C++ operator corresponding to Op.
The name of a declaration.
bool isDependentName() const
Determines whether the name itself is dependent, e.g., because it involves a C++ type that is itself ...
bool isAnyOperatorDelete() const
SourceLocation getBeginLoc() const LLVM_READONLY
Definition Decl.h:831
Information about one declarator, including the parsed type information and the identifier.
Definition DeclSpec.h:1921
const DeclaratorChunk & getTypeObject(unsigned i) const
Return the specified TypeInfo from this declarator.
Definition DeclSpec.h:2419
const DeclSpec & getDeclSpec() const
getDeclSpec - Return the declaration-specifier that this declarator was declared with.
Definition DeclSpec.h:2068
SourceLocation getEndLoc() const LLVM_READONLY
Definition DeclSpec.h:2105
void DropFirstTypeObject()
Definition DeclSpec.h:2436
unsigned getNumTypeObjects() const
Return the number of types applied to this declarator.
Definition DeclSpec.h:2415
bool isInvalidType() const
Definition DeclSpec.h:2735
SourceRange getSourceRange() const LLVM_READONLY
Get the source range that spans this declarator.
Definition DeclSpec.h:2103
void setRParenLoc(SourceLocation Loc)
Definition TypeLoc.h:2291
void setDecltypeLoc(SourceLocation Loc)
Definition TypeLoc.h:2288
A little helper class (which is basically a smart pointer that forwards info from DiagnosticsEngine a...
DiagnosticOptions & getDiagnosticOptions() const
Retrieve the diagnostic options.
Definition Diagnostic.h:603
Represents an enum.
Definition Decl.h:4028
bool isComplete() const
Returns true if this can be considered a complete type.
Definition Decl.h:4260
static EnumDecl * Create(ASTContext &C, DeclContext *DC, SourceLocation StartLoc, SourceLocation IdLoc, IdentifierInfo *Id, EnumDecl *PrevDecl, bool IsScoped, bool IsScopedUsingClassTag, bool IsFixed)
Definition Decl.cpp:5076
bool isFixed() const
Returns true if this is an Objective-C, C++11, or Microsoft-style enumeration with a fixed underlying...
Definition Decl.h:4255
static ExprWithCleanups * Create(const ASTContext &C, EmptyShell empty, unsigned numObjects)
Definition ExprCXX.cpp:1466
bool isLValue() const
Definition Expr.h:390
bool isRValue() const
Definition Expr.h:394
This represents one expression.
Definition Expr.h:112
bool isReadIfDiscardedInCPlusPlus11() const
Determine whether an lvalue-to-rvalue conversion should implicitly be applied to this expression if i...
Definition Expr.cpp:2565
bool isGLValue() const
Definition Expr.h:287
void setType(QualType t)
Definition Expr.h:145
bool isValueDependent() const
Determines whether the value of this expression depends on.
Definition Expr.h:177
ExprValueKind getValueKind() const
getValueKind - The value kind that this expression produces.
Definition Expr.h:447
bool refersToVectorElement() const
Returns whether this expression refers to a vector element.
Definition Expr.cpp:4283
bool isTypeDependent() const
Determines whether the type of this expression depends on.
Definition Expr.h:194
Expr * IgnoreParenImpCasts() LLVM_READONLY
Skip past any parentheses and implicit casts which might surround this expression until reaching a fi...
Definition Expr.cpp:3090
Expr * IgnoreParens() LLVM_READONLY
Skip past any parentheses which might surround this expression until reaching a fixed point.
Definition Expr.cpp:3086
bool isPRValue() const
Definition Expr.h:285
static bool hasAnyTypeDependentArguments(ArrayRef< Expr * > Exprs)
hasAnyTypeDependentArguments - Determines if any of the expressions in Exprs is type-dependent.
Definition Expr.cpp:3339
@ NPC_ValueDependentIsNull
Specifies that a value-dependent expression of integral or dependent type should be considered a null...
Definition Expr.h:834
ExprObjectKind getObjectKind() const
getObjectKind - The object kind that this expression produces.
Definition Expr.h:454
bool HasSideEffects(const ASTContext &Ctx, bool IncludePossibleEffects=true) const
HasSideEffects - This routine returns true for all those expressions which have any effect other than...
Definition Expr.cpp:3688
bool isInstantiationDependent() const
Whether this expression is instantiation-dependent, meaning that it depends in some way on.
Definition Expr.h:223
NullPointerConstantKind isNullPointerConstant(ASTContext &Ctx, NullPointerConstantValueDependence NPC) const
isNullPointerConstant - C99 6.3.2.3p3 - Test if this reduces down to a Null pointer constant.
Definition Expr.cpp:4068
SourceLocation getExprLoc() const LLVM_READONLY
getExprLoc - Return the preferred location for the arrow when diagnosing a problem with a generic exp...
Definition Expr.cpp:277
bool refersToBitField() const
Returns true if this expression is a gl-value that potentially refers to a bit-field.
Definition Expr.h:479
Classification Classify(ASTContext &Ctx) const
Classify - Classify this expression according to the C++11 expression taxonomy.
Definition Expr.h:415
QualType getType() const
Definition Expr.h:144
bool isOrdinaryOrBitFieldObject() const
Definition Expr.h:458
bool hasPlaceholderType() const
Returns whether this expression has a placeholder type.
Definition Expr.h:526
static ExprValueKind getValueKindForType(QualType T)
getValueKindForType - Given a formal return or parameter type, give its value kind.
Definition Expr.h:437
Represents difference between two FPOptions values.
Annotates a diagnostic with some code that should be inserted, removed, or replaced to fix the proble...
Definition Diagnostic.h:80
static FixItHint CreateReplacement(CharSourceRange RemoveRange, StringRef Code)
Create a code modification hint that replaces the given source range with the given code string.
Definition Diagnostic.h:141
static FixItHint CreateRemoval(CharSourceRange RemoveRange)
Create a code modification hint that removes the given source range.
Definition Diagnostic.h:130
static FixItHint CreateInsertion(SourceLocation InsertionLoc, StringRef Code, bool BeforePreviousInsertions=false)
Create a code modification hint that inserts the given code string at a specific location.
Definition Diagnostic.h:104
FullExpr - Represents a "full-expression" node.
Definition Expr.h:1052
Represents a function declaration or definition.
Definition Decl.h:2015
static constexpr unsigned RequiredTypeAwareDeleteParameterCount
Count of mandatory parameters for type aware operator delete.
Definition Decl.h:2657
static FunctionDecl * Create(ASTContext &C, DeclContext *DC, SourceLocation StartLoc, SourceLocation NLoc, DeclarationName N, QualType T, TypeSourceInfo *TInfo, StorageClass SC, bool UsesFPIntrin=false, bool isInlineSpecified=false, bool hasWrittenPrototype=true, ConstexprSpecKind ConstexprKind=ConstexprSpecKind::Unspecified, const AssociatedConstraint &TrailingRequiresClause={})
Definition Decl.h:2204
const ParmVarDecl * getParamDecl(unsigned i) const
Definition Decl.h:2812
bool isFunctionTemplateSpecialization() const
Determine whether this function is a function template specialization.
Definition Decl.cpp:4207
bool isThisDeclarationADefinition() const
Returns whether this specific declaration of the function is also a definition that does not contain ...
Definition Decl.h:2329
StringLiteral * getDeletedMessage() const
Get the message that indicates why this function was deleted.
Definition Decl.h:2773
QualType getReturnType() const
Definition Decl.h:2860
bool isTrivial() const
Whether this function is "trivial" in some specialized C++ senses.
Definition Decl.h:2392
bool isReplaceableGlobalAllocationFunction(UnsignedOrNone *AlignmentParam=nullptr, bool *IsNothrow=nullptr) const
Determines whether this function is one of the replaceable global allocation functions: void *operato...
Definition Decl.h:2609
bool isDeleted() const
Whether this function has been deleted.
Definition Decl.h:2555
bool isTypeAwareOperatorNewOrDelete() const
Determine whether this is a type aware operator new or delete.
Definition Decl.cpp:3561
SourceRange getSourceRange() const override LLVM_READONLY
Source range that this declaration covers.
Definition Decl.cpp:4551
unsigned getNumParams() const
Return the number of parameters this function must have based on its FunctionType.
Definition Decl.cpp:3828
bool isDefined(const FunctionDecl *&Definition, bool CheckForPendingFriendDefinition=false) const
Returns true if the function has a definition that does not need to be instantiated.
Definition Decl.cpp:3248
Represents a prototype with parameter type info, e.g.
Definition TypeBase.h:5357
QualType getParamType(unsigned i) const
Definition TypeBase.h:5637
Declaration of a template function.
ExtInfo withCallingConv(CallingConv cc) const
Definition TypeBase.h:4776
ExtInfo withNoReturn(bool noReturn) const
Definition TypeBase.h:4735
FunctionType - C99 6.7.5.3 - Function Declarators.
Definition TypeBase.h:4553
One of these records is kept for each identifier that is lexed.
ReservedIdentifierStatus isReserved(const LangOptions &LangOpts) const
Determine whether this is a name reserved for the implementation (C99 7.1.3, C++ [lib....
ReservedLiteralSuffixIdStatus isReservedLiteralSuffixId() const
Determine whether this is a name reserved for future standardization or the implementation (C++ [usrl...
StringRef getName() const
Return the actual identifier string.
ImplicitCastExpr - Allows us to explicitly represent implicit type conversions, which have no direct ...
Definition Expr.h:3856
static ImplicitCastExpr * Create(const ASTContext &Context, QualType T, CastKind Kind, Expr *Operand, const CXXCastPath *BasePath, ExprValueKind Cat, FPOptionsOverride FPO)
Definition Expr.cpp:2073
ImplicitConversionSequence - Represents an implicit conversion sequence, which may be a standard conv...
Definition Overload.h:622
StandardConversionSequence Standard
When ConversionKind == StandardConversion, provides the details of the standard conversion sequence.
Definition Overload.h:673
UserDefinedConversionSequence UserDefined
When ConversionKind == UserDefinedConversion, provides the details of the user-defined conversion seq...
Definition Overload.h:677
void DiagnoseAmbiguousConversion(Sema &S, SourceLocation CaretLoc, const PartialDiagnostic &PDiag) const
Diagnoses an ambiguous conversion.
Describes the kind of initialization being performed, along with location information for tokens rela...
static InitializationKind CreateDefault(SourceLocation InitLoc)
Create a default initialization.
static InitializationKind CreateDirect(SourceLocation InitLoc, SourceLocation LParenLoc, SourceLocation RParenLoc)
Create a direct initialization.
static InitializationKind CreateCopy(SourceLocation InitLoc, SourceLocation EqualLoc, bool AllowExplicitConvs=false)
Create a copy initialization.
static InitializationKind CreateDirectList(SourceLocation InitLoc)
static InitializationKind CreateValue(SourceLocation InitLoc, SourceLocation LParenLoc, SourceLocation RParenLoc, bool isImplicit=false)
Create a value initialization.
Describes the sequence of initializations required to initialize a given object or reference with a s...
ExprResult Perform(Sema &S, const InitializedEntity &Entity, const InitializationKind &Kind, MultiExprArg Args, QualType *ResultType=nullptr)
Perform the actual initialization of the given entity based on the computed initialization sequence.
bool isAmbiguous() const
Determine whether this initialization failed due to an ambiguity.
bool Diagnose(Sema &S, const InitializedEntity &Entity, const InitializationKind &Kind, ArrayRef< Expr * > Args)
Diagnose an potentially-invalid initialization sequence.
bool Failed() const
Determine whether the initialization sequence is invalid.
bool isDirectReferenceBinding() const
Determine whether this initialization is a direct reference binding (C++ [dcl.init....
Describes an entity that is being initialized.
static InitializedEntity InitializeException(SourceLocation ThrowLoc, QualType Type)
Create the initialization entity for an exception object.
static InitializedEntity InitializeTemporary(QualType Type)
Create the initialization entity for a temporary.
static InitializedEntity InitializeNew(SourceLocation NewLoc, QualType Type, NewArrayKind IsVariableLengthArrayNew)
Create the initialization entity for an object allocated via new.
static InitializedEntity InitializeParameter(ASTContext &Context, ParmVarDecl *Parm)
Create the initialization entity for a parameter.
static IntegerLiteral * Create(const ASTContext &C, const llvm::APInt &V, QualType type, SourceLocation l)
Returns a new integer literal with value 'V' and type 'type'.
Definition Expr.cpp:975
static SourceLocation findLocationAfterToken(SourceLocation loc, tok::TokenKind TKind, const SourceManager &SM, const LangOptions &LangOpts, bool SkipTrailingWhitespaceAndNewLine)
Checks that the given token is the first token that occurs after the given location (this excludes co...
Definition Lexer.cpp:1409
A stack-allocated class that identifies which local variable declaration instantiations are present i...
Definition Template.h:371
A class for iterating through a result set and possibly filtering out results.
Definition Lookup.h:677
void erase()
Erase the last element returned from this iterator.
Definition Lookup.h:723
Represents the results of name lookup.
Definition Lookup.h:147
LLVM_ATTRIBUTE_REINITIALIZES void clear()
Clears out any current state.
Definition Lookup.h:607
bool empty() const
Return true if no decls were found.
Definition Lookup.h:362
Filter makeFilter()
Create a filter for this result set.
Definition Lookup.h:751
bool isAmbiguous() const
Definition Lookup.h:324
CXXRecordDecl * getNamingClass() const
Returns the 'naming class' for this lookup, i.e.
Definition Lookup.h:452
UnresolvedSetImpl::iterator iterator
Definition Lookup.h:154
void suppressDiagnostics()
Suppress the diagnostics that would normally fire because of this lookup.
Definition Lookup.h:636
iterator end() const
Definition Lookup.h:359
iterator begin() const
Definition Lookup.h:358
A global _GUID constant.
Definition DeclCXX.h:4414
MSGuidDeclParts Parts
Definition DeclCXX.h:4416
MemberExpr - [C99 6.5.2.3] Structure and Union Members.
Definition Expr.h:3367
ValueDecl * getMemberDecl() const
Retrieve the member declaration to which this expression refers.
Definition Expr.h:3450
A pointer to member type per C++ 8.3.3 - Pointers to members.
Definition TypeBase.h:3703
CXXRecordDecl * getMostRecentCXXRecordDecl() const
Note: this can trigger extra deserialization when external AST sources are used.
Definition Type.cpp:5535
QualType getPointeeType() const
Definition TypeBase.h:3721
Data structure that captures multiple levels of template argument lists for use in template instantia...
Definition Template.h:76
void addOuterRetainedLevels(unsigned Num)
Definition Template.h:266
This represents a decl that may have a name.
Definition Decl.h:274
NamedDecl * getUnderlyingDecl()
Looks through UsingDecls and ObjCCompatibleAliasDecls for the underlying named decl.
Definition Decl.h:487
IdentifierInfo * getIdentifier() const
Get the identifier that names this declaration, if there is one.
Definition Decl.h:295
DeclarationName getDeclName() const
Get the actual, stored name of the declaration, which may be a special name.
Definition Decl.h:340
A C++ nested-name-specifier augmented with source location information.
NamespaceAndPrefixLoc getAsNamespaceAndPrefix() const
Represents a C++ nested name specifier, such as "\::std::vector<int>::".
@ MicrosoftSuper
Microsoft's '__super' specifier, stored as a CXXRecordDecl* of the class it appeared in.
@ Global
The global specifier '::'. There is no stored value.
@ Namespace
A namespace-like entity, stored as a NamespaceBaseDecl*.
ObjCArrayLiteral - used for objective-c array containers; as in: @["Hello", NSApp,...
Definition ExprObjC.h:220
ObjCBoxedExpr - used for generalized expression boxing.
Definition ExprObjC.h:159
ObjCDictionaryLiteral - AST node to represent objective-c dictionary literals; as in:"name" : NSUserN...
Definition ExprObjC.h:342
An expression that sends a message to the given Objective-C object or class.
Definition ExprObjC.h:971
ObjCMethodDecl - Represents an instance or class method declaration.
Definition DeclObjC.h:140
ObjCMethodFamily getMethodFamily() const
Determines the family of this method.
Represents a pointer to an Objective C object.
Definition TypeBase.h:8049
QualType getPointeeType() const
Gets the type pointed to by this ObjC pointer.
Definition TypeBase.h:8061
static OpaquePtr getFromOpaquePtr(void *P)
Definition Ownership.h:92
PtrTy get() const
Definition Ownership.h:81
static OpaquePtr make(QualType P)
Definition Ownership.h:61
OpaqueValueExpr - An expression referring to an opaque object of a fixed type and value class.
Definition Expr.h:1181
OverloadCandidateSet - A set of overload candidates, used in C++ overload resolution (C++ 13....
Definition Overload.h:1160
@ CSK_Normal
Normal lookup.
Definition Overload.h:1164
@ CSK_Operator
C++ [over.match.oper]: Lookup of operator function candidates in a call using operator syntax.
Definition Overload.h:1171
SmallVectorImpl< OverloadCandidate >::iterator iterator
Definition Overload.h:1376
void NoteCandidates(PartialDiagnosticAt PA, Sema &S, OverloadCandidateDisplayKind OCD, ArrayRef< Expr * > Args, StringRef Opc="", SourceLocation Loc=SourceLocation(), llvm::function_ref< bool(OverloadCandidate &)> Filter=[](OverloadCandidate &) { return true;})
When overload resolution fails, prints diagnostic messages containing the candidates in the candidate...
OverloadingResult BestViableFunction(Sema &S, SourceLocation Loc, OverloadCandidateSet::iterator &Best)
Find the best viable function on this overload set, if it exists.
SmallVector< OverloadCandidate *, 32 > CompleteCandidates(Sema &S, OverloadCandidateDisplayKind OCD, ArrayRef< Expr * > Args, SourceLocation OpLoc=SourceLocation(), llvm::function_ref< bool(OverloadCandidate &)> Filter=[](OverloadCandidate &) { return true;})
void setEllipsisLoc(SourceLocation Loc)
Definition TypeLoc.h:2316
ParenExpr - This represents a parenthesized expression, e.g.
Definition Expr.h:2185
Represents a parameter to a function.
Definition Decl.h:1805
static ParmVarDecl * Create(ASTContext &C, DeclContext *DC, SourceLocation StartLoc, SourceLocation IdLoc, const IdentifierInfo *Id, QualType T, TypeSourceInfo *TInfo, StorageClass S, Expr *DefArg)
Definition Decl.cpp:2959
bool isEquivalent(PointerAuthQualifier Other) const
Definition TypeBase.h:301
PointerType - C99 6.7.5.1 - Pointer Declarators.
Definition TypeBase.h:3378
QualType getPointeeType() const
Definition TypeBase.h:3388
Stores the type being destroyed by a pseudo-destructor expression.
Definition ExprCXX.h:2698
TypeSourceInfo * getTypeSourceInfo() const
Definition ExprCXX.h:2714
A (possibly-)qualified type.
Definition TypeBase.h:937
bool isVolatileQualified() const
Determine whether this type is volatile-qualified.
Definition TypeBase.h:8515
QualType getNonLValueExprType(const ASTContext &Context) const
Determine the type of a (typically non-lvalue) expression with the specified result type.
Definition Type.cpp:3630
QualType withConst() const
Definition TypeBase.h:1165
void addConst()
Add the const type qualifier to this QualType.
Definition TypeBase.h:1162
bool isNull() const
Return true if this QualType doesn't point to a type yet.
Definition TypeBase.h:1004
const Type * getTypePtr() const
Retrieves a pointer to the underlying (unqualified) type.
Definition TypeBase.h:8431
LangAS getAddressSpace() const
Return the address space of this type.
Definition TypeBase.h:8557
Qualifiers getQualifiers() const
Retrieve the set of qualifiers applied to this type.
Definition TypeBase.h:8471
Qualifiers::ObjCLifetime getObjCLifetime() const
Returns lifetime attribute of this type.
Definition TypeBase.h:1444
void getAsStringInternal(std::string &Str, const PrintingPolicy &Policy) const
QualType getNonReferenceType() const
If Type is a reference type (e.g., const int&), returns the type that the reference refers to ("const...
Definition TypeBase.h:8616
QualType getCanonicalType() const
Definition TypeBase.h:8483
QualType getUnqualifiedType() const
Retrieve the unqualified variant of the given type, removing as little sugar as possible.
Definition TypeBase.h:8525
bool isWebAssemblyReferenceType() const
Returns true if it is a WebAssembly Reference Type.
Definition Type.cpp:2990
bool isConstQualified() const
Determine whether this type is const-qualified.
Definition TypeBase.h:8504
DestructionKind isDestructedType() const
Returns a nonzero value if objects of this type require non-trivial work to clean up after.
Definition TypeBase.h:1551
unsigned getCVRQualifiers() const
Retrieve the set of CVR (const-volatile-restrict) qualifiers applied to this type.
Definition TypeBase.h:8477
static std::string getAsString(SplitQualType split, const PrintingPolicy &Policy)
Definition TypeBase.h:1338
bool isAtLeastAsQualifiedAs(QualType Other, const ASTContext &Ctx) const
Determine whether this type is at least as qualified as the other given type, requiring exact equalit...
Definition TypeBase.h:8596
The collection of all-type qualifiers we support.
Definition TypeBase.h:331
void removeCVRQualifiers(unsigned mask)
Definition TypeBase.h:495
GC getObjCGCAttr() const
Definition TypeBase.h:519
@ OCL_None
There is no lifetime qualification on this type.
Definition TypeBase.h:350
bool hasCVRQualifiers() const
Definition TypeBase.h:487
bool hasUnaligned() const
Definition TypeBase.h:511
static bool isAddressSpaceSupersetOf(LangAS A, LangAS B, const ASTContext &Ctx)
Returns true if address space A is equal to or a superset of B.
Definition TypeBase.h:708
void setAddressSpace(LangAS space)
Definition TypeBase.h:591
unsigned getCVRUQualifiers() const
Definition TypeBase.h:489
PointerAuthQualifier getPointerAuth() const
Definition TypeBase.h:603
void setObjCGCAttr(GC type)
Definition TypeBase.h:520
ObjCLifetime getObjCLifetime() const
Definition TypeBase.h:545
static Qualifiers fromCVRUMask(unsigned CVRU)
Definition TypeBase.h:441
LangAS getAddressSpace() const
Definition TypeBase.h:571
void setPointerAuth(PointerAuthQualifier Q)
Definition TypeBase.h:606
static std::string getAddrSpaceAsString(LangAS AS)
void setObjCLifetime(ObjCLifetime type)
Definition TypeBase.h:548
Represents a struct/union/class.
Definition Decl.h:4342
Represents the body of a requires-expression.
Definition DeclCXX.h:2105
static RequiresExprBodyDecl * Create(ASTContext &C, DeclContext *DC, SourceLocation StartLoc)
Definition DeclCXX.cpp:2407
static RequiresExpr * Create(ASTContext &C, SourceLocation RequiresKWLoc, RequiresExprBodyDecl *Body, SourceLocation LParenLoc, ArrayRef< ParmVarDecl * > LocalParameters, SourceLocation RParenLoc, ArrayRef< concepts::Requirement * > Requirements, SourceLocation RBraceLoc)
Scope - A scope is a transient data structure that is used while parsing the program.
Definition Scope.h:41
unsigned getFlags() const
getFlags - Return the flags for this scope.
Definition Scope.h:271
bool isDeclScope(const Decl *D) const
isDeclScope - Return true if this is the scope that the specified decl is declared in.
Definition Scope.h:398
DeclContext * getEntity() const
Get the entity corresponding to this scope.
Definition Scope.h:401
const Scope * getParent() const
getParent - Return the scope that this is nested in.
Definition Scope.h:287
@ BlockScope
This is a scope that corresponds to a block/closure object.
Definition Scope.h:75
@ ClassScope
The scope of a struct/union/class definition.
Definition Scope.h:69
@ TryScope
This is the scope of a C++ try statement.
Definition Scope.h:105
@ FnScope
This indicates that the scope corresponds to a function, which means that labels are set here.
Definition Scope.h:51
@ ObjCMethodScope
This scope corresponds to an Objective-C method body.
Definition Scope.h:99
A generic diagnostic builder for errors which may or may not be deferred.
Definition SemaBase.h:111
PartialDiagnostic PDiag(unsigned DiagID=0)
Build a partial diagnostic.
Definition SemaBase.cpp:33
Sema & SemaRef
Definition SemaBase.h:40
SemaDiagnosticBuilder Diag(SourceLocation Loc, unsigned DiagID)
Emit a diagnostic.
Definition SemaBase.cpp:61
CUDAFunctionTarget CurrentTarget()
Gets the CUDA target for the current context.
Definition SemaCUDA.h:153
SemaDiagnosticBuilder DiagIfDeviceCode(SourceLocation Loc, unsigned DiagID)
Creates a SemaDiagnosticBuilder that emits the diagnostic if the current context is "used as device c...
Definition SemaCUDA.cpp:925
void EraseUnwantedMatches(const FunctionDecl *Caller, llvm::SmallVectorImpl< std::pair< DeclAccessPair, FunctionDecl * > > &Matches)
Finds a function in Matches with highest calling priority from Caller context and erases all function...
Definition SemaCUDA.cpp:406
CUDAFunctionPreference IdentifyPreference(const FunctionDecl *Caller, const FunctionDecl *Callee)
Identifies relative preference of a given Caller/Callee combination, based on their host/device attri...
Definition SemaCUDA.cpp:312
QualType FindCompositeObjCPointerType(ExprResult &LHS, ExprResult &RHS, SourceLocation QuestionLoc)
FindCompositeObjCPointerType - Helper method to find composite type of two objective-c pointer types ...
void EmitRelatedResultTypeNote(const Expr *E)
If the given expression involves a message send to a method with a related result type,...
CastKind PrepareCastToObjCObjectPointer(ExprResult &E)
Prepare a conversion of the given expression to an ObjC object pointer type.
ARCConversionResult CheckObjCConversion(SourceRange castRange, QualType castType, Expr *&op, CheckedConversionKind CCK, bool Diagnose=true, bool DiagnoseCFAudited=false, BinaryOperatorKind Opc=BO_PtrMemD, bool IsReinterpretCast=false)
Checks for invalid conversions and casts between retainable pointers and other pointer kinds for ARC ...
bool CheckPPCMMAType(QualType Type, SourceLocation TypeLoc)
Definition SemaPPC.cpp:422
CXXThisScopeRAII(Sema &S, Decl *ContextDecl, Qualifiers CXXThisTypeQuals, bool Enabled=true)
Introduce a new scope where 'this' may be allowed (when enabled), using the given declaration (which ...
A RAII object to temporarily push a declaration context.
Definition Sema.h:3526
Abstract base class used to perform a contextual implicit conversion from an expression to any type p...
Definition Sema.h:10404
Sema - This implements semantic analysis and AST building for C.
Definition Sema.h:868
void DeclareGlobalNewDelete()
DeclareGlobalNewDelete - Declare the global forms of operator new and delete.
IfExistsResult CheckMicrosoftIfExistsSymbol(Scope *S, CXXScopeSpec &SS, const DeclarationNameInfo &TargetNameInfo)
ParsedType CreateParsedType(QualType T, TypeSourceInfo *TInfo)
Package the given type and TSI into a ParsedType.
FunctionDecl * FindUsualDeallocationFunction(SourceLocation StartLoc, ImplicitDeallocationParameters, DeclarationName Name, bool Diagnose=true)
ExprResult ActOnCXXTypeid(SourceLocation OpLoc, SourceLocation LParenLoc, bool isType, void *TyOrExpr, SourceLocation RParenLoc)
ActOnCXXTypeid - Parse typeid( something ).
QualType getCurrentThisType()
Try to retrieve the type of the 'this' pointer.
ExprResult ActOnCXXUuidof(SourceLocation OpLoc, SourceLocation LParenLoc, bool isType, void *TyOrExpr, SourceLocation RParenLoc)
ActOnCXXUuidof - Parse __uuidof( something ).
Scope * getCurScope() const
Retrieve the parser's current scope.
Definition Sema.h:1141
QualType CheckVectorConditionalTypes(ExprResult &Cond, ExprResult &LHS, ExprResult &RHS, SourceLocation QuestionLoc)
bool checkArrayElementAlignment(QualType EltTy, SourceLocation Loc)
ExprResult IgnoredValueConversions(Expr *E)
IgnoredValueConversions - Given that an expression's result is syntactically ignored,...
bool RequireCompleteSizedType(SourceLocation Loc, QualType T, unsigned DiagID, const Ts &...Args)
Definition Sema.h:8328
@ LookupOrdinaryName
Ordinary name lookup, which finds ordinary names (functions, variables, typedefs, etc....
Definition Sema.h:9415
@ LookupDestructorName
Look up a name following ~ in a destructor name.
Definition Sema.h:9430
@ LookupTagName
Tag name lookup, which finds the names of enums, classes, structs, and unions.
Definition Sema.h:9418
@ LookupAnyName
Look up any declaration with any name.
Definition Sema.h:9460
void DiagnoseSentinelCalls(const NamedDecl *D, SourceLocation Loc, ArrayRef< Expr * > Args)
DiagnoseSentinelCalls - This routine checks whether a call or message-send is to a declaration with t...
Definition SemaExpr.cpp:416
ExprResult ActOnNoexceptExpr(SourceLocation KeyLoc, SourceLocation LParen, Expr *Operand, SourceLocation RParen)
bool BuildTypeConstraint(const CXXScopeSpec &SS, TemplateIdAnnotation *TypeConstraint, TemplateTypeParmDecl *ConstrainedParameter, SourceLocation EllipsisLoc, bool AllowUnexpandedPack)
bool FindDeallocationFunction(SourceLocation StartLoc, CXXRecordDecl *RD, DeclarationName Name, FunctionDecl *&Operator, ImplicitDeallocationParameters, bool Diagnose=true)
bool CheckCXXThisType(SourceLocation Loc, QualType Type)
Check whether the type of 'this' is valid in the current context.
QualType UsualArithmeticConversions(ExprResult &LHS, ExprResult &RHS, SourceLocation Loc, ArithConvKind ACK)
UsualArithmeticConversions - Performs various conversions that are common to binary operators (C99 6....
QualType tryBuildStdTypeIdentity(QualType Type, SourceLocation Loc)
Looks for the std::type_identity template and instantiates it with Type, or returns a null type if ty...
SemaCUDA & CUDA()
Definition Sema.h:1473
bool CompleteConstructorCall(CXXConstructorDecl *Constructor, QualType DeclInitType, MultiExprArg ArgsPtr, SourceLocation Loc, SmallVectorImpl< Expr * > &ConvertedArgs, bool AllowExplicit=false, bool IsListInitialization=false)
Given a constructor and the set of arguments provided for the constructor, convert the arguments and ...
ExprResult CheckBooleanCondition(SourceLocation Loc, Expr *E, bool IsConstexpr=false)
CheckBooleanCondition - Diagnose problems involving the use of the given expression as a boolean cond...
@ Boolean
A boolean condition, from 'if', 'while', 'for', or 'do'.
Definition Sema.h:7922
@ Switch
An integral condition for a 'switch' statement.
Definition Sema.h:7924
@ ConstexprIf
A constant boolean condition from 'if constexpr'.
Definition Sema.h:7923
bool RequireCompleteDeclContext(CXXScopeSpec &SS, DeclContext *DC)
Require that the context specified by SS be complete.
bool GatherArgumentsForCall(SourceLocation CallLoc, FunctionDecl *FDecl, const FunctionProtoType *Proto, unsigned FirstParam, ArrayRef< Expr * > Args, SmallVectorImpl< Expr * > &AllArgs, VariadicCallType CallType=VariadicCallType::DoesNotApply, bool AllowExplicit=false, bool IsListInitialization=false)
GatherArgumentsForCall - Collector argument expressions for various form of call prototypes.
SmallVector< sema::FunctionScopeInfo *, 4 > FunctionScopes
Stack containing information about each of the nested function, block, and method scopes that are cur...
Definition Sema.h:1244
@ Ref_Compatible
Ref_Compatible - The two types are reference-compatible.
Definition Sema.h:10496
@ AR_inaccessible
Definition Sema.h:1687
ExprResult BuildCXXFunctionalCastExpr(TypeSourceInfo *TInfo, QualType Type, SourceLocation LParenLoc, Expr *CastExpr, SourceLocation RParenLoc)
bool CheckCXXThisCapture(SourceLocation Loc, bool Explicit=false, bool BuildAndDiagnose=true, const unsigned *const FunctionScopeIndexToStopAt=nullptr, bool ByCopy=false)
Make sure the value of 'this' is actually available in the current context, if it is a potentially ev...
ExprResult MaybeBindToTemporary(Expr *E)
MaybeBindToTemporary - If the passed in expression has a record type with a non-trivial destructor,...
void MarkCaptureUsedInEnclosingContext(ValueDecl *Capture, SourceLocation Loc, unsigned CapturingScopeIndex)
ExprResult ActOnStartCXXMemberReference(Scope *S, Expr *Base, SourceLocation OpLoc, tok::TokenKind OpKind, ParsedType &ObjectType, bool &MayBePseudoDestructor)
QualType CheckVectorOperands(ExprResult &LHS, ExprResult &RHS, SourceLocation Loc, bool IsCompAssign, bool AllowBothBool, bool AllowBoolConversion, bool AllowBoolOperation, bool ReportInvalid)
type checking for vector binary operators.
concepts::Requirement * ActOnSimpleRequirement(Expr *E)
FPOptionsOverride CurFPFeatureOverrides()
Definition Sema.h:2077
concepts::Requirement * ActOnCompoundRequirement(Expr *E, SourceLocation NoexceptLoc)
ExprResult BuildOverloadedArrowExpr(Scope *S, Expr *Base, SourceLocation OpLoc, bool *NoArrowOperatorFound=nullptr)
BuildOverloadedArrowExpr - Build a call to an overloaded operator-> (if one exists),...
FunctionDecl * FindDeallocationFunctionForDestructor(SourceLocation StartLoc, CXXRecordDecl *RD, bool Diagnose, bool LookForGlobal, DeclarationName Name)
concepts::Requirement::SubstitutionDiagnostic * createSubstDiagAt(SourceLocation Location, EntityPrinter Printer)
create a Requirement::SubstitutionDiagnostic with only a SubstitutedEntity and DiagLoc using ASTConte...
FunctionDecl * getCurFunctionDecl(bool AllowLambda=false) const
Returns a pointer to the innermost enclosing function, or nullptr if the current context is not insid...
Definition Sema.cpp:1725
ExprResult PerformContextualImplicitConversion(SourceLocation Loc, Expr *FromE, ContextualImplicitConverter &Converter)
Perform a contextual implicit conversion.
ExprResult CheckUnevaluatedOperand(Expr *E)
ExprResult ActOnCXXDelete(SourceLocation StartLoc, bool UseGlobal, bool ArrayForm, Expr *Operand)
ActOnCXXDelete - Parsed a C++ 'delete' expression (C++ 5.3.5), as in:
void DiagnoseExceptionUse(SourceLocation Loc, bool IsTry)
ExprResult CheckSwitchCondition(SourceLocation SwitchLoc, Expr *Cond)
ASTContext & Context
Definition Sema.h:1308
void diagnoseNullableToNonnullConversion(QualType DstType, QualType SrcType, SourceLocation Loc)
Warn if we're implicitly casting from a _Nullable pointer type to a _Nonnull one.
Definition Sema.cpp:686
ExprResult ActOnCXXNullPtrLiteral(SourceLocation Loc)
ActOnCXXNullPtrLiteral - Parse 'nullptr'.
ExprResult BuildCXXTypeId(QualType TypeInfoType, SourceLocation TypeidLoc, TypeSourceInfo *Operand, SourceLocation RParenLoc)
Build a C++ typeid expression with a type operand.
bool DiagnoseUseOfDecl(NamedDecl *D, ArrayRef< SourceLocation > Locs, const ObjCInterfaceDecl *UnknownObjCClass=nullptr, bool ObjCPropertyAccess=false, bool AvoidPartialAvailabilityChecks=false, ObjCInterfaceDecl *ClassReceiver=nullptr, bool SkipTrailingRequiresClause=false)
Determine whether the use of this declaration is valid, and emit any corresponding diagnostics.
Definition SemaExpr.cpp:226
ExprResult SubstExpr(Expr *E, const MultiLevelTemplateArgumentList &TemplateArgs)
DiagnosticsEngine & getDiagnostics() const
Definition Sema.h:936
ExprResult MaybeConvertParenListExprToParenExpr(Scope *S, Expr *ME)
This is not an AltiVec-style cast or or C++ direct-initialization, so turn the ParenListExpr into a s...
concepts::TypeRequirement * BuildTypeRequirement(TypeSourceInfo *Type)
AccessResult CheckDestructorAccess(SourceLocation Loc, CXXDestructorDecl *Dtor, const PartialDiagnostic &PDiag, QualType objectType=QualType())
bool isStdTypeIdentity(QualType Ty, QualType *TypeArgument, const Decl **MalformedDecl=nullptr)
Tests whether Ty is an instance of std::type_identity and, if it is and TypeArgument is not NULL,...
SemaObjC & ObjC()
Definition Sema.h:1518
FunctionDecl * ResolveAddressOfOverloadedFunction(Expr *AddressOfExpr, QualType TargetType, bool Complain, DeclAccessPair &Found, bool *pHadMultipleCandidates=nullptr)
ResolveAddressOfOverloadedFunction - Try to resolve the address of an overloaded function (C++ [over....
void PushOnScopeChains(NamedDecl *D, Scope *S, bool AddToContext=true)
Add this decl to the scope shadowed decl chains.
ParsedType getDestructorName(const IdentifierInfo &II, SourceLocation NameLoc, Scope *S, CXXScopeSpec &SS, ParsedType ObjectType, bool EnteringContext)
void CleanupVarDeclMarking()
ExprResult DefaultFunctionArrayLvalueConversion(Expr *E, bool Diagnose=true)
Definition SemaExpr.cpp:759
ASTContext & getASTContext() const
Definition Sema.h:939
void DeclareGlobalAllocationFunction(DeclarationName Name, QualType Return, ArrayRef< QualType > Params)
DeclareGlobalAllocationFunction - Declares a single implicit global allocation function if it doesn't...
bool DiagnoseUnexpandedParameterPackInRequiresExpr(RequiresExpr *RE)
If the given requirees-expression contains an unexpanded reference to one of its own parameter packs,...
CXXDestructorDecl * LookupDestructor(CXXRecordDecl *Class)
Look for the destructor of the given class.
bool tryCaptureVariable(ValueDecl *Var, SourceLocation Loc, TryCaptureKind Kind, SourceLocation EllipsisLoc, bool BuildAndDiagnose, QualType &CaptureType, QualType &DeclRefType, const unsigned *const FunctionScopeIndexToStopAt)
Try to capture the given variable.
NamespaceDecl * getOrCreateStdNamespace()
Retrieve the special "std" namespace, which may require us to implicitly define the namespace.
ExprResult ImpCastExprToType(Expr *E, QualType Type, CastKind CK, ExprValueKind VK=VK_PRValue, const CXXCastPath *BasePath=nullptr, CheckedConversionKind CCK=CheckedConversionKind::Implicit)
ImpCastExprToType - If Expr is not of type 'Type', insert an implicit cast.
Definition Sema.cpp:762
ExprResult ActOnPseudoDestructorExpr(Scope *S, Expr *Base, SourceLocation OpLoc, tok::TokenKind OpKind, CXXScopeSpec &SS, UnqualifiedId &FirstTypeName, SourceLocation CCLoc, SourceLocation TildeLoc, UnqualifiedId &SecondTypeName)
bool CheckArgsForPlaceholders(MultiExprArg args)
Check an argument list for placeholders that we won't try to handle later.
AccessResult CheckAllocationAccess(SourceLocation OperatorLoc, SourceRange PlacementRange, CXXRecordDecl *NamingClass, DeclAccessPair FoundDecl, bool Diagnose=true)
Checks access to an overloaded operator new or delete.
AccessResult CheckMemberOperatorAccess(SourceLocation Loc, Expr *ObjectExpr, const SourceRange &, DeclAccessPair FoundDecl)
void ActOnFinishRequiresExpr()
ExprResult BuildCXXNew(SourceRange Range, bool UseGlobal, SourceLocation PlacementLParen, MultiExprArg PlacementArgs, SourceLocation PlacementRParen, SourceRange TypeIdParens, QualType AllocType, TypeSourceInfo *AllocTypeInfo, std::optional< Expr * > ArraySize, SourceRange DirectInitRange, Expr *Initializer)
void DiagnoseUseOfDeletedFunction(SourceLocation Loc, SourceRange Range, DeclarationName Name, OverloadCandidateSet &CandidateSet, FunctionDecl *Fn, MultiExprArg Args, bool IsMember=false)
PrintingPolicy getPrintingPolicy() const
Retrieve a suitable printing policy for diagnostics.
Definition Sema.h:1212
ExprResult ActOnCXXThrow(Scope *S, SourceLocation OpLoc, Expr *expr)
DeclRefExpr * BuildDeclRefExpr(ValueDecl *D, QualType Ty, ExprValueKind VK, SourceLocation Loc, const CXXScopeSpec *SS=nullptr)
ExprResult CheckConvertedConstantExpression(Expr *From, QualType T, llvm::APSInt &Value, CCEKind CCE)
bool CheckConstraintSatisfaction(ConstrainedDeclOrNestedRequirement Entity, ArrayRef< AssociatedConstraint > AssociatedConstraints, const MultiLevelTemplateArgumentList &TemplateArgLists, SourceRange TemplateIDRange, ConstraintSatisfaction &Satisfaction, const ConceptReference *TopLevelConceptId=nullptr, Expr **ConvertedExpr=nullptr)
Check whether the given list of constraint expressions are satisfied (as if in a 'conjunction') given...
EnumDecl * getStdAlignValT() const
LazyDeclPtr StdBadAlloc
The C++ "std::bad_alloc" class, which is defined by the C++ standard library.
Definition Sema.h:8446
NamedReturnInfo getNamedReturnInfo(Expr *&E, SimplerImplicitMoveMode Mode=SimplerImplicitMoveMode::Normal)
Determine whether the given expression might be move-eligible or copy-elidable in either a (co_)retur...
void AddTemplateOverloadCandidate(FunctionTemplateDecl *FunctionTemplate, DeclAccessPair FoundDecl, TemplateArgumentListInfo *ExplicitTemplateArgs, ArrayRef< Expr * > Args, OverloadCandidateSet &CandidateSet, bool SuppressUserConversions=false, bool PartialOverloading=false, bool AllowExplicit=true, ADLCallKind IsADLCandidate=ADLCallKind::NotADL, OverloadCandidateParamOrder PO={}, bool AggregateCandidateDeduction=false)
Add a C++ function template specialization as a candidate in the candidate set, using template argume...
bool checkLiteralOperatorId(const CXXScopeSpec &SS, const UnqualifiedId &Id, bool IsUDSuffix)
void DiagnoseUnusedExprResult(const Stmt *S, unsigned DiagID)
DiagnoseUnusedExprResult - If the statement passed in is an expression whose result is unused,...
Definition SemaStmt.cpp:405
FPOptions & getCurFPFeatures()
Definition Sema.h:934
Sema(Preprocessor &pp, ASTContext &ctxt, ASTConsumer &consumer, TranslationUnitKind TUKind=TU_Complete, CodeCompleteConsumer *CompletionConsumer=nullptr)
Definition Sema.cpp:273
SourceLocation getLocForEndOfToken(SourceLocation Loc, unsigned Offset=0)
Calls Lexer::getLocForEndOfToken()
Definition Sema.cpp:84
@ UPPC_IfExists
Microsoft __if_exists.
Definition Sema.h:14559
@ UPPC_IfNotExists
Microsoft __if_not_exists.
Definition Sema.h:14562
const LangOptions & getLangOpts() const
Definition Sema.h:932
StmtResult ActOnFinishFullStmt(Stmt *Stmt)
CastKind PrepareScalarCast(ExprResult &src, QualType destType)
Prepares for a scalar cast, performing all the necessary stages except the final cast and returning t...
SemaOpenACC & OpenACC()
Definition Sema.h:1523
void diagnoseUnavailableAlignedAllocation(const FunctionDecl &FD, SourceLocation Loc)
Produce diagnostics if FD is an aligned allocation or deallocation function that is unavailable.
bool LookupParsedName(LookupResult &R, Scope *S, CXXScopeSpec *SS, QualType ObjectType, bool AllowBuiltinCreation=false, bool EnteringContext=false)
Performs name lookup for a name that was parsed in the source code, and may contain a C++ scope speci...
Preprocessor & PP
Definition Sema.h:1307
bool DiagnoseUnexpandedParameterPack(SourceLocation Loc, TypeSourceInfo *T, UnexpandedParameterPackContext UPPC)
If the given type contains an unexpanded parameter pack, diagnose the error.
bool RequireNonAbstractType(SourceLocation Loc, QualType T, TypeDiagnoser &Diagnoser)
ExprResult ActOnCXXBoolLiteral(SourceLocation OpLoc, tok::TokenKind Kind)
ActOnCXXBoolLiteral - Parse {true,false} literals.
ExprResult BuildCXXTypeConstructExpr(TypeSourceInfo *Type, SourceLocation LParenLoc, MultiExprArg Exprs, SourceLocation RParenLoc, bool ListInitialization)
AssignConvertType CheckAssignmentConstraints(SourceLocation Loc, QualType LHSType, QualType RHSType)
CheckAssignmentConstraints - Perform type checking for assignment, argument passing,...
void AddOverloadCandidate(FunctionDecl *Function, DeclAccessPair FoundDecl, ArrayRef< Expr * > Args, OverloadCandidateSet &CandidateSet, bool SuppressUserConversions=false, bool PartialOverloading=false, bool AllowExplicit=true, bool AllowExplicitConversion=false, ADLCallKind IsADLCandidate=ADLCallKind::NotADL, ConversionSequenceList EarlyConversions={}, OverloadCandidateParamOrder PO={}, bool AggregateCandidateDeduction=false, bool StrictPackMatch=false)
AddOverloadCandidate - Adds the given function to the set of candidate functions, using the given fun...
const LangOptions & LangOpts
Definition Sema.h:1306
sema::LambdaScopeInfo * getCurLambda(bool IgnoreNonLambdaCapturingScope=false)
Retrieve the current lambda scope info, if any.
Definition Sema.cpp:2646
ExprResult BuildCXXMemberCallExpr(Expr *Exp, NamedDecl *FoundDecl, CXXConversionDecl *Method, bool HadMultipleCandidates)
ExprResult CheckConditionVariable(VarDecl *ConditionVar, SourceLocation StmtLoc, ConditionKind CK)
Check the use of the given variable as a C++ condition in an if, while, do-while, or switch statement...
ExprResult TemporaryMaterializationConversion(Expr *E)
If E is a prvalue denoting an unmaterialized temporary, materialize it as an xvalue.
SemaHLSL & HLSL()
Definition Sema.h:1483
CXXRecordDecl * getStdBadAlloc() const
ExprResult ActOnCXXTypeConstructExpr(ParsedType TypeRep, SourceLocation LParenOrBraceLoc, MultiExprArg Exprs, SourceLocation RParenOrBraceLoc, bool ListInitialization)
ActOnCXXTypeConstructExpr - Parse construction of a specified type.
void CheckUnusedVolatileAssignment(Expr *E)
Check whether E, which is either a discarded-value expression or an unevaluated operand,...
QualType CheckTypenameType(ElaboratedTypeKeyword Keyword, SourceLocation KeywordLoc, NestedNameSpecifierLoc QualifierLoc, const IdentifierInfo &II, SourceLocation IILoc, TypeSourceInfo **TSI, bool DeducedTSTContext)
ExprResult prepareMatrixSplat(QualType MatrixTy, Expr *SplattedExpr)
Prepare SplattedExpr for a matrix splat operation, adding implicit casts if necessary.
bool CanUseDecl(NamedDecl *D, bool TreatUnavailableAsInvalid)
Determine whether the use of this declaration is valid, without emitting diagnostics.
Definition SemaExpr.cpp:77
ConditionResult ActOnConditionVariable(Decl *ConditionVar, SourceLocation StmtLoc, ConditionKind CK)
void MarkAnyDeclReferenced(SourceLocation Loc, Decl *D, bool MightBeOdrUse)
Perform marking for a reference to an arbitrary declaration.
void MarkVTableUsed(SourceLocation Loc, CXXRecordDecl *Class, bool DefinitionRequired=false)
Note that the vtable for the given class was used at the given location.
bool CheckAllocatedType(QualType AllocType, SourceLocation Loc, SourceRange R)
Checks that a type is suitable as the allocated type in a new-expression.
CleanupInfo Cleanup
Used to control the generation of ExprWithCleanups.
Definition Sema.h:7045
ExprResult ActOnRequiresExpr(SourceLocation RequiresKWLoc, RequiresExprBodyDecl *Body, SourceLocation LParenLoc, ArrayRef< ParmVarDecl * > LocalParameters, SourceLocation RParenLoc, ArrayRef< concepts::Requirement * > Requirements, SourceLocation ClosingBraceLoc)
QualType FindCompositePointerType(SourceLocation Loc, Expr *&E1, Expr *&E2, bool ConvertArgs=true)
Find a merged pointer type and convert the two expressions to it.
static CastKind ScalarTypeToBooleanCastKind(QualType ScalarTy)
ScalarTypeToBooleanCastKind - Returns the cast kind corresponding to the conversion from scalar type ...
Definition Sema.cpp:869
ReferenceConversionsScope::ReferenceConversions ReferenceConversions
Definition Sema.h:10515
CXXRecordDecl * getCurrentClass(Scope *S, const CXXScopeSpec *SS)
Get the class that is directly named by the current context.
ExprResult BuildCXXUuidof(QualType TypeInfoType, SourceLocation TypeidLoc, TypeSourceInfo *Operand, SourceLocation RParenLoc)
Build a Microsoft __uuidof expression with a type operand.
MemberPointerConversionResult CheckMemberPointerConversion(QualType FromType, const MemberPointerType *ToPtrType, CastKind &Kind, CXXCastPath &BasePath, SourceLocation CheckLoc, SourceRange OpRange, bool IgnoreBaseAccess, MemberPointerConversionDirection Direction)
CheckMemberPointerConversion - Check the member pointer conversion from the expression From to the ty...
Expr * BuildCXXThisExpr(SourceLocation Loc, QualType Type, bool IsImplicit)
Build a CXXThisExpr and mark it referenced in the current context.
QualType CheckSizelessVectorOperands(ExprResult &LHS, ExprResult &RHS, SourceLocation Loc, bool IsCompAssign, ArithConvKind OperationKind)
llvm::DenseMap< const VarDecl *, int > RefsMinusAssignments
Increment when we find a reference; decrement when we find an ignored assignment.
Definition Sema.h:7042
QualType DeduceTemplateSpecializationFromInitializer(TypeSourceInfo *TInfo, const InitializedEntity &Entity, const InitializationKind &Kind, MultiExprArg Init)
void MarkThisReferenced(CXXThisExpr *This)
ExprResult DefaultLvalueConversion(Expr *E)
Definition SemaExpr.cpp:644
bool CheckDerivedToBaseConversion(QualType Derived, QualType Base, SourceLocation Loc, SourceRange Range, CXXCastPath *BasePath=nullptr, bool IgnoreAccess=false)
bool isInLifetimeExtendingContext() const
Definition Sema.h:8269
Module * getCurrentModule() const
Get the module unit whose scope we are currently within.
Definition Sema.h:9941
AssignConvertType CheckTransparentUnionArgumentConstraints(QualType ArgType, ExprResult &RHS)
static bool isCast(CheckedConversionKind CCK)
Definition Sema.h:2572
ExprResult prepareVectorSplat(QualType VectorTy, Expr *SplattedExpr)
Prepare SplattedExpr for a vector splat operation, adding implicit casts if necessary.
DeclContext * CurContext
CurContext - This is the current declaration context of parsing.
Definition Sema.h:1446
bool FindAllocationFunctions(SourceLocation StartLoc, SourceRange Range, AllocationFunctionScope NewScope, AllocationFunctionScope DeleteScope, QualType AllocType, bool IsArray, ImplicitAllocationParameters &IAP, MultiExprArg PlaceArgs, FunctionDecl *&OperatorNew, FunctionDecl *&OperatorDelete, bool Diagnose=true)
Finds the overloads of operator new and delete that are appropriate for the allocation.
DeclarationNameInfo GetNameFromUnqualifiedId(const UnqualifiedId &Name)
Retrieves the declaration name from a parsed unqualified-id.
ExprResult PerformContextuallyConvertToBool(Expr *From)
PerformContextuallyConvertToBool - Perform a contextual conversion of the expression From to bool (C+...
AccessResult CheckConstructorAccess(SourceLocation Loc, CXXConstructorDecl *D, DeclAccessPair FoundDecl, const InitializedEntity &Entity, bool IsCopyBindingRefToTemp=false)
Checks access to a constructor.
bool DiagnoseConditionalForNull(const Expr *LHSExpr, const Expr *RHSExpr, SourceLocation QuestionLoc)
Emit a specialized diagnostic when one expression is a null pointer constant and the other is not a p...
ParsedType getDestructorTypeForDecltype(const DeclSpec &DS, ParsedType ObjectType)
bool IsDerivedFrom(SourceLocation Loc, CXXRecordDecl *Derived, CXXRecordDecl *Base, CXXBasePaths &Paths)
Determine whether the type Derived is a C++ class that is derived from the type Base.
bool isUnevaluatedContext() const
Determines whether we are currently in a context that is not evaluated as per C++ [expr] p5.
Definition Sema.h:8261
DeclContext * getFunctionLevelDeclContext(bool AllowLambda=false) const
If AllowLambda is true, treat lambda as function.
Definition Sema.cpp:1705
Stmt * MaybeCreateStmtWithCleanups(Stmt *SubStmt)
ExprResult ActOnCXXNew(SourceLocation StartLoc, bool UseGlobal, SourceLocation PlacementLParen, MultiExprArg PlacementArgs, SourceLocation PlacementRParen, SourceRange TypeIdParens, Declarator &D, Expr *Initializer)
Parsed a C++ 'new' expression (C++ 5.3.4).
ExprResult BuildCXXNoexceptExpr(SourceLocation KeyLoc, Expr *Operand, SourceLocation RParen)
bool GlobalNewDeleteDeclared
A flag to remember whether the implicit forms of operator new and delete have been declared.
Definition Sema.h:8457
ExprResult ActOnParenExpr(SourceLocation L, SourceLocation R, Expr *E)
ExprResult CheckPlaceholderExpr(Expr *E)
Check for operands with placeholder types and complain if found.
ExprResult TransformToPotentiallyEvaluated(Expr *E)
ExprResult BuildCXXConstructExpr(SourceLocation ConstructLoc, QualType DeclInitType, NamedDecl *FoundDecl, CXXConstructorDecl *Constructor, MultiExprArg Exprs, bool HadMultipleCandidates, bool IsListInitialization, bool IsStdInitListInitialization, bool RequiresZeroInit, CXXConstructionKind ConstructKind, SourceRange ParenRange)
BuildCXXConstructExpr - Creates a complete call to a constructor, including handling of its default a...
bool inTemplateInstantiation() const
Determine whether we are currently performing template instantiation.
Definition Sema.h:14060
SourceManager & getSourceManager() const
Definition Sema.h:937
QualType CXXThisTypeOverride
When non-NULL, the C++ 'this' expression is allowed despite the current context not being a non-stati...
Definition Sema.h:8528
ExprResult FixOverloadedFunctionReference(Expr *E, DeclAccessPair FoundDecl, FunctionDecl *Fn)
FixOverloadedFunctionReference - E is an expression that refers to a C++ overloaded function (possibl...
ExprResult PerformMoveOrCopyInitialization(const InitializedEntity &Entity, const NamedReturnInfo &NRInfo, Expr *Value, bool SupressSimplerImplicitMoves=false)
Perform the initialization of a potentially-movable value, which is the result of return value.
ExprResult CheckCXXBooleanCondition(Expr *CondExpr, bool IsConstexpr=false)
CheckCXXBooleanCondition - Returns true if conversion to bool is invalid.
CanThrowResult canThrow(const Stmt *E)
bool isThisOutsideMemberFunctionBody(QualType BaseType)
Determine whether the given type is the type of *this that is used outside of the body of a member fu...
DeclContext * computeDeclContext(QualType T)
Compute the DeclContext that is associated with the given type.
QualType CheckPointerToMemberOperands(ExprResult &LHS, ExprResult &RHS, ExprValueKind &VK, SourceLocation OpLoc, bool isIndirect)
concepts::ExprRequirement * BuildExprRequirement(Expr *E, bool IsSatisfied, SourceLocation NoexceptLoc, concepts::ExprRequirement::ReturnTypeRequirement ReturnTypeRequirement)
QualType CXXCheckConditionalOperands(ExprResult &cond, ExprResult &lhs, ExprResult &rhs, ExprValueKind &VK, ExprObjectKind &OK, SourceLocation questionLoc)
Check the operands of ?
ExprResult PerformImplicitConversion(Expr *From, QualType ToType, const ImplicitConversionSequence &ICS, AssignmentAction Action, CheckedConversionKind CCK=CheckedConversionKind::Implicit)
PerformImplicitConversion - Perform an implicit conversion of the expression From to the type ToType ...
bool isSFINAEContext() const
Definition Sema.h:13793
concepts::Requirement * ActOnTypeRequirement(SourceLocation TypenameKWLoc, CXXScopeSpec &SS, SourceLocation NameLoc, const IdentifierInfo *TypeName, TemplateIdAnnotation *TemplateId)
void CheckShadow(NamedDecl *D, NamedDecl *ShadowedDecl, const LookupResult &R)
Diagnose variable or built-in function shadowing.
ParsedType getInheritingConstructorName(CXXScopeSpec &SS, SourceLocation NameLoc, const IdentifierInfo &Name)
Handle the result of the special case name lookup for inheriting constructor declarations.
TypeResult ActOnTypenameType(Scope *S, SourceLocation TypenameLoc, const CXXScopeSpec &SS, const IdentifierInfo &II, SourceLocation IdLoc, ImplicitTypenameContext IsImplicitTypename=ImplicitTypenameContext::No)
Called when the parser has parsed a C++ typename specifier, e.g., "typename T::type".
bool isCompleteType(SourceLocation Loc, QualType T, CompleteTypeKind Kind=CompleteTypeKind::Default)
Definition Sema.h:15571
ExprResult BuildPseudoDestructorExpr(Expr *Base, SourceLocation OpLoc, tok::TokenKind OpKind, const CXXScopeSpec &SS, TypeSourceInfo *ScopeType, SourceLocation CCLoc, SourceLocation TildeLoc, PseudoDestructorTypeStorage DestroyedType)
RecordDecl * CXXTypeInfoDecl
The C++ "type_info" declaration, which is defined in <typeinfo>.
Definition Sema.h:8453
CXXConstructorDecl * LookupCopyingConstructor(CXXRecordDecl *Class, unsigned Quals)
Look up the copying constructor for the given class.
ExprResult VerifyIntegerConstantExpression(Expr *E, llvm::APSInt *Result, VerifyICEDiagnoser &Diagnoser, AllowFoldKind CanFold=AllowFoldKind::No)
VerifyIntegerConstantExpression - Verifies that an expression is an ICE, and reports the appropriate ...
ParsedType getTypeName(const IdentifierInfo &II, SourceLocation NameLoc, Scope *S, CXXScopeSpec *SS=nullptr, bool isClassName=false, bool HasTrailingDot=false, ParsedType ObjectType=nullptr, bool IsCtorOrDtorName=false, bool WantNontrivialTypeSourceInfo=false, bool IsClassTemplateDeductionContext=true, ImplicitTypenameContext AllowImplicitTypename=ImplicitTypenameContext::No, IdentifierInfo **CorrectedII=nullptr)
If the identifier refers to a type name within this scope, return the declaration of that type.
Definition SemaDecl.cpp:276
RequiresExprBodyDecl * ActOnStartRequiresExpr(SourceLocation RequiresKWLoc, ArrayRef< ParmVarDecl * > LocalParameters, Scope *BodyScope)
bool CheckPointerConversion(Expr *From, QualType ToType, CastKind &Kind, CXXCastPath &BasePath, bool IgnoreBaseAccess, bool Diagnose=true)
CheckPointerConversion - Check the pointer conversion from the expression From to the type ToType.
SmallVector< ExprWithCleanups::CleanupObject, 8 > ExprCleanupObjects
ExprCleanupObjects - This is the stack of objects requiring cleanup that are created by the current f...
Definition Sema.h:7049
void NoteDeletedFunction(FunctionDecl *FD)
Emit a note explaining that this function is deleted.
Definition SemaExpr.cpp:125
void AddKnownFunctionAttributesForReplaceableGlobalAllocationFunction(FunctionDecl *FD)
If this function is a C++ replaceable global allocation function (C++2a [basic.stc....
QualType BuildDecltypeType(Expr *E, bool AsUnevaluated=true)
If AsUnevaluated is false, E is treated as though it were an evaluated context, such as when building...
TypeSourceInfo * GetTypeForDeclarator(Declarator &D)
GetTypeForDeclarator - Convert the type for the specified declarator to Type instances.
bool CheckCallReturnType(QualType ReturnType, SourceLocation Loc, CallExpr *CE, FunctionDecl *FD)
CheckCallReturnType - Checks that a call expression's return type is complete.
SemaPPC & PPC()
Definition Sema.h:1538
bool RequireCompleteType(SourceLocation Loc, QualType T, CompleteTypeKind Kind, TypeDiagnoser &Diagnoser)
Ensure that the type T is a complete type.
ReferenceCompareResult CompareReferenceRelationship(SourceLocation Loc, QualType T1, QualType T2, ReferenceConversions *Conv=nullptr)
CompareReferenceRelationship - Compare the two types T1 and T2 to determine whether they are referenc...
ExprResult forceUnknownAnyToType(Expr *E, QualType ToType)
Force an expression with unknown-type to an expression of the given type.
bool LookupQualifiedName(LookupResult &R, DeclContext *LookupCtx, bool InUnqualifiedLookup=false)
Perform qualified name lookup into a given context.
llvm::MapVector< FieldDecl *, DeleteLocs > DeleteExprs
Delete-expressions to be analyzed at the end of translation unit.
Definition Sema.h:8464
Expr * MaybeCreateExprWithCleanups(Expr *SubExpr)
MaybeCreateExprWithCleanups - If the current full-expression requires any cleanups,...
void DiscardCleanupsInEvaluationContext()
SmallVector< ExpressionEvaluationContextRecord, 8 > ExprEvalContexts
A stack of expression evaluation contexts.
Definition Sema.h:8401
void PushDeclContext(Scope *S, DeclContext *DC)
Set the current declaration context until it gets popped.
bool isDependentScopeSpecifier(const CXXScopeSpec &SS)
bool CheckDestructor(CXXDestructorDecl *Destructor)
CheckDestructor - Checks a fully-formed destructor definition for well-formedness,...
bool isUnavailableAlignedAllocationFunction(const FunctionDecl &FD) const
Determine whether FD is an aligned allocation or deallocation function that is unavailable.
DiagnosticsEngine & Diags
Definition Sema.h:1310
TypeAwareAllocationMode ShouldUseTypeAwareOperatorNewOrDelete() const
NamespaceDecl * getStdNamespace() const
ExprResult BuildCXXThrow(SourceLocation OpLoc, Expr *Ex, bool IsThrownVarInScope)
ExprResult DefaultFunctionArrayConversion(Expr *E, bool Diagnose=true)
DefaultFunctionArrayConversion (C99 6.3.2.1p3, C99 6.3.2.1p4).
Definition SemaExpr.cpp:520
ExprResult PerformCopyInitialization(const InitializedEntity &Entity, SourceLocation EqualLoc, ExprResult Init, bool TopLevelOfInitList=false, bool AllowExplicit=false)
bool CheckQualifiedFunctionForTypeId(QualType T, SourceLocation Loc)
friend class InitializationSequence
Definition Sema.h:1588
concepts::NestedRequirement * BuildNestedRequirement(Expr *E)
TemplateDeductionResult DeduceTemplateArguments(ClassTemplatePartialSpecializationDecl *Partial, ArrayRef< TemplateArgument > TemplateArgs, sema::TemplateDeductionInfo &Info)
QualType ActOnPackIndexingType(QualType Pattern, Expr *IndexExpr, SourceLocation Loc, SourceLocation EllipsisLoc)
bool isUsualDeallocationFunction(const CXXMethodDecl *FD)
TypeResult ActOnTemplateIdType(Scope *S, ElaboratedTypeKeyword ElaboratedKeyword, SourceLocation ElaboratedKeywordLoc, CXXScopeSpec &SS, SourceLocation TemplateKWLoc, TemplateTy Template, const IdentifierInfo *TemplateII, SourceLocation TemplateIILoc, SourceLocation LAngleLoc, ASTTemplateArgsPtr TemplateArgs, SourceLocation RAngleLoc, bool IsCtorOrDtorName=false, bool IsClassName=false, ImplicitTypenameContext AllowImplicitTypename=ImplicitTypenameContext::No)
bool DiagnoseAssignmentResult(AssignConvertType ConvTy, SourceLocation Loc, QualType DstType, QualType SrcType, Expr *SrcExpr, AssignmentAction Action, bool *Complained=nullptr)
DiagnoseAssignmentResult - Emit a diagnostic, if required, for the assignment conversion type specifi...
void MarkFunctionReferenced(SourceLocation Loc, FunctionDecl *Func, bool MightBeOdrUse=true)
Mark a function referenced, and check whether it is odr-used (C++ [basic.def.odr]p2,...
SemaDiagnosticBuilder targetDiag(SourceLocation Loc, unsigned DiagID, const FunctionDecl *FD=nullptr)
Definition Sema.cpp:2192
ExprResult CreateRecoveryExpr(SourceLocation Begin, SourceLocation End, ArrayRef< Expr * > SubExprs, QualType T=QualType())
Attempts to produce a RecoveryExpr after some AST node cannot be created.
ParsedType getConstructorName(const IdentifierInfo &II, SourceLocation NameLoc, Scope *S, CXXScopeSpec &SS, bool EnteringContext)
LazyDeclPtr StdAlignValT
The C++ "std::align_val_t" enum class, which is defined by the C++ standard library.
Definition Sema.h:8450
@ Diagnose
Diagnose issues that are non-constant or that are extensions.
Definition Sema.h:6497
bool CheckCXXThrowOperand(SourceLocation ThrowLoc, QualType ThrowTy, Expr *E)
CheckCXXThrowOperand - Validate the operand of a throw.
TemplateDeductionResult DeduceAutoType(TypeLoc AutoTypeLoc, Expr *Initializer, QualType &Result, sema::TemplateDeductionInfo &Info, bool DependentDeduction=false, bool IgnoreConstraints=false, TemplateSpecCandidateSet *FailedTSC=nullptr)
Deduce the type for an auto type-specifier (C++11 [dcl.spec.auto]p6)
bool LookupName(LookupResult &R, Scope *S, bool AllowBuiltinCreation=false, bool ForceNoCPlusPlus=false)
Perform unqualified name lookup starting from a given scope.
static QualType GetTypeFromParser(ParsedType Ty, TypeSourceInfo **TInfo=nullptr)
concepts::Requirement * ActOnNestedRequirement(Expr *Constraint)
QualType adjustCCAndNoReturn(QualType ArgFunctionType, QualType FunctionType, bool AdjustExceptionSpec=false)
Adjust the type ArgFunctionType to match the calling convention, noreturn, and optionally the excepti...
bool IsStringLiteralToNonConstPointerConversion(Expr *From, QualType ToType)
Helper function to determine whether this is the (deprecated) C++ conversion from a string literal to...
bool CheckExceptionSpecCompatibility(Expr *From, QualType ToType)
static ConditionResult ConditionError()
Definition Sema.h:7908
IdentifierResolver IdResolver
Definition Sema.h:3519
FunctionTemplateDecl * getMoreSpecializedTemplate(FunctionTemplateDecl *FT1, FunctionTemplateDecl *FT2, SourceLocation Loc, TemplatePartialOrderingContext TPOC, unsigned NumCallArguments1, QualType RawObj1Ty={}, QualType RawObj2Ty={}, bool Reversed=false, bool PartialOverloading=false)
Returns the more specialized function template according to the rules of function template partial or...
ExprResult ActOnCXXThis(SourceLocation Loc)
ExprResult ActOnDecltypeExpression(Expr *E)
Process the expression contained within a decltype.
bool CheckCXXDefaultArgExpr(SourceLocation CallLoc, FunctionDecl *FD, ParmVarDecl *Param, Expr *Init=nullptr, bool SkipImmediateInvocations=true)
Instantiate or parse a C++ default argument expression as necessary.
void CheckVirtualDtorCall(CXXDestructorDecl *dtor, SourceLocation Loc, bool IsDelete, bool CallCanBeVirtual, bool WarnOnNonAbstractTypes, SourceLocation DtorLoc)
ExprResult ActOnFinishFullExpr(Expr *Expr, bool DiscardedValue)
Definition Sema.h:8743
void checkCall(NamedDecl *FDecl, const FunctionProtoType *Proto, const Expr *ThisArg, ArrayRef< const Expr * > Args, bool IsMemberFunction, SourceLocation Loc, SourceRange Range, VariadicCallType CallType)
Handles the checks for format strings, non-POD arguments to vararg functions, NULL arguments passed t...
Encodes a location in the source.
bool isValid() const
Return true if this is a valid SourceLocation object.
A trivial tuple used to represent a source range.
SourceLocation getEnd() const
SourceLocation getBegin() const
StandardConversionSequence - represents a standard conversion sequence (C++ 13.3.3....
Definition Overload.h:298
DeclAccessPair FoundCopyConstructor
Definition Overload.h:392
ImplicitConversionKind Second
Second - The second conversion can be an integral promotion, floating point promotion,...
Definition Overload.h:309
ImplicitConversionKind First
First – The first conversion can be an lvalue-to-rvalue conversion, array-to-pointer conversion,...
Definition Overload.h:303
unsigned DeprecatedStringLiteralToCharPtr
Whether this is the deprecated conversion of a string literal to a pointer to non-const character dat...
Definition Overload.h:324
CXXConstructorDecl * CopyConstructor
CopyConstructor - The copy constructor that is used to perform this conversion, when the conversion i...
Definition Overload.h:391
unsigned IncompatibleObjC
IncompatibleObjC - Whether this is an Objective-C conversion that we should warn about (if we actuall...
Definition Overload.h:334
ImplicitConversionKind Third
Third - The third conversion can be a qualification conversion or a function conversion.
Definition Overload.h:318
ImplicitConversionKind Dimension
Dimension - Between the second and third conversion a vector or matrix dimension conversion may occur...
Definition Overload.h:314
StmtExpr - This is the GNU Statement Expression extension: ({int X=4; X;}).
Definition Expr.h:4598
Stmt - This represents one statement.
Definition Stmt.h:86
SourceLocation getEndLoc() const LLVM_READONLY
Definition Stmt.cpp:367
SourceRange getSourceRange() const LLVM_READONLY
SourceLocation tokens are not useful in isolation - they are low level value objects created/interpre...
Definition Stmt.cpp:343
SourceLocation getBeginLoc() const LLVM_READONLY
Definition Stmt.cpp:355
StringLiteral - This represents a string literal expression, e.g.
Definition Expr.h:1802
StringRef getString() const
Definition Expr.h:1870
unsigned getNewAlign() const
Return the largest alignment for which a suitably-sized allocation with 'operator new(size_t)' is gua...
Definition TargetInfo.h:767
const llvm::Triple & getTriple() const
Returns the target triple of the primary target.
A template argument list.
ArrayRef< TemplateArgument > asArray() const
Produce this as an array ref.
Represents a template argument.
@ Declaration
The template argument is a declaration that was provided for a pointer, reference,...
@ Type
The template argument is a type.
Stores a list of template parameters for a TemplateDecl and its derived classes.
NamedDecl * getParam(unsigned Idx)
unsigned getDepth() const
Get the depth of this template parameter list in the set of template parameter lists.
static TemplateParameterList * Create(const ASTContext &C, SourceLocation TemplateLoc, SourceLocation LAngleLoc, ArrayRef< NamedDecl * > Params, SourceLocation RAngleLoc, Expr *RequiresClause)
static TemplateTypeParmDecl * Create(const ASTContext &C, DeclContext *DC, SourceLocation KeyLoc, SourceLocation NameLoc, unsigned D, unsigned P, IdentifierInfo *Id, bool Typename, bool ParameterPack, bool HasTypeConstraint=false, UnsignedOrNone NumExpanded=std::nullopt)
Models the abbreviated syntax to constrain a template type parameter: template <convertible_to<string...
Definition ASTConcept.h:227
Expr * getImmediatelyDeclaredConstraint() const
Get the immediately-declared constraint expression introduced by this type-constraint,...
Definition ASTConcept.h:244
Represents a declaration of a type.
Definition Decl.h:3528
TyLocType push(QualType T)
Pushes space for a new TypeLoc of the given type.
TypeSourceInfo * getTypeSourceInfo(ASTContext &Context, QualType T)
Creates a TypeSourceInfo for the given type.
void pushTrivial(ASTContext &Context, QualType T, SourceLocation Loc)
Pushes 'T' with all locations pointing to 'Loc'.
SourceRange getSourceRange() const LLVM_READONLY
Get the full source range.
Definition TypeLoc.h:154
SourceLocation getBeginLoc() const
Get the begin source location.
Definition TypeLoc.cpp:193
A container of type source information.
Definition TypeBase.h:8402
TypeLoc getTypeLoc() const
Return the TypeLoc wrapper for the type source info.
Definition TypeLoc.h:267
QualType getType() const
Return the type wrapped by this type source info.
Definition TypeBase.h:8413
The base class of the type hierarchy.
Definition TypeBase.h:1866
bool isSizelessType() const
As an extension, we classify types as one of "sized" or "sizeless"; every type is one or the other.
Definition Type.cpp:2614
bool isBlockPointerType() const
Definition TypeBase.h:8688
bool isVoidType() const
Definition TypeBase.h:9034
bool isBooleanType() const
Definition TypeBase.h:9171
bool isPlaceholderType() const
Test for a type which does not represent an actual type-system type but is instead used as a placehol...
Definition TypeBase.h:9010
bool isIntegralOrUnscopedEnumerationType() const
Determine whether this type is an integral or unscoped enumeration type.
Definition Type.cpp:2138
CXXRecordDecl * getAsCXXRecordDecl() const
Retrieves the CXXRecordDecl that this type refers to, either because the type is a RecordType or beca...
Definition Type.h:26
bool isVoidPointerType() const
Definition Type.cpp:714
bool isArrayType() const
Definition TypeBase.h:8767
CXXRecordDecl * castAsCXXRecordDecl() const
Definition Type.h:36
bool isArithmeticType() const
Definition Type.cpp:2375
bool isConstantMatrixType() const
Definition TypeBase.h:8835
bool isPointerType() const
Definition TypeBase.h:8668
bool isArrayParameterType() const
Definition TypeBase.h:8783
bool isIntegerType() const
isIntegerType() does not include complex integers (a GCC extension).
Definition TypeBase.h:9078
const T * castAs() const
Member-template castAs<specific type>.
Definition TypeBase.h:9328
bool isReferenceType() const
Definition TypeBase.h:8692
bool isEnumeralType() const
Definition TypeBase.h:8799
bool isScalarType() const
Definition TypeBase.h:9140
bool isSveVLSBuiltinType() const
Determines if this is a sizeless type supported by the 'arm_sve_vector_bits' type attribute,...
Definition Type.cpp:2654
bool isIntegralType(const ASTContext &Ctx) const
Determine whether this type is an integral type.
Definition Type.cpp:2121
QualType getPointeeType() const
If this is a pointer, ObjC object pointer, or block pointer, this returns the respective pointee.
Definition Type.cpp:754
bool isExtVectorType() const
Definition TypeBase.h:8811
TagDecl * getAsTagDecl() const
Retrieves the TagDecl that this type refers to, either because the type is a TagType or because it is...
Definition Type.h:63
bool isBuiltinType() const
Helper methods to distinguish type categories.
Definition TypeBase.h:8791
bool isDependentType() const
Whether this type is a dependent type, meaning that its definition somehow depends on a template para...
Definition TypeBase.h:2832
bool isFixedPointType() const
Return true if this is a fixed point type according to ISO/IEC JTC1 SC22 WG14 N1169.
Definition TypeBase.h:9094
bool isHalfType() const
Definition TypeBase.h:9038
DeducedType * getContainedDeducedType() const
Get the DeducedType whose type will be deduced for a variable with an initializer of this type.
Definition Type.cpp:2074
bool isWebAssemblyTableType() const
Returns true if this is a WebAssembly table type: either an array of reference types,...
Definition Type.cpp:2604
const Type * getBaseElementTypeUnsafe() const
Get the base element type of this type, potentially discarding type qualifiers.
Definition TypeBase.h:9214
bool isMemberPointerType() const
Definition TypeBase.h:8749
bool isMatrixType() const
Definition TypeBase.h:8831
EnumDecl * castAsEnumDecl() const
Definition Type.h:59
bool isVariablyModifiedType() const
Whether this type is a variably-modified type (C99 6.7.5).
Definition TypeBase.h:2850
bool isObjCLifetimeType() const
Returns true if objects of this type have lifetime semantics under ARC.
Definition Type.cpp:5388
bool isObjectType() const
Determine whether this type is an object type.
Definition TypeBase.h:2558
EnumDecl * getAsEnumDecl() const
Retrieves the EnumDecl this type refers to.
Definition Type.h:53
bool isPointerOrReferenceType() const
Definition TypeBase.h:8672
Qualifiers::ObjCLifetime getObjCARCImplicitLifetime() const
Return the implicit lifetime for this type, which must not be dependent.
Definition Type.cpp:5332
bool isFunctionType() const
Definition TypeBase.h:8664
bool isObjCObjectPointerType() const
Definition TypeBase.h:8847
bool isVectorType() const
Definition TypeBase.h:8807
bool isRealFloatingType() const
Floating point categories.
Definition Type.cpp:2358
const T * getAsCanonical() const
If this type is canonically the specified type, return its canonical type cast to that specified type...
Definition TypeBase.h:2971
bool isFloatingType() const
Definition Type.cpp:2342
bool isAnyPointerType() const
Definition TypeBase.h:8676
const T * getAs() const
Member-template getAs<specific type>'.
Definition TypeBase.h:9261
bool isObjCARCImplicitlyUnretainedType() const
Determines if this type, which must satisfy isObjCLifetimeType(), is implicitly __unsafe_unretained r...
Definition Type.cpp:5338
bool isNullPtrType() const
Definition TypeBase.h:9071
bool isRecordType() const
Definition TypeBase.h:8795
bool isObjCRetainableType() const
Definition Type.cpp:5369
bool isSizelessVectorType() const
Returns true for all scalable vector types.
Definition Type.cpp:2616
UnaryOperator - This represents the unary-expression's (except sizeof and alignof),...
Definition Expr.h:2247
Represents a C++ unqualified-id that has been parsed.
Definition DeclSpec.h:1033
SourceLocation getBeginLoc() const LLVM_READONLY
Definition DeclSpec.h:1245
SourceRange getSourceRange() const LLVM_READONLY
Return the source range that covers this unqualified-id.
Definition DeclSpec.h:1242
SourceLocation getEndLoc() const LLVM_READONLY
Definition DeclSpec.h:1246
SourceLocation StartLocation
The location of the first token that describes this unqualified-id, which will be the location of the...
Definition DeclSpec.h:1091
const IdentifierInfo * Identifier
When Kind == IK_Identifier, the parsed identifier, or when Kind == IK_UserLiteralId,...
Definition DeclSpec.h:1061
UnqualifiedIdKind getKind() const
Determine what kind of name we have.
Definition DeclSpec.h:1115
TemplateIdAnnotation * TemplateId
When Kind == IK_TemplateId or IK_ConstructorTemplateId, the template-id annotation that contains the ...
Definition DeclSpec.h:1085
Represent the declaration of a variable (in which case it is an lvalue) a function (in which case it ...
Definition Decl.h:712
QualType getType() const
Definition Decl.h:723
bool isWeak() const
Determine whether this symbol is weakly-imported, or declared with the weak or weak-ref attr.
Definition Decl.cpp:5583
VarDecl * getPotentiallyDecomposedVarDecl()
Definition DeclCXX.cpp:3687
Represents a variable declaration or definition.
Definition Decl.h:926
SourceRange getSourceRange() const override LLVM_READONLY
Source range that this declaration covers.
Definition Decl.cpp:2203
VarDecl * getCanonicalDecl() override
Retrieves the "canonical" declaration of the given declaration.
Definition Decl.cpp:2270
bool isUsableInConstantExpressions(const ASTContext &C) const
Determine whether this variable's value can be used in a constant expression, according to the releva...
Definition Decl.cpp:2541
const Expr * getAnyInitializer() const
Get the initializer for this variable, no matter which declaration it is attached to.
Definition Decl.h:1373
Represents a GCC generic vector type.
Definition TypeBase.h:4225
TemplateParameterList * getTypeConstraintTemplateParameterList() const
A requires-expression requirement which queries the validity and properties of an expression ('simple...
A requires-expression requirement which is satisfied when a general constraint expression is satisfie...
A static requirement that can be used in a requires-expression to check properties of types and expre...
A requires-expression requirement which queries the existence of a type name or type template special...
ImplicitCaptureStyle ImpCaptureStyle
Definition ScopeInfo.h:712
Capture & getCXXThisCapture()
Retrieve the capture of C++ 'this', if it has been captured.
Definition ScopeInfo.h:762
bool isCXXThisCaptured() const
Determine whether the C++ 'this' is captured.
Definition ScopeInfo.h:759
void addThisCapture(bool isNested, SourceLocation Loc, QualType CaptureType, bool ByCopy)
Definition ScopeInfo.h:1100
SourceLocation PotentialThisCaptureLocation
Definition ScopeInfo.h:954
bool hasPotentialThisCapture() const
Definition ScopeInfo.h:1006
SourceRange IntroducerRange
Source range covering the lambda introducer [...].
Definition ScopeInfo.h:888
bool lambdaCaptureShouldBeConst() const
bool hasPotentialCaptures() const
Definition ScopeInfo.h:1072
bool isVariableExprMarkedAsNonODRUsed(Expr *CapturingVarExpr) const
Definition ScopeInfo.h:1055
CXXRecordDecl * Lambda
The class that describes the lambda.
Definition ScopeInfo.h:875
void visitPotentialCaptures(llvm::function_ref< void(ValueDecl *, Expr *)> Callback) const
unsigned NumExplicitCaptures
The number of captures in the Captures list that are explicit captures.
Definition ScopeInfo.h:896
bool AfterParameterList
Indicate that we parsed the parameter list at which point the mutability of the lambda is known.
Definition ScopeInfo.h:883
CXXMethodDecl * CallOperator
The lambda's compiler-generated operator().
Definition ScopeInfo.h:878
Provides information about an attempted template argument deduction, whose success or failure was des...
Defines the clang::TargetInfo interface.
Definition SPIR.cpp:47
SmallVector< BoundNodes, 1 > match(MatcherT Matcher, const NodeT &Node, ASTContext &Context)
Returns the results of matching Matcher on Node.
bool NE(InterpState &S, CodePtr OpPC)
Definition Interp.h:1424
ComparisonCategoryResult Compare(const T &X, const T &Y)
Helper to compare two comparable types.
Definition Primitives.h:38
TokenKind
Provides a simple uniform namespace for tokens from all C languages.
Definition TokenKinds.h:25
The JSON file list parser is used to communicate input to InstallAPI.
CanQual< Type > CanQualType
Represents a canonical, potentially-qualified type.
bool isLambdaCallWithImplicitObjectParameter(const DeclContext *DC)
Definition ASTLambda.h:50
OverloadedOperatorKind
Enumeration specifying the different kinds of C++ overloaded operators.
@ Match
This is not an overload because the signature exactly matches an existing declaration.
Definition Sema.h:830
bool isa(CodeGen::Address addr)
Definition Address.h:330
@ CPlusPlus23
@ CPlusPlus20
@ CPlusPlus
@ CPlusPlus11
@ CPlusPlus14
@ CPlusPlus17
if(T->getSizeExpr()) TRY_TO(TraverseStmt(const_cast< Expr * >(T -> getSizeExpr())))
@ OR_Deleted
Succeeded, but refers to a deleted function.
Definition Overload.h:61
@ OR_Success
Overload resolution succeeded.
Definition Overload.h:52
@ OR_Ambiguous
Ambiguous candidates found.
Definition Overload.h:58
@ OR_No_Viable_Function
No viable function found.
Definition Overload.h:55
VariadicCallType
Definition Sema.h:513
CanThrowResult
Possible results from evaluation of a noexcept expression.
AllocationFunctionScope
The scope in which to find allocation functions.
Definition Sema.h:791
@ Both
Look for allocation functions in both the global scope and in the scope of the allocated class.
Definition Sema.h:799
@ Global
Only look for allocation functions in the global scope.
Definition Sema.h:793
@ Class
Only look for allocation functions in the scope of the allocated class.
Definition Sema.h:796
DeclContext * getLambdaAwareParentOfDeclContext(DeclContext *DC)
Definition ASTLambda.h:102
bool isReservedInAllContexts(ReservedIdentifierStatus Status)
Determine whether an identifier is reserved in all contexts.
bool isUnresolvedExceptionSpec(ExceptionSpecificationType ESpecType)
@ Ambiguous
Name lookup results in an ambiguity; use getAmbiguityKind to figure out what kind of ambiguity we hav...
Definition Lookup.h:64
@ NotFound
No entity found met the criteria.
Definition Lookup.h:41
@ FoundOverloaded
Name lookup found a set of overloaded functions that met the criteria.
Definition Lookup.h:54
@ Found
Name lookup found a single declaration that met the criteria.
Definition Lookup.h:50
@ FoundUnresolvedValue
Name lookup found an unresolvable value declaration and cannot yet complete.
Definition Lookup.h:59
@ NotFoundInCurrentInstantiation
No entity found met the criteria within the current instantiation,, but there were dependent base cla...
Definition Lookup.h:46
AlignedAllocationMode alignedAllocationModeFromBool(bool IsAligned)
Definition ExprCXX.h:2273
@ Conditional
A conditional (?:) operator.
Definition Sema.h:669
@ RQ_None
No ref-qualifier was provided.
Definition TypeBase.h:1788
@ RQ_LValue
An lvalue ref-qualifier was provided (&).
Definition TypeBase.h:1791
@ RQ_RValue
An rvalue ref-qualifier was provided (&&).
Definition TypeBase.h:1794
@ OCD_AmbiguousCandidates
Requests that only tied-for-best candidates be shown.
Definition Overload.h:73
@ OCD_AllCandidates
Requests that all candidates be shown.
Definition Overload.h:67
ExprObjectKind
A further classification of the kind of object referenced by an l-value or x-value.
Definition Specifiers.h:150
@ OK_ObjCProperty
An Objective-C property is a logical field of an Objective-C object which is read and written via Obj...
Definition Specifiers.h:162
@ OK_Ordinary
An ordinary object is located at an address in memory.
Definition Specifiers.h:152
@ OK_BitField
A bitfield object is a bitfield on a C or C++ record.
Definition Specifiers.h:155
UnsignedOrNone getStackIndexOfNearestEnclosingCaptureCapableLambda(ArrayRef< const sema::FunctionScopeInfo * > FunctionScopes, ValueDecl *VarToCapture, Sema &S)
Examines the FunctionScopeInfo stack to determine the nearest enclosing lambda (to the current lambda...
@ LCK_StarThis
Capturing the *this object by copy.
Definition Lambda.h:35
@ Bind
'bind' clause, allowed on routine constructs.
@ Self
'self' clause, allowed on Compute and Combined Constructs, plus 'update'.
@ IK_TemplateId
A template-id, e.g., f<int>.
Definition DeclSpec.h:1025
@ IK_LiteralOperatorId
A user-defined literal name, e.g., operator "" _i.
Definition DeclSpec.h:1017
@ IK_Identifier
An identifier.
Definition DeclSpec.h:1011
@ AS_public
Definition Specifiers.h:125
nullptr
This class represents a compute construct, representing a 'Kind' of ‘parallel’, 'serial',...
bool isLambdaCallWithExplicitObjectParameter(const DeclContext *DC)
Definition ASTLambda.h:45
@ SC_None
Definition Specifiers.h:251
Expr * Cond
};
bool isAlignedAllocation(AlignedAllocationMode Mode)
Definition ExprCXX.h:2269
@ OMF_performSelector
MutableArrayRef< Expr * > MultiExprArg
Definition Ownership.h:259
AlignedAllocationMode
Definition ExprCXX.h:2267
StmtResult StmtError()
Definition Ownership.h:266
bool isLambdaCallOperator(const CXXMethodDecl *MD)
Definition ASTLambda.h:28
@ Result
The result type of a method or function.
Definition TypeBase.h:905
ActionResult< ParsedType > TypeResult
Definition Ownership.h:251
OptionalUnsigned< unsigned > UnsignedOrNone
@ ICK_Complex_Conversion
Complex conversions (C99 6.3.1.6)
Definition Overload.h:139
@ ICK_Floating_Promotion
Floating point promotions (C++ [conv.fpprom])
Definition Overload.h:127
@ ICK_Boolean_Conversion
Boolean conversions (C++ [conv.bool])
Definition Overload.h:151
@ ICK_Integral_Conversion
Integral conversions (C++ [conv.integral])
Definition Overload.h:133
@ ICK_HLSL_Vector_Splat
Definition Overload.h:208
@ ICK_Fixed_Point_Conversion
Fixed point type conversions according to N1169.
Definition Overload.h:196
@ ICK_Vector_Conversion
Vector conversions.
Definition Overload.h:160
@ ICK_Block_Pointer_Conversion
Block Pointer conversions.
Definition Overload.h:175
@ ICK_Pointer_Member
Pointer-to-member conversions (C++ [conv.mem])
Definition Overload.h:148
@ ICK_Floating_Integral
Floating-integral conversions (C++ [conv.fpint])
Definition Overload.h:142
@ ICK_HLSL_Array_RValue
HLSL non-decaying array rvalue cast.
Definition Overload.h:205
@ ICK_SVE_Vector_Conversion
Arm SVE Vector conversions.
Definition Overload.h:163
@ ICK_HLSL_Vector_Truncation
HLSL vector truncation.
Definition Overload.h:199
@ ICK_Incompatible_Pointer_Conversion
C-only conversion between pointers with incompatible types.
Definition Overload.h:193
@ ICK_Array_To_Pointer
Array-to-pointer conversion (C++ [conv.array])
Definition Overload.h:112
@ ICK_RVV_Vector_Conversion
RISC-V RVV Vector conversions.
Definition Overload.h:166
@ ICK_Complex_Promotion
Complex promotions (Clang extension)
Definition Overload.h:130
@ ICK_Num_Conversion_Kinds
The number of conversion kinds.
Definition Overload.h:214
@ ICK_HLSL_Matrix_Splat
HLSL matrix splat from scalar or boolean type.
Definition Overload.h:211
@ ICK_Function_Conversion
Function pointer conversion (C++17 [conv.fctptr])
Definition Overload.h:118
@ ICK_Vector_Splat
A vector splat from an arithmetic type.
Definition Overload.h:169
@ ICK_Zero_Queue_Conversion
Zero constant to queue.
Definition Overload.h:187
@ ICK_Identity
Identity conversion (no conversion)
Definition Overload.h:106
@ ICK_Derived_To_Base
Derived-to-base (C++ [over.best.ics])
Definition Overload.h:157
@ ICK_Lvalue_To_Rvalue
Lvalue-to-rvalue conversion (C++ [conv.lval])
Definition Overload.h:109
@ ICK_Qualification
Qualification conversions (C++ [conv.qual])
Definition Overload.h:121
@ ICK_Pointer_Conversion
Pointer conversions (C++ [conv.ptr])
Definition Overload.h:145
@ ICK_TransparentUnionConversion
Transparent Union Conversions.
Definition Overload.h:178
@ ICK_Integral_Promotion
Integral promotions (C++ [conv.prom])
Definition Overload.h:124
@ ICK_HLSL_Matrix_Truncation
HLSL Matrix truncation.
Definition Overload.h:202
@ ICK_Floating_Conversion
Floating point conversions (C++ [conv.double].
Definition Overload.h:136
@ ICK_Compatible_Conversion
Conversions between compatible types in C99.
Definition Overload.h:154
@ ICK_C_Only_Conversion
Conversions allowed in C, but not C++.
Definition Overload.h:190
@ ICK_Writeback_Conversion
Objective-C ARC writeback conversion.
Definition Overload.h:181
@ ICK_Zero_Event_Conversion
Zero constant to event (OpenCL1.2 6.12.10)
Definition Overload.h:184
@ ICK_Complex_Real
Complex-real conversions (C99 6.3.1.7)
Definition Overload.h:172
@ ICK_Function_To_Pointer
Function-to-pointer (C++ [conv.array])
Definition Overload.h:115
@ Template
We are parsing a template declaration.
Definition Parser.h:81
ActionResult< CXXBaseSpecifier * > BaseResult
Definition Ownership.h:252
llvm::VersionTuple alignedAllocMinVersion(llvm::Triple::OSType OS)
AssignConvertType
AssignConvertType - All of the 'assignment' semantic checks return this enum to indicate whether the ...
Definition Sema.h:689
@ Incompatible
Incompatible - We reject this conversion outright, it is invalid to represent it in the AST.
Definition Sema.h:787
@ Compatible
Compatible - the types are compatible according to the standard.
Definition Sema.h:691
@ Class
The "class" keyword.
Definition TypeBase.h:5992
ExprResult ExprError()
Definition Ownership.h:265
@ Type
The name was classified as a type.
Definition Sema.h:564
bool isTypeAwareAllocation(TypeAwareAllocationMode Mode)
Definition ExprCXX.h:2257
LangAS
Defines the address space values used by the address space qualifier of QualType.
CastKind
CastKind - The kind of operation required for a conversion.
MutableArrayRef< ParsedTemplateArgument > ASTTemplateArgsPtr
Definition Ownership.h:261
SizedDeallocationMode sizedDeallocationModeFromBool(bool IsSized)
Definition ExprCXX.h:2283
AssignmentAction
Definition Sema.h:216
@ Deduced
The normal deduced case.
Definition TypeBase.h:1805
inits_range inits()
std::pair< SourceLocation, PartialDiagnostic > PartialDiagnosticAt
A partial diagnostic along with the source location where this diagnostic occurs.
bool isPtrSizeAddressSpace(LangAS AS)
SizedDeallocationMode
Definition ExprCXX.h:2277
ExprValueKind
The categorization of expression values, currently following the C++11 scheme.
Definition Specifiers.h:133
@ VK_PRValue
A pr-value expression (in the C++11 taxonomy) produces a temporary value.
Definition Specifiers.h:136
@ VK_LValue
An l-value expression is a reference to an object with independent storage.
Definition Specifiers.h:140
SmallVector< CXXBaseSpecifier *, 4 > CXXCastPath
A simple array of base specifiers.
Definition ASTContext.h:150
bool isSizedDeallocation(SizedDeallocationMode Mode)
Definition ExprCXX.h:2279
TypeAwareAllocationMode
Definition ExprCXX.h:2255
IfExistsResult
Describes the result of an "if-exists" condition check.
Definition Sema.h:803
@ Dependent
The name is a dependent name, so the results will differ from one instantiation to the next.
Definition Sema.h:812
@ Exists
The symbol exists.
Definition Sema.h:805
@ Error
An error occurred.
Definition Sema.h:815
@ DoesNotExist
The symbol does not exist.
Definition Sema.h:808
@ TPOC_Call
Partial ordering of function templates for a function call.
Definition Template.h:306
bool declaresSameEntity(const Decl *D1, const Decl *D2)
Determine whether two declarations declare the same entity.
Definition DeclBase.h:1301
TemplateDeductionResult
Describes the result of template argument deduction.
Definition Sema.h:369
@ Success
Template argument deduction was successful.
Definition Sema.h:371
@ AlreadyDiagnosed
Some error which was already diagnosed.
Definition Sema.h:423
@ Generic
not a target-specific vector type
Definition TypeBase.h:4186
U cast(CodeGen::Address addr)
Definition Address.h:327
@ ArrayBound
Array bound in array declarator or new-expression.
Definition Sema.h:844
OpaquePtr< QualType > ParsedType
An opaque type for threading parsed type information through the parser.
Definition Ownership.h:230
@ None
No keyword precedes the qualified type name.
Definition TypeBase.h:5977
@ Class
The "class" keyword introduces the elaborated-type-specifier.
Definition TypeBase.h:5967
@ Typename
The "typename" keyword precedes the qualified type name, e.g., typename T::type.
Definition TypeBase.h:5974
ReservedIdentifierStatus
ActionResult< Expr * > ExprResult
Definition Ownership.h:249
@ Other
Other implicit parameter.
Definition Decl.h:1761
CXXNewInitializationStyle
Definition ExprCXX.h:2244
@ Parens
New-expression has a C++98 paren-delimited initializer.
Definition ExprCXX.h:2249
@ None
New-expression has no initializer as written.
Definition ExprCXX.h:2246
@ Braces
New-expression has a C++11 list-initializer.
Definition ExprCXX.h:2252
@ EST_BasicNoexcept
noexcept
@ EST_Dynamic
throw(T1, T2)
CheckedConversionKind
The kind of conversion being performed.
Definition Sema.h:438
@ CStyleCast
A C-style cast.
Definition Sema.h:442
@ ForBuiltinOverloadedOp
A conversion for an operand of a builtin overloaded operator.
Definition Sema.h:448
@ FunctionalCast
A functional-style cast.
Definition Sema.h:444
ActionResult< Stmt * > StmtResult
Definition Ownership.h:250
bool isGenericLambdaCallOperatorSpecialization(const CXXMethodDecl *MD)
Definition ASTLambda.h:60
#define false
Definition stdbool.h:26
The result of a constraint satisfaction check, containing the necessary information to diagnose an un...
Definition ASTConcept.h:91
static ASTConstraintSatisfaction * Rebuild(const ASTContext &C, const ASTConstraintSatisfaction &Satisfaction)
DeclarationNameInfo - A collector data type for bundling together a DeclarationName and the correspon...
DeclarationName getName() const
getName - Returns the embedded declaration name.
unsigned hasStatic
True if this dimension included the 'static' keyword.
Definition DeclSpec.h:1325
Expr * NumElts
This is the size of the array, or null if [] or [*] was specified.
Definition DeclSpec.h:1334
One instance of this struct is used for each type in a declarator that is parsed.
Definition DeclSpec.h:1256
ArrayTypeInfo Arr
Definition DeclSpec.h:1654
SourceLocation Loc
Loc - The place where this type was defined.
Definition DeclSpec.h:1264
enum clang::DeclaratorChunk::@340323374315200305336204205154073066142310370142 Kind
ExceptionSpecificationType Type
The kind of exception specification this is.
Definition TypeBase.h:5416
ArrayRef< QualType > Exceptions
Explicitly-specified list of exception types.
Definition TypeBase.h:5419
Extra information about a function prototype.
Definition TypeBase.h:5442
AlignedAllocationMode PassAlignment
Definition ExprCXX.h:2311
TypeAwareAllocationMode PassTypeIdentity
Definition ExprCXX.h:2310
unsigned getNumImplicitArgs() const
Definition ExprCXX.h:2300
TypeAwareAllocationMode PassTypeIdentity
Definition ExprCXX.h:2342
SizedDeallocationMode PassSize
Definition ExprCXX.h:2344
AlignedAllocationMode PassAlignment
Definition ExprCXX.h:2343
OverloadCandidate - A single candidate in an overload set (C++ 13.3).
Definition Overload.h:933
Information about a template-id annotation token.
const IdentifierInfo * Name
FIXME: Temporarily stores the name of a specialization.
unsigned NumArgs
NumArgs - The number of template arguments.
SourceLocation TemplateNameLoc
TemplateNameLoc - The location of the template name within the source.
ParsedTemplateArgument * getTemplateArgs()
Retrieves a pointer to the template arguments.
SourceLocation RAngleLoc
The location of the '>' after the template argument list.
SourceLocation LAngleLoc
The location of the '<' before the template argument list.
SourceLocation TemplateKWLoc
TemplateKWLoc - The location of the template keyword.
ParsedTemplateTy Template
The declaration of the template corresponding to the template-name.
StandardConversionSequence Before
Represents the standard conversion that occurs before the actual user-defined conversion.
Definition Overload.h:489
FunctionDecl * ConversionFunction
ConversionFunction - The function that will perform the user-defined conversion.
Definition Overload.h:511
bool HadMultipleCandidates
HadMultipleCandidates - When this is true, it means that the conversion function was resolved from an...
Definition Overload.h:502
StandardConversionSequence After
After - Represents the standard conversion that occurs after the actual user-defined conversion.
Definition Overload.h:506
bool EllipsisConversion
EllipsisConversion - When this is true, it means user-defined conversion sequence starts with a ....
Definition Overload.h:497
DeclAccessPair FoundConversionFunction
The declaration that we found via name lookup, which might be the same as ConversionFunction or it mi...
Definition Overload.h:516