clang 20.0.0git
SemaDeclAttr.cpp
Go to the documentation of this file.
1//===--- SemaDeclAttr.cpp - Declaration Attribute Handling ----------------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8//
9// This file implements decl-related attribute processing.
10//
11//===----------------------------------------------------------------------===//
12
17#include "clang/AST/Decl.h"
18#include "clang/AST/DeclCXX.h"
19#include "clang/AST/DeclObjC.h"
22#include "clang/AST/Expr.h"
23#include "clang/AST/ExprCXX.h"
24#include "clang/AST/Mangle.h"
25#include "clang/AST/Type.h"
27#include "clang/Basic/Cuda.h"
35#include "clang/Sema/Attr.h"
36#include "clang/Sema/DeclSpec.h"
39#include "clang/Sema/Lookup.h"
41#include "clang/Sema/Scope.h"
44#include "clang/Sema/SemaARM.h"
45#include "clang/Sema/SemaAVR.h"
46#include "clang/Sema/SemaBPF.h"
47#include "clang/Sema/SemaCUDA.h"
48#include "clang/Sema/SemaHLSL.h"
49#include "clang/Sema/SemaM68k.h"
50#include "clang/Sema/SemaMIPS.h"
52#include "clang/Sema/SemaObjC.h"
56#include "clang/Sema/SemaSYCL.h"
58#include "clang/Sema/SemaWasm.h"
59#include "clang/Sema/SemaX86.h"
60#include "llvm/ADT/STLExtras.h"
61#include "llvm/ADT/STLForwardCompat.h"
62#include "llvm/ADT/StringExtras.h"
63#include "llvm/Demangle/Demangle.h"
64#include "llvm/IR/DerivedTypes.h"
65#include "llvm/MC/MCSectionMachO.h"
66#include "llvm/Support/Error.h"
67#include "llvm/Support/MathExtras.h"
68#include "llvm/Support/raw_ostream.h"
69#include "llvm/TargetParser/Triple.h"
70#include <optional>
71
72using namespace clang;
73using namespace sema;
74
76 enum LANG {
79 ObjC
80 };
81} // end namespace AttributeLangSupport
82
83static unsigned getNumAttributeArgs(const ParsedAttr &AL) {
84 // FIXME: Include the type in the argument list.
85 return AL.getNumArgs() + AL.hasParsedType();
86}
87
89
90/// Wrapper around checkUInt32Argument, with an extra check to be sure
91/// that the result will fit into a regular (signed) int. All args have the same
92/// purpose as they do in checkUInt32Argument.
93template <typename AttrInfo>
94static bool checkPositiveIntArgument(Sema &S, const AttrInfo &AI, const Expr *Expr,
95 int &Val, unsigned Idx = UINT_MAX) {
96 uint32_t UVal;
97 if (!S.checkUInt32Argument(AI, Expr, UVal, Idx))
98 return false;
99
100 if (UVal > (uint32_t)std::numeric_limits<int>::max()) {
101 llvm::APSInt I(32); // for toString
102 I = UVal;
103 S.Diag(Expr->getExprLoc(), diag::err_ice_too_large)
104 << toString(I, 10, false) << 32 << /* Unsigned */ 0;
105 return false;
106 }
107
108 Val = UVal;
109 return true;
110}
111
113 const Expr *E, StringRef &Str,
114 SourceLocation *ArgLocation) {
115 const auto *Literal = dyn_cast<StringLiteral>(E->IgnoreParenCasts());
116 if (ArgLocation)
117 *ArgLocation = E->getBeginLoc();
118
119 if (!Literal || (!Literal->isUnevaluated() && !Literal->isOrdinary())) {
120 Diag(E->getBeginLoc(), diag::err_attribute_argument_type)
121 << CI << AANT_ArgumentString;
122 return false;
123 }
124
125 Str = Literal->getString();
126 return true;
127}
128
129bool Sema::checkStringLiteralArgumentAttr(const ParsedAttr &AL, unsigned ArgNum,
130 StringRef &Str,
131 SourceLocation *ArgLocation) {
132 // Look for identifiers. If we have one emit a hint to fix it to a literal.
133 if (AL.isArgIdent(ArgNum)) {
134 IdentifierLoc *Loc = AL.getArgAsIdent(ArgNum);
135 Diag(Loc->Loc, diag::err_attribute_argument_type)
136 << AL << AANT_ArgumentString
137 << FixItHint::CreateInsertion(Loc->Loc, "\"")
139 Str = Loc->Ident->getName();
140 if (ArgLocation)
141 *ArgLocation = Loc->Loc;
142 return true;
143 }
144
145 // Now check for an actual string literal.
146 Expr *ArgExpr = AL.getArgAsExpr(ArgNum);
147 const auto *Literal = dyn_cast<StringLiteral>(ArgExpr->IgnoreParenCasts());
148 if (ArgLocation)
149 *ArgLocation = ArgExpr->getBeginLoc();
150
151 if (!Literal || (!Literal->isUnevaluated() && !Literal->isOrdinary())) {
152 Diag(ArgExpr->getBeginLoc(), diag::err_attribute_argument_type)
153 << AL << AANT_ArgumentString;
154 return false;
155 }
156 Str = Literal->getString();
157 return checkStringLiteralArgumentAttr(AL, ArgExpr, Str, ArgLocation);
158}
159
160/// Check if the passed-in expression is of type int or bool.
161static bool isIntOrBool(Expr *Exp) {
162 QualType QT = Exp->getType();
163 return QT->isBooleanType() || QT->isIntegerType();
164}
165
166
167// Check to see if the type is a smart pointer of some kind. We assume
168// it's a smart pointer if it defines both operator-> and operator*.
170 auto IsOverloadedOperatorPresent = [&S](const RecordDecl *Record,
174 return !Result.empty();
175 };
176
177 const RecordDecl *Record = RT->getDecl();
178 bool foundStarOperator = IsOverloadedOperatorPresent(Record, OO_Star);
179 bool foundArrowOperator = IsOverloadedOperatorPresent(Record, OO_Arrow);
180 if (foundStarOperator && foundArrowOperator)
181 return true;
182
183 const CXXRecordDecl *CXXRecord = dyn_cast<CXXRecordDecl>(Record);
184 if (!CXXRecord)
185 return false;
186
187 for (const auto &BaseSpecifier : CXXRecord->bases()) {
188 if (!foundStarOperator)
189 foundStarOperator = IsOverloadedOperatorPresent(
190 BaseSpecifier.getType()->getAsRecordDecl(), OO_Star);
191 if (!foundArrowOperator)
192 foundArrowOperator = IsOverloadedOperatorPresent(
193 BaseSpecifier.getType()->getAsRecordDecl(), OO_Arrow);
194 }
195
196 if (foundStarOperator && foundArrowOperator)
197 return true;
198
199 return false;
200}
201
202/// Check if passed in Decl is a pointer type.
203/// Note that this function may produce an error message.
204/// \return true if the Decl is a pointer type; false otherwise
205static bool threadSafetyCheckIsPointer(Sema &S, const Decl *D,
206 const ParsedAttr &AL) {
207 const auto *VD = cast<ValueDecl>(D);
208 QualType QT = VD->getType();
209 if (QT->isAnyPointerType())
210 return true;
211
212 if (const auto *RT = QT->getAs<RecordType>()) {
213 // If it's an incomplete type, it could be a smart pointer; skip it.
214 // (We don't want to force template instantiation if we can avoid it,
215 // since that would alter the order in which templates are instantiated.)
216 if (RT->isIncompleteType())
217 return true;
218
220 return true;
221 }
222
223 S.Diag(AL.getLoc(), diag::warn_thread_attribute_decl_not_pointer) << AL << QT;
224 return false;
225}
226
227/// Checks that the passed in QualType either is of RecordType or points
228/// to RecordType. Returns the relevant RecordType, null if it does not exit.
230 if (const auto *RT = QT->getAs<RecordType>())
231 return RT;
232
233 // Now check if we point to record type.
234 if (const auto *PT = QT->getAs<PointerType>())
235 return PT->getPointeeType()->getAs<RecordType>();
236
237 return nullptr;
238}
239
240template <typename AttrType>
241static bool checkRecordDeclForAttr(const RecordDecl *RD) {
242 // Check if the record itself has the attribute.
243 if (RD->hasAttr<AttrType>())
244 return true;
245
246 // Else check if any base classes have the attribute.
247 if (const auto *CRD = dyn_cast<CXXRecordDecl>(RD)) {
248 if (!CRD->forallBases([](const CXXRecordDecl *Base) {
249 return !Base->hasAttr<AttrType>();
250 }))
251 return true;
252 }
253 return false;
254}
255
257 const RecordType *RT = getRecordType(Ty);
258
259 if (!RT)
260 return false;
261
262 // Don't check for the capability if the class hasn't been defined yet.
263 if (RT->isIncompleteType())
264 return true;
265
266 // Allow smart pointers to be used as capability objects.
267 // FIXME -- Check the type that the smart pointer points to.
269 return true;
270
271 return checkRecordDeclForAttr<CapabilityAttr>(RT->getDecl());
272}
273
275 const RecordType *RT = getRecordType(Ty);
276
277 if (!RT)
278 return false;
279
280 // Don't check for the capability if the class hasn't been defined yet.
281 if (RT->isIncompleteType())
282 return true;
283
284 return checkRecordDeclForAttr<ScopedLockableAttr>(RT->getDecl());
285}
286
288 const auto *TD = Ty->getAs<TypedefType>();
289 if (!TD)
290 return false;
291
292 TypedefNameDecl *TN = TD->getDecl();
293 if (!TN)
294 return false;
295
296 return TN->hasAttr<CapabilityAttr>();
297}
298
299static bool typeHasCapability(Sema &S, QualType Ty) {
301 return true;
302
304 return true;
305
306 return false;
307}
308
309static bool isCapabilityExpr(Sema &S, const Expr *Ex) {
310 // Capability expressions are simple expressions involving the boolean logic
311 // operators &&, || or !, a simple DeclRefExpr, CastExpr or a ParenExpr. Once
312 // a DeclRefExpr is found, its type should be checked to determine whether it
313 // is a capability or not.
314
315 if (const auto *E = dyn_cast<CastExpr>(Ex))
316 return isCapabilityExpr(S, E->getSubExpr());
317 else if (const auto *E = dyn_cast<ParenExpr>(Ex))
318 return isCapabilityExpr(S, E->getSubExpr());
319 else if (const auto *E = dyn_cast<UnaryOperator>(Ex)) {
320 if (E->getOpcode() == UO_LNot || E->getOpcode() == UO_AddrOf ||
321 E->getOpcode() == UO_Deref)
322 return isCapabilityExpr(S, E->getSubExpr());
323 return false;
324 } else if (const auto *E = dyn_cast<BinaryOperator>(Ex)) {
325 if (E->getOpcode() == BO_LAnd || E->getOpcode() == BO_LOr)
326 return isCapabilityExpr(S, E->getLHS()) &&
327 isCapabilityExpr(S, E->getRHS());
328 return false;
329 }
330
331 return typeHasCapability(S, Ex->getType());
332}
333
334/// Checks that all attribute arguments, starting from Sidx, resolve to
335/// a capability object.
336/// \param Sidx The attribute argument index to start checking with.
337/// \param ParamIdxOk Whether an argument can be indexing into a function
338/// parameter list.
340 const ParsedAttr &AL,
342 unsigned Sidx = 0,
343 bool ParamIdxOk = false) {
344 if (Sidx == AL.getNumArgs()) {
345 // If we don't have any capability arguments, the attribute implicitly
346 // refers to 'this'. So we need to make sure that 'this' exists, i.e. we're
347 // a non-static method, and that the class is a (scoped) capability.
348 const auto *MD = dyn_cast<const CXXMethodDecl>(D);
349 if (MD && !MD->isStatic()) {
350 const CXXRecordDecl *RD = MD->getParent();
351 // FIXME -- need to check this again on template instantiation
352 if (!checkRecordDeclForAttr<CapabilityAttr>(RD) &&
353 !checkRecordDeclForAttr<ScopedLockableAttr>(RD))
354 S.Diag(AL.getLoc(),
355 diag::warn_thread_attribute_not_on_capability_member)
356 << AL << MD->getParent();
357 } else {
358 S.Diag(AL.getLoc(), diag::warn_thread_attribute_not_on_non_static_member)
359 << AL;
360 }
361 }
362
363 for (unsigned Idx = Sidx; Idx < AL.getNumArgs(); ++Idx) {
364 Expr *ArgExp = AL.getArgAsExpr(Idx);
365
366 if (ArgExp->isTypeDependent()) {
367 // FIXME -- need to check this again on template instantiation
368 Args.push_back(ArgExp);
369 continue;
370 }
371
372 if (const auto *StrLit = dyn_cast<StringLiteral>(ArgExp)) {
373 if (StrLit->getLength() == 0 ||
374 (StrLit->isOrdinary() && StrLit->getString() == "*")) {
375 // Pass empty strings to the analyzer without warnings.
376 // Treat "*" as the universal lock.
377 Args.push_back(ArgExp);
378 continue;
379 }
380
381 // We allow constant strings to be used as a placeholder for expressions
382 // that are not valid C++ syntax, but warn that they are ignored.
383 S.Diag(AL.getLoc(), diag::warn_thread_attribute_ignored) << AL;
384 Args.push_back(ArgExp);
385 continue;
386 }
387
388 QualType ArgTy = ArgExp->getType();
389
390 // A pointer to member expression of the form &MyClass::mu is treated
391 // specially -- we need to look at the type of the member.
392 if (const auto *UOp = dyn_cast<UnaryOperator>(ArgExp))
393 if (UOp->getOpcode() == UO_AddrOf)
394 if (const auto *DRE = dyn_cast<DeclRefExpr>(UOp->getSubExpr()))
395 if (DRE->getDecl()->isCXXInstanceMember())
396 ArgTy = DRE->getDecl()->getType();
397
398 // First see if we can just cast to record type, or pointer to record type.
399 const RecordType *RT = getRecordType(ArgTy);
400
401 // Now check if we index into a record type function param.
402 if(!RT && ParamIdxOk) {
403 const auto *FD = dyn_cast<FunctionDecl>(D);
404 const auto *IL = dyn_cast<IntegerLiteral>(ArgExp);
405 if(FD && IL) {
406 unsigned int NumParams = FD->getNumParams();
407 llvm::APInt ArgValue = IL->getValue();
408 uint64_t ParamIdxFromOne = ArgValue.getZExtValue();
409 uint64_t ParamIdxFromZero = ParamIdxFromOne - 1;
410 if (!ArgValue.isStrictlyPositive() || ParamIdxFromOne > NumParams) {
411 S.Diag(AL.getLoc(),
412 diag::err_attribute_argument_out_of_bounds_extra_info)
413 << AL << Idx + 1 << NumParams;
414 continue;
415 }
416 ArgTy = FD->getParamDecl(ParamIdxFromZero)->getType();
417 }
418 }
419
420 // If the type does not have a capability, see if the components of the
421 // expression have capabilities. This allows for writing C code where the
422 // capability may be on the type, and the expression is a capability
423 // boolean logic expression. Eg) requires_capability(A || B && !C)
424 if (!typeHasCapability(S, ArgTy) && !isCapabilityExpr(S, ArgExp))
425 S.Diag(AL.getLoc(), diag::warn_thread_attribute_argument_not_lockable)
426 << AL << ArgTy;
427
428 Args.push_back(ArgExp);
429 }
430}
431
433 const ParmVarDecl *ParamDecl,
434 const ParsedAttr &AL) {
435 QualType ParamType = ParamDecl->getType();
436 if (const auto *RefType = ParamType->getAs<ReferenceType>();
437 RefType &&
438 checkRecordTypeForScopedCapability(S, RefType->getPointeeType()))
439 return true;
440 S.Diag(AL.getLoc(), diag::warn_thread_attribute_not_on_scoped_lockable_param)
441 << AL;
442 return false;
443}
444
445//===----------------------------------------------------------------------===//
446// Attribute Implementations
447//===----------------------------------------------------------------------===//
448
449static void handlePtGuardedVarAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
450 if (!threadSafetyCheckIsPointer(S, D, AL))
451 return;
452
453 D->addAttr(::new (S.Context) PtGuardedVarAttr(S.Context, AL));
454}
455
456static bool checkGuardedByAttrCommon(Sema &S, Decl *D, const ParsedAttr &AL,
457 Expr *&Arg) {
459 // check that all arguments are lockable objects
460 checkAttrArgsAreCapabilityObjs(S, D, AL, Args);
461 unsigned Size = Args.size();
462 if (Size != 1)
463 return false;
464
465 Arg = Args[0];
466
467 return true;
468}
469
470static void handleGuardedByAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
471 Expr *Arg = nullptr;
472 if (!checkGuardedByAttrCommon(S, D, AL, Arg))
473 return;
474
475 D->addAttr(::new (S.Context) GuardedByAttr(S.Context, AL, Arg));
476}
477
478static void handlePtGuardedByAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
479 Expr *Arg = nullptr;
480 if (!checkGuardedByAttrCommon(S, D, AL, Arg))
481 return;
482
483 if (!threadSafetyCheckIsPointer(S, D, AL))
484 return;
485
486 D->addAttr(::new (S.Context) PtGuardedByAttr(S.Context, AL, Arg));
487}
488
491 if (!AL.checkAtLeastNumArgs(S, 1))
492 return false;
493
494 // Check that this attribute only applies to lockable types.
495 QualType QT = cast<ValueDecl>(D)->getType();
496 if (!QT->isDependentType() && !typeHasCapability(S, QT)) {
497 S.Diag(AL.getLoc(), diag::warn_thread_attribute_decl_not_lockable) << AL;
498 return false;
499 }
500
501 // Check that all arguments are lockable objects.
502 checkAttrArgsAreCapabilityObjs(S, D, AL, Args);
503 if (Args.empty())
504 return false;
505
506 return true;
507}
508
509static void handleAcquiredAfterAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
511 if (!checkAcquireOrderAttrCommon(S, D, AL, Args))
512 return;
513
514 Expr **StartArg = &Args[0];
515 D->addAttr(::new (S.Context)
516 AcquiredAfterAttr(S.Context, AL, StartArg, Args.size()));
517}
518
519static void handleAcquiredBeforeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
521 if (!checkAcquireOrderAttrCommon(S, D, AL, Args))
522 return;
523
524 Expr **StartArg = &Args[0];
525 D->addAttr(::new (S.Context)
526 AcquiredBeforeAttr(S.Context, AL, StartArg, Args.size()));
527}
528
529static bool checkLockFunAttrCommon(Sema &S, Decl *D, const ParsedAttr &AL,
531 // zero or more arguments ok
532 // check that all arguments are lockable objects
533 checkAttrArgsAreCapabilityObjs(S, D, AL, Args, 0, /*ParamIdxOk=*/true);
534
535 return true;
536}
537
538static void handleAssertSharedLockAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
540 if (!checkLockFunAttrCommon(S, D, AL, Args))
541 return;
542
543 unsigned Size = Args.size();
544 Expr **StartArg = Size == 0 ? nullptr : &Args[0];
545 D->addAttr(::new (S.Context)
546 AssertSharedLockAttr(S.Context, AL, StartArg, Size));
547}
548
550 const ParsedAttr &AL) {
552 if (!checkLockFunAttrCommon(S, D, AL, Args))
553 return;
554
555 unsigned Size = Args.size();
556 Expr **StartArg = Size == 0 ? nullptr : &Args[0];
557 D->addAttr(::new (S.Context)
558 AssertExclusiveLockAttr(S.Context, AL, StartArg, Size));
559}
560
561/// Checks to be sure that the given parameter number is in bounds, and
562/// is an integral type. Will emit appropriate diagnostics if this returns
563/// false.
564///
565/// AttrArgNo is used to actually retrieve the argument, so it's base-0.
566template <typename AttrInfo>
567static bool checkParamIsIntegerType(Sema &S, const Decl *D, const AttrInfo &AI,
568 unsigned AttrArgNo) {
569 assert(AI.isArgExpr(AttrArgNo) && "Expected expression argument");
570 Expr *AttrArg = AI.getArgAsExpr(AttrArgNo);
571 ParamIdx Idx;
572 if (!S.checkFunctionOrMethodParameterIndex(D, AI, AttrArgNo + 1, AttrArg,
573 Idx))
574 return false;
575
577 if (!ParamTy->isIntegerType() && !ParamTy->isCharType()) {
578 SourceLocation SrcLoc = AttrArg->getBeginLoc();
579 S.Diag(SrcLoc, diag::err_attribute_integers_only)
581 return false;
582 }
583 return true;
584}
585
586static void handleAllocSizeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
587 if (!AL.checkAtLeastNumArgs(S, 1) || !AL.checkAtMostNumArgs(S, 2))
588 return;
589
591
593 if (!RetTy->isPointerType()) {
594 S.Diag(AL.getLoc(), diag::warn_attribute_return_pointers_only) << AL;
595 return;
596 }
597
598 const Expr *SizeExpr = AL.getArgAsExpr(0);
599 int SizeArgNoVal;
600 // Parameter indices are 1-indexed, hence Index=1
601 if (!checkPositiveIntArgument(S, AL, SizeExpr, SizeArgNoVal, /*Idx=*/1))
602 return;
603 if (!checkParamIsIntegerType(S, D, AL, /*AttrArgNo=*/0))
604 return;
605 ParamIdx SizeArgNo(SizeArgNoVal, D);
606
607 ParamIdx NumberArgNo;
608 if (AL.getNumArgs() == 2) {
609 const Expr *NumberExpr = AL.getArgAsExpr(1);
610 int Val;
611 // Parameter indices are 1-based, hence Index=2
612 if (!checkPositiveIntArgument(S, AL, NumberExpr, Val, /*Idx=*/2))
613 return;
614 if (!checkParamIsIntegerType(S, D, AL, /*AttrArgNo=*/1))
615 return;
616 NumberArgNo = ParamIdx(Val, D);
617 }
618
619 D->addAttr(::new (S.Context)
620 AllocSizeAttr(S.Context, AL, SizeArgNo, NumberArgNo));
621}
622
623static bool checkTryLockFunAttrCommon(Sema &S, Decl *D, const ParsedAttr &AL,
625 if (!AL.checkAtLeastNumArgs(S, 1))
626 return false;
627
628 if (!isIntOrBool(AL.getArgAsExpr(0))) {
629 S.Diag(AL.getLoc(), diag::err_attribute_argument_n_type)
630 << AL << 1 << AANT_ArgumentIntOrBool;
631 return false;
632 }
633
634 // check that all arguments are lockable objects
635 checkAttrArgsAreCapabilityObjs(S, D, AL, Args, 1);
636
637 return true;
638}
639
641 const ParsedAttr &AL) {
643 if (!checkTryLockFunAttrCommon(S, D, AL, Args))
644 return;
645
646 D->addAttr(::new (S.Context) SharedTrylockFunctionAttr(
647 S.Context, AL, AL.getArgAsExpr(0), Args.data(), Args.size()));
648}
649
651 const ParsedAttr &AL) {
653 if (!checkTryLockFunAttrCommon(S, D, AL, Args))
654 return;
655
656 D->addAttr(::new (S.Context) ExclusiveTrylockFunctionAttr(
657 S.Context, AL, AL.getArgAsExpr(0), Args.data(), Args.size()));
658}
659
660static void handleLockReturnedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
661 // check that the argument is lockable object
663 checkAttrArgsAreCapabilityObjs(S, D, AL, Args);
664 unsigned Size = Args.size();
665 if (Size == 0)
666 return;
667
668 D->addAttr(::new (S.Context) LockReturnedAttr(S.Context, AL, Args[0]));
669}
670
671static void handleLocksExcludedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
672 if (const auto *ParmDecl = dyn_cast<ParmVarDecl>(D);
673 ParmDecl && !checkFunParamsAreScopedLockable(S, ParmDecl, AL))
674 return;
675
676 if (!AL.checkAtLeastNumArgs(S, 1))
677 return;
678
679 // check that all arguments are lockable objects
681 checkAttrArgsAreCapabilityObjs(S, D, AL, Args);
682 unsigned Size = Args.size();
683 if (Size == 0)
684 return;
685 Expr **StartArg = &Args[0];
686
687 D->addAttr(::new (S.Context)
688 LocksExcludedAttr(S.Context, AL, StartArg, Size));
689}
690
691static bool checkFunctionConditionAttr(Sema &S, Decl *D, const ParsedAttr &AL,
692 Expr *&Cond, StringRef &Msg) {
693 Cond = AL.getArgAsExpr(0);
694 if (!Cond->isTypeDependent()) {
696 if (Converted.isInvalid())
697 return false;
698 Cond = Converted.get();
699 }
700
701 if (!S.checkStringLiteralArgumentAttr(AL, 1, Msg))
702 return false;
703
704 if (Msg.empty())
705 Msg = "<no message provided>";
706
708 if (isa<FunctionDecl>(D) && !Cond->isValueDependent() &&
709 !Expr::isPotentialConstantExprUnevaluated(Cond, cast<FunctionDecl>(D),
710 Diags)) {
711 S.Diag(AL.getLoc(), diag::err_attr_cond_never_constant_expr) << AL;
712 for (const PartialDiagnosticAt &PDiag : Diags)
713 S.Diag(PDiag.first, PDiag.second);
714 return false;
715 }
716 return true;
717}
718
719static void handleEnableIfAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
720 S.Diag(AL.getLoc(), diag::ext_clang_enable_if);
721
722 Expr *Cond;
723 StringRef Msg;
724 if (checkFunctionConditionAttr(S, D, AL, Cond, Msg))
725 D->addAttr(::new (S.Context) EnableIfAttr(S.Context, AL, Cond, Msg));
726}
727
728static void handleErrorAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
729 StringRef NewUserDiagnostic;
730 if (!S.checkStringLiteralArgumentAttr(AL, 0, NewUserDiagnostic))
731 return;
732 if (ErrorAttr *EA = S.mergeErrorAttr(D, AL, NewUserDiagnostic))
733 D->addAttr(EA);
734}
735
737 const ParsedAttr &AL) {
738 const auto *PD = isa<CXXRecordDecl>(D)
739 ? cast<DeclContext>(D)
741 if (const auto *RD = dyn_cast<CXXRecordDecl>(PD); RD && RD->isLocalClass()) {
742 S.Diag(AL.getLoc(),
743 diag::warn_attribute_exclude_from_explicit_instantiation_local_class)
744 << AL << /*IsMember=*/!isa<CXXRecordDecl>(D);
745 return;
746 }
747 D->addAttr(::new (S.Context)
748 ExcludeFromExplicitInstantiationAttr(S.Context, AL));
749}
750
751namespace {
752/// Determines if a given Expr references any of the given function's
753/// ParmVarDecls, or the function's implicit `this` parameter (if applicable).
754class ArgumentDependenceChecker : public DynamicRecursiveASTVisitor {
755#ifndef NDEBUG
756 const CXXRecordDecl *ClassType;
757#endif
759 bool Result;
760
761public:
762 ArgumentDependenceChecker(const FunctionDecl *FD) {
763#ifndef NDEBUG
764 if (const auto *MD = dyn_cast<CXXMethodDecl>(FD))
765 ClassType = MD->getParent();
766 else
767 ClassType = nullptr;
768#endif
769 Parms.insert(FD->param_begin(), FD->param_end());
770 }
771
772 bool referencesArgs(Expr *E) {
773 Result = false;
774 TraverseStmt(E);
775 return Result;
776 }
777
778 bool VisitCXXThisExpr(CXXThisExpr *E) override {
779 assert(E->getType()->getPointeeCXXRecordDecl() == ClassType &&
780 "`this` doesn't refer to the enclosing class?");
781 Result = true;
782 return false;
783 }
784
785 bool VisitDeclRefExpr(DeclRefExpr *DRE) override {
786 if (const auto *PVD = dyn_cast<ParmVarDecl>(DRE->getDecl()))
787 if (Parms.count(PVD)) {
788 Result = true;
789 return false;
790 }
791 return true;
792 }
793};
794}
795
797 const ParsedAttr &AL) {
798 const auto *DeclFD = cast<FunctionDecl>(D);
799
800 if (const auto *MethodDecl = dyn_cast<CXXMethodDecl>(DeclFD))
801 if (!MethodDecl->isStatic()) {
802 S.Diag(AL.getLoc(), diag::err_attribute_no_member_function) << AL;
803 return;
804 }
805
806 auto DiagnoseType = [&](unsigned Index, AttributeArgumentNType T) {
807 SourceLocation Loc = [&]() {
808 auto Union = AL.getArg(Index - 1);
809 if (auto *E = dyn_cast<Expr *>(Union))
810 return E->getBeginLoc();
811 return cast<IdentifierLoc *>(Union)->Loc;
812 }();
813
814 S.Diag(Loc, diag::err_attribute_argument_n_type) << AL << Index << T;
815 };
816
817 FunctionDecl *AttrFD = [&]() -> FunctionDecl * {
818 if (!AL.isArgExpr(0))
819 return nullptr;
820 auto *F = dyn_cast_if_present<DeclRefExpr>(AL.getArgAsExpr(0));
821 if (!F)
822 return nullptr;
823 return dyn_cast_if_present<FunctionDecl>(F->getFoundDecl());
824 }();
825
826 if (!AttrFD || !AttrFD->getBuiltinID(true)) {
827 DiagnoseType(1, AANT_ArgumentBuiltinFunction);
828 return;
829 }
830
831 if (AttrFD->getNumParams() != AL.getNumArgs() - 1) {
832 S.Diag(AL.getLoc(), diag::err_attribute_wrong_number_arguments_for)
833 << AL << AttrFD << AttrFD->getNumParams();
834 return;
835 }
836
838
839 for (unsigned I = 1; I < AL.getNumArgs(); ++I) {
840 if (!AL.isArgExpr(I)) {
841 DiagnoseType(I + 1, AANT_ArgumentIntegerConstant);
842 return;
843 }
844
845 const Expr *IndexExpr = AL.getArgAsExpr(I);
846 uint32_t Index;
847
848 if (!S.checkUInt32Argument(AL, IndexExpr, Index, I + 1, false))
849 return;
850
851 if (Index > DeclFD->getNumParams()) {
852 S.Diag(AL.getLoc(), diag::err_attribute_bounds_for_function)
853 << AL << Index << DeclFD << DeclFD->getNumParams();
854 return;
855 }
856
857 QualType T1 = AttrFD->getParamDecl(I - 1)->getType();
858 QualType T2 = DeclFD->getParamDecl(Index - 1)->getType();
859
862 S.Diag(IndexExpr->getBeginLoc(), diag::err_attribute_parameter_types)
863 << AL << Index << DeclFD << T2 << I << AttrFD << T1;
864 return;
865 }
866
867 Indices.push_back(Index - 1);
868 }
869
870 D->addAttr(::new (S.Context) DiagnoseAsBuiltinAttr(
871 S.Context, AL, AttrFD, Indices.data(), Indices.size()));
872}
873
874static void handleDiagnoseIfAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
875 S.Diag(AL.getLoc(), diag::ext_clang_diagnose_if);
876
877 Expr *Cond;
878 StringRef Msg;
879 if (!checkFunctionConditionAttr(S, D, AL, Cond, Msg))
880 return;
881
882 StringRef DiagTypeStr;
883 if (!S.checkStringLiteralArgumentAttr(AL, 2, DiagTypeStr))
884 return;
885
886 DiagnoseIfAttr::DiagnosticType DiagType;
887 if (!DiagnoseIfAttr::ConvertStrToDiagnosticType(DiagTypeStr, DiagType)) {
888 S.Diag(AL.getArgAsExpr(2)->getBeginLoc(),
889 diag::err_diagnose_if_invalid_diagnostic_type);
890 return;
891 }
892
893 bool ArgDependent = false;
894 if (const auto *FD = dyn_cast<FunctionDecl>(D))
895 ArgDependent = ArgumentDependenceChecker(FD).referencesArgs(Cond);
896 D->addAttr(::new (S.Context) DiagnoseIfAttr(
897 S.Context, AL, Cond, Msg, DiagType, ArgDependent, cast<NamedDecl>(D)));
898}
899
900static void handleNoBuiltinAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
901 static constexpr const StringRef kWildcard = "*";
902
904 bool HasWildcard = false;
905
906 const auto AddBuiltinName = [&Names, &HasWildcard](StringRef Name) {
907 if (Name == kWildcard)
908 HasWildcard = true;
909 Names.push_back(Name);
910 };
911
912 // Add previously defined attributes.
913 if (const auto *NBA = D->getAttr<NoBuiltinAttr>())
914 for (StringRef BuiltinName : NBA->builtinNames())
915 AddBuiltinName(BuiltinName);
916
917 // Add current attributes.
918 if (AL.getNumArgs() == 0)
919 AddBuiltinName(kWildcard);
920 else
921 for (unsigned I = 0, E = AL.getNumArgs(); I != E; ++I) {
922 StringRef BuiltinName;
923 SourceLocation LiteralLoc;
924 if (!S.checkStringLiteralArgumentAttr(AL, I, BuiltinName, &LiteralLoc))
925 return;
926
927 if (Builtin::Context::isBuiltinFunc(BuiltinName))
928 AddBuiltinName(BuiltinName);
929 else
930 S.Diag(LiteralLoc, diag::warn_attribute_no_builtin_invalid_builtin_name)
931 << BuiltinName << AL;
932 }
933
934 // Repeating the same attribute is fine.
935 llvm::sort(Names);
936 Names.erase(std::unique(Names.begin(), Names.end()), Names.end());
937
938 // Empty no_builtin must be on its own.
939 if (HasWildcard && Names.size() > 1)
940 S.Diag(D->getLocation(),
941 diag::err_attribute_no_builtin_wildcard_or_builtin_name)
942 << AL;
943
944 if (D->hasAttr<NoBuiltinAttr>())
945 D->dropAttr<NoBuiltinAttr>();
946 D->addAttr(::new (S.Context)
947 NoBuiltinAttr(S.Context, AL, Names.data(), Names.size()));
948}
949
950static void handlePassObjectSizeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
951 if (D->hasAttr<PassObjectSizeAttr>()) {
952 S.Diag(D->getBeginLoc(), diag::err_attribute_only_once_per_parameter) << AL;
953 return;
954 }
955
956 Expr *E = AL.getArgAsExpr(0);
957 uint32_t Type;
958 if (!S.checkUInt32Argument(AL, E, Type, /*Idx=*/1))
959 return;
960
961 // pass_object_size's argument is passed in as the second argument of
962 // __builtin_object_size. So, it has the same constraints as that second
963 // argument; namely, it must be in the range [0, 3].
964 if (Type > 3) {
965 S.Diag(E->getBeginLoc(), diag::err_attribute_argument_out_of_range)
966 << AL << 0 << 3 << E->getSourceRange();
967 return;
968 }
969
970 // pass_object_size is only supported on constant pointer parameters; as a
971 // kindness to users, we allow the parameter to be non-const for declarations.
972 // At this point, we have no clue if `D` belongs to a function declaration or
973 // definition, so we defer the constness check until later.
974 if (!cast<ParmVarDecl>(D)->getType()->isPointerType()) {
975 S.Diag(D->getBeginLoc(), diag::err_attribute_pointers_only) << AL << 1;
976 return;
977 }
978
979 D->addAttr(::new (S.Context) PassObjectSizeAttr(S.Context, AL, (int)Type));
980}
981
982static void handleConsumableAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
983 ConsumableAttr::ConsumedState DefaultState;
984
985 if (AL.isArgIdent(0)) {
986 IdentifierLoc *IL = AL.getArgAsIdent(0);
987 if (!ConsumableAttr::ConvertStrToConsumedState(IL->Ident->getName(),
988 DefaultState)) {
989 S.Diag(IL->Loc, diag::warn_attribute_type_not_supported) << AL
990 << IL->Ident;
991 return;
992 }
993 } else {
994 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
996 return;
997 }
998
999 D->addAttr(::new (S.Context) ConsumableAttr(S.Context, AL, DefaultState));
1000}
1001
1003 const ParsedAttr &AL) {
1005
1006 if (const CXXRecordDecl *RD = ThisType->getAsCXXRecordDecl()) {
1007 if (!RD->hasAttr<ConsumableAttr>()) {
1008 S.Diag(AL.getLoc(), diag::warn_attr_on_unconsumable_class) << RD;
1009
1010 return false;
1011 }
1012 }
1013
1014 return true;
1015}
1016
1017static void handleCallableWhenAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1018 if (!AL.checkAtLeastNumArgs(S, 1))
1019 return;
1020
1021 if (!checkForConsumableClass(S, cast<CXXMethodDecl>(D), AL))
1022 return;
1023
1025 for (unsigned ArgIndex = 0; ArgIndex < AL.getNumArgs(); ++ArgIndex) {
1026 CallableWhenAttr::ConsumedState CallableState;
1027
1028 StringRef StateString;
1030 if (AL.isArgIdent(ArgIndex)) {
1031 IdentifierLoc *Ident = AL.getArgAsIdent(ArgIndex);
1032 StateString = Ident->Ident->getName();
1033 Loc = Ident->Loc;
1034 } else {
1035 if (!S.checkStringLiteralArgumentAttr(AL, ArgIndex, StateString, &Loc))
1036 return;
1037 }
1038
1039 if (!CallableWhenAttr::ConvertStrToConsumedState(StateString,
1040 CallableState)) {
1041 S.Diag(Loc, diag::warn_attribute_type_not_supported) << AL << StateString;
1042 return;
1043 }
1044
1045 States.push_back(CallableState);
1046 }
1047
1048 D->addAttr(::new (S.Context)
1049 CallableWhenAttr(S.Context, AL, States.data(), States.size()));
1050}
1051
1052static void handleParamTypestateAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1053 ParamTypestateAttr::ConsumedState ParamState;
1054
1055 if (AL.isArgIdent(0)) {
1056 IdentifierLoc *Ident = AL.getArgAsIdent(0);
1057 StringRef StateString = Ident->Ident->getName();
1058
1059 if (!ParamTypestateAttr::ConvertStrToConsumedState(StateString,
1060 ParamState)) {
1061 S.Diag(Ident->Loc, diag::warn_attribute_type_not_supported)
1062 << AL << StateString;
1063 return;
1064 }
1065 } else {
1066 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
1067 << AL << AANT_ArgumentIdentifier;
1068 return;
1069 }
1070
1071 // FIXME: This check is currently being done in the analysis. It can be
1072 // enabled here only after the parser propagates attributes at
1073 // template specialization definition, not declaration.
1074 //QualType ReturnType = cast<ParmVarDecl>(D)->getType();
1075 //const CXXRecordDecl *RD = ReturnType->getAsCXXRecordDecl();
1076 //
1077 //if (!RD || !RD->hasAttr<ConsumableAttr>()) {
1078 // S.Diag(AL.getLoc(), diag::warn_return_state_for_unconsumable_type) <<
1079 // ReturnType.getAsString();
1080 // return;
1081 //}
1082
1083 D->addAttr(::new (S.Context) ParamTypestateAttr(S.Context, AL, ParamState));
1084}
1085
1086static void handleReturnTypestateAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1087 ReturnTypestateAttr::ConsumedState ReturnState;
1088
1089 if (AL.isArgIdent(0)) {
1090 IdentifierLoc *IL = AL.getArgAsIdent(0);
1091 if (!ReturnTypestateAttr::ConvertStrToConsumedState(IL->Ident->getName(),
1092 ReturnState)) {
1093 S.Diag(IL->Loc, diag::warn_attribute_type_not_supported) << AL
1094 << IL->Ident;
1095 return;
1096 }
1097 } else {
1098 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
1099 << AL << AANT_ArgumentIdentifier;
1100 return;
1101 }
1102
1103 // FIXME: This check is currently being done in the analysis. It can be
1104 // enabled here only after the parser propagates attributes at
1105 // template specialization definition, not declaration.
1106 // QualType ReturnType;
1107 //
1108 // if (const ParmVarDecl *Param = dyn_cast<ParmVarDecl>(D)) {
1109 // ReturnType = Param->getType();
1110 //
1111 //} else if (const CXXConstructorDecl *Constructor =
1112 // dyn_cast<CXXConstructorDecl>(D)) {
1113 // ReturnType = Constructor->getFunctionObjectParameterType();
1114 //
1115 //} else {
1116 //
1117 // ReturnType = cast<FunctionDecl>(D)->getCallResultType();
1118 //}
1119 //
1120 // const CXXRecordDecl *RD = ReturnType->getAsCXXRecordDecl();
1121 //
1122 // if (!RD || !RD->hasAttr<ConsumableAttr>()) {
1123 // S.Diag(Attr.getLoc(), diag::warn_return_state_for_unconsumable_type) <<
1124 // ReturnType.getAsString();
1125 // return;
1126 //}
1127
1128 D->addAttr(::new (S.Context) ReturnTypestateAttr(S.Context, AL, ReturnState));
1129}
1130
1131static void handleSetTypestateAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1132 if (!checkForConsumableClass(S, cast<CXXMethodDecl>(D), AL))
1133 return;
1134
1135 SetTypestateAttr::ConsumedState NewState;
1136 if (AL.isArgIdent(0)) {
1137 IdentifierLoc *Ident = AL.getArgAsIdent(0);
1138 StringRef Param = Ident->Ident->getName();
1139 if (!SetTypestateAttr::ConvertStrToConsumedState(Param, NewState)) {
1140 S.Diag(Ident->Loc, diag::warn_attribute_type_not_supported) << AL
1141 << Param;
1142 return;
1143 }
1144 } else {
1145 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
1146 << AL << AANT_ArgumentIdentifier;
1147 return;
1148 }
1149
1150 D->addAttr(::new (S.Context) SetTypestateAttr(S.Context, AL, NewState));
1151}
1152
1153static void handleTestTypestateAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1154 if (!checkForConsumableClass(S, cast<CXXMethodDecl>(D), AL))
1155 return;
1156
1157 TestTypestateAttr::ConsumedState TestState;
1158 if (AL.isArgIdent(0)) {
1159 IdentifierLoc *Ident = AL.getArgAsIdent(0);
1160 StringRef Param = Ident->Ident->getName();
1161 if (!TestTypestateAttr::ConvertStrToConsumedState(Param, TestState)) {
1162 S.Diag(Ident->Loc, diag::warn_attribute_type_not_supported) << AL
1163 << Param;
1164 return;
1165 }
1166 } else {
1167 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
1168 << AL << AANT_ArgumentIdentifier;
1169 return;
1170 }
1171
1172 D->addAttr(::new (S.Context) TestTypestateAttr(S.Context, AL, TestState));
1173}
1174
1175static void handleExtVectorTypeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1176 // Remember this typedef decl, we will need it later for diagnostics.
1177 S.ExtVectorDecls.push_back(cast<TypedefNameDecl>(D));
1178}
1179
1180static void handlePackedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1181 if (auto *TD = dyn_cast<TagDecl>(D))
1182 TD->addAttr(::new (S.Context) PackedAttr(S.Context, AL));
1183 else if (auto *FD = dyn_cast<FieldDecl>(D)) {
1184 bool BitfieldByteAligned = (!FD->getType()->isDependentType() &&
1185 !FD->getType()->isIncompleteType() &&
1186 FD->isBitField() &&
1187 S.Context.getTypeAlign(FD->getType()) <= 8);
1188
1189 if (S.getASTContext().getTargetInfo().getTriple().isPS()) {
1190 if (BitfieldByteAligned)
1191 // The PS4/PS5 targets need to maintain ABI backwards compatibility.
1192 S.Diag(AL.getLoc(), diag::warn_attribute_ignored_for_field_of_type)
1193 << AL << FD->getType();
1194 else
1195 FD->addAttr(::new (S.Context) PackedAttr(S.Context, AL));
1196 } else {
1197 // Report warning about changed offset in the newer compiler versions.
1198 if (BitfieldByteAligned)
1199 S.Diag(AL.getLoc(), diag::warn_attribute_packed_for_bitfield);
1200
1201 FD->addAttr(::new (S.Context) PackedAttr(S.Context, AL));
1202 }
1203
1204 } else
1205 S.Diag(AL.getLoc(), diag::warn_attribute_ignored) << AL;
1206}
1207
1208static void handlePreferredName(Sema &S, Decl *D, const ParsedAttr &AL) {
1209 auto *RD = cast<CXXRecordDecl>(D);
1210 ClassTemplateDecl *CTD = RD->getDescribedClassTemplate();
1211 assert(CTD && "attribute does not appertain to this declaration");
1212
1213 ParsedType PT = AL.getTypeArg();
1214 TypeSourceInfo *TSI = nullptr;
1215 QualType T = S.GetTypeFromParser(PT, &TSI);
1216 if (!TSI)
1218
1219 if (!T.hasQualifiers() && T->isTypedefNameType()) {
1220 // Find the template name, if this type names a template specialization.
1221 const TemplateDecl *Template = nullptr;
1222 if (const auto *CTSD = dyn_cast_if_present<ClassTemplateSpecializationDecl>(
1223 T->getAsCXXRecordDecl())) {
1224 Template = CTSD->getSpecializedTemplate();
1225 } else if (const auto *TST = T->getAs<TemplateSpecializationType>()) {
1226 while (TST && TST->isTypeAlias())
1227 TST = TST->getAliasedType()->getAs<TemplateSpecializationType>();
1228 if (TST)
1229 Template = TST->getTemplateName().getAsTemplateDecl();
1230 }
1231
1232 if (Template && declaresSameEntity(Template, CTD)) {
1233 D->addAttr(::new (S.Context) PreferredNameAttr(S.Context, AL, TSI));
1234 return;
1235 }
1236 }
1237
1238 S.Diag(AL.getLoc(), diag::err_attribute_preferred_name_arg_invalid)
1239 << T << CTD;
1240 if (const auto *TT = T->getAs<TypedefType>())
1241 S.Diag(TT->getDecl()->getLocation(), diag::note_entity_declared_at)
1242 << TT->getDecl();
1243}
1244
1245static void handleNoSpecializations(Sema &S, Decl *D, const ParsedAttr &AL) {
1246 StringRef Message;
1247 if (AL.getNumArgs() != 0)
1248 S.checkStringLiteralArgumentAttr(AL, 0, Message);
1250 NoSpecializationsAttr::Create(S.Context, Message, AL));
1251}
1252
1254 if (T->isDependentType())
1255 return true;
1256 if (RefOkay) {
1257 if (T->isReferenceType())
1258 return true;
1259 } else {
1260 T = T.getNonReferenceType();
1261 }
1262
1263 // The nonnull attribute, and other similar attributes, can be applied to a
1264 // transparent union that contains a pointer type.
1265 if (const RecordType *UT = T->getAsUnionType()) {
1266 if (UT && UT->getDecl()->hasAttr<TransparentUnionAttr>()) {
1267 RecordDecl *UD = UT->getDecl();
1268 for (const auto *I : UD->fields()) {
1269 QualType QT = I->getType();
1270 if (QT->isAnyPointerType() || QT->isBlockPointerType())
1271 return true;
1272 }
1273 }
1274 }
1275
1276 return T->isAnyPointerType() || T->isBlockPointerType();
1277}
1278
1279static bool attrNonNullArgCheck(Sema &S, QualType T, const ParsedAttr &AL,
1280 SourceRange AttrParmRange,
1281 SourceRange TypeRange,
1282 bool isReturnValue = false) {
1283 if (!S.isValidPointerAttrType(T)) {
1284 if (isReturnValue)
1285 S.Diag(AL.getLoc(), diag::warn_attribute_return_pointers_only)
1286 << AL << AttrParmRange << TypeRange;
1287 else
1288 S.Diag(AL.getLoc(), diag::warn_attribute_pointers_only)
1289 << AL << AttrParmRange << TypeRange << 0;
1290 return false;
1291 }
1292 return true;
1293}
1294
1295static void handleNonNullAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1296 SmallVector<ParamIdx, 8> NonNullArgs;
1297 for (unsigned I = 0; I < AL.getNumArgs(); ++I) {
1298 Expr *Ex = AL.getArgAsExpr(I);
1299 ParamIdx Idx;
1300 if (!S.checkFunctionOrMethodParameterIndex(D, AL, I + 1, Ex, Idx))
1301 return;
1302
1303 // Is the function argument a pointer type?
1307 Ex->getSourceRange(),
1309 continue;
1310
1311 NonNullArgs.push_back(Idx);
1312 }
1313
1314 // If no arguments were specified to __attribute__((nonnull)) then all pointer
1315 // arguments have a nonnull attribute; warn if there aren't any. Skip this
1316 // check if the attribute came from a macro expansion or a template
1317 // instantiation.
1318 if (NonNullArgs.empty() && AL.getLoc().isFileID() &&
1320 bool AnyPointers = isFunctionOrMethodVariadic(D);
1321 for (unsigned I = 0, E = getFunctionOrMethodNumParams(D);
1322 I != E && !AnyPointers; ++I) {
1325 AnyPointers = true;
1326 }
1327
1328 if (!AnyPointers)
1329 S.Diag(AL.getLoc(), diag::warn_attribute_nonnull_no_pointers);
1330 }
1331
1332 ParamIdx *Start = NonNullArgs.data();
1333 unsigned Size = NonNullArgs.size();
1334 llvm::array_pod_sort(Start, Start + Size);
1335 D->addAttr(::new (S.Context) NonNullAttr(S.Context, AL, Start, Size));
1336}
1337
1339 const ParsedAttr &AL) {
1340 if (AL.getNumArgs() > 0) {
1341 if (D->getFunctionType()) {
1342 handleNonNullAttr(S, D, AL);
1343 } else {
1344 S.Diag(AL.getLoc(), diag::warn_attribute_nonnull_parm_no_args)
1345 << D->getSourceRange();
1346 }
1347 return;
1348 }
1349
1350 // Is the argument a pointer type?
1351 if (!attrNonNullArgCheck(S, D->getType(), AL, SourceRange(),
1352 D->getSourceRange()))
1353 return;
1354
1355 D->addAttr(::new (S.Context) NonNullAttr(S.Context, AL, nullptr, 0));
1356}
1357
1358static void handleReturnsNonNullAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1361 if (!attrNonNullArgCheck(S, ResultType, AL, SourceRange(), SR,
1362 /* isReturnValue */ true))
1363 return;
1364
1365 D->addAttr(::new (S.Context) ReturnsNonNullAttr(S.Context, AL));
1366}
1367
1368static void handleNoEscapeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1369 if (D->isInvalidDecl())
1370 return;
1371
1372 // noescape only applies to pointer types.
1373 QualType T = cast<ParmVarDecl>(D)->getType();
1374 if (!S.isValidPointerAttrType(T, /* RefOkay */ true)) {
1375 S.Diag(AL.getLoc(), diag::warn_attribute_pointers_only)
1376 << AL << AL.getRange() << 0;
1377 return;
1378 }
1379
1380 D->addAttr(::new (S.Context) NoEscapeAttr(S.Context, AL));
1381}
1382
1383static void handleAssumeAlignedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1384 Expr *E = AL.getArgAsExpr(0),
1385 *OE = AL.getNumArgs() > 1 ? AL.getArgAsExpr(1) : nullptr;
1386 S.AddAssumeAlignedAttr(D, AL, E, OE);
1387}
1388
1389static void handleAllocAlignAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1390 S.AddAllocAlignAttr(D, AL, AL.getArgAsExpr(0));
1391}
1392
1394 Expr *OE) {
1397
1398 AssumeAlignedAttr TmpAttr(Context, CI, E, OE);
1399 SourceLocation AttrLoc = TmpAttr.getLocation();
1400
1401 if (!isValidPointerAttrType(ResultType, /* RefOkay */ true)) {
1402 Diag(AttrLoc, diag::warn_attribute_return_pointers_refs_only)
1403 << &TmpAttr << TmpAttr.getRange() << SR;
1404 return;
1405 }
1406
1407 if (!E->isValueDependent()) {
1408 std::optional<llvm::APSInt> I = llvm::APSInt(64);
1409 if (!(I = E->getIntegerConstantExpr(Context))) {
1410 if (OE)
1411 Diag(AttrLoc, diag::err_attribute_argument_n_type)
1412 << &TmpAttr << 1 << AANT_ArgumentIntegerConstant
1413 << E->getSourceRange();
1414 else
1415 Diag(AttrLoc, diag::err_attribute_argument_type)
1416 << &TmpAttr << AANT_ArgumentIntegerConstant
1417 << E->getSourceRange();
1418 return;
1419 }
1420
1421 if (!I->isPowerOf2()) {
1422 Diag(AttrLoc, diag::err_alignment_not_power_of_two)
1423 << E->getSourceRange();
1424 return;
1425 }
1426
1427 if (*I > Sema::MaximumAlignment)
1428 Diag(CI.getLoc(), diag::warn_assume_aligned_too_great)
1430 }
1431
1432 if (OE && !OE->isValueDependent() && !OE->isIntegerConstantExpr(Context)) {
1433 Diag(AttrLoc, diag::err_attribute_argument_n_type)
1434 << &TmpAttr << 2 << AANT_ArgumentIntegerConstant
1435 << OE->getSourceRange();
1436 return;
1437 }
1438
1439 D->addAttr(::new (Context) AssumeAlignedAttr(Context, CI, E, OE));
1440}
1441
1443 Expr *ParamExpr) {
1445
1446 AllocAlignAttr TmpAttr(Context, CI, ParamIdx());
1447 SourceLocation AttrLoc = CI.getLoc();
1448
1449 if (!isValidPointerAttrType(ResultType, /* RefOkay */ true)) {
1450 Diag(AttrLoc, diag::warn_attribute_return_pointers_refs_only)
1451 << &TmpAttr << CI.getRange() << getFunctionOrMethodResultSourceRange(D);
1452 return;
1453 }
1454
1455 ParamIdx Idx;
1456 const auto *FuncDecl = cast<FunctionDecl>(D);
1457 if (!checkFunctionOrMethodParameterIndex(FuncDecl, TmpAttr,
1458 /*AttrArgNum=*/1, ParamExpr, Idx))
1459 return;
1460
1462 if (!Ty->isDependentType() && !Ty->isIntegralType(Context) &&
1463 !Ty->isAlignValT()) {
1464 Diag(ParamExpr->getBeginLoc(), diag::err_attribute_integers_only)
1465 << &TmpAttr
1466 << FuncDecl->getParamDecl(Idx.getASTIndex())->getSourceRange();
1467 return;
1468 }
1469
1470 D->addAttr(::new (Context) AllocAlignAttr(Context, CI, Idx));
1471}
1472
1473/// Normalize the attribute, __foo__ becomes foo.
1474/// Returns true if normalization was applied.
1475static bool normalizeName(StringRef &AttrName) {
1476 if (AttrName.size() > 4 && AttrName.starts_with("__") &&
1477 AttrName.ends_with("__")) {
1478 AttrName = AttrName.drop_front(2).drop_back(2);
1479 return true;
1480 }
1481 return false;
1482}
1483
1484static void handleOwnershipAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1485 // This attribute must be applied to a function declaration. The first
1486 // argument to the attribute must be an identifier, the name of the resource,
1487 // for example: malloc. The following arguments must be argument indexes, the
1488 // arguments must be of integer type for Returns, otherwise of pointer type.
1489 // The difference between Holds and Takes is that a pointer may still be used
1490 // after being held. free() should be __attribute((ownership_takes)), whereas
1491 // a list append function may well be __attribute((ownership_holds)).
1492
1493 if (!AL.isArgIdent(0)) {
1494 S.Diag(AL.getLoc(), diag::err_attribute_argument_n_type)
1495 << AL << 1 << AANT_ArgumentIdentifier;
1496 return;
1497 }
1498
1499 // Figure out our Kind.
1500 OwnershipAttr::OwnershipKind K =
1501 OwnershipAttr(S.Context, AL, nullptr, nullptr, 0).getOwnKind();
1502
1503 // Check arguments.
1504 switch (K) {
1505 case OwnershipAttr::Takes:
1506 case OwnershipAttr::Holds:
1507 if (AL.getNumArgs() < 2) {
1508 S.Diag(AL.getLoc(), diag::err_attribute_too_few_arguments) << AL << 2;
1509 return;
1510 }
1511 break;
1512 case OwnershipAttr::Returns:
1513 if (AL.getNumArgs() > 2) {
1514 S.Diag(AL.getLoc(), diag::err_attribute_too_many_arguments) << AL << 1;
1515 return;
1516 }
1517 break;
1518 }
1519
1520 // Allow only pointers to be return type for functions with ownership_returns
1521 // attribute. This matches with current OwnershipAttr::Takes semantics
1522 if (K == OwnershipAttr::Returns &&
1523 !getFunctionOrMethodResultType(D)->isPointerType()) {
1524 S.Diag(AL.getLoc(), diag::err_ownership_takes_return_type) << AL;
1525 return;
1526 }
1527
1529
1530 StringRef ModuleName = Module->getName();
1531 if (normalizeName(ModuleName)) {
1532 Module = &S.PP.getIdentifierTable().get(ModuleName);
1533 }
1534
1535 SmallVector<ParamIdx, 8> OwnershipArgs;
1536 for (unsigned i = 1; i < AL.getNumArgs(); ++i) {
1537 Expr *Ex = AL.getArgAsExpr(i);
1538 ParamIdx Idx;
1539 if (!S.checkFunctionOrMethodParameterIndex(D, AL, i, Ex, Idx))
1540 return;
1541
1542 // Is the function argument a pointer type?
1544 int Err = -1; // No error
1545 switch (K) {
1546 case OwnershipAttr::Takes:
1547 case OwnershipAttr::Holds:
1548 if (!T->isAnyPointerType() && !T->isBlockPointerType())
1549 Err = 0;
1550 break;
1551 case OwnershipAttr::Returns:
1552 if (!T->isIntegerType())
1553 Err = 1;
1554 break;
1555 }
1556 if (-1 != Err) {
1557 S.Diag(AL.getLoc(), diag::err_ownership_type) << AL << Err
1558 << Ex->getSourceRange();
1559 return;
1560 }
1561
1562 // Check we don't have a conflict with another ownership attribute.
1563 for (const auto *I : D->specific_attrs<OwnershipAttr>()) {
1564 // Cannot have two ownership attributes of different kinds for the same
1565 // index.
1566 if (I->getOwnKind() != K && llvm::is_contained(I->args(), Idx)) {
1567 S.Diag(AL.getLoc(), diag::err_attributes_are_not_compatible)
1568 << AL << I
1569 << (AL.isRegularKeywordAttribute() ||
1570 I->isRegularKeywordAttribute());
1571 return;
1572 } else if (K == OwnershipAttr::Returns &&
1573 I->getOwnKind() == OwnershipAttr::Returns) {
1574 // A returns attribute conflicts with any other returns attribute using
1575 // a different index.
1576 if (!llvm::is_contained(I->args(), Idx)) {
1577 S.Diag(I->getLocation(), diag::err_ownership_returns_index_mismatch)
1578 << I->args_begin()->getSourceIndex();
1579 if (I->args_size())
1580 S.Diag(AL.getLoc(), diag::note_ownership_returns_index_mismatch)
1581 << Idx.getSourceIndex() << Ex->getSourceRange();
1582 return;
1583 }
1584 } else if (K == OwnershipAttr::Takes &&
1585 I->getOwnKind() == OwnershipAttr::Takes) {
1586 if (I->getModule()->getName() != ModuleName) {
1587 S.Diag(I->getLocation(), diag::err_ownership_takes_class_mismatch)
1588 << I->getModule()->getName();
1589 S.Diag(AL.getLoc(), diag::note_ownership_takes_class_mismatch)
1590 << ModuleName << Ex->getSourceRange();
1591
1592 return;
1593 }
1594 }
1595 }
1596 OwnershipArgs.push_back(Idx);
1597 }
1598
1599 ParamIdx *Start = OwnershipArgs.data();
1600 unsigned Size = OwnershipArgs.size();
1601 llvm::array_pod_sort(Start, Start + Size);
1602 D->addAttr(::new (S.Context)
1603 OwnershipAttr(S.Context, AL, Module, Start, Size));
1604}
1605
1606static void handleWeakRefAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1607 // Check the attribute arguments.
1608 if (AL.getNumArgs() > 1) {
1609 S.Diag(AL.getLoc(), diag::err_attribute_wrong_number_arguments) << AL << 1;
1610 return;
1611 }
1612
1613 // gcc rejects
1614 // class c {
1615 // static int a __attribute__((weakref ("v2")));
1616 // static int b() __attribute__((weakref ("f3")));
1617 // };
1618 // and ignores the attributes of
1619 // void f(void) {
1620 // static int a __attribute__((weakref ("v2")));
1621 // }
1622 // we reject them
1623 const DeclContext *Ctx = D->getDeclContext()->getRedeclContext();
1624 if (!Ctx->isFileContext()) {
1625 S.Diag(AL.getLoc(), diag::err_attribute_weakref_not_global_context)
1626 << cast<NamedDecl>(D);
1627 return;
1628 }
1629
1630 // The GCC manual says
1631 //
1632 // At present, a declaration to which `weakref' is attached can only
1633 // be `static'.
1634 //
1635 // It also says
1636 //
1637 // Without a TARGET,
1638 // given as an argument to `weakref' or to `alias', `weakref' is
1639 // equivalent to `weak'.
1640 //
1641 // gcc 4.4.1 will accept
1642 // int a7 __attribute__((weakref));
1643 // as
1644 // int a7 __attribute__((weak));
1645 // This looks like a bug in gcc. We reject that for now. We should revisit
1646 // it if this behaviour is actually used.
1647
1648 // GCC rejects
1649 // static ((alias ("y"), weakref)).
1650 // Should we? How to check that weakref is before or after alias?
1651
1652 // FIXME: it would be good for us to keep the WeakRefAttr as-written instead
1653 // of transforming it into an AliasAttr. The WeakRefAttr never uses the
1654 // StringRef parameter it was given anyway.
1655 StringRef Str;
1656 if (AL.getNumArgs() && S.checkStringLiteralArgumentAttr(AL, 0, Str))
1657 // GCC will accept anything as the argument of weakref. Should we
1658 // check for an existing decl?
1659 D->addAttr(::new (S.Context) AliasAttr(S.Context, AL, Str));
1660
1661 D->addAttr(::new (S.Context) WeakRefAttr(S.Context, AL));
1662}
1663
1664// Mark alias/ifunc target as used. Due to name mangling, we look up the
1665// demangled name ignoring parameters (not supported by microsoftDemangle
1666// https://github.com/llvm/llvm-project/issues/88825). This should handle the
1667// majority of use cases while leaving namespace scope names unmarked.
1668static void markUsedForAliasOrIfunc(Sema &S, Decl *D, const ParsedAttr &AL,
1669 StringRef Str) {
1670 std::unique_ptr<char, llvm::FreeDeleter> Demangled;
1671 if (S.getASTContext().getCXXABIKind() != TargetCXXABI::Microsoft)
1672 Demangled.reset(llvm::itaniumDemangle(Str, /*ParseParams=*/false));
1673 std::unique_ptr<MangleContext> MC(S.Context.createMangleContext());
1674 SmallString<256> Name;
1675
1677 &S.Context.Idents.get(Demangled ? Demangled.get() : Str), AL.getLoc());
1679 if (S.LookupName(LR, S.TUScope)) {
1680 for (NamedDecl *ND : LR) {
1681 if (!isa<FunctionDecl>(ND) && !isa<VarDecl>(ND))
1682 continue;
1683 if (MC->shouldMangleDeclName(ND)) {
1684 llvm::raw_svector_ostream Out(Name);
1685 Name.clear();
1686 MC->mangleName(GlobalDecl(ND), Out);
1687 } else {
1688 Name = ND->getIdentifier()->getName();
1689 }
1690 if (Name == Str)
1691 ND->markUsed(S.Context);
1692 }
1693 }
1694}
1695
1696static void handleIFuncAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1697 StringRef Str;
1698 if (!S.checkStringLiteralArgumentAttr(AL, 0, Str))
1699 return;
1700
1701 // Aliases should be on declarations, not definitions.
1702 const auto *FD = cast<FunctionDecl>(D);
1703 if (FD->isThisDeclarationADefinition()) {
1704 S.Diag(AL.getLoc(), diag::err_alias_is_definition) << FD << 1;
1705 return;
1706 }
1707
1708 markUsedForAliasOrIfunc(S, D, AL, Str);
1709 D->addAttr(::new (S.Context) IFuncAttr(S.Context, AL, Str));
1710}
1711
1712static void handleAliasAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1713 StringRef Str;
1714 if (!S.checkStringLiteralArgumentAttr(AL, 0, Str))
1715 return;
1716
1717 if (S.Context.getTargetInfo().getTriple().isOSDarwin()) {
1718 S.Diag(AL.getLoc(), diag::err_alias_not_supported_on_darwin);
1719 return;
1720 }
1721
1722 if (S.Context.getTargetInfo().getTriple().isNVPTX()) {
1723 CudaVersion Version =
1725 if (Version != CudaVersion::UNKNOWN && Version < CudaVersion::CUDA_100)
1726 S.Diag(AL.getLoc(), diag::err_alias_not_supported_on_nvptx);
1727 }
1728
1729 // Aliases should be on declarations, not definitions.
1730 if (const auto *FD = dyn_cast<FunctionDecl>(D)) {
1731 if (FD->isThisDeclarationADefinition()) {
1732 S.Diag(AL.getLoc(), diag::err_alias_is_definition) << FD << 0;
1733 return;
1734 }
1735 } else {
1736 const auto *VD = cast<VarDecl>(D);
1737 if (VD->isThisDeclarationADefinition() && VD->isExternallyVisible()) {
1738 S.Diag(AL.getLoc(), diag::err_alias_is_definition) << VD << 0;
1739 return;
1740 }
1741 }
1742
1743 markUsedForAliasOrIfunc(S, D, AL, Str);
1744 D->addAttr(::new (S.Context) AliasAttr(S.Context, AL, Str));
1745}
1746
1747static void handleTLSModelAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1748 StringRef Model;
1749 SourceLocation LiteralLoc;
1750 // Check that it is a string.
1751 if (!S.checkStringLiteralArgumentAttr(AL, 0, Model, &LiteralLoc))
1752 return;
1753
1754 // Check that the value.
1755 if (Model != "global-dynamic" && Model != "local-dynamic"
1756 && Model != "initial-exec" && Model != "local-exec") {
1757 S.Diag(LiteralLoc, diag::err_attr_tlsmodel_arg);
1758 return;
1759 }
1760
1761 D->addAttr(::new (S.Context) TLSModelAttr(S.Context, AL, Model));
1762}
1763
1764static void handleRestrictAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1766 if (ResultType->isAnyPointerType() || ResultType->isBlockPointerType()) {
1767 D->addAttr(::new (S.Context) RestrictAttr(S.Context, AL));
1768 return;
1769 }
1770
1771 S.Diag(AL.getLoc(), diag::warn_attribute_return_pointers_only)
1773}
1774
1775static void handleCPUSpecificAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1776 // Ensure we don't combine these with themselves, since that causes some
1777 // confusing behavior.
1778 if (AL.getParsedKind() == ParsedAttr::AT_CPUDispatch) {
1779 if (checkAttrMutualExclusion<CPUSpecificAttr>(S, D, AL))
1780 return;
1781
1782 if (const auto *Other = D->getAttr<CPUDispatchAttr>()) {
1783 S.Diag(AL.getLoc(), diag::err_disallowed_duplicate_attribute) << AL;
1784 S.Diag(Other->getLocation(), diag::note_conflicting_attribute);
1785 return;
1786 }
1787 } else if (AL.getParsedKind() == ParsedAttr::AT_CPUSpecific) {
1788 if (checkAttrMutualExclusion<CPUDispatchAttr>(S, D, AL))
1789 return;
1790
1791 if (const auto *Other = D->getAttr<CPUSpecificAttr>()) {
1792 S.Diag(AL.getLoc(), diag::err_disallowed_duplicate_attribute) << AL;
1793 S.Diag(Other->getLocation(), diag::note_conflicting_attribute);
1794 return;
1795 }
1796 }
1797
1798 FunctionDecl *FD = cast<FunctionDecl>(D);
1799
1800 if (const auto *MD = dyn_cast<CXXMethodDecl>(D)) {
1801 if (MD->getParent()->isLambda()) {
1802 S.Diag(AL.getLoc(), diag::err_attribute_dll_lambda) << AL;
1803 return;
1804 }
1805 }
1806
1807 if (!AL.checkAtLeastNumArgs(S, 1))
1808 return;
1809
1811 for (unsigned ArgNo = 0; ArgNo < getNumAttributeArgs(AL); ++ArgNo) {
1812 if (!AL.isArgIdent(ArgNo)) {
1813 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
1814 << AL << AANT_ArgumentIdentifier;
1815 return;
1816 }
1817
1818 IdentifierLoc *CPUArg = AL.getArgAsIdent(ArgNo);
1819 StringRef CPUName = CPUArg->Ident->getName().trim();
1820
1822 S.Diag(CPUArg->Loc, diag::err_invalid_cpu_specific_dispatch_value)
1823 << CPUName << (AL.getKind() == ParsedAttr::AT_CPUDispatch);
1824 return;
1825 }
1826
1828 if (llvm::any_of(CPUs, [CPUName, &Target](const IdentifierInfo *Cur) {
1829 return Target.CPUSpecificManglingCharacter(CPUName) ==
1830 Target.CPUSpecificManglingCharacter(Cur->getName());
1831 })) {
1832 S.Diag(AL.getLoc(), diag::warn_multiversion_duplicate_entries);
1833 return;
1834 }
1835 CPUs.push_back(CPUArg->Ident);
1836 }
1837
1838 FD->setIsMultiVersion(true);
1839 if (AL.getKind() == ParsedAttr::AT_CPUSpecific)
1840 D->addAttr(::new (S.Context)
1841 CPUSpecificAttr(S.Context, AL, CPUs.data(), CPUs.size()));
1842 else
1843 D->addAttr(::new (S.Context)
1844 CPUDispatchAttr(S.Context, AL, CPUs.data(), CPUs.size()));
1845}
1846
1847static void handleCommonAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1848 if (S.LangOpts.CPlusPlus) {
1849 S.Diag(AL.getLoc(), diag::err_attribute_not_supported_in_lang)
1851 return;
1852 }
1853
1854 D->addAttr(::new (S.Context) CommonAttr(S.Context, AL));
1855}
1856
1857static void handleNakedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1858 if (AL.isDeclspecAttribute()) {
1859 const auto &Triple = S.getASTContext().getTargetInfo().getTriple();
1860 const auto &Arch = Triple.getArch();
1861 if (Arch != llvm::Triple::x86 &&
1862 (Arch != llvm::Triple::arm && Arch != llvm::Triple::thumb)) {
1863 S.Diag(AL.getLoc(), diag::err_attribute_not_supported_on_arch)
1864 << AL << Triple.getArchName();
1865 return;
1866 }
1867
1868 // This form is not allowed to be written on a member function (static or
1869 // nonstatic) when in Microsoft compatibility mode.
1870 if (S.getLangOpts().MSVCCompat && isa<CXXMethodDecl>(D)) {
1871 S.Diag(AL.getLoc(), diag::err_attribute_wrong_decl_type)
1873 return;
1874 }
1875 }
1876
1877 D->addAttr(::new (S.Context) NakedAttr(S.Context, AL));
1878}
1879
1880static void handleNoReturnAttr(Sema &S, Decl *D, const ParsedAttr &Attrs) {
1881 if (hasDeclarator(D)) return;
1882
1883 if (!isa<ObjCMethodDecl>(D)) {
1884 S.Diag(Attrs.getLoc(), diag::warn_attribute_wrong_decl_type)
1885 << Attrs << Attrs.isRegularKeywordAttribute()
1887 return;
1888 }
1889
1890 D->addAttr(::new (S.Context) NoReturnAttr(S.Context, Attrs));
1891}
1892
1893static void handleStandardNoReturnAttr(Sema &S, Decl *D, const ParsedAttr &A) {
1894 // The [[_Noreturn]] spelling is deprecated in C23, so if that was used,
1895 // issue an appropriate diagnostic. However, don't issue a diagnostic if the
1896 // attribute name comes from a macro expansion. We don't want to punish users
1897 // who write [[noreturn]] after including <stdnoreturn.h> (where 'noreturn'
1898 // is defined as a macro which expands to '_Noreturn').
1899 if (!S.getLangOpts().CPlusPlus &&
1900 A.getSemanticSpelling() == CXX11NoReturnAttr::C23_Noreturn &&
1901 !(A.getLoc().isMacroID() &&
1903 S.Diag(A.getLoc(), diag::warn_deprecated_noreturn_spelling) << A.getRange();
1904
1905 D->addAttr(::new (S.Context) CXX11NoReturnAttr(S.Context, A));
1906}
1907
1908static void handleNoCfCheckAttr(Sema &S, Decl *D, const ParsedAttr &Attrs) {
1909 if (!S.getLangOpts().CFProtectionBranch)
1910 S.Diag(Attrs.getLoc(), diag::warn_nocf_check_attribute_ignored);
1911 else
1912 handleSimpleAttribute<AnyX86NoCfCheckAttr>(S, D, Attrs);
1913}
1914
1916 if (!Attrs.checkExactlyNumArgs(*this, 0)) {
1917 Attrs.setInvalid();
1918 return true;
1919 }
1920
1921 return false;
1922}
1923
1925 // Check whether the attribute is valid on the current target.
1928 ? diag::err_keyword_not_supported_on_target
1929 : diag::warn_unknown_attribute_ignored)
1930 << AL << AL.getRange();
1931 AL.setInvalid();
1932 return true;
1933 }
1934
1935 return false;
1936}
1937
1938static void handleAnalyzerNoReturnAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1939
1940 // The checking path for 'noreturn' and 'analyzer_noreturn' are different
1941 // because 'analyzer_noreturn' does not impact the type.
1943 ValueDecl *VD = dyn_cast<ValueDecl>(D);
1944 if (!VD || (!VD->getType()->isBlockPointerType() &&
1945 !VD->getType()->isFunctionPointerType())) {
1947 ? diag::err_attribute_wrong_decl_type
1948 : diag::warn_attribute_wrong_decl_type)
1949 << AL << AL.isRegularKeywordAttribute()
1951 return;
1952 }
1953 }
1954
1955 D->addAttr(::new (S.Context) AnalyzerNoReturnAttr(S.Context, AL));
1956}
1957
1958// PS3 PPU-specific.
1959static void handleVecReturnAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
1960 /*
1961 Returning a Vector Class in Registers
1962
1963 According to the PPU ABI specifications, a class with a single member of
1964 vector type is returned in memory when used as the return value of a
1965 function.
1966 This results in inefficient code when implementing vector classes. To return
1967 the value in a single vector register, add the vecreturn attribute to the
1968 class definition. This attribute is also applicable to struct types.
1969
1970 Example:
1971
1972 struct Vector
1973 {
1974 __vector float xyzw;
1975 } __attribute__((vecreturn));
1976
1977 Vector Add(Vector lhs, Vector rhs)
1978 {
1979 Vector result;
1980 result.xyzw = vec_add(lhs.xyzw, rhs.xyzw);
1981 return result; // This will be returned in a register
1982 }
1983 */
1984 if (VecReturnAttr *A = D->getAttr<VecReturnAttr>()) {
1985 S.Diag(AL.getLoc(), diag::err_repeat_attribute) << A;
1986 return;
1987 }
1988
1989 const auto *R = cast<RecordDecl>(D);
1990 int count = 0;
1991
1992 if (!isa<CXXRecordDecl>(R)) {
1993 S.Diag(AL.getLoc(), diag::err_attribute_vecreturn_only_vector_member);
1994 return;
1995 }
1996
1997 if (!cast<CXXRecordDecl>(R)->isPOD()) {
1998 S.Diag(AL.getLoc(), diag::err_attribute_vecreturn_only_pod_record);
1999 return;
2000 }
2001
2002 for (const auto *I : R->fields()) {
2003 if ((count == 1) || !I->getType()->isVectorType()) {
2004 S.Diag(AL.getLoc(), diag::err_attribute_vecreturn_only_vector_member);
2005 return;
2006 }
2007 count++;
2008 }
2009
2010 D->addAttr(::new (S.Context) VecReturnAttr(S.Context, AL));
2011}
2012
2014 const ParsedAttr &AL) {
2015 if (isa<ParmVarDecl>(D)) {
2016 // [[carries_dependency]] can only be applied to a parameter if it is a
2017 // parameter of a function declaration or lambda.
2019 S.Diag(AL.getLoc(),
2020 diag::err_carries_dependency_param_not_function_decl);
2021 return;
2022 }
2023 }
2024
2025 D->addAttr(::new (S.Context) CarriesDependencyAttr(S.Context, AL));
2026}
2027
2028static void handleUnusedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
2029 bool IsCXX17Attr = AL.isCXX11Attribute() && !AL.getScopeName();
2030
2031 // If this is spelled as the standard C++17 attribute, but not in C++17, warn
2032 // about using it as an extension.
2033 if (!S.getLangOpts().CPlusPlus17 && IsCXX17Attr)
2034 S.Diag(AL.getLoc(), diag::ext_cxx17_attr) << AL;
2035
2036 D->addAttr(::new (S.Context) UnusedAttr(S.Context, AL));
2037}
2038
2039static void handleConstructorAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
2040 uint32_t priority = ConstructorAttr::DefaultPriority;
2041 if (S.getLangOpts().HLSL && AL.getNumArgs()) {
2042 S.Diag(AL.getLoc(), diag::err_hlsl_init_priority_unsupported);
2043 return;
2044 }
2045 if (AL.getNumArgs() &&
2046 !S.checkUInt32Argument(AL, AL.getArgAsExpr(0), priority))
2047 return;
2048
2049 D->addAttr(::new (S.Context) ConstructorAttr(S.Context, AL, priority));
2050}
2051
2052static void handleDestructorAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
2053 uint32_t priority = DestructorAttr::DefaultPriority;
2054 if (AL.getNumArgs() &&
2055 !S.checkUInt32Argument(AL, AL.getArgAsExpr(0), priority))
2056 return;
2057
2058 D->addAttr(::new (S.Context) DestructorAttr(S.Context, AL, priority));
2059}
2060
2061template <typename AttrTy>
2062static void handleAttrWithMessage(Sema &S, Decl *D, const ParsedAttr &AL) {
2063 // Handle the case where the attribute has a text message.
2064 StringRef Str;
2065 if (AL.getNumArgs() == 1 && !S.checkStringLiteralArgumentAttr(AL, 0, Str))
2066 return;
2067
2068 D->addAttr(::new (S.Context) AttrTy(S.Context, AL, Str));
2069}
2070
2072 IdentifierInfo *Platform,
2073 VersionTuple Introduced,
2074 VersionTuple Deprecated,
2075 VersionTuple Obsoleted) {
2076 StringRef PlatformName
2077 = AvailabilityAttr::getPrettyPlatformName(Platform->getName());
2078 if (PlatformName.empty())
2079 PlatformName = Platform->getName();
2080
2081 // Ensure that Introduced <= Deprecated <= Obsoleted (although not all
2082 // of these steps are needed).
2083 if (!Introduced.empty() && !Deprecated.empty() &&
2084 !(Introduced <= Deprecated)) {
2085 S.Diag(Range.getBegin(), diag::warn_availability_version_ordering)
2086 << 1 << PlatformName << Deprecated.getAsString()
2087 << 0 << Introduced.getAsString();
2088 return true;
2089 }
2090
2091 if (!Introduced.empty() && !Obsoleted.empty() &&
2092 !(Introduced <= Obsoleted)) {
2093 S.Diag(Range.getBegin(), diag::warn_availability_version_ordering)
2094 << 2 << PlatformName << Obsoleted.getAsString()
2095 << 0 << Introduced.getAsString();
2096 return true;
2097 }
2098
2099 if (!Deprecated.empty() && !Obsoleted.empty() &&
2100 !(Deprecated <= Obsoleted)) {
2101 S.Diag(Range.getBegin(), diag::warn_availability_version_ordering)
2102 << 2 << PlatformName << Obsoleted.getAsString()
2103 << 1 << Deprecated.getAsString();
2104 return true;
2105 }
2106
2107 return false;
2108}
2109
2110/// Check whether the two versions match.
2111///
2112/// If either version tuple is empty, then they are assumed to match. If
2113/// \p BeforeIsOkay is true, then \p X can be less than or equal to \p Y.
2114static bool versionsMatch(const VersionTuple &X, const VersionTuple &Y,
2115 bool BeforeIsOkay) {
2116 if (X.empty() || Y.empty())
2117 return true;
2118
2119 if (X == Y)
2120 return true;
2121
2122 if (BeforeIsOkay && X < Y)
2123 return true;
2124
2125 return false;
2126}
2127
2129 NamedDecl *D, const AttributeCommonInfo &CI, IdentifierInfo *Platform,
2130 bool Implicit, VersionTuple Introduced, VersionTuple Deprecated,
2131 VersionTuple Obsoleted, bool IsUnavailable, StringRef Message,
2132 bool IsStrict, StringRef Replacement, AvailabilityMergeKind AMK,
2133 int Priority, IdentifierInfo *Environment) {
2134 VersionTuple MergedIntroduced = Introduced;
2135 VersionTuple MergedDeprecated = Deprecated;
2136 VersionTuple MergedObsoleted = Obsoleted;
2137 bool FoundAny = false;
2138 bool OverrideOrImpl = false;
2139 switch (AMK) {
2140 case AMK_None:
2141 case AMK_Redeclaration:
2142 OverrideOrImpl = false;
2143 break;
2144
2145 case AMK_Override:
2148 OverrideOrImpl = true;
2149 break;
2150 }
2151
2152 if (D->hasAttrs()) {
2153 AttrVec &Attrs = D->getAttrs();
2154 for (unsigned i = 0, e = Attrs.size(); i != e;) {
2155 const auto *OldAA = dyn_cast<AvailabilityAttr>(Attrs[i]);
2156 if (!OldAA) {
2157 ++i;
2158 continue;
2159 }
2160
2161 IdentifierInfo *OldPlatform = OldAA->getPlatform();
2162 if (OldPlatform != Platform) {
2163 ++i;
2164 continue;
2165 }
2166
2167 IdentifierInfo *OldEnvironment = OldAA->getEnvironment();
2168 if (OldEnvironment != Environment) {
2169 ++i;
2170 continue;
2171 }
2172
2173 // If there is an existing availability attribute for this platform that
2174 // has a lower priority use the existing one and discard the new
2175 // attribute.
2176 if (OldAA->getPriority() < Priority)
2177 return nullptr;
2178
2179 // If there is an existing attribute for this platform that has a higher
2180 // priority than the new attribute then erase the old one and continue
2181 // processing the attributes.
2182 if (OldAA->getPriority() > Priority) {
2183 Attrs.erase(Attrs.begin() + i);
2184 --e;
2185 continue;
2186 }
2187
2188 FoundAny = true;
2189 VersionTuple OldIntroduced = OldAA->getIntroduced();
2190 VersionTuple OldDeprecated = OldAA->getDeprecated();
2191 VersionTuple OldObsoleted = OldAA->getObsoleted();
2192 bool OldIsUnavailable = OldAA->getUnavailable();
2193
2194 if (!versionsMatch(OldIntroduced, Introduced, OverrideOrImpl) ||
2195 !versionsMatch(Deprecated, OldDeprecated, OverrideOrImpl) ||
2196 !versionsMatch(Obsoleted, OldObsoleted, OverrideOrImpl) ||
2197 !(OldIsUnavailable == IsUnavailable ||
2198 (OverrideOrImpl && !OldIsUnavailable && IsUnavailable))) {
2199 if (OverrideOrImpl) {
2200 int Which = -1;
2201 VersionTuple FirstVersion;
2202 VersionTuple SecondVersion;
2203 if (!versionsMatch(OldIntroduced, Introduced, OverrideOrImpl)) {
2204 Which = 0;
2205 FirstVersion = OldIntroduced;
2206 SecondVersion = Introduced;
2207 } else if (!versionsMatch(Deprecated, OldDeprecated, OverrideOrImpl)) {
2208 Which = 1;
2209 FirstVersion = Deprecated;
2210 SecondVersion = OldDeprecated;
2211 } else if (!versionsMatch(Obsoleted, OldObsoleted, OverrideOrImpl)) {
2212 Which = 2;
2213 FirstVersion = Obsoleted;
2214 SecondVersion = OldObsoleted;
2215 }
2216
2217 if (Which == -1) {
2218 Diag(OldAA->getLocation(),
2219 diag::warn_mismatched_availability_override_unavail)
2220 << AvailabilityAttr::getPrettyPlatformName(Platform->getName())
2221 << (AMK == AMK_Override);
2222 } else if (Which != 1 && AMK == AMK_OptionalProtocolImplementation) {
2223 // Allow different 'introduced' / 'obsoleted' availability versions
2224 // on a method that implements an optional protocol requirement. It
2225 // makes less sense to allow this for 'deprecated' as the user can't
2226 // see if the method is 'deprecated' as 'respondsToSelector' will
2227 // still return true when the method is deprecated.
2228 ++i;
2229 continue;
2230 } else {
2231 Diag(OldAA->getLocation(),
2232 diag::warn_mismatched_availability_override)
2233 << Which
2234 << AvailabilityAttr::getPrettyPlatformName(Platform->getName())
2235 << FirstVersion.getAsString() << SecondVersion.getAsString()
2236 << (AMK == AMK_Override);
2237 }
2238 if (AMK == AMK_Override)
2239 Diag(CI.getLoc(), diag::note_overridden_method);
2240 else
2241 Diag(CI.getLoc(), diag::note_protocol_method);
2242 } else {
2243 Diag(OldAA->getLocation(), diag::warn_mismatched_availability);
2244 Diag(CI.getLoc(), diag::note_previous_attribute);
2245 }
2246
2247 Attrs.erase(Attrs.begin() + i);
2248 --e;
2249 continue;
2250 }
2251
2252 VersionTuple MergedIntroduced2 = MergedIntroduced;
2253 VersionTuple MergedDeprecated2 = MergedDeprecated;
2254 VersionTuple MergedObsoleted2 = MergedObsoleted;
2255
2256 if (MergedIntroduced2.empty())
2257 MergedIntroduced2 = OldIntroduced;
2258 if (MergedDeprecated2.empty())
2259 MergedDeprecated2 = OldDeprecated;
2260 if (MergedObsoleted2.empty())
2261 MergedObsoleted2 = OldObsoleted;
2262
2263 if (checkAvailabilityAttr(*this, OldAA->getRange(), Platform,
2264 MergedIntroduced2, MergedDeprecated2,
2265 MergedObsoleted2)) {
2266 Attrs.erase(Attrs.begin() + i);
2267 --e;
2268 continue;
2269 }
2270
2271 MergedIntroduced = MergedIntroduced2;
2272 MergedDeprecated = MergedDeprecated2;
2273 MergedObsoleted = MergedObsoleted2;
2274 ++i;
2275 }
2276 }
2277
2278 if (FoundAny &&
2279 MergedIntroduced == Introduced &&
2280 MergedDeprecated == Deprecated &&
2281 MergedObsoleted == Obsoleted)
2282 return nullptr;
2283
2284 // Only create a new attribute if !OverrideOrImpl, but we want to do
2285 // the checking.
2286 if (!checkAvailabilityAttr(*this, CI.getRange(), Platform, MergedIntroduced,
2287 MergedDeprecated, MergedObsoleted) &&
2288 !OverrideOrImpl) {
2289 auto *Avail = ::new (Context) AvailabilityAttr(
2290 Context, CI, Platform, Introduced, Deprecated, Obsoleted, IsUnavailable,
2291 Message, IsStrict, Replacement, Priority, Environment);
2292 Avail->setImplicit(Implicit);
2293 return Avail;
2294 }
2295 return nullptr;
2296}
2297
2298static void handleAvailabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
2299 if (isa<UsingDecl, UnresolvedUsingTypenameDecl, UnresolvedUsingValueDecl>(
2300 D)) {
2301 S.Diag(AL.getRange().getBegin(), diag::warn_deprecated_ignored_on_using)
2302 << AL;
2303 return;
2304 }
2305
2306 if (!AL.checkExactlyNumArgs(S, 1))
2307 return;
2308 IdentifierLoc *Platform = AL.getArgAsIdent(0);
2309
2310 IdentifierInfo *II = Platform->Ident;
2311 if (AvailabilityAttr::getPrettyPlatformName(II->getName()).empty())
2312 S.Diag(Platform->Loc, diag::warn_availability_unknown_platform)
2313 << Platform->Ident;
2314
2315 auto *ND = dyn_cast<NamedDecl>(D);
2316 if (!ND) // We warned about this already, so just return.
2317 return;
2318
2322 bool IsUnavailable = AL.getUnavailableLoc().isValid();
2323 bool IsStrict = AL.getStrictLoc().isValid();
2324 StringRef Str;
2325 if (const auto *SE = dyn_cast_if_present<StringLiteral>(AL.getMessageExpr()))
2326 Str = SE->getString();
2327 StringRef Replacement;
2328 if (const auto *SE =
2329 dyn_cast_if_present<StringLiteral>(AL.getReplacementExpr()))
2330 Replacement = SE->getString();
2331
2332 if (II->isStr("swift")) {
2333 if (Introduced.isValid() || Obsoleted.isValid() ||
2334 (!IsUnavailable && !Deprecated.isValid())) {
2335 S.Diag(AL.getLoc(),
2336 diag::warn_availability_swift_unavailable_deprecated_only);
2337 return;
2338 }
2339 }
2340
2341 if (II->isStr("fuchsia")) {
2342 std::optional<unsigned> Min, Sub;
2343 if ((Min = Introduced.Version.getMinor()) ||
2344 (Sub = Introduced.Version.getSubminor())) {
2345 S.Diag(AL.getLoc(), diag::warn_availability_fuchsia_unavailable_minor);
2346 return;
2347 }
2348 }
2349
2350 if (S.getLangOpts().HLSL && IsStrict)
2351 S.Diag(AL.getStrictLoc(), diag::err_availability_unexpected_parameter)
2352 << "strict" << /* HLSL */ 0;
2353
2354 int PriorityModifier = AL.isPragmaClangAttribute()
2357
2358 const IdentifierLoc *EnvironmentLoc = AL.getEnvironment();
2359 IdentifierInfo *IIEnvironment = nullptr;
2360 if (EnvironmentLoc) {
2361 if (S.getLangOpts().HLSL) {
2362 IIEnvironment = EnvironmentLoc->Ident;
2363 if (AvailabilityAttr::getEnvironmentType(
2364 EnvironmentLoc->Ident->getName()) ==
2365 llvm::Triple::EnvironmentType::UnknownEnvironment)
2366 S.Diag(EnvironmentLoc->Loc, diag::warn_availability_unknown_environment)
2367 << EnvironmentLoc->Ident;
2368 } else {
2369 S.Diag(EnvironmentLoc->Loc, diag::err_availability_unexpected_parameter)
2370 << "environment" << /* C/C++ */ 1;
2371 }
2372 }
2373
2374 AvailabilityAttr *NewAttr = S.mergeAvailabilityAttr(
2375 ND, AL, II, false /*Implicit*/, Introduced.Version, Deprecated.Version,
2376 Obsoleted.Version, IsUnavailable, Str, IsStrict, Replacement,
2377 Sema::AMK_None, PriorityModifier, IIEnvironment);
2378 if (NewAttr)
2379 D->addAttr(NewAttr);
2380
2381 // Transcribe "ios" to "watchos" (and add a new attribute) if the versioning
2382 // matches before the start of the watchOS platform.
2383 if (S.Context.getTargetInfo().getTriple().isWatchOS()) {
2384 IdentifierInfo *NewII = nullptr;
2385 if (II->getName() == "ios")
2386 NewII = &S.Context.Idents.get("watchos");
2387 else if (II->getName() == "ios_app_extension")
2388 NewII = &S.Context.Idents.get("watchos_app_extension");
2389
2390 if (NewII) {
2391 const auto *SDKInfo = S.getDarwinSDKInfoForAvailabilityChecking();
2392 const auto *IOSToWatchOSMapping =
2393 SDKInfo ? SDKInfo->getVersionMapping(
2395 : nullptr;
2396
2397 auto adjustWatchOSVersion =
2398 [IOSToWatchOSMapping](VersionTuple Version) -> VersionTuple {
2399 if (Version.empty())
2400 return Version;
2401 auto MinimumWatchOSVersion = VersionTuple(2, 0);
2402
2403 if (IOSToWatchOSMapping) {
2404 if (auto MappedVersion = IOSToWatchOSMapping->map(
2405 Version, MinimumWatchOSVersion, std::nullopt)) {
2406 return *MappedVersion;
2407 }
2408 }
2409
2410 auto Major = Version.getMajor();
2411 auto NewMajor = Major >= 9 ? Major - 7 : 0;
2412 if (NewMajor >= 2) {
2413 if (Version.getMinor()) {
2414 if (Version.getSubminor())
2415 return VersionTuple(NewMajor, *Version.getMinor(),
2416 *Version.getSubminor());
2417 else
2418 return VersionTuple(NewMajor, *Version.getMinor());
2419 }
2420 return VersionTuple(NewMajor);
2421 }
2422
2423 return MinimumWatchOSVersion;
2424 };
2425
2426 auto NewIntroduced = adjustWatchOSVersion(Introduced.Version);
2427 auto NewDeprecated = adjustWatchOSVersion(Deprecated.Version);
2428 auto NewObsoleted = adjustWatchOSVersion(Obsoleted.Version);
2429
2430 AvailabilityAttr *NewAttr = S.mergeAvailabilityAttr(
2431 ND, AL, NewII, true /*Implicit*/, NewIntroduced, NewDeprecated,
2432 NewObsoleted, IsUnavailable, Str, IsStrict, Replacement,
2434 IIEnvironment);
2435 if (NewAttr)
2436 D->addAttr(NewAttr);
2437 }
2438 } else if (S.Context.getTargetInfo().getTriple().isTvOS()) {
2439 // Transcribe "ios" to "tvos" (and add a new attribute) if the versioning
2440 // matches before the start of the tvOS platform.
2441 IdentifierInfo *NewII = nullptr;
2442 if (II->getName() == "ios")
2443 NewII = &S.Context.Idents.get("tvos");
2444 else if (II->getName() == "ios_app_extension")
2445 NewII = &S.Context.Idents.get("tvos_app_extension");
2446
2447 if (NewII) {
2448 const auto *SDKInfo = S.getDarwinSDKInfoForAvailabilityChecking();
2449 const auto *IOSToTvOSMapping =
2450 SDKInfo ? SDKInfo->getVersionMapping(
2452 : nullptr;
2453
2454 auto AdjustTvOSVersion =
2455 [IOSToTvOSMapping](VersionTuple Version) -> VersionTuple {
2456 if (Version.empty())
2457 return Version;
2458
2459 if (IOSToTvOSMapping) {
2460 if (auto MappedVersion = IOSToTvOSMapping->map(
2461 Version, VersionTuple(0, 0), std::nullopt)) {
2462 return *MappedVersion;
2463 }
2464 }
2465 return Version;
2466 };
2467
2468 auto NewIntroduced = AdjustTvOSVersion(Introduced.Version);
2469 auto NewDeprecated = AdjustTvOSVersion(Deprecated.Version);
2470 auto NewObsoleted = AdjustTvOSVersion(Obsoleted.Version);
2471
2472 AvailabilityAttr *NewAttr = S.mergeAvailabilityAttr(
2473 ND, AL, NewII, true /*Implicit*/, NewIntroduced, NewDeprecated,
2474 NewObsoleted, IsUnavailable, Str, IsStrict, Replacement,
2476 IIEnvironment);
2477 if (NewAttr)
2478 D->addAttr(NewAttr);
2479 }
2480 } else if (S.Context.getTargetInfo().getTriple().getOS() ==
2481 llvm::Triple::IOS &&
2482 S.Context.getTargetInfo().getTriple().isMacCatalystEnvironment()) {
2483 auto GetSDKInfo = [&]() {
2485 "macOS");
2486 };
2487
2488 // Transcribe "ios" to "maccatalyst" (and add a new attribute).
2489 IdentifierInfo *NewII = nullptr;
2490 if (II->getName() == "ios")
2491 NewII = &S.Context.Idents.get("maccatalyst");
2492 else if (II->getName() == "ios_app_extension")
2493 NewII = &S.Context.Idents.get("maccatalyst_app_extension");
2494 if (NewII) {
2495 auto MinMacCatalystVersion = [](const VersionTuple &V) {
2496 if (V.empty())
2497 return V;
2498 if (V.getMajor() < 13 ||
2499 (V.getMajor() == 13 && V.getMinor() && *V.getMinor() < 1))
2500 return VersionTuple(13, 1); // The min Mac Catalyst version is 13.1.
2501 return V;
2502 };
2503 AvailabilityAttr *NewAttr = S.mergeAvailabilityAttr(
2504 ND, AL, NewII, true /*Implicit*/,
2505 MinMacCatalystVersion(Introduced.Version),
2506 MinMacCatalystVersion(Deprecated.Version),
2507 MinMacCatalystVersion(Obsoleted.Version), IsUnavailable, Str,
2508 IsStrict, Replacement, Sema::AMK_None,
2509 PriorityModifier + Sema::AP_InferredFromOtherPlatform, IIEnvironment);
2510 if (NewAttr)
2511 D->addAttr(NewAttr);
2512 } else if (II->getName() == "macos" && GetSDKInfo() &&
2513 (!Introduced.Version.empty() || !Deprecated.Version.empty() ||
2514 !Obsoleted.Version.empty())) {
2515 if (const auto *MacOStoMacCatalystMapping =
2516 GetSDKInfo()->getVersionMapping(
2518 // Infer Mac Catalyst availability from the macOS availability attribute
2519 // if it has versioned availability. Don't infer 'unavailable'. This
2520 // inferred availability has lower priority than the other availability
2521 // attributes that are inferred from 'ios'.
2522 NewII = &S.Context.Idents.get("maccatalyst");
2523 auto RemapMacOSVersion =
2524 [&](const VersionTuple &V) -> std::optional<VersionTuple> {
2525 if (V.empty())
2526 return std::nullopt;
2527 // API_TO_BE_DEPRECATED is 100000.
2528 if (V.getMajor() == 100000)
2529 return VersionTuple(100000);
2530 // The minimum iosmac version is 13.1
2531 return MacOStoMacCatalystMapping->map(V, VersionTuple(13, 1),
2532 std::nullopt);
2533 };
2534 std::optional<VersionTuple> NewIntroduced =
2535 RemapMacOSVersion(Introduced.Version),
2536 NewDeprecated =
2537 RemapMacOSVersion(Deprecated.Version),
2538 NewObsoleted =
2539 RemapMacOSVersion(Obsoleted.Version);
2540 if (NewIntroduced || NewDeprecated || NewObsoleted) {
2541 auto VersionOrEmptyVersion =
2542 [](const std::optional<VersionTuple> &V) -> VersionTuple {
2543 return V ? *V : VersionTuple();
2544 };
2545 AvailabilityAttr *NewAttr = S.mergeAvailabilityAttr(
2546 ND, AL, NewII, true /*Implicit*/,
2547 VersionOrEmptyVersion(NewIntroduced),
2548 VersionOrEmptyVersion(NewDeprecated),
2549 VersionOrEmptyVersion(NewObsoleted), /*IsUnavailable=*/false, Str,
2550 IsStrict, Replacement, Sema::AMK_None,
2551 PriorityModifier + Sema::AP_InferredFromOtherPlatform +
2553 IIEnvironment);
2554 if (NewAttr)
2555 D->addAttr(NewAttr);
2556 }
2557 }
2558 }
2559 }
2560}
2561
2563 const ParsedAttr &AL) {
2564 if (!AL.checkAtLeastNumArgs(S, 1) || !AL.checkAtMostNumArgs(S, 4))
2565 return;
2566
2567 StringRef Language;
2568 if (const auto *SE = dyn_cast_if_present<StringLiteral>(AL.getArgAsExpr(0)))
2569 Language = SE->getString();
2570 StringRef DefinedIn;
2571 if (const auto *SE = dyn_cast_if_present<StringLiteral>(AL.getArgAsExpr(1)))
2572 DefinedIn = SE->getString();
2573 bool IsGeneratedDeclaration = AL.getArgAsIdent(2) != nullptr;
2574 StringRef USR;
2575 if (const auto *SE = dyn_cast_if_present<StringLiteral>(AL.getArgAsExpr(3)))
2576 USR = SE->getString();
2577
2578 D->addAttr(::new (S.Context) ExternalSourceSymbolAttr(
2579 S.Context, AL, Language, DefinedIn, IsGeneratedDeclaration, USR));
2580}
2581
2582template <class T>
2584 typename T::VisibilityType value) {
2585 T *existingAttr = D->getAttr<T>();
2586 if (existingAttr) {
2587 typename T::VisibilityType existingValue = existingAttr->getVisibility();
2588 if (existingValue == value)
2589 return nullptr;
2590 S.Diag(existingAttr->getLocation(), diag::err_mismatched_visibility);
2591 S.Diag(CI.getLoc(), diag::note_previous_attribute);
2592 D->dropAttr<T>();
2593 }
2594 return ::new (S.Context) T(S.Context, CI, value);
2595}
2596
2598 const AttributeCommonInfo &CI,
2599 VisibilityAttr::VisibilityType Vis) {
2600 return ::mergeVisibilityAttr<VisibilityAttr>(*this, D, CI, Vis);
2601}
2602
2603TypeVisibilityAttr *
2605 TypeVisibilityAttr::VisibilityType Vis) {
2606 return ::mergeVisibilityAttr<TypeVisibilityAttr>(*this, D, CI, Vis);
2607}
2608
2609static void handleVisibilityAttr(Sema &S, Decl *D, const ParsedAttr &AL,
2610 bool isTypeVisibility) {
2611 // Visibility attributes don't mean anything on a typedef.
2612 if (isa<TypedefNameDecl>(D)) {
2613 S.Diag(AL.getRange().getBegin(), diag::warn_attribute_ignored) << AL;
2614 return;
2615 }
2616
2617 // 'type_visibility' can only go on a type or namespace.
2618 if (isTypeVisibility && !(isa<TagDecl>(D) || isa<ObjCInterfaceDecl>(D) ||
2619 isa<NamespaceDecl>(D))) {
2620 S.Diag(AL.getRange().getBegin(), diag::err_attribute_wrong_decl_type)
2622 return;
2623 }
2624
2625 // Check that the argument is a string literal.
2626 StringRef TypeStr;
2627 SourceLocation LiteralLoc;
2628 if (!S.checkStringLiteralArgumentAttr(AL, 0, TypeStr, &LiteralLoc))
2629 return;
2630
2631 VisibilityAttr::VisibilityType type;
2632 if (!VisibilityAttr::ConvertStrToVisibilityType(TypeStr, type)) {
2633 S.Diag(LiteralLoc, diag::warn_attribute_type_not_supported) << AL
2634 << TypeStr;
2635 return;
2636 }
2637
2638 // Complain about attempts to use protected visibility on targets
2639 // (like Darwin) that don't support it.
2640 if (type == VisibilityAttr::Protected &&
2642 S.Diag(AL.getLoc(), diag::warn_attribute_protected_visibility);
2643 type = VisibilityAttr::Default;
2644 }
2645
2646 Attr *newAttr;
2647 if (isTypeVisibility) {
2648 newAttr = S.mergeTypeVisibilityAttr(
2649 D, AL, (TypeVisibilityAttr::VisibilityType)type);
2650 } else {
2651 newAttr = S.mergeVisibilityAttr(D, AL, type);
2652 }
2653 if (newAttr)
2654 D->addAttr(newAttr);
2655}
2656
2657static void handleSentinelAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
2658 unsigned sentinel = (unsigned)SentinelAttr::DefaultSentinel;
2659 if (AL.getNumArgs() > 0) {
2660 Expr *E = AL.getArgAsExpr(0);
2661 std::optional<llvm::APSInt> Idx = llvm::APSInt(32);
2662 if (E->isTypeDependent() || !(Idx = E->getIntegerConstantExpr(S.Context))) {
2663 S.Diag(AL.getLoc(), diag::err_attribute_argument_n_type)
2664 << AL << 1 << AANT_ArgumentIntegerConstant << E->getSourceRange();
2665 return;
2666 }
2667
2668 if (Idx->isSigned() && Idx->isNegative()) {
2669 S.Diag(AL.getLoc(), diag::err_attribute_sentinel_less_than_zero)
2670 << E->getSourceRange();
2671 return;
2672 }
2673
2674 sentinel = Idx->getZExtValue();
2675 }
2676
2677 unsigned nullPos = (unsigned)SentinelAttr::DefaultNullPos;
2678 if (AL.getNumArgs() > 1) {
2679 Expr *E = AL.getArgAsExpr(1);
2680 std::optional<llvm::APSInt> Idx = llvm::APSInt(32);
2681 if (E->isTypeDependent() || !(Idx = E->getIntegerConstantExpr(S.Context))) {
2682 S.Diag(AL.getLoc(), diag::err_attribute_argument_n_type)
2683 << AL << 2 << AANT_ArgumentIntegerConstant << E->getSourceRange();
2684 return;
2685 }
2686 nullPos = Idx->getZExtValue();
2687
2688 if ((Idx->isSigned() && Idx->isNegative()) || nullPos > 1) {
2689 // FIXME: This error message could be improved, it would be nice
2690 // to say what the bounds actually are.
2691 S.Diag(AL.getLoc(), diag::err_attribute_sentinel_not_zero_or_one)
2692 << E->getSourceRange();
2693 return;
2694 }
2695 }
2696
2697 if (const auto *FD = dyn_cast<FunctionDecl>(D)) {
2698 const FunctionType *FT = FD->getType()->castAs<FunctionType>();
2699 if (isa<FunctionNoProtoType>(FT)) {
2700 S.Diag(AL.getLoc(), diag::warn_attribute_sentinel_named_arguments);
2701 return;
2702 }
2703
2704 if (!cast<FunctionProtoType>(FT)->isVariadic()) {
2705 S.Diag(AL.getLoc(), diag::warn_attribute_sentinel_not_variadic) << 0;
2706 return;
2707 }
2708 } else if (const auto *MD = dyn_cast<ObjCMethodDecl>(D)) {
2709 if (!MD->isVariadic()) {
2710 S.Diag(AL.getLoc(), diag::warn_attribute_sentinel_not_variadic) << 0;
2711 return;
2712 }
2713 } else if (const auto *BD = dyn_cast<BlockDecl>(D)) {
2714 if (!BD->isVariadic()) {
2715 S.Diag(AL.getLoc(), diag::warn_attribute_sentinel_not_variadic) << 1;
2716 return;
2717 }
2718 } else if (const auto *V = dyn_cast<VarDecl>(D)) {
2719 QualType Ty = V->getType();
2720 if (Ty->isBlockPointerType() || Ty->isFunctionPointerType()) {
2721 const FunctionType *FT = Ty->isFunctionPointerType()
2722 ? D->getFunctionType()
2723 : Ty->castAs<BlockPointerType>()
2724 ->getPointeeType()
2725 ->castAs<FunctionType>();
2726 if (!cast<FunctionProtoType>(FT)->isVariadic()) {
2727 int m = Ty->isFunctionPointerType() ? 0 : 1;
2728 S.Diag(AL.getLoc(), diag::warn_attribute_sentinel_not_variadic) << m;
2729 return;
2730 }
2731 } else {
2732 S.Diag(AL.getLoc(), diag::warn_attribute_wrong_decl_type)
2733 << AL << AL.isRegularKeywordAttribute()
2735 return;
2736 }
2737 } else {
2738 S.Diag(AL.getLoc(), diag::warn_attribute_wrong_decl_type)
2739 << AL << AL.isRegularKeywordAttribute()
2741 return;
2742 }
2743 D->addAttr(::new (S.Context) SentinelAttr(S.Context, AL, sentinel, nullPos));
2744}
2745
2746static void handleWarnUnusedResult(Sema &S, Decl *D, const ParsedAttr &AL) {
2747 if (D->getFunctionType() &&
2749 !isa<CXXConstructorDecl>(D)) {
2750 S.Diag(AL.getLoc(), diag::warn_attribute_void_function_method) << AL << 0;
2751 return;
2752 }
2753 if (const auto *MD = dyn_cast<ObjCMethodDecl>(D))
2754 if (MD->getReturnType()->isVoidType()) {
2755 S.Diag(AL.getLoc(), diag::warn_attribute_void_function_method) << AL << 1;
2756 return;
2757 }
2758
2759 StringRef Str;
2760 if (AL.isStandardAttributeSyntax() && !AL.getScopeName()) {
2761 // The standard attribute cannot be applied to variable declarations such
2762 // as a function pointer.
2763 if (isa<VarDecl>(D))
2764 S.Diag(AL.getLoc(), diag::warn_attribute_wrong_decl_type)
2765 << AL << AL.isRegularKeywordAttribute()
2767
2768 // If this is spelled as the standard C++17 attribute, but not in C++17,
2769 // warn about using it as an extension. If there are attribute arguments,
2770 // then claim it's a C++20 extension instead.
2771 // FIXME: If WG14 does not seem likely to adopt the same feature, add an
2772 // extension warning for C23 mode.
2773 const LangOptions &LO = S.getLangOpts();
2774 if (AL.getNumArgs() == 1) {
2775 if (LO.CPlusPlus && !LO.CPlusPlus20)
2776 S.Diag(AL.getLoc(), diag::ext_cxx20_attr) << AL;
2777
2778 // Since this is spelled [[nodiscard]], get the optional string
2779 // literal. If in C++ mode, but not in C++20 mode, diagnose as an
2780 // extension.
2781 // FIXME: C23 should support this feature as well, even as an extension.
2782 if (!S.checkStringLiteralArgumentAttr(AL, 0, Str, nullptr))
2783 return;
2784 } else if (LO.CPlusPlus && !LO.CPlusPlus17)
2785 S.Diag(AL.getLoc(), diag::ext_cxx17_attr) << AL;
2786 }
2787
2788 if ((!AL.isGNUAttribute() &&
2789 !(AL.isStandardAttributeSyntax() && AL.isClangScope())) &&
2790 isa<TypedefNameDecl>(D)) {
2791 S.Diag(AL.getLoc(), diag::warn_unused_result_typedef_unsupported_spelling)
2792 << AL.isGNUScope();
2793 return;
2794 }
2795
2796 D->addAttr(::new (S.Context) WarnUnusedResultAttr(S.Context, AL, Str));
2797}
2798
2799static void handleWeakImportAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
2800 // weak_import only applies to variable & function declarations.
2801 bool isDef = false;
2802 if (!D->canBeWeakImported(isDef)) {
2803 if (isDef)
2804 S.Diag(AL.getLoc(), diag::warn_attribute_invalid_on_definition)
2805 << "weak_import";
2806 else if (isa<ObjCPropertyDecl>(D) || isa<ObjCMethodDecl>(D) ||
2807 (S.Context.getTargetInfo().getTriple().isOSDarwin() &&
2808 (isa<ObjCInterfaceDecl>(D) || isa<EnumDecl>(D)))) {
2809 // Nothing to warn about here.
2810 } else
2811 S.Diag(AL.getLoc(), diag::warn_attribute_wrong_decl_type)
2813
2814 return;
2815 }
2816
2817 D->addAttr(::new (S.Context) WeakImportAttr(S.Context, AL));
2818}
2819
2820// Handles reqd_work_group_size and work_group_size_hint.
2821template <typename WorkGroupAttr>
2822static void handleWorkGroupSize(Sema &S, Decl *D, const ParsedAttr &AL) {
2823 uint32_t WGSize[3];
2824 for (unsigned i = 0; i < 3; ++i) {
2825 const Expr *E = AL.getArgAsExpr(i);
2826 if (!S.checkUInt32Argument(AL, E, WGSize[i], i,
2827 /*StrictlyUnsigned=*/true))
2828 return;
2829 if (WGSize[i] == 0) {
2830 S.Diag(AL.getLoc(), diag::err_attribute_argument_is_zero)
2831 << AL << E->getSourceRange();
2832 return;
2833 }
2834 }
2835
2836 WorkGroupAttr *Existing = D->getAttr<WorkGroupAttr>();
2837 if (Existing && !(Existing->getXDim() == WGSize[0] &&
2838 Existing->getYDim() == WGSize[1] &&
2839 Existing->getZDim() == WGSize[2]))
2840 S.Diag(AL.getLoc(), diag::warn_duplicate_attribute) << AL;
2841
2842 D->addAttr(::new (S.Context)
2843 WorkGroupAttr(S.Context, AL, WGSize[0], WGSize[1], WGSize[2]));
2844}
2845
2846static void handleVecTypeHint(Sema &S, Decl *D, const ParsedAttr &AL) {
2847 if (!AL.hasParsedType()) {
2848 S.Diag(AL.getLoc(), diag::err_attribute_wrong_number_arguments) << AL << 1;
2849 return;
2850 }
2851
2852 TypeSourceInfo *ParmTSI = nullptr;
2853 QualType ParmType = S.GetTypeFromParser(AL.getTypeArg(), &ParmTSI);
2854 assert(ParmTSI && "no type source info for attribute argument");
2855
2856 if (!ParmType->isExtVectorType() && !ParmType->isFloatingType() &&
2857 (ParmType->isBooleanType() ||
2858 !ParmType->isIntegralType(S.getASTContext()))) {
2859 S.Diag(AL.getLoc(), diag::err_attribute_invalid_argument) << 2 << AL;
2860 return;
2861 }
2862
2863 if (VecTypeHintAttr *A = D->getAttr<VecTypeHintAttr>()) {
2864 if (!S.Context.hasSameType(A->getTypeHint(), ParmType)) {
2865 S.Diag(AL.getLoc(), diag::warn_duplicate_attribute) << AL;
2866 return;
2867 }
2868 }
2869
2870 D->addAttr(::new (S.Context) VecTypeHintAttr(S.Context, AL, ParmTSI));
2871}
2872
2874 StringRef Name) {
2875 // Explicit or partial specializations do not inherit
2876 // the section attribute from the primary template.
2877 if (const auto *FD = dyn_cast<FunctionDecl>(D)) {
2878 if (CI.getAttributeSpellingListIndex() == SectionAttr::Declspec_allocate &&
2880 return nullptr;
2881 }
2882 if (SectionAttr *ExistingAttr = D->getAttr<SectionAttr>()) {
2883 if (ExistingAttr->getName() == Name)
2884 return nullptr;
2885 Diag(ExistingAttr->getLocation(), diag::warn_mismatched_section)
2886 << 1 /*section*/;
2887 Diag(CI.getLoc(), diag::note_previous_attribute);
2888 return nullptr;
2889 }
2890 return ::new (Context) SectionAttr(Context, CI, Name);
2891}
2892
2893llvm::Error Sema::isValidSectionSpecifier(StringRef SecName) {
2894 if (!Context.getTargetInfo().getTriple().isOSDarwin())
2895 return llvm::Error::success();
2896
2897 // Let MCSectionMachO validate this.
2898 StringRef Segment, Section;
2899 unsigned TAA, StubSize;
2900 bool HasTAA;
2901 return llvm::MCSectionMachO::ParseSectionSpecifier(SecName, Segment, Section,
2902 TAA, HasTAA, StubSize);
2903}
2904
2905bool Sema::checkSectionName(SourceLocation LiteralLoc, StringRef SecName) {
2906 if (llvm::Error E = isValidSectionSpecifier(SecName)) {
2907 Diag(LiteralLoc, diag::err_attribute_section_invalid_for_target)
2908 << toString(std::move(E)) << 1 /*'section'*/;
2909 return false;
2910 }
2911 return true;
2912}
2913
2914static void handleSectionAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
2915 // Make sure that there is a string literal as the sections's single
2916 // argument.
2917 StringRef Str;
2918 SourceLocation LiteralLoc;
2919 if (!S.checkStringLiteralArgumentAttr(AL, 0, Str, &LiteralLoc))
2920 return;
2921
2922 if (!S.checkSectionName(LiteralLoc, Str))
2923 return;
2924
2925 SectionAttr *NewAttr = S.mergeSectionAttr(D, AL, Str);
2926 if (NewAttr) {
2927 D->addAttr(NewAttr);
2930 S.UnifySection(NewAttr->getName(),
2932 cast<NamedDecl>(D));
2933 }
2934}
2935
2936static void handleCodeModelAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
2937 StringRef Str;
2938 SourceLocation LiteralLoc;
2939 // Check that it is a string.
2940 if (!S.checkStringLiteralArgumentAttr(AL, 0, Str, &LiteralLoc))
2941 return;
2942
2943 llvm::CodeModel::Model CM;
2944 if (!CodeModelAttr::ConvertStrToModel(Str, CM)) {
2945 S.Diag(LiteralLoc, diag::err_attr_codemodel_arg) << Str;
2946 return;
2947 }
2948
2949 D->addAttr(::new (S.Context) CodeModelAttr(S.Context, AL, CM));
2950}
2951
2952// This is used for `__declspec(code_seg("segname"))` on a decl.
2953// `#pragma code_seg("segname")` uses checkSectionName() instead.
2954static bool checkCodeSegName(Sema &S, SourceLocation LiteralLoc,
2955 StringRef CodeSegName) {
2956 if (llvm::Error E = S.isValidSectionSpecifier(CodeSegName)) {
2957 S.Diag(LiteralLoc, diag::err_attribute_section_invalid_for_target)
2958 << toString(std::move(E)) << 0 /*'code-seg'*/;
2959 return false;
2960 }
2961
2962 return true;
2963}
2964
2966 StringRef Name) {
2967 // Explicit or partial specializations do not inherit
2968 // the code_seg attribute from the primary template.
2969 if (const auto *FD = dyn_cast<FunctionDecl>(D)) {
2971 return nullptr;
2972 }
2973 if (const auto *ExistingAttr = D->getAttr<CodeSegAttr>()) {
2974 if (ExistingAttr->getName() == Name)
2975 return nullptr;
2976 Diag(ExistingAttr->getLocation(), diag::warn_mismatched_section)
2977 << 0 /*codeseg*/;
2978 Diag(CI.getLoc(), diag::note_previous_attribute);
2979 return nullptr;
2980 }
2981 return ::new (Context) CodeSegAttr(Context, CI, Name);
2982}
2983
2984static void handleCodeSegAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
2985 StringRef Str;
2986 SourceLocation LiteralLoc;
2987 if (!S.checkStringLiteralArgumentAttr(AL, 0, Str, &LiteralLoc))
2988 return;
2989 if (!checkCodeSegName(S, LiteralLoc, Str))
2990 return;
2991 if (const auto *ExistingAttr = D->getAttr<CodeSegAttr>()) {
2992 if (!ExistingAttr->isImplicit()) {
2993 S.Diag(AL.getLoc(),
2994 ExistingAttr->getName() == Str
2995 ? diag::warn_duplicate_codeseg_attribute
2996 : diag::err_conflicting_codeseg_attribute);
2997 return;
2998 }
2999 D->dropAttr<CodeSegAttr>();
3000 }
3001 if (CodeSegAttr *CSA = S.mergeCodeSegAttr(D, AL, Str))
3002 D->addAttr(CSA);
3003}
3004
3005bool Sema::checkTargetAttr(SourceLocation LiteralLoc, StringRef AttrStr) {
3006 enum FirstParam { Unsupported, Duplicate, Unknown };
3007 enum SecondParam { None, CPU, Tune };
3008 enum ThirdParam { Target, TargetClones };
3009 if (AttrStr.contains("fpmath="))
3010 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3011 << Unsupported << None << "fpmath=" << Target;
3012
3013 // Diagnose use of tune if target doesn't support it.
3015 AttrStr.contains("tune="))
3016 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3017 << Unsupported << None << "tune=" << Target;
3018
3019 ParsedTargetAttr ParsedAttrs =
3021
3022 if (!ParsedAttrs.CPU.empty() &&
3023 !Context.getTargetInfo().isValidCPUName(ParsedAttrs.CPU))
3024 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3025 << Unknown << CPU << ParsedAttrs.CPU << Target;
3026
3027 if (!ParsedAttrs.Tune.empty() &&
3028 !Context.getTargetInfo().isValidCPUName(ParsedAttrs.Tune))
3029 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3030 << Unknown << Tune << ParsedAttrs.Tune << Target;
3031
3032 if (Context.getTargetInfo().getTriple().isRISCV()) {
3033 if (ParsedAttrs.Duplicate != "")
3034 return Diag(LiteralLoc, diag::err_duplicate_target_attribute)
3035 << Duplicate << None << ParsedAttrs.Duplicate << Target;
3036 for (const auto &Feature : ParsedAttrs.Features) {
3037 StringRef CurFeature = Feature;
3038 if (!CurFeature.starts_with('+') && !CurFeature.starts_with('-'))
3039 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3040 << Unsupported << None << AttrStr << Target;
3041 }
3042 }
3043
3044 if (ParsedAttrs.Duplicate != "")
3045 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3046 << Duplicate << None << ParsedAttrs.Duplicate << Target;
3047
3048 for (const auto &Feature : ParsedAttrs.Features) {
3049 auto CurFeature = StringRef(Feature).drop_front(); // remove + or -.
3050 if (!Context.getTargetInfo().isValidFeatureName(CurFeature))
3051 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3052 << Unsupported << None << CurFeature << Target;
3053 }
3054
3056 StringRef DiagMsg;
3057 if (ParsedAttrs.BranchProtection.empty())
3058 return false;
3060 ParsedAttrs.BranchProtection, ParsedAttrs.CPU, BPI, DiagMsg)) {
3061 if (DiagMsg.empty())
3062 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3063 << Unsupported << None << "branch-protection" << Target;
3064 return Diag(LiteralLoc, diag::err_invalid_branch_protection_spec)
3065 << DiagMsg;
3066 }
3067 if (!DiagMsg.empty())
3068 Diag(LiteralLoc, diag::warn_unsupported_branch_protection_spec) << DiagMsg;
3069
3070 return false;
3071}
3072
3074 StringRef AttrStr) {
3075 enum FirstParam { Unsupported };
3076 enum SecondParam { None };
3077 enum ThirdParam { Target, TargetClones, TargetVersion };
3079 if (Context.getTargetInfo().getTriple().isRISCV()) {
3081 AttrStr.split(AttrStrs, ';');
3082
3083 bool HasArch = false;
3084 bool HasPriority = false;
3085 bool HasDefault = false;
3086 bool DuplicateAttr = false;
3087 for (auto &AttrStr : AttrStrs) {
3088 // Only support arch=+ext,... syntax.
3089 if (AttrStr.starts_with("arch=+")) {
3090 if (HasArch)
3091 DuplicateAttr = true;
3092 HasArch = true;
3093 ParsedTargetAttr TargetAttr =
3095
3096 if (TargetAttr.Features.empty() ||
3097 llvm::any_of(TargetAttr.Features, [&](const StringRef Ext) {
3098 return !RISCV().isValidFMVExtension(Ext);
3099 }))
3100 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3101 << Unsupported << None << AttrStr << TargetVersion;
3102 } else if (AttrStr.starts_with("default")) {
3103 if (HasDefault)
3104 DuplicateAttr = true;
3105 HasDefault = true;
3106 } else if (AttrStr.consume_front("priority=")) {
3107 if (HasPriority)
3108 DuplicateAttr = true;
3109 HasPriority = true;
3110 unsigned Digit;
3111 if (AttrStr.getAsInteger(0, Digit))
3112 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3113 << Unsupported << None << AttrStr << TargetVersion;
3114 } else {
3115 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3116 << Unsupported << None << AttrStr << TargetVersion;
3117 }
3118 }
3119
3120 if (((HasPriority || HasArch) && HasDefault) || DuplicateAttr ||
3121 (HasPriority && !HasArch))
3122 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3123 << Unsupported << None << AttrStr << TargetVersion;
3124
3125 return false;
3126 }
3127 AttrStr.split(Features, "+");
3128 for (auto &CurFeature : Features) {
3129 CurFeature = CurFeature.trim();
3130 if (CurFeature == "default")
3131 continue;
3132 if (!Context.getTargetInfo().validateCpuSupports(CurFeature))
3133 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3134 << Unsupported << None << CurFeature << TargetVersion;
3135 }
3136 return false;
3137}
3138
3139static void handleTargetVersionAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
3140 StringRef Str;
3141 SourceLocation LiteralLoc;
3142 if (!S.checkStringLiteralArgumentAttr(AL, 0, Str, &LiteralLoc) ||
3143 S.checkTargetVersionAttr(LiteralLoc, D, Str))
3144 return;
3145 TargetVersionAttr *NewAttr =
3146 ::new (S.Context) TargetVersionAttr(S.Context, AL, Str);
3147 D->addAttr(NewAttr);
3148}
3149
3150static void handleTargetAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
3151 StringRef Str;
3152 SourceLocation LiteralLoc;
3153 if (!S.checkStringLiteralArgumentAttr(AL, 0, Str, &LiteralLoc) ||
3154 S.checkTargetAttr(LiteralLoc, Str))
3155 return;
3156
3157 TargetAttr *NewAttr = ::new (S.Context) TargetAttr(S.Context, AL, Str);
3158 D->addAttr(NewAttr);
3159}
3160
3162 SourceLocation LiteralLoc, StringRef Str, const StringLiteral *Literal,
3163 Decl *D, bool &HasDefault, bool &HasCommas, bool &HasNotDefault,
3164 SmallVectorImpl<SmallString<64>> &StringsBuffer) {
3165 enum FirstParam { Unsupported, Duplicate, Unknown };
3166 enum SecondParam { None, CPU, Tune };
3167 enum ThirdParam { Target, TargetClones };
3168 HasCommas = HasCommas || Str.contains(',');
3169 const TargetInfo &TInfo = Context.getTargetInfo();
3170 // Warn on empty at the beginning of a string.
3171 if (Str.size() == 0)
3172 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3173 << Unsupported << None << "" << TargetClones;
3174
3175 std::pair<StringRef, StringRef> Parts = {{}, Str};
3176 while (!Parts.second.empty()) {
3177 Parts = Parts.second.split(',');
3178 StringRef Cur = Parts.first.trim();
3179 SourceLocation CurLoc =
3180 Literal->getLocationOfByte(Cur.data() - Literal->getString().data(),
3181 getSourceManager(), getLangOpts(), TInfo);
3182
3183 bool DefaultIsDupe = false;
3184 bool HasCodeGenImpact = false;
3185 if (Cur.empty())
3186 return Diag(CurLoc, diag::warn_unsupported_target_attribute)
3187 << Unsupported << None << "" << TargetClones;
3188
3189 if (TInfo.getTriple().isAArch64()) {
3190 // AArch64 target clones specific
3191 if (Cur == "default") {
3192 DefaultIsDupe = HasDefault;
3193 HasDefault = true;
3194 if (llvm::is_contained(StringsBuffer, Cur) || DefaultIsDupe)
3195 Diag(CurLoc, diag::warn_target_clone_duplicate_options);
3196 else
3197 StringsBuffer.push_back(Cur);
3198 } else {
3199 std::pair<StringRef, StringRef> CurParts = {{}, Cur};
3201 while (!CurParts.second.empty()) {
3202 CurParts = CurParts.second.split('+');
3203 StringRef CurFeature = CurParts.first.trim();
3204 if (!TInfo.validateCpuSupports(CurFeature)) {
3205 Diag(CurLoc, diag::warn_unsupported_target_attribute)
3206 << Unsupported << None << CurFeature << TargetClones;
3207 continue;
3208 }
3209 if (TInfo.doesFeatureAffectCodeGen(CurFeature))
3210 HasCodeGenImpact = true;
3211 CurFeatures.push_back(CurFeature);
3212 }
3213 // Canonize TargetClones Attributes
3214 llvm::sort(CurFeatures);
3215 SmallString<64> Res;
3216 for (auto &CurFeat : CurFeatures) {
3217 if (!Res.empty())
3218 Res.append("+");
3219 Res.append(CurFeat);
3220 }
3221 if (llvm::is_contained(StringsBuffer, Res) || DefaultIsDupe)
3222 Diag(CurLoc, diag::warn_target_clone_duplicate_options);
3223 else if (!HasCodeGenImpact)
3224 // Ignore features in target_clone attribute that don't impact
3225 // code generation
3226 Diag(CurLoc, diag::warn_target_clone_no_impact_options);
3227 else if (!Res.empty()) {
3228 StringsBuffer.push_back(Res);
3229 HasNotDefault = true;
3230 }
3231 }
3232 } else if (TInfo.getTriple().isRISCV()) {
3233 // Suppress warn_target_clone_mixed_values
3234 HasCommas = false;
3235
3236 // Cur is split's parts of Str. RISC-V uses Str directly,
3237 // so skip when encountered more than once.
3238 if (!Str.starts_with(Cur))
3239 continue;
3240
3242 Str.split(AttrStrs, ";");
3243
3244 bool IsPriority = false;
3245 bool IsDefault = false;
3246 for (auto &AttrStr : AttrStrs) {
3247 // Only support arch=+ext,... syntax.
3248 if (AttrStr.starts_with("arch=+")) {
3249 ParsedTargetAttr TargetAttr =
3251
3252 if (TargetAttr.Features.empty() ||
3253 llvm::any_of(TargetAttr.Features, [&](const StringRef Ext) {
3254 return !RISCV().isValidFMVExtension(Ext);
3255 }))
3256 return Diag(CurLoc, diag::warn_unsupported_target_attribute)
3257 << Unsupported << None << Str << TargetClones;
3258 } else if (AttrStr.starts_with("default")) {
3259 IsDefault = true;
3260 DefaultIsDupe = HasDefault;
3261 HasDefault = true;
3262 } else if (AttrStr.consume_front("priority=")) {
3263 IsPriority = true;
3264 unsigned Digit;
3265 if (AttrStr.getAsInteger(0, Digit))
3266 return Diag(CurLoc, diag::warn_unsupported_target_attribute)
3267 << Unsupported << None << Str << TargetClones;
3268 } else {
3269 return Diag(CurLoc, diag::warn_unsupported_target_attribute)
3270 << Unsupported << None << Str << TargetClones;
3271 }
3272 }
3273
3274 if (IsPriority && IsDefault)
3275 return Diag(CurLoc, diag::warn_unsupported_target_attribute)
3276 << Unsupported << None << Str << TargetClones;
3277
3278 if (llvm::is_contained(StringsBuffer, Str) || DefaultIsDupe)
3279 Diag(CurLoc, diag::warn_target_clone_duplicate_options);
3280 StringsBuffer.push_back(Str);
3281 } else {
3282 // Other targets ( currently X86 )
3283 if (Cur.starts_with("arch=")) {
3285 Cur.drop_front(sizeof("arch=") - 1)))
3286 return Diag(CurLoc, diag::warn_unsupported_target_attribute)
3287 << Unsupported << CPU << Cur.drop_front(sizeof("arch=") - 1)
3288 << TargetClones;
3289 } else if (Cur == "default") {
3290 DefaultIsDupe = HasDefault;
3291 HasDefault = true;
3292 } else if (!Context.getTargetInfo().isValidFeatureName(Cur) ||
3294 return Diag(CurLoc, diag::warn_unsupported_target_attribute)
3295 << Unsupported << None << Cur << TargetClones;
3296 if (llvm::is_contained(StringsBuffer, Cur) || DefaultIsDupe)
3297 Diag(CurLoc, diag::warn_target_clone_duplicate_options);
3298 // Note: Add even if there are duplicates, since it changes name mangling.
3299 StringsBuffer.push_back(Cur);
3300 }
3301 }
3302 if (Str.rtrim().ends_with(","))
3303 return Diag(LiteralLoc, diag::warn_unsupported_target_attribute)
3304 << Unsupported << None << "" << TargetClones;
3305 return false;
3306}
3307
3308static void handleTargetClonesAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
3309 if (S.Context.getTargetInfo().getTriple().isAArch64() &&
3310 !S.Context.getTargetInfo().hasFeature("fmv"))
3311 return;
3312
3313 // Ensure we don't combine these with themselves, since that causes some
3314 // confusing behavior.
3315 if (const auto *Other = D->getAttr<TargetClonesAttr>()) {
3316 S.Diag(AL.getLoc(), diag::err_disallowed_duplicate_attribute) << AL;
3317 S.Diag(Other->getLocation(), diag::note_conflicting_attribute);
3318 return;
3319 }
3320 if (checkAttrMutualExclusion<TargetClonesAttr>(S, D, AL))
3321 return;
3322
3324 SmallVector<SmallString<64>, 2> StringsBuffer;
3325 bool HasCommas = false, HasDefault = false, HasNotDefault = false;
3326
3327 for (unsigned I = 0, E = AL.getNumArgs(); I != E; ++I) {
3328 StringRef CurStr;
3329 SourceLocation LiteralLoc;
3330 if (!S.checkStringLiteralArgumentAttr(AL, I, CurStr, &LiteralLoc) ||
3332 LiteralLoc, CurStr,
3333 cast<StringLiteral>(AL.getArgAsExpr(I)->IgnoreParenCasts()), D,
3334 HasDefault, HasCommas, HasNotDefault, StringsBuffer))
3335 return;
3336 }
3337 for (auto &SmallStr : StringsBuffer)
3338 Strings.push_back(SmallStr.str());
3339
3340 if (HasCommas && AL.getNumArgs() > 1)
3341 S.Diag(AL.getLoc(), diag::warn_target_clone_mixed_values);
3342
3343 if (S.Context.getTargetInfo().getTriple().isAArch64() && !HasDefault) {
3344 // Add default attribute if there is no one
3345 HasDefault = true;
3346 Strings.push_back("default");
3347 }
3348
3349 if (!HasDefault) {
3350 S.Diag(AL.getLoc(), diag::err_target_clone_must_have_default);
3351 return;
3352 }
3353
3354 // FIXME: We could probably figure out how to get this to work for lambdas
3355 // someday.
3356 if (const auto *MD = dyn_cast<CXXMethodDecl>(D)) {
3357 if (MD->getParent()->isLambda()) {
3358 S.Diag(D->getLocation(), diag::err_multiversion_doesnt_support)
3359 << static_cast<unsigned>(MultiVersionKind::TargetClones)
3360 << /*Lambda*/ 9;
3361 return;
3362 }
3363 }
3364
3365 // No multiversion if we have default version only.
3366 if (S.Context.getTargetInfo().getTriple().isAArch64() && !HasNotDefault)
3367 return;
3368
3369 cast<FunctionDecl>(D)->setIsMultiVersion();
3370 TargetClonesAttr *NewAttr = ::new (S.Context)
3371 TargetClonesAttr(S.Context, AL, Strings.data(), Strings.size());
3372 D->addAttr(NewAttr);
3373}
3374
3375static void handleMinVectorWidthAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
3376 Expr *E = AL.getArgAsExpr(0);
3377 uint32_t VecWidth;
3378 if (!S.checkUInt32Argument(AL, E, VecWidth)) {
3379 AL.setInvalid();
3380 return;
3381 }
3382
3383 MinVectorWidthAttr *Existing = D->getAttr<MinVectorWidthAttr>();
3384 if (Existing && Existing->getVectorWidth() != VecWidth) {
3385 S.Diag(AL.getLoc(), diag::warn_duplicate_attribute) << AL;
3386 return;
3387 }
3388
3389 D->addAttr(::new (S.Context) MinVectorWidthAttr(S.Context, AL, VecWidth));
3390}
3391
3392static void handleCleanupAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
3393 Expr *E = AL.getArgAsExpr(0);
3395 FunctionDecl *FD = nullptr;
3397
3398 // gcc only allows for simple identifiers. Since we support more than gcc, we
3399 // will warn the user.
3400 if (auto *DRE = dyn_cast<DeclRefExpr>(E)) {
3401 if (DRE->hasQualifier())
3402 S.Diag(Loc, diag::warn_cleanup_ext);
3403 FD = dyn_cast<FunctionDecl>(DRE->getDecl());
3404 NI = DRE->getNameInfo();
3405 if (!FD) {
3406 S.Diag(Loc, diag::err_attribute_cleanup_arg_not_function) << 1
3407 << NI.getName();
3408 return;
3409 }
3410 } else if (auto *ULE = dyn_cast<UnresolvedLookupExpr>(E)) {
3411 if (ULE->hasExplicitTemplateArgs())
3412 S.Diag(Loc, diag::warn_cleanup_ext);
3414 NI = ULE->getNameInfo();
3415 if (!FD) {
3416 S.Diag(Loc, diag::err_attribute_cleanup_arg_not_function) << 2
3417 << NI.getName();
3418 if (ULE->getType() == S.Context.OverloadTy)
3420 return;
3421 }
3422 } else {
3423 S.Diag(Loc, diag::err_attribute_cleanup_arg_not_function) << 0;
3424 return;
3425 }
3426
3427 if (FD->getNumParams() != 1) {
3428 S.Diag(Loc, diag::err_attribute_cleanup_func_must_take_one_arg)
3429 << NI.getName();
3430 return;
3431 }
3432
3433 // We're currently more strict than GCC about what function types we accept.
3434 // If this ever proves to be a problem it should be easy to fix.
3435 QualType Ty = S.Context.getPointerType(cast<VarDecl>(D)->getType());
3436 QualType ParamTy = FD->getParamDecl(0)->getType();
3438 ParamTy, Ty) != Sema::Compatible) {
3439 S.Diag(Loc, diag::err_attribute_cleanup_func_arg_incompatible_type)
3440 << NI.getName() << ParamTy << Ty;
3441 return;
3442 }
3443 VarDecl *VD = cast<VarDecl>(D);
3444 // Create a reference to the variable declaration. This is a fake/dummy
3445 // reference.
3446 DeclRefExpr *VariableReference = DeclRefExpr::Create(
3447 S.Context, NestedNameSpecifierLoc{}, FD->getLocation(), VD, false,
3448 DeclarationNameInfo{VD->getDeclName(), VD->getLocation()}, VD->getType(),
3449 VK_LValue);
3450
3451 // Create a unary operator expression that represents taking the address of
3452 // the variable. This is a fake/dummy expression.
3453 Expr *AddressOfVariable = UnaryOperator::Create(
3454 S.Context, VariableReference, UnaryOperatorKind::UO_AddrOf,
3456 +false, FPOptionsOverride{});
3457
3458 // Create a function call expression. This is a fake/dummy call expression.
3459 CallExpr *FunctionCallExpression =
3460 CallExpr::Create(S.Context, E, ArrayRef{AddressOfVariable},
3462
3463 if (S.CheckFunctionCall(FD, FunctionCallExpression,
3464 FD->getType()->getAs<FunctionProtoType>())) {
3465 return;
3466 }
3467
3468 D->addAttr(::new (S.Context) CleanupAttr(S.Context, AL, FD));
3469}
3470
3472 const ParsedAttr &AL) {
3473 if (!AL.isArgIdent(0)) {
3474 S.Diag(AL.getLoc(), diag::err_attribute_argument_n_type)
3475 << AL << 0 << AANT_ArgumentIdentifier;
3476 return;
3477 }
3478
3479 EnumExtensibilityAttr::Kind ExtensibilityKind;
3480 IdentifierInfo *II = AL.getArgAsIdent(0)->Ident;
3481 if (!EnumExtensibilityAttr::ConvertStrToKind(II->getName(),
3482 ExtensibilityKind)) {
3483 S.Diag(AL.getLoc(), diag::warn_attribute_type_not_supported) << AL << II;
3484 return;
3485 }
3486
3487 D->addAttr(::new (S.Context)
3488 EnumExtensibilityAttr(S.Context, AL, ExtensibilityKind));
3489}
3490
3491/// Handle __attribute__((format_arg((idx)))) attribute based on
3492/// http://gcc.gnu.org/onlinedocs/gcc/Function-Attributes.html
3493static void handleFormatArgAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
3494 const Expr *IdxExpr = AL.getArgAsExpr(0);
3495 ParamIdx Idx;
3496 if (!S.checkFunctionOrMethodParameterIndex(D, AL, 1, IdxExpr, Idx))
3497 return;
3498
3499 // Make sure the format string is really a string.
3501
3502 bool NotNSStringTy = !S.ObjC().isNSStringType(Ty);
3503 if (NotNSStringTy && !S.ObjC().isCFStringType(Ty) &&
3504 (!Ty->isPointerType() ||
3506 S.Diag(AL.getLoc(), diag::err_format_attribute_not)
3507 << IdxExpr->getSourceRange() << getFunctionOrMethodParamRange(D, 0);
3508 return;
3509 }
3511 // replace instancetype with the class type
3512 auto Instancetype = S.Context.getObjCInstanceTypeDecl()->getTypeForDecl();
3513 if (Ty->getAs<TypedefType>() == Instancetype)
3514 if (auto *OMD = dyn_cast<ObjCMethodDecl>(D))
3515 if (auto *Interface = OMD->getClassInterface())
3517 QualType(Interface->getTypeForDecl(), 0));
3518 if (!S.ObjC().isNSStringType(Ty, /*AllowNSAttributedString=*/true) &&
3519 !S.ObjC().isCFStringType(Ty) &&
3520 (!Ty->isPointerType() ||
3522 S.Diag(AL.getLoc(), diag::err_format_attribute_result_not)
3523 << (NotNSStringTy ? "string type" : "NSString")
3524 << IdxExpr->getSourceRange() << getFunctionOrMethodParamRange(D, 0);
3525 return;
3526 }
3527
3528 D->addAttr(::new (S.Context) FormatArgAttr(S.Context, AL, Idx));
3529}
3530
3539
3540/// getFormatAttrKind - Map from format attribute names to supported format
3541/// types.
3542static FormatAttrKind getFormatAttrKind(StringRef Format) {
3543 return llvm::StringSwitch<FormatAttrKind>(Format)
3544 // Check for formats that get handled specially.
3545 .Case("NSString", NSStringFormat)
3546 .Case("CFString", CFStringFormat)
3547 .Case("strftime", StrftimeFormat)
3548
3549 // Otherwise, check for supported formats.
3550 .Cases("scanf", "printf", "printf0", "strfmon", SupportedFormat)
3551 .Cases("cmn_err", "vcmn_err", "zcmn_err", SupportedFormat)
3552 .Cases("kprintf", "syslog", SupportedFormat) // OpenBSD.
3553 .Case("freebsd_kprintf", SupportedFormat) // FreeBSD.
3554 .Case("os_trace", SupportedFormat)
3555 .Case("os_log", SupportedFormat)
3556
3557 .Cases("gcc_diag", "gcc_cdiag", "gcc_cxxdiag", "gcc_tdiag", IgnoredFormat)
3558 .Default(InvalidFormat);
3559}
3560
3561/// Handle __attribute__((init_priority(priority))) attributes based on
3562/// http://gcc.gnu.org/onlinedocs/gcc/C_002b_002b-Attributes.html
3563static void handleInitPriorityAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
3564 if (!S.getLangOpts().CPlusPlus) {
3565 S.Diag(AL.getLoc(), diag::warn_attribute_ignored) << AL;
3566 return;
3567 }
3568
3569 if (S.getLangOpts().HLSL) {
3570 S.Diag(AL.getLoc(), diag::err_hlsl_init_priority_unsupported);
3571 return;
3572 }
3573
3575 S.Diag(AL.getLoc(), diag::err_init_priority_object_attr);
3576 AL.setInvalid();
3577 return;
3578 }
3579 QualType T = cast<VarDecl>(D)->getType();
3580 if (S.Context.getAsArrayType(T))
3582 if (!T->getAs<RecordType>()) {
3583 S.Diag(AL.getLoc(), diag::err_init_priority_object_attr);
3584 AL.setInvalid();
3585 return;
3586 }
3587
3588 Expr *E = AL.getArgAsExpr(0);
3589 uint32_t prioritynum;
3590 if (!S.checkUInt32Argument(AL, E, prioritynum)) {
3591 AL.setInvalid();
3592 return;
3593 }
3594
3595 // Only perform the priority check if the attribute is outside of a system
3596 // header. Values <= 100 are reserved for the implementation, and libc++
3597 // benefits from being able to specify values in that range.
3598 if ((prioritynum < 101 || prioritynum > 65535) &&
3600 S.Diag(AL.getLoc(), diag::err_attribute_argument_out_of_range)
3601 << E->getSourceRange() << AL << 101 << 65535;
3602 AL.setInvalid();
3603 return;
3604 }
3605 D->addAttr(::new (S.Context) InitPriorityAttr(S.Context, AL, prioritynum));
3606}
3607
3609 StringRef NewUserDiagnostic) {
3610 if (const auto *EA = D->getAttr<ErrorAttr>()) {
3611 std::string NewAttr = CI.getNormalizedFullName();
3612 assert((NewAttr == "error" || NewAttr == "warning") &&
3613 "unexpected normalized full name");
3614 bool Match = (EA->isError() && NewAttr == "error") ||
3615 (EA->isWarning() && NewAttr == "warning");
3616 if (!Match) {
3617 Diag(EA->getLocation(), diag::err_attributes_are_not_compatible)
3618 << CI << EA
3619 << (CI.isRegularKeywordAttribute() ||
3620 EA->isRegularKeywordAttribute());
3621 Diag(CI.getLoc(), diag::note_conflicting_attribute);
3622 return nullptr;
3623 }
3624 if (EA->getUserDiagnostic() != NewUserDiagnostic) {
3625 Diag(CI.getLoc(), diag::warn_duplicate_attribute) << EA;
3626 Diag(EA->getLoc(), diag::note_previous_attribute);
3627 }
3628 D->dropAttr<ErrorAttr>();
3629 }
3630 return ::new (Context) ErrorAttr(Context, CI, NewUserDiagnostic);
3631}
3632
3634 IdentifierInfo *Format, int FormatIdx,
3635 int FirstArg) {
3636 // Check whether we already have an equivalent format attribute.
3637 for (auto *F : D->specific_attrs<FormatAttr>()) {
3638 if (F->getType() == Format &&
3639 F->getFormatIdx() == FormatIdx &&
3640 F->getFirstArg() == FirstArg) {
3641 // If we don't have a valid location for this attribute, adopt the
3642 // location.
3643 if (F->getLocation().isInvalid())
3644 F->setRange(CI.getRange());
3645 return nullptr;
3646 }
3647 }
3648
3649 return ::new (Context) FormatAttr(Context, CI, Format, FormatIdx, FirstArg);
3650}
3651
3652/// Handle __attribute__((format(type,idx,firstarg))) attributes based on
3653/// http://gcc.gnu.org/onlinedocs/gcc/Function-Attributes.html
3654static void handleFormatAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
3655 if (!AL.isArgIdent(0)) {
3656 S.Diag(AL.getLoc(), diag::err_attribute_argument_n_type)
3657 << AL << 1 << AANT_ArgumentIdentifier;
3658 return;
3659 }
3660
3661 // In C++ the implicit 'this' function parameter also counts, and they are
3662 // counted from one.
3663 bool HasImplicitThisParam = isInstanceMethod(D);
3664 unsigned NumArgs = getFunctionOrMethodNumParams(D) + HasImplicitThisParam;
3665
3666 IdentifierInfo *II = AL.getArgAsIdent(0)->Ident;
3667 StringRef Format = II->getName();
3668
3669 if (normalizeName(Format)) {
3670 // If we've modified the string name, we need a new identifier for it.
3671 II = &S.Context.Idents.get(Format);
3672 }
3673
3674 // Check for supported formats.
3675 FormatAttrKind Kind = getFormatAttrKind(Format);
3676
3677 if (Kind == IgnoredFormat)
3678 return;
3679
3680 if (Kind == InvalidFormat) {
3681 S.Diag(AL.getLoc(), diag::warn_attribute_type_not_supported)
3682 << AL << II->getName();
3683 return;
3684 }
3685
3686 // checks for the 2nd argument
3687 Expr *IdxExpr = AL.getArgAsExpr(1);
3688 uint32_t Idx;
3689 if (!S.checkUInt32Argument(AL, IdxExpr, Idx, 2))
3690 return;
3691
3692 if (Idx < 1 || Idx > NumArgs) {
3693 S.Diag(AL.getLoc(), diag::err_attribute_argument_out_of_bounds)
3694 << AL << 2 << IdxExpr->getSourceRange();
3695 return;
3696 }
3697
3698 // FIXME: Do we need to bounds check?
3699 unsigned ArgIdx = Idx - 1;
3700
3701 if (HasImplicitThisParam) {
3702 if (ArgIdx == 0) {
3703 S.Diag(AL.getLoc(),
3704 diag::err_format_attribute_implicit_this_format_string)
3705 << IdxExpr->getSourceRange();
3706 return;
3707 }
3708 ArgIdx--;
3709 }
3710
3711 // make sure the format string is really a string
3713
3714 if (!S.ObjC().isNSStringType(Ty, true) && !S.ObjC().isCFStringType(Ty) &&
3715 (!Ty->isPointerType() ||
3717 S.Diag(AL.getLoc(), diag::err_format_attribute_not)
3718 << IdxExpr->getSourceRange() << getFunctionOrMethodParamRange(D, ArgIdx);
3719 return;
3720 }
3721
3722 // check the 3rd argument
3723 Expr *FirstArgExpr = AL.getArgAsExpr(2);
3724 uint32_t FirstArg;
3725 if (!S.checkUInt32Argument(AL, FirstArgExpr, FirstArg, 3))
3726 return;
3727
3728 // FirstArg == 0 is is always valid.
3729 if (FirstArg != 0) {
3730 if (Kind == StrftimeFormat) {
3731 // If the kind is strftime, FirstArg must be 0 because strftime does not
3732 // use any variadic arguments.
3733 S.Diag(AL.getLoc(), diag::err_format_strftime_third_parameter)
3734 << FirstArgExpr->getSourceRange()
3735 << FixItHint::CreateReplacement(FirstArgExpr->getSourceRange(), "0");
3736 return;
3737 } else if (isFunctionOrMethodVariadic(D)) {
3738 // Else, if the function is variadic, then FirstArg must be 0 or the
3739 // "position" of the ... parameter. It's unusual to use 0 with variadic
3740 // functions, so the fixit proposes the latter.
3741 if (FirstArg != NumArgs + 1) {
3742 S.Diag(AL.getLoc(), diag::err_attribute_argument_out_of_bounds)
3743 << AL << 3 << FirstArgExpr->getSourceRange()
3745 std::to_string(NumArgs + 1));
3746 return;
3747 }
3748 } else {
3749 // Inescapable GCC compatibility diagnostic.
3750 S.Diag(D->getLocation(), diag::warn_gcc_requires_variadic_function) << AL;
3751 if (FirstArg <= Idx) {
3752 // Else, the function is not variadic, and FirstArg must be 0 or any
3753 // parameter after the format parameter. We don't offer a fixit because
3754 // there are too many possible good values.
3755 S.Diag(AL.getLoc(), diag::err_attribute_argument_out_of_bounds)
3756 << AL << 3 << FirstArgExpr->getSourceRange();
3757 return;
3758 }
3759 }
3760 }
3761
3762 FormatAttr *NewAttr = S.mergeFormatAttr(D, AL, II, Idx, FirstArg);
3763 if (NewAttr)
3764 D->addAttr(NewAttr);
3765}
3766
3767/// Handle __attribute__((callback(CalleeIdx, PayloadIdx0, ...))) attributes.
3768static void handleCallbackAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
3769 // The index that identifies the callback callee is mandatory.
3770 if (AL.getNumArgs() == 0) {
3771 S.Diag(AL.getLoc(), diag::err_callback_attribute_no_callee)
3772 << AL.getRange();
3773 return;
3774 }
3775
3776 bool HasImplicitThisParam = isInstanceMethod(D);
3777 int32_t NumArgs = getFunctionOrMethodNumParams(D);
3778
3779 FunctionDecl *FD = D->getAsFunction();
3780 assert(FD && "Expected a function declaration!");
3781
3782 llvm::StringMap<int> NameIdxMapping;
3783 NameIdxMapping["__"] = -1;
3784
3785 NameIdxMapping["this"] = 0;
3786
3787 int Idx = 1;
3788 for (const ParmVarDecl *PVD : FD->parameters())
3789 NameIdxMapping[PVD->getName()] = Idx++;
3790
3791 auto UnknownName = NameIdxMapping.end();
3792
3793 SmallVector<int, 8> EncodingIndices;
3794 for (unsigned I = 0, E = AL.getNumArgs(); I < E; ++I) {
3795 SourceRange SR;
3796 int32_t ArgIdx;
3797
3798 if (AL.isArgIdent(I)) {
3799 IdentifierLoc *IdLoc = AL.getArgAsIdent(I);
3800 auto It = NameIdxMapping.find(IdLoc->Ident->getName());
3801 if (It == UnknownName) {
3802 S.Diag(AL.getLoc(), diag::err_callback_attribute_argument_unknown)
3803 << IdLoc->Ident << IdLoc->Loc;
3804 return;
3805 }
3806
3807 SR = SourceRange(IdLoc->Loc);
3808 ArgIdx = It->second;
3809 } else if (AL.isArgExpr(I)) {
3810 Expr *IdxExpr = AL.getArgAsExpr(I);
3811
3812 // If the expression is not parseable as an int32_t we have a problem.
3813 if (!S.checkUInt32Argument(AL, IdxExpr, (uint32_t &)ArgIdx, I + 1,
3814 false)) {
3815 S.Diag(AL.getLoc(), diag::err_attribute_argument_out_of_bounds)
3816 << AL << (I + 1) << IdxExpr->getSourceRange();
3817 return;
3818 }
3819
3820 // Check oob, excluding the special values, 0 and -1.
3821 if (ArgIdx < -1 || ArgIdx > NumArgs) {
3822 S.Diag(AL.getLoc(), diag::err_attribute_argument_out_of_bounds)
3823 << AL << (I + 1) << IdxExpr->getSourceRange();
3824 return;
3825 }
3826
3827 SR = IdxExpr->getSourceRange();
3828 } else {
3829 llvm_unreachable("Unexpected ParsedAttr argument type!");
3830 }
3831
3832 if (ArgIdx == 0 && !HasImplicitThisParam) {
3833 S.Diag(AL.getLoc(), diag::err_callback_implicit_this_not_available)
3834 << (I + 1) << SR;
3835 return;
3836 }
3837
3838 // Adjust for the case we do not have an implicit "this" parameter. In this
3839 // case we decrease all positive values by 1 to get LLVM argument indices.
3840 if (!HasImplicitThisParam && ArgIdx > 0)
3841 ArgIdx -= 1;
3842
3843 EncodingIndices.push_back(ArgIdx);
3844 }
3845
3846 int CalleeIdx = EncodingIndices.front();
3847 // Check if the callee index is proper, thus not "this" and not "unknown".
3848 // This means the "CalleeIdx" has to be non-negative if "HasImplicitThisParam"
3849 // is false and positive if "HasImplicitThisParam" is true.
3850 if (CalleeIdx < (int)HasImplicitThisParam) {
3851 S.Diag(AL.getLoc(), diag::err_callback_attribute_invalid_callee)
3852 << AL.getRange();
3853 return;
3854 }
3855
3856 // Get the callee type, note the index adjustment as the AST doesn't contain
3857 // the this type (which the callee cannot reference anyway!).
3858 const Type *CalleeType =
3859 getFunctionOrMethodParamType(D, CalleeIdx - HasImplicitThisParam)
3860 .getTypePtr();
3861 if (!CalleeType || !CalleeType->isFunctionPointerType()) {
3862 S.Diag(AL.getLoc(), diag::err_callback_callee_no_function_type)
3863 << AL.getRange();
3864 return;
3865 }
3866
3867 const Type *CalleeFnType =
3869
3870 // TODO: Check the type of the callee arguments.
3871
3872 const auto *CalleeFnProtoType = dyn_cast<FunctionProtoType>(CalleeFnType);
3873 if (!CalleeFnProtoType) {
3874 S.Diag(AL.getLoc(), diag::err_callback_callee_no_function_type)
3875 << AL.getRange();
3876 return;
3877 }
3878
3879 if (CalleeFnProtoType->getNumParams() > EncodingIndices.size() - 1) {
3880 S.Diag(AL.getLoc(), diag::err_attribute_wrong_number_arguments)
3881 << AL << (unsigned)(EncodingIndices.size() - 1);
3882 return;
3883 }
3884
3885 if (CalleeFnProtoType->getNumParams() < EncodingIndices.size() - 1) {
3886 S.Diag(AL.getLoc(), diag::err_attribute_wrong_number_arguments)
3887 << AL << (unsigned)(EncodingIndices.size() - 1);
3888 return;
3889 }
3890
3891 if (CalleeFnProtoType->isVariadic()) {
3892 S.Diag(AL.getLoc(), diag::err_callback_callee_is_variadic) << AL.getRange();
3893 return;
3894 }
3895
3896 // Do not allow multiple callback attributes.
3897 if (D->hasAttr<CallbackAttr>()) {
3898 S.Diag(AL.getLoc(), diag::err_callback_attribute_multiple) << AL.getRange();
3899 return;
3900 }
3901
3902 D->addAttr(::new (S.Context) CallbackAttr(
3903 S.Context, AL, EncodingIndices.data(), EncodingIndices.size()));
3904}
3905
3906LifetimeCaptureByAttr *Sema::ParseLifetimeCaptureByAttr(const ParsedAttr &AL,
3907 StringRef ParamName) {
3908 // Atleast one capture by is required.
3909 if (AL.getNumArgs() == 0) {
3910 Diag(AL.getLoc(), diag::err_capture_by_attribute_no_entity)
3911 << AL.getRange();
3912 return nullptr;
3913 }
3914 unsigned N = AL.getNumArgs();
3915 auto ParamIdents =
3917 auto ParamLocs =
3919 bool IsValid = true;
3920 for (unsigned I = 0; I < N; ++I) {
3921 if (AL.isArgExpr(I)) {
3922 Expr *E = AL.getArgAsExpr(I);
3923 Diag(E->getExprLoc(), diag::err_capture_by_attribute_argument_unknown)
3924 << E << E->getExprLoc();
3925 IsValid = false;
3926 continue;
3927 }
3928 assert(AL.isArgIdent(I));
3929 IdentifierLoc *IdLoc = AL.getArgAsIdent(I);
3930 if (IdLoc->Ident->getName() == ParamName) {
3931 Diag(IdLoc->Loc, diag::err_capture_by_references_itself) << IdLoc->Loc;
3932 IsValid = false;
3933 continue;
3934 }
3935 ParamIdents[I] = IdLoc->Ident;
3936 ParamLocs[I] = IdLoc->Loc;
3937 }
3938 if (!IsValid)
3939 return nullptr;
3940 SmallVector<int> FakeParamIndices(N, LifetimeCaptureByAttr::INVALID);
3941 auto *CapturedBy =
3942 LifetimeCaptureByAttr::Create(Context, FakeParamIndices.data(), N, AL);
3943 CapturedBy->setArgs(ParamIdents, ParamLocs);
3944 return CapturedBy;
3945}
3946
3948 const ParsedAttr &AL) {
3949 // Do not allow multiple attributes.
3950 if (D->hasAttr<LifetimeCaptureByAttr>()) {
3951 S.Diag(AL.getLoc(), diag::err_capture_by_attribute_multiple)
3952 << AL.getRange();
3953 return;
3954 }
3955 auto *PVD = dyn_cast<ParmVarDecl>(D);
3956 assert(PVD);
3957 auto *CaptureByAttr = S.ParseLifetimeCaptureByAttr(AL, PVD->getName());
3958 if (CaptureByAttr)
3959 D->addAttr(CaptureByAttr);
3960}
3961
3963 bool HasImplicitThisParam = isInstanceMethod(FD);
3965 for (ParmVarDecl *PVD : FD->parameters())
3966 if (auto *A = PVD->getAttr<LifetimeCaptureByAttr>())
3967 Attrs.push_back(A);
3968 if (HasImplicitThisParam) {
3969 TypeSourceInfo *TSI = FD->getTypeSourceInfo();
3970 if (!TSI)
3971 return;
3973 for (TypeLoc TL = TSI->getTypeLoc();
3974 (ATL = TL.getAsAdjusted<AttributedTypeLoc>());
3975 TL = ATL.getModifiedLoc()) {
3976 if (auto *A = ATL.getAttrAs<LifetimeCaptureByAttr>())
3977 Attrs.push_back(const_cast<LifetimeCaptureByAttr *>(A));
3978 }
3979 }
3980 if (Attrs.empty())
3981 return;
3982 llvm::StringMap<int> NameIdxMapping = {
3983 {"global", LifetimeCaptureByAttr::GLOBAL},
3984 {"unknown", LifetimeCaptureByAttr::UNKNOWN}};
3985 int Idx = 0;
3986 if (HasImplicitThisParam) {
3987 NameIdxMapping["this"] = 0;
3988 Idx++;
3989 }
3990 for (const ParmVarDecl *PVD : FD->parameters())
3991 NameIdxMapping[PVD->getName()] = Idx++;
3992 auto DisallowReservedParams = [&](StringRef Reserved) {
3993 for (const ParmVarDecl *PVD : FD->parameters())
3994 if (PVD->getName() == Reserved)
3995 Diag(PVD->getLocation(), diag::err_capture_by_param_uses_reserved_name)
3996 << (PVD->getName() == "unknown");
3997 };
3998 for (auto *CapturedBy : Attrs) {
3999 const auto &Entities = CapturedBy->getArgIdents();
4000 for (size_t I = 0; I < Entities.size(); ++I) {
4001 StringRef Name = Entities[I]->getName();
4002 auto It = NameIdxMapping.find(Name);
4003 if (It == NameIdxMapping.end()) {
4004 auto Loc = CapturedBy->getArgLocs()[I];
4005 if (!HasImplicitThisParam && Name == "this")
4006 Diag(Loc, diag::err_capture_by_implicit_this_not_available) << Loc;
4007 else
4008 Diag(Loc, diag::err_capture_by_attribute_argument_unknown)
4009 << Entities[I] << Loc;
4010 continue;
4011 }
4012 if (Name == "unknown" || Name == "global")
4013 DisallowReservedParams(Name);
4014 CapturedBy->setParamIdx(I, It->second);
4015 }
4016 }
4017}
4018
4019static bool isFunctionLike(const Type &T) {
4020 // Check for explicit function types.
4021 // 'called_once' is only supported in Objective-C and it has
4022 // function pointers and block pointers.
4024}
4025
4026/// Handle 'called_once' attribute.
4027static void handleCalledOnceAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4028 // 'called_once' only applies to parameters representing functions.
4029 QualType T = cast<ParmVarDecl>(D)->getType();
4030
4031 if (!isFunctionLike(*T)) {
4032 S.Diag(AL.getLoc(), diag::err_called_once_attribute_wrong_type);
4033 return;
4034 }
4035
4036 D->addAttr(::new (S.Context) CalledOnceAttr(S.Context, AL));
4037}
4038
4039static void handleTransparentUnionAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4040 // Try to find the underlying union declaration.
4041 RecordDecl *RD = nullptr;
4042 const auto *TD = dyn_cast<TypedefNameDecl>(D);
4043 if (TD && TD->getUnderlyingType()->isUnionType())
4044 RD = TD->getUnderlyingType()->getAsUnionType()->getDecl();
4045 else
4046 RD = dyn_cast<RecordDecl>(D);
4047
4048 if (!RD || !RD->isUnion()) {
4049 S.Diag(AL.getLoc(), diag::warn_attribute_wrong_decl_type)
4051 return;
4052 }
4053
4054 if (!RD->isCompleteDefinition()) {
4055 if (!RD->isBeingDefined())
4056 S.Diag(AL.getLoc(),
4057 diag::warn_transparent_union_attribute_not_definition);
4058 return;
4059 }
4060
4062 FieldEnd = RD->field_end();
4063 if (Field == FieldEnd) {
4064 S.Diag(AL.getLoc(), diag::warn_transparent_union_attribute_zero_fields);
4065 return;
4066 }
4067
4068 FieldDecl *FirstField = *Field;
4069 QualType FirstType = FirstField->getType();
4070 if (FirstType->hasFloatingRepresentation() || FirstType->isVectorType()) {
4071 S.Diag(FirstField->getLocation(),
4072 diag::warn_transparent_union_attribute_floating)
4073 << FirstType->isVectorType() << FirstType;
4074 return;
4075 }
4076
4077 if (FirstType->isIncompleteType())
4078 return;
4079 uint64_t FirstSize = S.Context.getTypeSize(FirstType);
4080 uint64_t FirstAlign = S.Context.getTypeAlign(FirstType);
4081 for (; Field != FieldEnd; ++Field) {
4082 QualType FieldType = Field->getType();
4083 if (FieldType->isIncompleteType())
4084 return;
4085 // FIXME: this isn't fully correct; we also need to test whether the
4086 // members of the union would all have the same calling convention as the
4087 // first member of the union. Checking just the size and alignment isn't
4088 // sufficient (consider structs passed on the stack instead of in registers
4089 // as an example).
4090 if (S.Context.getTypeSize(FieldType) != FirstSize ||
4091 S.Context.getTypeAlign(FieldType) > FirstAlign) {
4092 // Warn if we drop the attribute.
4093 bool isSize = S.Context.getTypeSize(FieldType) != FirstSize;
4094 unsigned FieldBits = isSize ? S.Context.getTypeSize(FieldType)
4095 : S.Context.getTypeAlign(FieldType);
4096 S.Diag(Field->getLocation(),
4097 diag::warn_transparent_union_attribute_field_size_align)
4098 << isSize << *Field << FieldBits;
4099 unsigned FirstBits = isSize ? FirstSize : FirstAlign;
4100 S.Diag(FirstField->getLocation(),
4101 diag::note_transparent_union_first_field_size_align)
4102 << isSize << FirstBits;
4103 return;
4104 }
4105 }
4106
4107 RD->addAttr(::new (S.Context) TransparentUnionAttr(S.Context, AL));
4108}
4109
4110static void handleAnnotateAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4111 auto *Attr = S.CreateAnnotationAttr(AL);
4112 if (Attr) {
4113 D->addAttr(Attr);
4114 }
4115}
4116
4117static void handleAlignValueAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4118 S.AddAlignValueAttr(D, AL, AL.getArgAsExpr(0));
4119}
4120
4122 AlignValueAttr TmpAttr(Context, CI, E);
4123 SourceLocation AttrLoc = CI.getLoc();
4124
4125 QualType T;
4126 if (const auto *TD = dyn_cast<TypedefNameDecl>(D))
4127 T = TD->getUnderlyingType();
4128 else if (const auto *VD = dyn_cast<ValueDecl>(D))
4129 T = VD->getType();
4130 else
4131 llvm_unreachable("Unknown decl type for align_value");
4132
4133 if (!T->isDependentType() && !T->isAnyPointerType() &&
4135 Diag(AttrLoc, diag::warn_attribute_pointer_or_reference_only)
4136 << &TmpAttr << T << D->getSourceRange();
4137 return;
4138 }
4139
4140 if (!E->isValueDependent()) {
4141 llvm::APSInt Alignment;
4143 E, &Alignment, diag::err_align_value_attribute_argument_not_int);
4144 if (ICE.isInvalid())
4145 return;
4146
4147 if (!Alignment.isPowerOf2()) {
4148 Diag(AttrLoc, diag::err_alignment_not_power_of_two)
4149 << E->getSourceRange();
4150 return;
4151 }
4152
4153 D->addAttr(::new (Context) AlignValueAttr(Context, CI, ICE.get()));
4154 return;
4155 }
4156
4157 // Save dependent expressions in the AST to be instantiated.
4158 D->addAttr(::new (Context) AlignValueAttr(Context, CI, E));
4159}
4160
4161static void handleAlignedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4162 if (AL.hasParsedType()) {
4163 const ParsedType &TypeArg = AL.getTypeArg();
4164 TypeSourceInfo *TInfo;
4165 (void)S.GetTypeFromParser(
4166 ParsedType::getFromOpaquePtr(TypeArg.getAsOpaquePtr()), &TInfo);
4167 if (AL.isPackExpansion() &&
4169 S.Diag(AL.getEllipsisLoc(),
4170 diag::err_pack_expansion_without_parameter_packs);
4171 return;
4172 }
4173
4174 if (!AL.isPackExpansion() &&
4176 TInfo, Sema::UPPC_Expression))
4177 return;
4178
4179 S.AddAlignedAttr(D, AL, TInfo, AL.isPackExpansion());
4180 return;
4181 }
4182
4183 // check the attribute arguments.
4184 if (AL.getNumArgs() > 1) {
4185 S.Diag(AL.getLoc(), diag::err_attribute_wrong_number_arguments) << AL << 1;
4186 return;
4187 }
4188
4189 if (AL.getNumArgs() == 0) {
4190 D->addAttr(::new (S.Context) AlignedAttr(S.Context, AL, true, nullptr));
4191 return;
4192 }
4193
4194 Expr *E = AL.getArgAsExpr(0);
4196 S.Diag(AL.getEllipsisLoc(),
4197 diag::err_pack_expansion_without_parameter_packs);
4198 return;
4199 }
4200
4202 return;
4203
4204 S.AddAlignedAttr(D, AL, E, AL.isPackExpansion());
4205}
4206
4207/// Perform checking of type validity
4208///
4209/// C++11 [dcl.align]p1:
4210/// An alignment-specifier may be applied to a variable or to a class
4211/// data member, but it shall not be applied to a bit-field, a function
4212/// parameter, the formal parameter of a catch clause, or a variable
4213/// declared with the register storage class specifier. An
4214/// alignment-specifier may also be applied to the declaration of a class
4215/// or enumeration type.
4216/// CWG 2354:
4217/// CWG agreed to remove permission for alignas to be applied to
4218/// enumerations.
4219/// C11 6.7.5/2:
4220/// An alignment attribute shall not be specified in a declaration of
4221/// a typedef, or a bit-field, or a function, or a parameter, or an
4222/// object declared with the register storage-class specifier.
4224 const AlignedAttr &Attr,
4225 SourceLocation AttrLoc) {
4226 int DiagKind = -1;
4227 if (isa<ParmVarDecl>(D)) {
4228 DiagKind = 0;
4229 } else if (const auto *VD = dyn_cast<VarDecl>(D)) {
4230 if (VD->getStorageClass() == SC_Register)
4231 DiagKind = 1;
4232 if (VD->isExceptionVariable())
4233 DiagKind = 2;
4234 } else if (const auto *FD = dyn_cast<FieldDecl>(D)) {
4235 if (FD->isBitField())
4236 DiagKind = 3;
4237 } else if (const auto *ED = dyn_cast<EnumDecl>(D)) {
4238 if (ED->getLangOpts().CPlusPlus)
4239 DiagKind = 4;
4240 } else if (!isa<TagDecl>(D)) {
4241 return S.Diag(AttrLoc, diag::err_attribute_wrong_decl_type)
4243 << (Attr.isC11() ? ExpectedVariableOrField
4245 }
4246 if (DiagKind != -1) {
4247 return S.Diag(AttrLoc, diag::err_alignas_attribute_wrong_decl_type)
4248 << &Attr << DiagKind;
4249 }
4250 return false;
4251}
4252
4254 bool IsPackExpansion) {
4255 AlignedAttr TmpAttr(Context, CI, true, E);
4256 SourceLocation AttrLoc = CI.getLoc();
4257
4258 // C++11 alignas(...) and C11 _Alignas(...) have additional requirements.
4259 if (TmpAttr.isAlignas() &&
4260 validateAlignasAppliedType(*this, D, TmpAttr, AttrLoc))
4261 return;
4262
4263 if (E->isValueDependent()) {
4264 // We can't support a dependent alignment on a non-dependent type,
4265 // because we have no way to model that a type is "alignment-dependent"
4266 // but not dependent in any other way.
4267 if (const auto *TND = dyn_cast<TypedefNameDecl>(D)) {
4268 if (!TND->getUnderlyingType()->isDependentType()) {
4269 Diag(AttrLoc, diag::err_alignment_dependent_typedef_name)
4270 << E->getSourceRange();
4271 return;
4272 }
4273 }
4274
4275 // Save dependent expressions in the AST to be instantiated.
4276 AlignedAttr *AA = ::new (Context) AlignedAttr(Context, CI, true, E);
4277 AA->setPackExpansion(IsPackExpansion);
4278 D->addAttr(AA);
4279 return;
4280 }
4281
4282 // FIXME: Cache the number on the AL object?
4283 llvm::APSInt Alignment;
4285 E, &Alignment, diag::err_aligned_attribute_argument_not_int);
4286 if (ICE.isInvalid())
4287 return;
4288
4290 if (Context.getTargetInfo().getTriple().isOSBinFormatCOFF())
4291 MaximumAlignment = std::min(MaximumAlignment, uint64_t(8192));
4292 if (Alignment > MaximumAlignment) {
4293 Diag(AttrLoc, diag::err_attribute_aligned_too_great)
4295 return;
4296 }
4297
4298 uint64_t AlignVal = Alignment.getZExtValue();
4299 // C++11 [dcl.align]p2:
4300 // -- if the constant expression evaluates to zero, the alignment
4301 // specifier shall have no effect
4302 // C11 6.7.5p6:
4303 // An alignment specification of zero has no effect.
4304 if (!(TmpAttr.isAlignas() && !Alignment)) {
4305 if (!llvm::isPowerOf2_64(AlignVal)) {
4306 Diag(AttrLoc, diag::err_alignment_not_power_of_two)
4307 << E->getSourceRange();
4308 return;
4309 }
4310 }
4311
4312 const auto *VD = dyn_cast<VarDecl>(D);
4313 if (VD) {
4314 unsigned MaxTLSAlign =
4316 .getQuantity();
4317 if (MaxTLSAlign && AlignVal > MaxTLSAlign &&
4318 VD->getTLSKind() != VarDecl::TLS_None) {
4319 Diag(VD->getLocation(), diag::err_tls_var_aligned_over_maximum)
4320 << (unsigned)AlignVal << VD << MaxTLSAlign;
4321 return;
4322 }
4323 }
4324
4325 // On AIX, an aligned attribute can not decrease the alignment when applied
4326 // to a variable declaration with vector type.
4327 if (VD && Context.getTargetInfo().getTriple().isOSAIX()) {
4328 const Type *Ty = VD->getType().getTypePtr();
4329 if (Ty->isVectorType() && AlignVal < 16) {
4330 Diag(VD->getLocation(), diag::warn_aligned_attr_underaligned)
4331 << VD->getType() << 16;
4332 return;
4333 }
4334 }
4335
4336 AlignedAttr *AA = ::new (Context) AlignedAttr(Context, CI, true, ICE.get());
4337 AA->setPackExpansion(IsPackExpansion);
4338 AA->setCachedAlignmentValue(
4339 static_cast<unsigned>(AlignVal * Context.getCharWidth()));
4340 D->addAttr(AA);
4341}
4342
4344 TypeSourceInfo *TS, bool IsPackExpansion) {
4345 AlignedAttr TmpAttr(Context, CI, false, TS);
4346 SourceLocation AttrLoc = CI.getLoc();
4347
4348 // C++11 alignas(...) and C11 _Alignas(...) have additional requirements.
4349 if (TmpAttr.isAlignas() &&
4350 validateAlignasAppliedType(*this, D, TmpAttr, AttrLoc))
4351 return;
4352
4353 if (TS->getType()->isDependentType()) {
4354 // We can't support a dependent alignment on a non-dependent type,
4355 // because we have no way to model that a type is "type-dependent"
4356 // but not dependent in any other way.
4357 if (const auto *TND = dyn_cast<TypedefNameDecl>(D)) {
4358 if (!TND->getUnderlyingType()->isDependentType()) {
4359 Diag(AttrLoc, diag::err_alignment_dependent_typedef_name)
4360 << TS->getTypeLoc().getSourceRange();
4361 return;
4362 }
4363 }
4364
4365 AlignedAttr *AA = ::new (Context) AlignedAttr(Context, CI, false, TS);
4366 AA->setPackExpansion(IsPackExpansion);
4367 D->addAttr(AA);
4368 return;
4369 }
4370
4371 const auto *VD = dyn_cast<VarDecl>(D);
4372 unsigned AlignVal = TmpAttr.getAlignment(Context);
4373 // On AIX, an aligned attribute can not decrease the alignment when applied
4374 // to a variable declaration with vector type.
4375 if (VD && Context.getTargetInfo().getTriple().isOSAIX()) {
4376 const Type *Ty = VD->getType().getTypePtr();
4377 if (Ty->isVectorType() &&
4378 Context.toCharUnitsFromBits(AlignVal).getQuantity() < 16) {
4379 Diag(VD->getLocation(), diag::warn_aligned_attr_underaligned)
4380 << VD->getType() << 16;
4381 return;
4382 }
4383 }
4384
4385 AlignedAttr *AA = ::new (Context) AlignedAttr(Context, CI, false, TS);
4386 AA->setPackExpansion(IsPackExpansion);
4387 AA->setCachedAlignmentValue(AlignVal);
4388 D->addAttr(AA);
4389}
4390
4392 assert(D->hasAttrs() && "no attributes on decl");
4393
4394 QualType UnderlyingTy, DiagTy;
4395 if (const auto *VD = dyn_cast<ValueDecl>(D)) {
4396 UnderlyingTy = DiagTy = VD->getType();
4397 } else {
4398 UnderlyingTy = DiagTy = Context.getTagDeclType(cast<TagDecl>(D));
4399 if (const auto *ED = dyn_cast<EnumDecl>(D))
4400 UnderlyingTy = ED->getIntegerType();
4401 }
4402 if (DiagTy->isDependentType() || DiagTy->isIncompleteType())
4403 return;
4404
4405 // C++11 [dcl.align]p5, C11 6.7.5/4:
4406 // The combined effect of all alignment attributes in a declaration shall
4407 // not specify an alignment that is less strict than the alignment that
4408 // would otherwise be required for the entity being declared.
4409 AlignedAttr *AlignasAttr = nullptr;
4410 AlignedAttr *LastAlignedAttr = nullptr;
4411 unsigned Align = 0;
4412 for (auto *I : D->specific_attrs<AlignedAttr>()) {
4413 if (I->isAlignmentDependent())
4414 return;
4415 if (I->isAlignas())
4416 AlignasAttr = I;
4417 Align = std::max(Align, I->getAlignment(Context));
4418 LastAlignedAttr = I;
4419 }
4420
4421 if (Align && DiagTy->isSizelessType()) {
4422 Diag(LastAlignedAttr->getLocation(), diag::err_attribute_sizeless_type)
4423 << LastAlignedAttr << DiagTy;
4424 } else if (AlignasAttr && Align) {
4425 CharUnits RequestedAlign = Context.toCharUnitsFromBits(Align);
4426 CharUnits NaturalAlign = Context.getTypeAlignInChars(UnderlyingTy);
4427 if (NaturalAlign > RequestedAlign)
4428 Diag(AlignasAttr->getLocation(), diag::err_alignas_underaligned)
4429 << DiagTy << (unsigned)NaturalAlign.getQuantity();
4430 }
4431}
4432
4434 CXXRecordDecl *RD, SourceRange Range, bool BestCase,
4435 MSInheritanceModel ExplicitModel) {
4436 assert(RD->hasDefinition() && "RD has no definition!");
4437
4438 // We may not have seen base specifiers or any virtual methods yet. We will
4439 // have to wait until the record is defined to catch any mismatches.
4440 if (!RD->getDefinition()->isCompleteDefinition())
4441 return false;
4442
4443 // The unspecified model never matches what a definition could need.
4444 if (ExplicitModel == MSInheritanceModel::Unspecified)
4445 return false;
4446
4447 if (BestCase) {
4448 if (RD->calculateInheritanceModel() == ExplicitModel)
4449 return false;
4450 } else {
4451 if (RD->calculateInheritanceModel() <= ExplicitModel)
4452 return false;
4453 }
4454
4455 Diag(Range.getBegin(), diag::err_mismatched_ms_inheritance)
4456 << 0 /*definition*/;
4457 Diag(RD->getDefinition()->getLocation(), diag::note_defined_here) << RD;
4458 return true;
4459}
4460
4461/// parseModeAttrArg - Parses attribute mode string and returns parsed type
4462/// attribute.
4463static void parseModeAttrArg(Sema &S, StringRef Str, unsigned &DestWidth,
4464 bool &IntegerMode, bool &ComplexMode,
4465 FloatModeKind &ExplicitType) {
4466 IntegerMode = true;
4467 ComplexMode = false;
4468 ExplicitType = FloatModeKind::NoFloat;
4469 switch (Str.size()) {
4470 case 2:
4471 switch (Str[0]) {
4472 case 'Q':
4473 DestWidth = 8;
4474 break;
4475 case 'H':
4476 DestWidth = 16;
4477 break;
4478 case 'S':
4479 DestWidth = 32;
4480 break;
4481 case 'D':
4482 DestWidth = 64;
4483 break;
4484 case 'X':
4485 DestWidth = 96;
4486 break;
4487 case 'K': // KFmode - IEEE quad precision (__float128)
4488 ExplicitType = FloatModeKind::Float128;
4489 DestWidth = Str[1] == 'I' ? 0 : 128;
4490 break;
4491 case 'T':
4492 ExplicitType = FloatModeKind::LongDouble;
4493 DestWidth = 128;
4494 break;
4495 case 'I':
4496 ExplicitType = FloatModeKind::Ibm128;
4497 DestWidth = Str[1] == 'I' ? 0 : 128;
4498 break;
4499 }
4500 if (Str[1] == 'F') {
4501 IntegerMode = false;
4502 } else if (Str[1] == 'C') {
4503 IntegerMode = false;
4504 ComplexMode = true;
4505 } else if (Str[1] != 'I') {
4506 DestWidth = 0;
4507 }
4508 break;
4509 case 4:
4510 // FIXME: glibc uses 'word' to define register_t; this is narrower than a
4511 // pointer on PIC16 and other embedded platforms.
4512 if (Str == "word")
4513 DestWidth = S.Context.getTargetInfo().getRegisterWidth();
4514 else if (Str == "byte")
4515 DestWidth = S.Context.getTargetInfo().getCharWidth();
4516 break;
4517 case 7:
4518 if (Str == "pointer")
4520 break;
4521 case 11:
4522 if (Str == "unwind_word")
4523 DestWidth = S.Context.getTargetInfo().getUnwindWordWidth();
4524 break;
4525 }
4526}
4527
4528/// handleModeAttr - This attribute modifies the width of a decl with primitive
4529/// type.
4530///
4531/// Despite what would be logical, the mode attribute is a decl attribute, not a
4532/// type attribute: 'int ** __attribute((mode(HI))) *G;' tries to make 'G' be
4533/// HImode, not an intermediate pointer.
4534static void handleModeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4535 // This attribute isn't documented, but glibc uses it. It changes
4536 // the width of an int or unsigned int to the specified size.
4537 if (!AL.isArgIdent(0)) {
4538 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
4539 << AL << AANT_ArgumentIdentifier;
4540 return;
4541 }
4542
4543 IdentifierInfo *Name = AL.getArgAsIdent(0)->Ident;
4544
4545 S.AddModeAttr(D, AL, Name);
4546}
4547
4549 IdentifierInfo *Name, bool InInstantiation) {
4550 StringRef Str = Name->getName();
4551 normalizeName(Str);
4552 SourceLocation AttrLoc = CI.getLoc();
4553
4554 unsigned DestWidth = 0;
4555 bool IntegerMode = true;
4556 bool ComplexMode = false;
4558 llvm::APInt VectorSize(64, 0);
4559 if (Str.size() >= 4 && Str[0] == 'V') {
4560 // Minimal length of vector mode is 4: 'V' + NUMBER(>=1) + TYPE(>=2).
4561 size_t StrSize = Str.size();
4562 size_t VectorStringLength = 0;
4563 while ((VectorStringLength + 1) < StrSize &&
4564 isdigit(Str[VectorStringLength + 1]))
4565 ++VectorStringLength;
4566 if (VectorStringLength &&
4567 !Str.substr(1, VectorStringLength).getAsInteger(10, VectorSize) &&
4568 VectorSize.isPowerOf2()) {
4569 parseModeAttrArg(*this, Str.substr(VectorStringLength + 1), DestWidth,
4570 IntegerMode, ComplexMode, ExplicitType);
4571 // Avoid duplicate warning from template instantiation.
4572 if (!InInstantiation)
4573 Diag(AttrLoc, diag::warn_vector_mode_deprecated);
4574 } else {
4575 VectorSize = 0;
4576 }
4577 }
4578
4579 if (!VectorSize)
4580 parseModeAttrArg(*this, Str, DestWidth, IntegerMode, ComplexMode,
4581 ExplicitType);
4582
4583 // FIXME: Sync this with InitializePredefinedMacros; we need to match int8_t
4584 // and friends, at least with glibc.
4585 // FIXME: Make sure floating-point mappings are accurate
4586 // FIXME: Support XF and TF types
4587 if (!DestWidth) {
4588 Diag(AttrLoc, diag::err_machine_mode) << 0 /*Unknown*/ << Name;
4589 return;
4590 }
4591
4592 QualType OldTy;
4593 if (const auto *TD = dyn_cast<TypedefNameDecl>(D))
4594 OldTy = TD->getUnderlyingType();
4595 else if (const auto *ED = dyn_cast<EnumDecl>(D)) {
4596 // Something like 'typedef enum { X } __attribute__((mode(XX))) T;'.
4597 // Try to get type from enum declaration, default to int.
4598 OldTy = ED->getIntegerType();
4599 if (OldTy.isNull())
4600 OldTy = Context.IntTy;
4601 } else
4602 OldTy = cast<ValueDecl>(D)->getType();
4603
4604 if (OldTy->isDependentType()) {
4605 D->addAttr(::new (Context) ModeAttr(Context, CI, Name));
4606 return;
4607 }
4608
4609 // Base type can also be a vector type (see PR17453).
4610 // Distinguish between base type and base element type.
4611 QualType OldElemTy = OldTy;
4612 if (const auto *VT = OldTy->getAs<VectorType>())
4613 OldElemTy = VT->getElementType();
4614
4615 // GCC allows 'mode' attribute on enumeration types (even incomplete), except
4616 // for vector modes. So, 'enum X __attribute__((mode(QI)));' forms a complete
4617 // type, 'enum { A } __attribute__((mode(V4SI)))' is rejected.
4618 if ((isa<EnumDecl>(D) || OldElemTy->getAs<EnumType>()) &&
4619 VectorSize.getBoolValue()) {
4620 Diag(AttrLoc, diag::err_enum_mode_vector_type) << Name << CI.getRange();
4621 return;
4622 }
4623 bool IntegralOrAnyEnumType = (OldElemTy->isIntegralOrEnumerationType() &&
4624 !OldElemTy->isBitIntType()) ||
4625 OldElemTy->getAs<EnumType>();
4626
4627 if (!OldElemTy->getAs<BuiltinType>() && !OldElemTy->isComplexType() &&
4628 !IntegralOrAnyEnumType)
4629 Diag(AttrLoc, diag::err_mode_not_primitive);
4630 else if (IntegerMode) {
4631 if (!IntegralOrAnyEnumType)
4632 Diag(AttrLoc, diag::err_mode_wrong_type);
4633 } else if (ComplexMode) {
4634 if (!OldElemTy->isComplexType())
4635 Diag(AttrLoc, diag::err_mode_wrong_type);
4636 } else {
4637 if (!OldElemTy->isFloatingType())
4638 Diag(AttrLoc, diag::err_mode_wrong_type);
4639 }
4640
4641 QualType NewElemTy;
4642
4643 if (IntegerMode)
4644 NewElemTy = Context.getIntTypeForBitwidth(DestWidth,
4645 OldElemTy->isSignedIntegerType());
4646 else
4647 NewElemTy = Context.getRealTypeForBitwidth(DestWidth, ExplicitType);
4648
4649 if (NewElemTy.isNull()) {
4650 // Only emit diagnostic on host for 128-bit mode attribute
4651 if (!(DestWidth == 128 && getLangOpts().CUDAIsDevice))
4652 Diag(AttrLoc, diag::err_machine_mode) << 1 /*Unsupported*/ << Name;
4653 return;
4654 }
4655
4656 if (ComplexMode) {
4657 NewElemTy = Context.getComplexType(NewElemTy);
4658 }
4659
4660 QualType NewTy = NewElemTy;
4661 if (VectorSize.getBoolValue()) {
4662 NewTy = Context.getVectorType(NewTy, VectorSize.getZExtValue(),
4664 } else if (const auto *OldVT = OldTy->getAs<VectorType>()) {
4665 // Complex machine mode does not support base vector types.
4666 if (ComplexMode) {
4667 Diag(AttrLoc, diag::err_complex_mode_vector_type);
4668 return;
4669 }
4670 unsigned NumElements = Context.getTypeSize(OldElemTy) *
4671 OldVT->getNumElements() /
4672 Context.getTypeSize(NewElemTy);
4673 NewTy =
4674 Context.getVectorType(NewElemTy, NumElements, OldVT->getVectorKind());
4675 }
4676
4677 if (NewTy.isNull()) {
4678 Diag(AttrLoc, diag::err_mode_wrong_type);
4679 return;
4680 }
4681
4682 // Install the new type.
4683 if (auto *TD = dyn_cast<TypedefNameDecl>(D))
4684 TD->setModedTypeSourceInfo(TD->getTypeSourceInfo(), NewTy);
4685 else if (auto *ED = dyn_cast<EnumDecl>(D))
4686 ED->setIntegerType(NewTy);
4687 else
4688 cast<ValueDecl>(D)->setType(NewTy);
4689
4690 D->addAttr(::new (Context) ModeAttr(Context, CI, Name));
4691}
4692
4693static void handleNoDebugAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4694 D->addAttr(::new (S.Context) NoDebugAttr(S.Context, AL));
4695}
4696
4698 const AttributeCommonInfo &CI,
4699 const IdentifierInfo *Ident) {
4700 if (OptimizeNoneAttr *Optnone = D->getAttr<OptimizeNoneAttr>()) {
4701 Diag(CI.getLoc(), diag::warn_attribute_ignored) << Ident;
4702 Diag(Optnone->getLocation(), diag::note_conflicting_attribute);
4703 return nullptr;
4704 }
4705
4706 if (D->hasAttr<AlwaysInlineAttr>())
4707 return nullptr;
4708
4709 return ::new (Context) AlwaysInlineAttr(Context, CI);
4710}
4711
4713 const ParsedAttr &AL) {
4714 if (const auto *VD = dyn_cast<VarDecl>(D)) {
4715 // Attribute applies to Var but not any subclass of it (like ParmVar,
4716 // ImplicitParm or VarTemplateSpecialization).
4717 if (VD->getKind() != Decl::Var) {
4718 Diag(AL.getLoc(), diag::warn_attribute_wrong_decl_type)
4719 << AL << AL.isRegularKeywordAttribute()
4722 return nullptr;
4723 }
4724 // Attribute does not apply to non-static local variables.
4725 if (VD->hasLocalStorage()) {
4726 Diag(VD->getLocation(), diag::warn_internal_linkage_local_storage);
4727 return nullptr;
4728 }
4729 }
4730
4731 return ::new (Context) InternalLinkageAttr(Context, AL);
4732}
4733InternalLinkageAttr *
4734Sema::mergeInternalLinkageAttr(Decl *D, const InternalLinkageAttr &AL) {
4735 if (const auto *VD = dyn_cast<VarDecl>(D)) {
4736 // Attribute applies to Var but not any subclass of it (like ParmVar,
4737 // ImplicitParm or VarTemplateSpecialization).
4738 if (VD->getKind() != Decl::Var) {
4739 Diag(AL.getLocation(), diag::warn_attribute_wrong_decl_type)
4740 << &AL << AL.isRegularKeywordAttribute()
4743 return nullptr;
4744 }
4745 // Attribute does not apply to non-static local variables.
4746 if (VD->hasLocalStorage()) {
4747 Diag(VD->getLocation(), diag::warn_internal_linkage_local_storage);
4748 return nullptr;
4749 }
4750 }
4751
4752 return ::new (Context) InternalLinkageAttr(Context, AL);
4753}
4754
4756 if (OptimizeNoneAttr *Optnone = D->getAttr<OptimizeNoneAttr>()) {
4757 Diag(CI.getLoc(), diag::warn_attribute_ignored) << "'minsize'";
4758 Diag(Optnone->getLocation(), diag::note_conflicting_attribute);
4759 return nullptr;
4760 }
4761
4762 if (D->hasAttr<MinSizeAttr>())
4763 return nullptr;
4764
4765 return ::new (Context) MinSizeAttr(Context, CI);
4766}
4767
4769 const AttributeCommonInfo &CI) {
4770 if (AlwaysInlineAttr *Inline = D->getAttr<AlwaysInlineAttr>()) {
4771 Diag(Inline->getLocation(), diag::warn_attribute_ignored) << Inline;
4772 Diag(CI.getLoc(), diag::note_conflicting_attribute);
4773 D->dropAttr<AlwaysInlineAttr>();
4774 }
4775 if (MinSizeAttr *MinSize = D->getAttr<MinSizeAttr>()) {
4776 Diag(MinSize->getLocation(), diag::warn_attribute_ignored) << MinSize;
4777 Diag(CI.getLoc(), diag::note_conflicting_attribute);
4778 D->dropAttr<MinSizeAttr>();
4779 }
4780
4781 if (D->hasAttr<OptimizeNoneAttr>())
4782 return nullptr;
4783
4784 return ::new (Context) OptimizeNoneAttr(Context, CI);
4785}
4786
4787static void handleAlwaysInlineAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4788 if (AlwaysInlineAttr *Inline =
4789 S.mergeAlwaysInlineAttr(D, AL, AL.getAttrName()))
4790 D->addAttr(Inline);
4791}
4792
4793static void handleMinSizeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4794 if (MinSizeAttr *MinSize = S.mergeMinSizeAttr(D, AL))
4795 D->addAttr(MinSize);
4796}
4797
4798static void handleOptimizeNoneAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4799 if (OptimizeNoneAttr *Optnone = S.mergeOptimizeNoneAttr(D, AL))
4800 D->addAttr(Optnone);
4801}
4802
4803static void handleConstantAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4804 const auto *VD = cast<VarDecl>(D);
4805 if (VD->hasLocalStorage()) {
4806 S.Diag(AL.getLoc(), diag::err_cuda_nonstatic_constdev);
4807 return;
4808 }
4809 // constexpr variable may already get an implicit constant attr, which should
4810 // be replaced by the explicit constant attr.
4811 if (auto *A = D->getAttr<CUDAConstantAttr>()) {
4812 if (!A->isImplicit())
4813 return;
4814 D->dropAttr<CUDAConstantAttr>();
4815 }
4816 D->addAttr(::new (S.Context) CUDAConstantAttr(S.Context, AL));
4817}
4818
4819static void handleSharedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4820 const auto *VD = cast<VarDecl>(D);
4821 // extern __shared__ is only allowed on arrays with no length (e.g.
4822 // "int x[]").
4823 if (!S.getLangOpts().GPURelocatableDeviceCode && VD->hasExternalStorage() &&
4824 !isa<IncompleteArrayType>(VD->getType())) {
4825 S.Diag(AL.getLoc(), diag::err_cuda_extern_shared) << VD;
4826 return;
4827 }
4828 if (S.getLangOpts().CUDA && VD->hasLocalStorage() &&
4829 S.CUDA().DiagIfHostCode(AL.getLoc(), diag::err_cuda_host_shared)
4830 << llvm::to_underlying(S.CUDA().CurrentTarget()))
4831 return;
4832 D->addAttr(::new (S.Context) CUDASharedAttr(S.Context, AL));
4833}
4834
4835static void handleGlobalAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4836 const auto *FD = cast<FunctionDecl>(D);
4837 if (!FD->getReturnType()->isVoidType() &&
4838 !FD->getReturnType()->getAs<AutoType>() &&
4840 SourceRange RTRange = FD->getReturnTypeSourceRange();
4841 S.Diag(FD->getTypeSpecStartLoc(), diag::err_kern_type_not_void_return)
4842 << FD->getType()
4843 << (RTRange.isValid() ? FixItHint::CreateReplacement(RTRange, "void")
4844 : FixItHint());
4845 return;
4846 }
4847 if (const auto *Method = dyn_cast<CXXMethodDecl>(FD)) {
4848 if (Method->isInstance()) {
4849 S.Diag(Method->getBeginLoc(), diag::err_kern_is_nonstatic_method)
4850 << Method;
4851 return;
4852 }
4853 S.Diag(Method->getBeginLoc(), diag::warn_kern_is_method) << Method;
4854 }
4855 // Only warn for "inline" when compiling for host, to cut down on noise.
4856 if (FD->isInlineSpecified() && !S.getLangOpts().CUDAIsDevice)
4857 S.Diag(FD->getBeginLoc(), diag::warn_kern_is_inline) << FD;
4858
4859 if (AL.getKind() == ParsedAttr::AT_NVPTXKernel)
4860 D->addAttr(::new (S.Context) NVPTXKernelAttr(S.Context, AL));
4861 else
4862 D->addAttr(::new (S.Context) CUDAGlobalAttr(S.Context, AL));
4863 // In host compilation the kernel is emitted as a stub function, which is
4864 // a helper function for launching the kernel. The instructions in the helper
4865 // function has nothing to do with the source code of the kernel. Do not emit
4866 // debug info for the stub function to avoid confusing the debugger.
4867 if (S.LangOpts.HIP && !S.LangOpts.CUDAIsDevice)
4868 D->addAttr(NoDebugAttr::CreateImplicit(S.Context));
4869}
4870
4871static void handleDeviceAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4872 if (const auto *VD = dyn_cast<VarDecl>(D)) {
4873 if (VD->hasLocalStorage()) {
4874 S.Diag(AL.getLoc(), diag::err_cuda_nonstatic_constdev);
4875 return;
4876 }
4877 }
4878
4879 if (auto *A = D->getAttr<CUDADeviceAttr>()) {
4880 if (!A->isImplicit())
4881 return;
4882 D->dropAttr<CUDADeviceAttr>();
4883 }
4884 D->addAttr(::new (S.Context) CUDADeviceAttr(S.Context, AL));
4885}
4886
4887static void handleManagedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4888 if (const auto *VD = dyn_cast<VarDecl>(D)) {
4889 if (VD->hasLocalStorage()) {
4890 S.Diag(AL.getLoc(), diag::err_cuda_nonstatic_constdev);
4891 return;
4892 }
4893 }
4894 if (!D->hasAttr<HIPManagedAttr>())
4895 D->addAttr(::new (S.Context) HIPManagedAttr(S.Context, AL));
4896 if (!D->hasAttr<CUDADeviceAttr>())
4897 D->addAttr(CUDADeviceAttr::CreateImplicit(S.Context));
4898}
4899
4900static void handleGridConstantAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4901 if (D->isInvalidDecl())
4902 return;
4903 // Whether __grid_constant__ is allowed to be used will be checked in
4904 // Sema::CheckFunctionDeclaration as we need complete function decl to make
4905 // the call.
4906 D->addAttr(::new (S.Context) CUDAGridConstantAttr(S.Context, AL));
4907}
4908
4909static void handleGNUInlineAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4910 const auto *Fn = cast<FunctionDecl>(D);
4911 if (!Fn->isInlineSpecified()) {
4912 S.Diag(AL.getLoc(), diag::warn_gnu_inline_attribute_requires_inline);
4913 return;
4914 }
4915
4916 if (S.LangOpts.CPlusPlus && Fn->getStorageClass() != SC_Extern)
4917 S.Diag(AL.getLoc(), diag::warn_gnu_inline_cplusplus_without_extern);
4918
4919 D->addAttr(::new (S.Context) GNUInlineAttr(S.Context, AL));
4920}
4921
4922static void handleCallConvAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
4923 if (hasDeclarator(D)) return;
4924
4925 // Diagnostic is emitted elsewhere: here we store the (valid) AL
4926 // in the Decl node for syntactic reasoning, e.g., pretty-printing.
4927 CallingConv CC;
4929 AL, CC, /*FD*/ nullptr,
4930 S.CUDA().IdentifyTarget(dyn_cast<FunctionDecl>(D))))
4931 return;
4932
4933 if (!isa<ObjCMethodDecl>(D)) {
4934 S.Diag(AL.getLoc(), diag::warn_attribute_wrong_decl_type)
4936 return;
4937 }
4938
4939 switch (AL.getKind()) {
4940 case ParsedAttr::AT_FastCall:
4941 D->addAttr(::new (S.Context) FastCallAttr(S.Context, AL));
4942 return;
4943 case ParsedAttr::AT_StdCall:
4944 D->addAttr(::new (S.Context) StdCallAttr(S.Context, AL));
4945 return;
4946 case ParsedAttr::AT_ThisCall:
4947 D->addAttr(::new (S.Context) ThisCallAttr(S.Context, AL));
4948 return;
4949 case ParsedAttr::AT_CDecl:
4950 D->addAttr(::new (S.Context) CDeclAttr(S.Context, AL));
4951 return;
4952 case ParsedAttr::AT_Pascal:
4953 D->addAttr(::new (S.Context) PascalAttr(S.Context, AL));
4954 return;
4955 case ParsedAttr::AT_SwiftCall:
4956 D->addAttr(::new (S.Context) SwiftCallAttr(S.Context, AL));
4957 return;
4958 case ParsedAttr::AT_SwiftAsyncCall:
4959 D->addAttr(::new (S.Context) SwiftAsyncCallAttr(S.Context, AL));
4960 return;
4961 case ParsedAttr::AT_VectorCall:
4962 D->addAttr(::new (S.Context) VectorCallAttr(S.Context, AL));
4963 return;
4964 case ParsedAttr::AT_MSABI:
4965 D->addAttr(::new (S.Context) MSABIAttr(S.Context, AL));
4966 return;
4967 case ParsedAttr::AT_SysVABI:
4968 D->addAttr(::new (S.Context) SysVABIAttr(S.Context, AL));
4969 return;
4970 case ParsedAttr::AT_RegCall:
4971 D->addAttr(::new (S.Context) RegCallAttr(S.Context, AL));
4972 return;
4973 case ParsedAttr::AT_Pcs: {
4974 PcsAttr::PCSType PCS;
4975 switch (CC) {
4976 case CC_AAPCS:
4977 PCS = PcsAttr::AAPCS;
4978 break;
4979 case CC_AAPCS_VFP:
4980 PCS = PcsAttr::AAPCS_VFP;
4981 break;
4982 default:
4983 llvm_unreachable("unexpected calling convention in pcs attribute");
4984 }
4985
4986 D->addAttr(::new (S.Context) PcsAttr(S.Context, AL, PCS));
4987 return;
4988 }
4989 case ParsedAttr::AT_AArch64VectorPcs:
4990 D->addAttr(::new (S.Context) AArch64VectorPcsAttr(S.Context, AL));
4991 return;
4992 case ParsedAttr::AT_AArch64SVEPcs:
4993 D->addAttr(::new (S.Context) AArch64SVEPcsAttr(S.Context, AL));
4994 return;
4995 case ParsedAttr::AT_AMDGPUKernelCall:
4996 D->addAttr(::new (S.Context) AMDGPUKernelCallAttr(S.Context, AL));
4997 return;
4998 case ParsedAttr::AT_IntelOclBicc:
4999 D->addAttr(::new (S.Context) IntelOclBiccAttr(S.Context, AL));
5000 return;
5001 case ParsedAttr::AT_PreserveMost:
5002 D->addAttr(::new (S.Context) PreserveMostAttr(S.Context, AL));
5003 return;
5004 case ParsedAttr::AT_PreserveAll:
5005 D->addAttr(::new (S.Context) PreserveAllAttr(S.Context, AL));
5006 return;
5007 case ParsedAttr::AT_M68kRTD:
5008 D->addAttr(::new (S.Context) M68kRTDAttr(S.Context, AL));
5009 return;
5010 case ParsedAttr::AT_PreserveNone:
5011 D->addAttr(::new (S.Context) PreserveNoneAttr(S.Context, AL));
5012 return;
5013 case ParsedAttr::AT_RISCVVectorCC:
5014 D->addAttr(::new (S.Context) RISCVVectorCCAttr(S.Context, AL));
5015 return;
5016 default:
5017 llvm_unreachable("unexpected attribute kind");
5018 }
5019}
5020
5021static void handleSuppressAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5022 if (AL.getAttributeSpellingListIndex() == SuppressAttr::CXX11_gsl_suppress) {
5023 // Suppression attribute with GSL spelling requires at least 1 argument.
5024 if (!AL.checkAtLeastNumArgs(S, 1))
5025 return;
5026 }
5027
5028 std::vector<StringRef> DiagnosticIdentifiers;
5029 for (unsigned I = 0, E = AL.getNumArgs(); I != E; ++I) {
5030 StringRef RuleName;
5031
5032 if (!S.checkStringLiteralArgumentAttr(AL, I, RuleName, nullptr))
5033 return;
5034
5035 DiagnosticIdentifiers.push_back(RuleName);
5036 }
5037 D->addAttr(::new (S.Context)
5038 SuppressAttr(S.Context, AL, DiagnosticIdentifiers.data(),
5039 DiagnosticIdentifiers.size()));
5040}
5041
5042static void handleLifetimeCategoryAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5043 TypeSourceInfo *DerefTypeLoc = nullptr;
5044 QualType ParmType;
5045 if (AL.hasParsedType()) {
5046 ParmType = S.GetTypeFromParser(AL.getTypeArg(), &DerefTypeLoc);
5047
5048 unsigned SelectIdx = ~0U;
5049 if (ParmType->isReferenceType())
5050 SelectIdx = 0;
5051 else if (ParmType->isArrayType())
5052 SelectIdx = 1;
5053
5054 if (SelectIdx != ~0U) {
5055 S.Diag(AL.getLoc(), diag::err_attribute_invalid_argument)
5056 << SelectIdx << AL;
5057 return;
5058 }
5059 }
5060
5061 // To check if earlier decl attributes do not conflict the newly parsed ones
5062 // we always add (and check) the attribute to the canonical decl. We need
5063 // to repeat the check for attribute mutual exclusion because we're attaching
5064 // all of the attributes to the canonical declaration rather than the current
5065 // declaration.
5066 D = D->getCanonicalDecl();
5067 if (AL.getKind() == ParsedAttr::AT_Owner) {
5068 if (checkAttrMutualExclusion<PointerAttr>(S, D, AL))
5069 return;
5070 if (const auto *OAttr = D->getAttr<OwnerAttr>()) {
5071 const Type *ExistingDerefType = OAttr->getDerefTypeLoc()
5072 ? OAttr->getDerefType().getTypePtr()
5073 : nullptr;
5074 if (ExistingDerefType != ParmType.getTypePtrOrNull()) {
5075 S.Diag(AL.getLoc(), diag::err_attributes_are_not_compatible)
5076 << AL << OAttr
5077 << (AL.isRegularKeywordAttribute() ||
5078 OAttr->isRegularKeywordAttribute());
5079 S.Diag(OAttr->getLocation(), diag::note_conflicting_attribute);
5080 }
5081 return;
5082 }
5083 for (Decl *Redecl : D->redecls()) {
5084 Redecl->addAttr(::new (S.Context) OwnerAttr(S.Context, AL, DerefTypeLoc));
5085 }
5086 } else {
5087 if (checkAttrMutualExclusion<OwnerAttr>(S, D, AL))
5088 return;
5089 if (const auto *PAttr = D->getAttr<PointerAttr>()) {
5090 const Type *ExistingDerefType = PAttr->getDerefTypeLoc()
5091 ? PAttr->getDerefType().getTypePtr()
5092 : nullptr;
5093 if (ExistingDerefType != ParmType.getTypePtrOrNull()) {
5094 S.Diag(AL.getLoc(), diag::err_attributes_are_not_compatible)
5095 << AL << PAttr
5096 << (AL.isRegularKeywordAttribute() ||
5097 PAttr->isRegularKeywordAttribute());
5098 S.Diag(PAttr->getLocation(), diag::note_conflicting_attribute);
5099 }
5100 return;
5101 }
5102 for (Decl *Redecl : D->redecls()) {
5103 Redecl->addAttr(::new (S.Context)
5104 PointerAttr(S.Context, AL, DerefTypeLoc));
5105 }
5106 }
5107}
5108
5109static void handleRandomizeLayoutAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5110 if (checkAttrMutualExclusion<NoRandomizeLayoutAttr>(S, D, AL))
5111 return;
5112 if (!D->hasAttr<RandomizeLayoutAttr>())
5113 D->addAttr(::new (S.Context) RandomizeLayoutAttr(S.Context, AL));
5114}
5115
5117 const ParsedAttr &AL) {
5118 if (checkAttrMutualExclusion<RandomizeLayoutAttr>(S, D, AL))
5119 return;
5120 if (!D->hasAttr<NoRandomizeLayoutAttr>())
5121 D->addAttr(::new (S.Context) NoRandomizeLayoutAttr(S.Context, AL));
5122}
5123
5125 const FunctionDecl *FD,
5126 CUDAFunctionTarget CFT) {
5127 if (Attrs.isInvalid())
5128 return true;
5129
5130 if (Attrs.hasProcessingCache()) {
5131 CC = (CallingConv) Attrs.getProcessingCache();
5132 return false;
5133 }
5134
5135 unsigned ReqArgs = Attrs.getKind() == ParsedAttr::AT_Pcs ? 1 : 0;
5136 if (!Attrs.checkExactlyNumArgs(*this, ReqArgs)) {
5137 Attrs.setInvalid();
5138 return true;
5139 }
5140
5141 // TODO: diagnose uses of these conventions on the wrong target.
5142 switch (Attrs.getKind()) {
5143 case ParsedAttr::AT_CDecl:
5144 CC = CC_C;
5145 break;
5146 case ParsedAttr::AT_FastCall:
5147 CC = CC_X86FastCall;
5148 break;
5149 case ParsedAttr::AT_StdCall:
5150 CC = CC_X86StdCall;
5151 break;
5152 case ParsedAttr::AT_ThisCall:
5153 CC = CC_X86ThisCall;
5154 break;
5155 case ParsedAttr::AT_Pascal:
5156 CC = CC_X86Pascal;
5157 break;
5158 case ParsedAttr::AT_SwiftCall:
5159 CC = CC_Swift;
5160 break;
5161 case ParsedAttr::AT_SwiftAsyncCall:
5162 CC = CC_SwiftAsync;
5163 break;
5164 case ParsedAttr::AT_VectorCall:
5165 CC = CC_X86VectorCall;
5166 break;
5167 case ParsedAttr::AT_AArch64VectorPcs:
5169 break;
5170 case ParsedAttr::AT_AArch64SVEPcs:
5171 CC = CC_AArch64SVEPCS;
5172 break;
5173 case ParsedAttr::AT_AMDGPUKernelCall:
5175 break;
5176 case ParsedAttr::AT_RegCall:
5177 CC = CC_X86RegCall;
5178 break;
5179 case ParsedAttr::AT_MSABI:
5180 CC = Context.getTargetInfo().getTriple().isOSWindows() ? CC_C :
5181 CC_Win64;
5182 break;
5183 case ParsedAttr::AT_SysVABI:
5184 CC = Context.getTargetInfo().getTriple().isOSWindows() ? CC_X86_64SysV :
5185 CC_C;
5186 break;
5187 case ParsedAttr::AT_Pcs: {
5188 StringRef StrRef;
5189 if (!checkStringLiteralArgumentAttr(Attrs, 0, StrRef)) {
5190 Attrs.setInvalid();
5191 return true;
5192 }
5193 if (StrRef == "aapcs") {
5194 CC = CC_AAPCS;
5195 break;
5196 } else if (StrRef == "aapcs-vfp") {
5197 CC = CC_AAPCS_VFP;
5198 break;
5199 }
5200
5201 Attrs.setInvalid();
5202 Diag(Attrs.getLoc(), diag::err_invalid_pcs);
5203 return true;
5204 }
5205 case ParsedAttr::AT_IntelOclBicc:
5206 CC = CC_IntelOclBicc;
5207 break;
5208 case ParsedAttr::AT_PreserveMost:
5209 CC = CC_PreserveMost;
5210 break;
5211 case ParsedAttr::AT_PreserveAll:
5212 CC = CC_PreserveAll;
5213 break;
5214 case ParsedAttr::AT_M68kRTD:
5215 CC = CC_M68kRTD;
5216 break;
5217 case ParsedAttr::AT_PreserveNone:
5218 CC = CC_PreserveNone;
5219 break;
5220 case ParsedAttr::AT_RISCVVectorCC:
5221 CC = CC_RISCVVectorCall;
5222 break;
5223 default: llvm_unreachable("unexpected attribute kind");
5224 }
5225
5227 const TargetInfo &TI = Context.getTargetInfo();
5228 // CUDA functions may have host and/or device attributes which indicate
5229 // their targeted execution environment, therefore the calling convention
5230 // of functions in CUDA should be checked against the target deduced based
5231 // on their host/device attributes.
5232 if (LangOpts.CUDA) {
5233 auto *Aux = Context.getAuxTargetInfo();
5234 assert(FD || CFT != CUDAFunctionTarget::InvalidTarget);
5235 auto CudaTarget = FD ? CUDA().IdentifyTarget(FD) : CFT;
5236 bool CheckHost = false, CheckDevice = false;
5237 switch (CudaTarget) {
5239 CheckHost = true;
5240 CheckDevice = true;
5241 break;
5243 CheckHost = true;
5244 break;
5247 CheckDevice = true;
5248 break;
5250 llvm_unreachable("unexpected cuda target");
5251 }
5252 auto *HostTI = LangOpts.CUDAIsDevice ? Aux : &TI;
5253 auto *DeviceTI = LangOpts.CUDAIsDevice ? &TI : Aux;
5254 if (CheckHost && HostTI)
5255 A = HostTI->checkCallingConvention(CC);
5256 if (A == TargetInfo::CCCR_OK && CheckDevice && DeviceTI)
5257 A = DeviceTI->checkCallingConvention(CC);
5258 } else {
5259 A = TI.checkCallingConvention(CC);
5260 }
5261
5262 switch (A) {
5264 break;
5265
5267 // Treat an ignored convention as if it was an explicit C calling convention
5268 // attribute. For example, __stdcall on Win x64 functions as __cdecl, so
5269 // that command line flags that change the default convention to
5270 // __vectorcall don't affect declarations marked __stdcall.
5271 CC = CC_C;
5272 break;
5273
5275 Diag(Attrs.getLoc(), diag::error_cconv_unsupported)
5277 break;
5278
5280 Diag(Attrs.getLoc(), diag::warn_cconv_unsupported)
5282
5283 // This convention is not valid for the target. Use the default function or
5284 // method calling convention.
5285 bool IsCXXMethod = false, IsVariadic = false;
5286 if (FD) {
5287 IsCXXMethod = FD->isCXXInstanceMember();
5288 IsVariadic = FD->isVariadic();
5289 }
5290 CC = Context.getDefaultCallingConvention(IsVariadic, IsCXXMethod);
5291 break;
5292 }
5293 }
5294
5295 Attrs.setProcessingCache((unsigned) CC);
5296 return false;
5297}
5298
5299bool Sema::CheckRegparmAttr(const ParsedAttr &AL, unsigned &numParams) {
5300 if (AL.isInvalid())
5301 return true;
5302
5303 if (!AL.checkExactlyNumArgs(*this, 1)) {
5304 AL.setInvalid();
5305 return true;
5306 }
5307
5308 uint32_t NP;
5309 Expr *NumParamsExpr = AL.getArgAsExpr(0);
5310 if (!checkUInt32Argument(AL, NumParamsExpr, NP)) {
5311 AL.setInvalid();
5312 return true;
5313 }
5314
5315 if (Context.getTargetInfo().getRegParmMax() == 0) {
5316 Diag(AL.getLoc(), diag::err_attribute_regparm_wrong_platform)
5317 << NumParamsExpr->getSourceRange();
5318 AL.setInvalid();
5319 return true;
5320 }
5321
5322 numParams = NP;
5323 if (numParams > Context.getTargetInfo().getRegParmMax()) {
5324 Diag(AL.getLoc(), diag::err_attribute_regparm_invalid_number)
5325 << Context.getTargetInfo().getRegParmMax() << NumParamsExpr->getSourceRange();
5326 AL.setInvalid();
5327 return true;
5328 }
5329
5330 return false;
5331}
5332
5333// Helper to get OffloadArch.
5335 if (!TI.getTriple().isNVPTX())
5336 llvm_unreachable("getOffloadArch is only valid for NVPTX triple");
5337 auto &TO = TI.getTargetOpts();
5338 return StringToOffloadArch(TO.CPU);
5339}
5340
5341// Checks whether an argument of launch_bounds attribute is
5342// acceptable, performs implicit conversion to Rvalue, and returns
5343// non-nullptr Expr result on success. Otherwise, it returns nullptr
5344// and may output an error.
5346 const CUDALaunchBoundsAttr &AL,
5347 const unsigned Idx) {
5349 return nullptr;
5350
5351 // Accept template arguments for now as they depend on something else.
5352 // We'll get to check them when they eventually get instantiated.
5353 if (E->isValueDependent())
5354 return E;
5355
5356 std::optional<llvm::APSInt> I = llvm::APSInt(64);
5357 if (!(I = E->getIntegerConstantExpr(S.Context))) {
5358 S.Diag(E->getExprLoc(), diag::err_attribute_argument_n_type)
5359 << &AL << Idx << AANT_ArgumentIntegerConstant << E->getSourceRange();
5360 return nullptr;
5361 }
5362 // Make sure we can fit it in 32 bits.
5363 if (!I->isIntN(32)) {
5364 S.Diag(E->getExprLoc(), diag::err_ice_too_large)
5365 << toString(*I, 10, false) << 32 << /* Unsigned */ 1;
5366 return nullptr;
5367 }
5368 if (*I < 0)
5369 S.Diag(E->getExprLoc(), diag::warn_attribute_argument_n_negative)
5370 << &AL << Idx << E->getSourceRange();
5371
5372 // We may need to perform implicit conversion of the argument.
5374 S.Context, S.Context.getConstType(S.Context.IntTy), /*consume*/ false);
5376 assert(!ValArg.isInvalid() &&
5377 "Unexpected PerformCopyInitialization() failure.");
5378
5379 return ValArg.getAs<Expr>();
5380}
5381
5382CUDALaunchBoundsAttr *
5384 Expr *MinBlocks, Expr *MaxBlocks) {
5385 CUDALaunchBoundsAttr TmpAttr(Context, CI, MaxThreads, MinBlocks, MaxBlocks);
5386 MaxThreads = makeLaunchBoundsArgExpr(*this, MaxThreads, TmpAttr, 0);
5387 if (!MaxThreads)
5388 return nullptr;
5389
5390 if (MinBlocks) {
5391 MinBlocks = makeLaunchBoundsArgExpr(*this, MinBlocks, TmpAttr, 1);
5392 if (!MinBlocks)
5393 return nullptr;
5394 }
5395
5396 if (MaxBlocks) {
5397 // '.maxclusterrank' ptx directive requires .target sm_90 or higher.
5400 Diag(MaxBlocks->getBeginLoc(), diag::warn_cuda_maxclusterrank_sm_90)
5401 << OffloadArchToString(SM) << CI << MaxBlocks->getSourceRange();
5402 // Ignore it by setting MaxBlocks to null;
5403 MaxBlocks = nullptr;
5404 } else {
5405 MaxBlocks = makeLaunchBoundsArgExpr(*this, MaxBlocks, TmpAttr, 2);
5406 if (!MaxBlocks)
5407 return nullptr;
5408 }
5409 }
5410
5411 return ::new (Context)
5412 CUDALaunchBoundsAttr(Context, CI, MaxThreads, MinBlocks, MaxBlocks);
5413}
5414
5416 Expr *MaxThreads, Expr *MinBlocks,
5417 Expr *MaxBlocks) {
5418 if (auto *Attr = CreateLaunchBoundsAttr(CI, MaxThreads, MinBlocks, MaxBlocks))
5419 D->addAttr(Attr);
5420}
5421
5422static void handleLaunchBoundsAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5423 if (!AL.checkAtLeastNumArgs(S, 1) || !AL.checkAtMostNumArgs(S, 3))
5424 return;
5425
5426 S.AddLaunchBoundsAttr(D, AL, AL.getArgAsExpr(0),
5427 AL.getNumArgs() > 1 ? AL.getArgAsExpr(1) : nullptr,
5428 AL.getNumArgs() > 2 ? AL.getArgAsExpr(2) : nullptr);
5429}
5430
5432 const ParsedAttr &AL) {
5433 if (!AL.isArgIdent(0)) {
5434 S.Diag(AL.getLoc(), diag::err_attribute_argument_n_type)
5435 << AL << /* arg num = */ 1 << AANT_ArgumentIdentifier;
5436 return;
5437 }
5438
5439 ParamIdx ArgumentIdx;
5441 ArgumentIdx))
5442 return;
5443
5444 ParamIdx TypeTagIdx;
5446 TypeTagIdx))
5447 return;
5448
5449 bool IsPointer = AL.getAttrName()->getName() == "pointer_with_type_tag";
5450 if (IsPointer) {
5451 // Ensure that buffer has a pointer type.
5452 unsigned ArgumentIdxAST = ArgumentIdx.getASTIndex();
5453 if (ArgumentIdxAST >= getFunctionOrMethodNumParams(D) ||
5454 !getFunctionOrMethodParamType(D, ArgumentIdxAST)->isPointerType())
5455 S.Diag(AL.getLoc(), diag::err_attribute_pointers_only) << AL << 0;
5456 }
5457
5458 D->addAttr(::new (S.Context) ArgumentWithTypeTagAttr(
5459 S.Context, AL, AL.getArgAsIdent(0)->Ident, ArgumentIdx, TypeTagIdx,
5460 IsPointer));
5461}
5462
5464 const ParsedAttr &AL) {
5465 if (!AL.isArgIdent(0)) {
5466 S.Diag(AL.getLoc(), diag::err_attribute_argument_n_type)
5467 << AL << 1 << AANT_ArgumentIdentifier;
5468 return;
5469 }
5470
5471 if (!AL.checkExactlyNumArgs(S, 1))
5472 return;
5473
5474 if (!isa<VarDecl>(D)) {
5475 S.Diag(AL.getLoc(), diag::err_attribute_wrong_decl_type)
5477 return;
5478 }
5479
5480 IdentifierInfo *PointerKind = AL.getArgAsIdent(0)->Ident;
5481 TypeSourceInfo *MatchingCTypeLoc = nullptr;
5482 S.GetTypeFromParser(AL.getMatchingCType(), &MatchingCTypeLoc);
5483 assert(MatchingCTypeLoc && "no type source info for attribute argument");
5484
5485 D->addAttr(::new (S.Context) TypeTagForDatatypeAttr(
5486 S.Context, AL, PointerKind, MatchingCTypeLoc, AL.getLayoutCompatible(),
5487 AL.getMustBeNull()));
5488}
5489
5490static void handleXRayLogArgsAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5491 ParamIdx ArgCount;
5492
5494 ArgCount,
5495 true /* CanIndexImplicitThis */))
5496 return;
5497
5498 // ArgCount isn't a parameter index [0;n), it's a count [1;n]
5499 D->addAttr(::new (S.Context)
5500 XRayLogArgsAttr(S.Context, AL, ArgCount.getSourceIndex()));
5501}
5502
5504 const ParsedAttr &AL) {
5505 if (S.Context.getTargetInfo().getTriple().isOSAIX()) {
5506 S.Diag(AL.getLoc(), diag::err_aix_attr_unsupported) << AL;
5507 return;
5508 }
5509 uint32_t Count = 0, Offset = 0;
5510 if (!S.checkUInt32Argument(AL, AL.getArgAsExpr(0), Count, 0, true))
5511 return;
5512 if (AL.getNumArgs() == 2) {
5513 Expr *Arg = AL.getArgAsExpr(1);
5514 if (!S.checkUInt32Argument(AL, Arg, Offset, 1, true))
5515 return;
5516 if (Count < Offset) {
5517 S.Diag(S.getAttrLoc(AL), diag::err_attribute_argument_out_of_range)
5518 << &AL << 0 << Count << Arg->getBeginLoc();
5519 return;
5520 }
5521 }
5522 D->addAttr(::new (S.Context)
5523 PatchableFunctionEntryAttr(S.Context, AL, Count, Offset));
5524}
5525
5526static void handleBuiltinAliasAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5527 if (!AL.isArgIdent(0)) {
5528 S.Diag(AL.getLoc(), diag::err_attribute_argument_n_type)
5529 << AL << 1 << AANT_ArgumentIdentifier;
5530 return;
5531 }
5532
5533 IdentifierInfo *Ident = AL.getArgAsIdent(0)->Ident;
5534 unsigned BuiltinID = Ident->getBuiltinID();
5535 StringRef AliasName = cast<FunctionDecl>(D)->getIdentifier()->getName();
5536
5537 bool IsAArch64 = S.Context.getTargetInfo().getTriple().isAArch64();
5538 bool IsARM = S.Context.getTargetInfo().getTriple().isARM();
5539 bool IsRISCV = S.Context.getTargetInfo().getTriple().isRISCV();
5540 bool IsHLSL = S.Context.getLangOpts().HLSL;
5541 if ((IsAArch64 && !S.ARM().SveAliasValid(BuiltinID, AliasName)) ||
5542 (IsARM && !S.ARM().MveAliasValid(BuiltinID, AliasName) &&
5543 !S.ARM().CdeAliasValid(BuiltinID, AliasName)) ||
5544 (IsRISCV && !S.RISCV().isAliasValid(BuiltinID, AliasName)) ||
5545 (!IsAArch64 && !IsARM && !IsRISCV && !IsHLSL)) {
5546 S.Diag(AL.getLoc(), diag::err_attribute_builtin_alias) << AL;
5547 return;
5548 }
5549
5550 D->addAttr(::new (S.Context) BuiltinAliasAttr(S.Context, AL, Ident));
5551}
5552
5553static void handleNullableTypeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5554 if (AL.isUsedAsTypeAttr())
5555 return;
5556
5557 if (auto *CRD = dyn_cast<CXXRecordDecl>(D);
5558 !CRD || !(CRD->isClass() || CRD->isStruct())) {
5559 S.Diag(AL.getRange().getBegin(), diag::err_attribute_wrong_decl_type)
5561 return;
5562 }
5563
5564 handleSimpleAttribute<TypeNullableAttr>(S, D, AL);
5565}
5566
5567static void handlePreferredTypeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5568 if (!AL.hasParsedType()) {
5569 S.Diag(AL.getLoc(), diag::err_attribute_wrong_number_arguments) << AL << 1;
5570 return;
5571 }
5572
5573 TypeSourceInfo *ParmTSI = nullptr;
5574 QualType QT = S.GetTypeFromParser(AL.getTypeArg(), &ParmTSI);
5575 assert(ParmTSI && "no type source info for attribute argument");
5576 S.RequireCompleteType(ParmTSI->getTypeLoc().getBeginLoc(), QT,
5577 diag::err_incomplete_type);
5578
5579 D->addAttr(::new (S.Context) PreferredTypeAttr(S.Context, AL, ParmTSI));
5580}
5581
5582//===----------------------------------------------------------------------===//
5583// Microsoft specific attribute handlers.
5584//===----------------------------------------------------------------------===//
5585
5587 StringRef UuidAsWritten, MSGuidDecl *GuidDecl) {
5588 if (const auto *UA = D->getAttr<UuidAttr>()) {
5589 if (declaresSameEntity(UA->getGuidDecl(), GuidDecl))
5590 return nullptr;
5591 if (!UA->getGuid().empty()) {
5592 Diag(UA->getLocation(), diag::err_mismatched_uuid);
5593 Diag(CI.getLoc(), diag::note_previous_uuid);
5594 D->dropAttr<UuidAttr>();
5595 }
5596 }
5597
5598 return ::new (Context) UuidAttr(Context, CI, UuidAsWritten, GuidDecl);
5599}
5600
5601static void handleUuidAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5602 if (!S.LangOpts.CPlusPlus) {
5603 S.Diag(AL.getLoc(), diag::err_attribute_not_supported_in_lang)
5604 << AL << AttributeLangSupport::C;
5605 return;
5606 }
5607
5608 StringRef OrigStrRef;
5609 SourceLocation LiteralLoc;
5610 if (!S.checkStringLiteralArgumentAttr(AL, 0, OrigStrRef, &LiteralLoc))
5611 return;
5612
5613 // GUID format is "XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX" or
5614 // "{XXXXXXXX-XXXX-XXXX-XXXX-XXXXXXXXXXXX}", normalize to the former.
5615 StringRef StrRef = OrigStrRef;
5616 if (StrRef.size() == 38 && StrRef.front() == '{' && StrRef.back() == '}')
5617 StrRef = StrRef.drop_front().drop_back();
5618
5619 // Validate GUID length.
5620 if (StrRef.size() != 36) {
5621 S.Diag(LiteralLoc, diag::err_attribute_uuid_malformed_guid);
5622 return;
5623 }
5624
5625 for (unsigned i = 0; i < 36; ++i) {
5626 if (i == 8 || i == 13 || i == 18 || i == 23) {
5627 if (StrRef[i] != '-') {
5628 S.Diag(LiteralLoc, diag::err_attribute_uuid_malformed_guid);
5629 return;
5630 }
5631 } else if (!isHexDigit(StrRef[i])) {
5632 S.Diag(LiteralLoc, diag::err_attribute_uuid_malformed_guid);
5633 return;
5634 }
5635 }
5636
5637 // Convert to our parsed format and canonicalize.
5638 MSGuidDecl::Parts Parsed;
5639 StrRef.substr(0, 8).getAsInteger(16, Parsed.Part1);
5640 StrRef.substr(9, 4).getAsInteger(16, Parsed.Part2);
5641 StrRef.substr(14, 4).getAsInteger(16, Parsed.Part3);
5642 for (unsigned i = 0; i != 8; ++i)
5643 StrRef.substr(19 + 2 * i + (i >= 2 ? 1 : 0), 2)
5644 .getAsInteger(16, Parsed.Part4And5[i]);
5645 MSGuidDecl *Guid = S.Context.getMSGuidDecl(Parsed);
5646
5647 // FIXME: It'd be nice to also emit a fixit removing uuid(...) (and, if it's
5648 // the only thing in the [] list, the [] too), and add an insertion of
5649 // __declspec(uuid(...)). But sadly, neither the SourceLocs of the commas
5650 // separating attributes nor of the [ and the ] are in the AST.
5651 // Cf "SourceLocations of attribute list delimiters - [[ ... , ... ]] etc"
5652 // on cfe-dev.
5653 if (AL.isMicrosoftAttribute()) // Check for [uuid(...)] spelling.
5654 S.Diag(AL.getLoc(), diag::warn_atl_uuid_deprecated);
5655
5656 UuidAttr *UA = S.mergeUuidAttr(D, AL, OrigStrRef, Guid);
5657 if (UA)
5658 D->addAttr(UA);
5659}
5660
5661static void handleMSInheritanceAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5662 if (!S.LangOpts.CPlusPlus) {
5663 S.Diag(AL.getLoc(), diag::err_attribute_not_supported_in_lang)
5664 << AL << AttributeLangSupport::C;
5665 return;
5666 }
5667 MSInheritanceAttr *IA = S.mergeMSInheritanceAttr(
5668 D, AL, /*BestCase=*/true, (MSInheritanceModel)AL.getSemanticSpelling());
5669 if (IA) {
5670 D->addAttr(IA);
5671 S.Consumer.AssignInheritanceModel(cast<CXXRecordDecl>(D));
5672 }
5673}
5674
5675static void handleDeclspecThreadAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5676 const auto *VD = cast<VarDecl>(D);
5678 S.Diag(AL.getLoc(), diag::err_thread_unsupported);
5679 return;
5680 }
5681 if (VD->getTSCSpec() != TSCS_unspecified) {
5682 S.Diag(AL.getLoc(), diag::err_declspec_thread_on_thread_variable);
5683 return;
5684 }
5685 if (VD->hasLocalStorage()) {
5686 S.Diag(AL.getLoc(), diag::err_thread_non_global) << "__declspec(thread)";
5687 return;
5688 }
5689 D->addAttr(::new (S.Context) ThreadAttr(S.Context, AL));
5690}
5691
5692static void handleMSConstexprAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5694 S.Diag(AL.getLoc(), diag::warn_unknown_attribute_ignored)
5695 << AL << AL.getRange();
5696 return;
5697 }
5698 auto *FD = cast<FunctionDecl>(D);
5699 if (FD->isConstexprSpecified() || FD->isConsteval()) {
5700 S.Diag(AL.getLoc(), diag::err_ms_constexpr_cannot_be_applied)
5701 << FD->isConsteval() << FD;
5702 return;
5703 }
5704 if (auto *MD = dyn_cast<CXXMethodDecl>(FD)) {
5705 if (!S.getLangOpts().CPlusPlus20 && MD->isVirtual()) {
5706 S.Diag(AL.getLoc(), diag::err_ms_constexpr_cannot_be_applied)
5707 << /*virtual*/ 2 << MD;
5708 return;
5709 }
5710 }
5711 D->addAttr(::new (S.Context) MSConstexprAttr(S.Context, AL));
5712}
5713
5714static void handleAbiTagAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5716 for (unsigned I = 0, E = AL.getNumArgs(); I != E; ++I) {
5717 StringRef Tag;
5718 if (!S.checkStringLiteralArgumentAttr(AL, I, Tag))
5719 return;
5720 Tags.push_back(Tag);
5721 }
5722
5723 if (const auto *NS = dyn_cast<NamespaceDecl>(D)) {
5724 if (!NS->isInline()) {
5725 S.Diag(AL.getLoc(), diag::warn_attr_abi_tag_namespace) << 0;
5726 return;
5727 }
5728 if (NS->isAnonymousNamespace()) {
5729 S.Diag(AL.getLoc(), diag::warn_attr_abi_tag_namespace) << 1;
5730 return;
5731 }
5732 if (AL.getNumArgs() == 0)
5733 Tags.push_back(NS->getName());
5734 } else if (!AL.checkAtLeastNumArgs(S, 1))
5735 return;
5736
5737 // Store tags sorted and without duplicates.
5738 llvm::sort(Tags);
5739 Tags.erase(std::unique(Tags.begin(), Tags.end()), Tags.end());
5740
5741 D->addAttr(::new (S.Context)
5742 AbiTagAttr(S.Context, AL, Tags.data(), Tags.size()));
5743}
5744
5745static bool hasBTFDeclTagAttr(Decl *D, StringRef Tag) {
5746 for (const auto *I : D->specific_attrs<BTFDeclTagAttr>()) {
5747 if (I->getBTFDeclTag() == Tag)
5748 return true;
5749 }
5750 return false;
5751}
5752
5753static void handleBTFDeclTagAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5754 StringRef Str;
5755 if (!S.checkStringLiteralArgumentAttr(AL, 0, Str))
5756 return;
5757 if (hasBTFDeclTagAttr(D, Str))
5758 return;
5759
5760 D->addAttr(::new (S.Context) BTFDeclTagAttr(S.Context, AL, Str));
5761}
5762
5763BTFDeclTagAttr *Sema::mergeBTFDeclTagAttr(Decl *D, const BTFDeclTagAttr &AL) {
5764 if (hasBTFDeclTagAttr(D, AL.getBTFDeclTag()))
5765 return nullptr;
5766 return ::new (Context) BTFDeclTagAttr(Context, AL, AL.getBTFDeclTag());
5767}
5768
5769static void handleInterruptAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5770 // Dispatch the interrupt attribute based on the current target.
5771 switch (S.Context.getTargetInfo().getTriple().getArch()) {
5772 case llvm::Triple::msp430:
5773 S.MSP430().handleInterruptAttr(D, AL);
5774 break;
5775 case llvm::Triple::mipsel:
5776 case llvm::Triple::mips:
5777 S.MIPS().handleInterruptAttr(D, AL);
5778 break;
5779 case llvm::Triple::m68k:
5780 S.M68k().handleInterruptAttr(D, AL);
5781 break;
5782 case llvm::Triple::x86:
5783 case llvm::Triple::x86_64:
5784 S.X86().handleAnyInterruptAttr(D, AL);
5785 break;
5786 case llvm::Triple::avr:
5787 S.AVR().handleInterruptAttr(D, AL);
5788 break;
5789 case llvm::Triple::riscv32:
5790 case llvm::Triple::riscv64:
5791 S.RISCV().handleInterruptAttr(D, AL);
5792 break;
5793 default:
5794 S.ARM().handleInterruptAttr(D, AL);
5795 break;
5796 }
5797}
5798
5799static void handleLayoutVersion(Sema &S, Decl *D, const ParsedAttr &AL) {
5800 uint32_t Version;
5801 Expr *VersionExpr = static_cast<Expr *>(AL.getArgAsExpr(0));
5802 if (!S.checkUInt32Argument(AL, AL.getArgAsExpr(0), Version))
5803 return;
5804
5805 // TODO: Investigate what happens with the next major version of MSVC.
5806 if (Version != LangOptions::MSVC2015 / 100) {
5807 S.Diag(AL.getLoc(), diag::err_attribute_argument_out_of_bounds)
5808 << AL << Version << VersionExpr->getSourceRange();
5809 return;
5810 }
5811
5812 // The attribute expects a "major" version number like 19, but new versions of
5813 // MSVC have moved to updating the "minor", or less significant numbers, so we
5814 // have to multiply by 100 now.
5815 Version *= 100;
5816
5817 D->addAttr(::new (S.Context) LayoutVersionAttr(S.Context, AL, Version));
5818}
5819
5821 const AttributeCommonInfo &CI) {
5822 if (D->hasAttr<DLLExportAttr>()) {
5823 Diag(CI.getLoc(), diag::warn_attribute_ignored) << "'dllimport'";
5824 return nullptr;
5825 }
5826
5827 if (D->hasAttr<DLLImportAttr>())
5828 return nullptr;
5829
5830 return ::new (Context) DLLImportAttr(Context, CI);
5831}
5832
5834 const AttributeCommonInfo &CI) {
5835 if (DLLImportAttr *Import = D->getAttr<DLLImportAttr>()) {
5836 Diag(Import->getLocation(), diag::warn_attribute_ignored) << Import;
5837 D->dropAttr<DLLImportAttr>();
5838 }
5839
5840 if (D->hasAttr<DLLExportAttr>())
5841 return nullptr;
5842
5843 return ::new (Context) DLLExportAttr(Context, CI);
5844}
5845
5846static void handleDLLAttr(Sema &S, Decl *D, const ParsedAttr &A) {
5847 if (isa<ClassTemplatePartialSpecializationDecl>(D) &&
5849 S.Diag(A.getRange().getBegin(), diag::warn_attribute_ignored) << A;
5850 return;
5851 }
5852
5853 if (const auto *FD = dyn_cast<FunctionDecl>(D)) {
5854 if (FD->isInlined() && A.getKind() == ParsedAttr::AT_DLLImport &&
5856 // MinGW doesn't allow dllimport on inline functions.
5857 S.Diag(A.getRange().getBegin(), diag::warn_attribute_ignored_on_inline)
5858 << A;
5859 return;
5860 }
5861 }
5862
5863 if (const auto *MD = dyn_cast<CXXMethodDecl>(D)) {
5865 MD->getParent()->isLambda()) {
5866 S.Diag(A.getRange().getBegin(), diag::err_attribute_dll_lambda) << A;
5867 return;
5868 }
5869 }
5870
5871 Attr *NewAttr = A.getKind() == ParsedAttr::AT_DLLExport
5872 ? (Attr *)S.mergeDLLExportAttr(D, A)
5873 : (Attr *)S.mergeDLLImportAttr(D, A);
5874 if (NewAttr)
5875 D->addAttr(NewAttr);
5876}
5877
5878MSInheritanceAttr *
5880 bool BestCase,
5881 MSInheritanceModel Model) {
5882 if (MSInheritanceAttr *IA = D->getAttr<MSInheritanceAttr>()) {
5883 if (IA->getInheritanceModel() == Model)
5884 return nullptr;
5885 Diag(IA->getLocation(), diag::err_mismatched_ms_inheritance)
5886 << 1 /*previous declaration*/;
5887 Diag(CI.getLoc(), diag::note_previous_ms_inheritance);
5888 D->dropAttr<MSInheritanceAttr>();
5889 }
5890
5891 auto *RD = cast<CXXRecordDecl>(D);
5892 if (RD->hasDefinition()) {
5893 if (checkMSInheritanceAttrOnDefinition(RD, CI.getRange(), BestCase,
5894 Model)) {
5895 return nullptr;
5896 }
5897 } else {
5898 if (isa<ClassTemplatePartialSpecializationDecl>(RD)) {
5899 Diag(CI.getLoc(), diag::warn_ignored_ms_inheritance)
5900 << 1 /*partial specialization*/;
5901 return nullptr;
5902 }
5903 if (RD->getDescribedClassTemplate()) {
5904 Diag(CI.getLoc(), diag::warn_ignored_ms_inheritance)
5905 << 0 /*primary template*/;
5906 return nullptr;
5907 }
5908 }
5909
5910 return ::new (Context) MSInheritanceAttr(Context, CI, BestCase);
5911}
5912
5913static void handleCapabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5914 // The capability attributes take a single string parameter for the name of
5915 // the capability they represent. The lockable attribute does not take any
5916 // parameters. However, semantically, both attributes represent the same
5917 // concept, and so they use the same semantic attribute. Eventually, the
5918 // lockable attribute will be removed.
5919 //
5920 // For backward compatibility, any capability which has no specified string
5921 // literal will be considered a "mutex."
5922 StringRef N("mutex");
5923 SourceLocation LiteralLoc;
5924 if (AL.getKind() == ParsedAttr::AT_Capability &&
5925 !S.checkStringLiteralArgumentAttr(AL, 0, N, &LiteralLoc))
5926 return;
5927
5928 D->addAttr(::new (S.Context) CapabilityAttr(S.Context, AL, N));
5929}
5930
5931static void handleAssertCapabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5933 if (!checkLockFunAttrCommon(S, D, AL, Args))
5934 return;
5935
5936 D->addAttr(::new (S.Context)
5937 AssertCapabilityAttr(S.Context, AL, Args.data(), Args.size()));
5938}
5939
5941 const ParsedAttr &AL) {
5942 if (const auto *ParmDecl = dyn_cast<ParmVarDecl>(D);
5943 ParmDecl && !checkFunParamsAreScopedLockable(S, ParmDecl, AL))
5944 return;
5945
5947 if (!checkLockFunAttrCommon(S, D, AL, Args))
5948 return;
5949
5950 D->addAttr(::new (S.Context) AcquireCapabilityAttr(S.Context, AL, Args.data(),
5951 Args.size()));
5952}
5953
5955 const ParsedAttr &AL) {
5957 if (!checkTryLockFunAttrCommon(S, D, AL, Args))
5958 return;
5959
5960 D->addAttr(::new (S.Context) TryAcquireCapabilityAttr(
5961 S.Context, AL, AL.getArgAsExpr(0), Args.data(), Args.size()));
5962}
5963
5965 const ParsedAttr &AL) {
5966 if (const auto *ParmDecl = dyn_cast<ParmVarDecl>(D);
5967 ParmDecl && !checkFunParamsAreScopedLockable(S, ParmDecl, AL))
5968 return;
5969 // Check that all arguments are lockable objects.
5971 checkAttrArgsAreCapabilityObjs(S, D, AL, Args, 0, true);
5972
5973 D->addAttr(::new (S.Context) ReleaseCapabilityAttr(S.Context, AL, Args.data(),
5974 Args.size()));
5975}
5976
5978 const ParsedAttr &AL) {
5979 if (const auto *ParmDecl = dyn_cast<ParmVarDecl>(D);
5980 ParmDecl && !checkFunParamsAreScopedLockable(S, ParmDecl, AL))
5981 return;
5982
5983 if (!AL.checkAtLeastNumArgs(S, 1))
5984 return;
5985
5986 // check that all arguments are lockable objects
5988 checkAttrArgsAreCapabilityObjs(S, D, AL, Args);
5989 if (Args.empty())
5990 return;
5991
5992 RequiresCapabilityAttr *RCA = ::new (S.Context)
5993 RequiresCapabilityAttr(S.Context, AL, Args.data(), Args.size());
5994
5995 D->addAttr(RCA);
5996}
5997
5998static void handleDeprecatedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
5999 if (const auto *NSD = dyn_cast<NamespaceDecl>(D)) {
6000 if (NSD->isAnonymousNamespace()) {
6001 S.Diag(AL.getLoc(), diag::warn_deprecated_anonymous_namespace);
6002 // Do not want to attach the attribute to the namespace because that will
6003 // cause confusing diagnostic reports for uses of declarations within the
6004 // namespace.
6005 return;
6006 }
6009 S.Diag(AL.getRange().getBegin(), diag::warn_deprecated_ignored_on_using)
6010 << AL;
6011 return;
6012 }
6013
6014 // Handle the cases where the attribute has a text message.
6015 StringRef Str, Replacement;
6016 if (AL.isArgExpr(0) && AL.getArgAsExpr(0) &&
6017 !S.checkStringLiteralArgumentAttr(AL, 0, Str))
6018 return;
6019
6020 // Support a single optional message only for Declspec and [[]] spellings.
6022 AL.checkAtMostNumArgs(S, 1);
6023 else if (AL.isArgExpr(1) && AL.getArgAsExpr(1) &&
6024 !S.checkStringLiteralArgumentAttr(AL, 1, Replacement))
6025 return;
6026
6027 if (!S.getLangOpts().CPlusPlus14 && AL.isCXX11Attribute() && !AL.isGNUScope())
6028 S.Diag(AL.getLoc(), diag::ext_cxx14_attr) << AL;
6029
6030 D->addAttr(::new (S.Context) DeprecatedAttr(S.Context, AL, Str, Replacement));
6031}
6032
6033static bool isGlobalVar(const Decl *D) {
6034 if (const auto *S = dyn_cast<VarDecl>(D))
6035 return S->hasGlobalStorage();
6036 return false;
6037}
6038
6039static bool isSanitizerAttributeAllowedOnGlobals(StringRef Sanitizer) {
6040 return Sanitizer == "address" || Sanitizer == "hwaddress" ||
6041 Sanitizer == "memtag";
6042}
6043
6044static void handleNoSanitizeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6045 if (!AL.checkAtLeastNumArgs(S, 1))
6046 return;
6047
6048 std::vector<StringRef> Sanitizers;
6049
6050 for (unsigned I = 0, E = AL.getNumArgs(); I != E; ++I) {
6051 StringRef SanitizerName;
6052 SourceLocation LiteralLoc;
6053
6054 if (!S.checkStringLiteralArgumentAttr(AL, I, SanitizerName, &LiteralLoc))
6055 return;
6056
6057 if (parseSanitizerValue(SanitizerName, /*AllowGroups=*/true) ==
6058 SanitizerMask() &&
6059 SanitizerName != "coverage")
6060 S.Diag(LiteralLoc, diag::warn_unknown_sanitizer_ignored) << SanitizerName;
6061 else if (isGlobalVar(D) && !isSanitizerAttributeAllowedOnGlobals(SanitizerName))
6062 S.Diag(D->getLocation(), diag::warn_attribute_type_not_supported_global)
6063 << AL << SanitizerName;
6064 Sanitizers.push_back(SanitizerName);
6065 }
6066
6067 D->addAttr(::new (S.Context) NoSanitizeAttr(S.Context, AL, Sanitizers.data(),
6068 Sanitizers.size()));
6069}
6070
6072 const ParsedAttr &AL) {
6073 StringRef AttrName = AL.getAttrName()->getName();
6074 normalizeName(AttrName);
6075 StringRef SanitizerName = llvm::StringSwitch<StringRef>(AttrName)
6076 .Case("no_address_safety_analysis", "address")
6077 .Case("no_sanitize_address", "address")
6078 .Case("no_sanitize_thread", "thread")
6079 .Case("no_sanitize_memory", "memory");
6080 if (isGlobalVar(D) && SanitizerName != "address")
6081 S.Diag(D->getLocation(), diag::err_attribute_wrong_decl_type)
6083
6084 // FIXME: Rather than create a NoSanitizeSpecificAttr, this creates a
6085 // NoSanitizeAttr object; but we need to calculate the correct spelling list
6086 // index rather than incorrectly assume the index for NoSanitizeSpecificAttr
6087 // has the same spellings as the index for NoSanitizeAttr. We don't have a
6088 // general way to "translate" between the two, so this hack attempts to work
6089 // around the issue with hard-coded indices. This is critical for calling
6090 // getSpelling() or prettyPrint() on the resulting semantic attribute object
6091 // without failing assertions.
6092 unsigned TranslatedSpellingIndex = 0;
6094 TranslatedSpellingIndex = 1;
6095
6096 AttributeCommonInfo Info = AL;
6097 Info.setAttributeSpellingListIndex(TranslatedSpellingIndex);
6098 D->addAttr(::new (S.Context)
6099 NoSanitizeAttr(S.Context, Info, &SanitizerName, 1));
6100}
6101
6102static void handleInternalLinkageAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6103 if (InternalLinkageAttr *Internal = S.mergeInternalLinkageAttr(D, AL))
6104 D->addAttr(Internal);
6105}
6106
6107static void handleZeroCallUsedRegsAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6108 // Check that the argument is a string literal.
6109 StringRef KindStr;
6110 SourceLocation LiteralLoc;
6111 if (!S.checkStringLiteralArgumentAttr(AL, 0, KindStr, &LiteralLoc))
6112 return;
6113
6114 ZeroCallUsedRegsAttr::ZeroCallUsedRegsKind Kind;
6115 if (!ZeroCallUsedRegsAttr::ConvertStrToZeroCallUsedRegsKind(KindStr, Kind)) {
6116 S.Diag(LiteralLoc, diag::warn_attribute_type_not_supported)
6117 << AL << KindStr;
6118 return;
6119 }
6120
6121 D->dropAttr<ZeroCallUsedRegsAttr>();
6122 D->addAttr(ZeroCallUsedRegsAttr::Create(S.Context, Kind, AL));
6123}
6124
6125static void handleCountedByAttrField(Sema &S, Decl *D, const ParsedAttr &AL) {
6126 auto *FD = dyn_cast<FieldDecl>(D);
6127 assert(FD);
6128
6129 auto *CountExpr = AL.getArgAsExpr(0);
6130 if (!CountExpr)
6131 return;
6132
6133 bool CountInBytes;
6134 bool OrNull;
6135 switch (AL.getKind()) {
6136 case ParsedAttr::AT_CountedBy:
6137 CountInBytes = false;
6138 OrNull = false;
6139 break;
6140 case ParsedAttr::AT_CountedByOrNull:
6141 CountInBytes = false;
6142 OrNull = true;
6143 break;
6144 case ParsedAttr::AT_SizedBy:
6145 CountInBytes = true;
6146 OrNull = false;
6147 break;
6148 case ParsedAttr::AT_SizedByOrNull:
6149 CountInBytes = true;
6150 OrNull = true;
6151 break;
6152 default:
6153 llvm_unreachable("unexpected counted_by family attribute");
6154 }
6155
6156 if (S.CheckCountedByAttrOnField(FD, CountExpr, CountInBytes, OrNull))
6157 return;
6158
6160 FD->getType(), CountExpr, CountInBytes, OrNull);
6161 FD->setType(CAT);
6162}
6163
6165 const ParsedAttr &AL) {
6166 StringRef KindStr;
6167 SourceLocation LiteralLoc;
6168 if (!S.checkStringLiteralArgumentAttr(AL, 0, KindStr, &LiteralLoc))
6169 return;
6170
6171 FunctionReturnThunksAttr::Kind Kind;
6172 if (!FunctionReturnThunksAttr::ConvertStrToKind(KindStr, Kind)) {
6173 S.Diag(LiteralLoc, diag::warn_attribute_type_not_supported)
6174 << AL << KindStr;
6175 return;
6176 }
6177 // FIXME: it would be good to better handle attribute merging rather than
6178 // silently replacing the existing attribute, so long as it does not break
6179 // the expected codegen tests.
6180 D->dropAttr<FunctionReturnThunksAttr>();
6181 D->addAttr(FunctionReturnThunksAttr::Create(S.Context, Kind, AL));
6182}
6183
6185 const ParsedAttr &AL) {
6186 assert(isa<TypedefNameDecl>(D) && "This attribute only applies to a typedef");
6187 handleSimpleAttribute<AvailableOnlyInDefaultEvalMethodAttr>(S, D, AL);
6188}
6189
6190static void handleNoMergeAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6191 auto *VDecl = dyn_cast<VarDecl>(D);
6192 if (VDecl && !VDecl->isFunctionPointerType()) {
6193 S.Diag(AL.getLoc(), diag::warn_attribute_ignored_non_function_pointer)
6194 << AL << VDecl;
6195 return;
6196 }
6197 D->addAttr(NoMergeAttr::Create(S.Context, AL));
6198}
6199
6200static void handleNoUniqueAddressAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6201 D->addAttr(NoUniqueAddressAttr::Create(S.Context, AL));
6202}
6203
6204static void handleDestroyAttr(Sema &S, Decl *D, const ParsedAttr &A) {
6205 if (!cast<VarDecl>(D)->hasGlobalStorage()) {
6206 S.Diag(D->getLocation(), diag::err_destroy_attr_on_non_static_var)
6207 << (A.getKind() == ParsedAttr::AT_AlwaysDestroy);
6208 return;
6209 }
6210
6211 if (A.getKind() == ParsedAttr::AT_AlwaysDestroy)
6212 handleSimpleAttribute<AlwaysDestroyAttr>(S, D, A);
6213 else
6214 handleSimpleAttribute<NoDestroyAttr>(S, D, A);
6215}
6216
6217static void handleUninitializedAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6218 assert(cast<VarDecl>(D)->getStorageDuration() == SD_Automatic &&
6219 "uninitialized is only valid on automatic duration variables");
6220 D->addAttr(::new (S.Context) UninitializedAttr(S.Context, AL));
6221}
6222
6223static void handleMIGServerRoutineAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6224 // Check that the return type is a `typedef int kern_return_t` or a typedef
6225 // around it, because otherwise MIG convention checks make no sense.
6226 // BlockDecl doesn't store a return type, so it's annoying to check,
6227 // so let's skip it for now.
6228 if (!isa<BlockDecl>(D)) {
6230 bool IsKernReturnT = false;
6231 while (const auto *TT = T->getAs<TypedefType>()) {
6232 IsKernReturnT = (TT->getDecl()->getName() == "kern_return_t");
6233 T = TT->desugar();
6234 }
6235 if (!IsKernReturnT || T.getCanonicalType() != S.getASTContext().IntTy) {
6236 S.Diag(D->getBeginLoc(),
6237 diag::warn_mig_server_routine_does_not_return_kern_return_t);
6238 return;
6239 }
6240 }
6241
6242 handleSimpleAttribute<MIGServerRoutineAttr>(S, D, AL);
6243}
6244
6245static void handleMSAllocatorAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6246 // Warn if the return type is not a pointer or reference type.
6247 if (auto *FD = dyn_cast<FunctionDecl>(D)) {
6248 QualType RetTy = FD->getReturnType();
6249 if (!RetTy->isPointerOrReferenceType()) {
6250 S.Diag(AL.getLoc(), diag::warn_declspec_allocator_nonpointer)
6251 << AL.getRange() << RetTy;
6252 return;
6253 }
6254 }
6255
6256 handleSimpleAttribute<MSAllocatorAttr>(S, D, AL);
6257}
6258
6259static void handleAcquireHandleAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6260 if (AL.isUsedAsTypeAttr())
6261 return;
6262 // Warn if the parameter is definitely not an output parameter.
6263 if (const auto *PVD = dyn_cast<ParmVarDecl>(D)) {
6264 if (PVD->getType()->isIntegerType()) {
6265 S.Diag(AL.getLoc(), diag::err_attribute_output_parameter)
6266 << AL.getRange();
6267 return;
6268 }
6269 }
6270 StringRef Argument;
6271 if (!S.checkStringLiteralArgumentAttr(AL, 0, Argument))
6272 return;
6273 D->addAttr(AcquireHandleAttr::Create(S.Context, Argument, AL));
6274}
6275
6276template<typename Attr>
6277static void handleHandleAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6278 StringRef Argument;
6279 if (!S.checkStringLiteralArgumentAttr(AL, 0, Argument))
6280 return;
6281 D->addAttr(Attr::Create(S.Context, Argument, AL));
6282}
6283
6284template<typename Attr>
6285static void handleUnsafeBufferUsage(Sema &S, Decl *D, const ParsedAttr &AL) {
6286 D->addAttr(Attr::Create(S.Context, AL));
6287}
6288
6289static void handleCFGuardAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6290 // The guard attribute takes a single identifier argument.
6291
6292 if (!AL.isArgIdent(0)) {
6293 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
6294 << AL << AANT_ArgumentIdentifier;
6295 return;
6296 }
6297
6298 CFGuardAttr::GuardArg Arg;
6299 IdentifierInfo *II = AL.getArgAsIdent(0)->Ident;
6300 if (!CFGuardAttr::ConvertStrToGuardArg(II->getName(), Arg)) {
6301 S.Diag(AL.getLoc(), diag::warn_attribute_type_not_supported) << AL << II;
6302 return;
6303 }
6304
6305 D->addAttr(::new (S.Context) CFGuardAttr(S.Context, AL, Arg));
6306}
6307
6308
6309template <typename AttrTy>
6310static const AttrTy *findEnforceTCBAttrByName(Decl *D, StringRef Name) {
6311 auto Attrs = D->specific_attrs<AttrTy>();
6312 auto I = llvm::find_if(Attrs,
6313 [Name](const AttrTy *A) {
6314 return A->getTCBName() == Name;
6315 });
6316 return I == Attrs.end() ? nullptr : *I;
6317}
6318
6319template <typename AttrTy, typename ConflictingAttrTy>
6320static void handleEnforceTCBAttr(Sema &S, Decl *D, const ParsedAttr &AL) {
6321 StringRef Argument;
6322 if (!S.checkStringLiteralArgumentAttr(AL, 0, Argument))
6323 return;
6324
6325 // A function cannot be have both regular and leaf membership in the same TCB.
6326 if (const ConflictingAttrTy *ConflictingAttr =
6327 findEnforceTCBAttrByName<ConflictingAttrTy>(D, Argument)) {
6328 // We could attach a note to the other attribute but in this case
6329 // there's no need given how the two are very close to each other.
6330 S.Diag(AL.getLoc(), diag::err_tcb_conflicting_attributes)
6331 << AL.getAttrName()->getName() << ConflictingAttr->getAttrName()->getName()
6332 << Argument;
6333
6334 // Error recovery: drop the non-leaf attribute so that to suppress
6335 // all future warnings caused by erroneous attributes. The leaf attribute
6336 // needs to be kept because it can only suppresses warnings, not cause them.
6337 D->dropAttr<EnforceTCBAttr>();
6338 return;
6339 }
6340
6341 D->addAttr(AttrTy::Create(S.Context, Argument, AL));
6342}
6343
6344template <typename AttrTy, typename ConflictingAttrTy>
6345static AttrTy *mergeEnforceTCBAttrImpl(Sema &S, Decl *D, const AttrTy &AL) {
6346 // Check if the new redeclaration has different leaf-ness in the same TCB.
6347 StringRef TCBName = AL.getTCBName();
6348 if (const ConflictingAttrTy *ConflictingAttr =
6349 findEnforceTCBAttrByName<ConflictingAttrTy>(D, TCBName)) {
6350 S.Diag(ConflictingAttr->getLoc(), diag::err_tcb_conflicting_attributes)
6351 << ConflictingAttr->getAttrName()->getName()
6352 << AL.getAttrName()->getName() << TCBName;
6353
6354 // Add a note so that the user could easily find the conflicting attribute.
6355 S.Diag(AL.getLoc(), diag::note_conflicting_attribute);
6356
6357 // More error recovery.
6358 D->dropAttr<EnforceTCBAttr>();
6359 return nullptr;
6360 }
6361
6362 ASTContext &Context = S.getASTContext();
6363 return ::new(Context) AttrTy(Context, AL, AL.getTCBName());
6364}
6365
6366EnforceTCBAttr *Sema::mergeEnforceTCBAttr(Decl *D, const EnforceTCBAttr &AL) {
6367 return mergeEnforceTCBAttrImpl<EnforceTCBAttr, EnforceTCBLeafAttr>(
6368 *this, D, AL);
6369}
6370
6372 Decl *D, const EnforceTCBLeafAttr &AL) {
6373 return mergeEnforceTCBAttrImpl<EnforceTCBLeafAttr, EnforceTCBAttr>(
6374 *this, D, AL);
6375}
6376
6378 const ParsedAttr &AL) {
6379 CXXRecordDecl *Decl = cast<CXXRecordDecl>(D);
6380 const uint32_t NumArgs = AL.getNumArgs();
6381 if (NumArgs > 4) {
6382 S.Diag(AL.getLoc(), diag::err_attribute_too_many_arguments) << AL << 4;
6383 AL.setInvalid();
6384 }
6385
6386 if (NumArgs == 0) {
6387 S.Diag(AL.getLoc(), diag::err_attribute_too_few_arguments) << AL;
6388 AL.setInvalid();
6389 return;
6390 }
6391
6392 if (D->getAttr<VTablePointerAuthenticationAttr>()) {
6393 S.Diag(AL.getLoc(), diag::err_duplicated_vtable_pointer_auth) << Decl;
6394 AL.setInvalid();
6395 }
6396
6397 auto KeyType = VTablePointerAuthenticationAttr::VPtrAuthKeyType::DefaultKey;
6398 if (AL.isArgIdent(0)) {
6399 IdentifierLoc *IL = AL.getArgAsIdent(0);
6400 if (!VTablePointerAuthenticationAttr::ConvertStrToVPtrAuthKeyType(
6401 IL->Ident->getName(), KeyType)) {
6402 S.Diag(IL->Loc, diag::err_invalid_authentication_key) << IL->Ident;
6403 AL.setInvalid();
6404 }
6405 if (KeyType == VTablePointerAuthenticationAttr::DefaultKey &&
6406 !S.getLangOpts().PointerAuthCalls) {
6407 S.Diag(AL.getLoc(), diag::err_no_default_vtable_pointer_auth) << 0;
6408 AL.setInvalid();
6409 }
6410 } else {
6411 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
6412 << AL << AANT_ArgumentIdentifier;
6413 return;
6414 }
6415
6416 auto AddressDiversityMode = VTablePointerAuthenticationAttr::
6417 AddressDiscriminationMode::DefaultAddressDiscrimination;
6418 if (AL.getNumArgs() > 1) {
6419 if (AL.isArgIdent(1)) {
6420 IdentifierLoc *IL = AL.getArgAsIdent(1);
6421 if (!VTablePointerAuthenticationAttr::
6422 ConvertStrToAddressDiscriminationMode(IL->Ident->getName(),
6423 AddressDiversityMode)) {
6424 S.Diag(IL->Loc, diag::err_invalid_address_discrimination) << IL->Ident;
6425 AL.setInvalid();
6426 }
6427 if (AddressDiversityMode ==
6428 VTablePointerAuthenticationAttr::DefaultAddressDiscrimination &&
6429 !S.getLangOpts().PointerAuthCalls) {
6430 S.Diag(IL->Loc, diag::err_no_default_vtable_pointer_auth) << 1;
6431 AL.setInvalid();
6432 }
6433 } else {
6434 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
6435 << AL << AANT_ArgumentIdentifier;
6436 }
6437 }
6438
6439 auto ED = VTablePointerAuthenticationAttr::ExtraDiscrimination::
6440 DefaultExtraDiscrimination;
6441 if (AL.getNumArgs() > 2) {
6442 if (AL.isArgIdent(2)) {
6443 IdentifierLoc *IL = AL.getArgAsIdent(2);
6444 if (!VTablePointerAuthenticationAttr::ConvertStrToExtraDiscrimination(
6445 IL->Ident->getName(), ED)) {
6446 S.Diag(IL->Loc, diag::err_invalid_extra_discrimination) << IL->Ident;
6447 AL.setInvalid();
6448 }
6449 if (ED == VTablePointerAuthenticationAttr::DefaultExtraDiscrimination &&
6450 !S.getLangOpts().PointerAuthCalls) {
6451 S.Diag(AL.getLoc(), diag::err_no_default_vtable_pointer_auth) << 2;
6452 AL.setInvalid();
6453 }
6454 } else {
6455 S.Diag(AL.getLoc(), diag::err_attribute_argument_type)
6456 << AL << AANT_ArgumentIdentifier;
6457 }
6458 }
6459
6460 uint32_t CustomDiscriminationValue = 0;
6461 if (ED == VTablePointerAuthenticationAttr::CustomDiscrimination) {
6462 if (NumArgs < 4) {
6463 S.Diag(AL.getLoc(), diag::err_missing_custom_discrimination) << AL << 4;
6464 AL.setInvalid();
6465 return;
6466 }
6467 if (NumArgs > 4) {
6468 S.Diag(AL.getLoc(), diag::err_attribute_too_many_arguments) << AL << 4;
6469 AL.setInvalid();
6470 }
6471
6472 if (!AL.isArgExpr(3) || !S.checkUInt32Argument(AL, AL.getArgAsExpr(3),
6473 CustomDiscriminationValue)) {
6474 S.Diag(AL.getLoc(), diag::err_invalid_custom_discrimination);
6475 AL.setInvalid();
6476 }
6477 } else if (NumArgs > 3) {
6478 S.Diag(AL.getLoc(), diag::err_attribute_too_many_arguments) << AL << 3;
6479 AL.setInvalid();
6480 }
6481
6482 Decl->addAttr(::new (S.Context) VTablePointerAuthenticationAttr(
6483 S.Context, AL, KeyType, AddressDiversityMode, ED,
6484 CustomDiscriminationValue));
6485}
6486
6487//===----------------------------------------------------------------------===//
6488// Top Level Sema Entry Points
6489//===----------------------------------------------------------------------===//
6490
6491// Returns true if the attribute must delay setting its arguments until after
6492// template instantiation, and false otherwise.
6494 // Only attributes that accept expression parameter packs can delay arguments.
6495 if (!AL.acceptsExprPack())
6496 return false;
6497
6498 bool AttrHasVariadicArg = AL.hasVariadicArg();
6499 unsigned AttrNumArgs = AL.getNumArgMembers();
6500 for (size_t I = 0; I < std::min(AL.getNumArgs(), AttrNumArgs); ++I) {
6501 bool IsLastAttrArg = I == (AttrNumArgs - 1);
6502 // If the argument is the last argument and it is variadic it can contain
6503 // any expression.
6504 if (IsLastAttrArg && AttrHasVariadicArg)
6505 return false;
6506 Expr *E = AL.getArgAsExpr(I);
6507 bool ArgMemberCanHoldExpr = AL.isParamExpr(I);
6508 // If the expression is a pack expansion then arguments must be delayed
6509 // unless the argument is an expression and it is the last argument of the
6510 // attribute.
6511 if (isa<PackExpansionExpr>(E))
6512 return !(IsLastAttrArg && ArgMemberCanHoldExpr);
6513 // Last case is if the expression is value dependent then it must delay
6514 // arguments unless the corresponding argument is able to hold the
6515 // expression.
6516 if (E->isValueDependent() && !ArgMemberCanHoldExpr)
6517 return true;
6518 }
6519 return false;
6520}
6521
6522/// ProcessDeclAttribute - Apply the specific attribute to the specified decl if
6523/// the attribute applies to decls. If the attribute is a type attribute, just
6524/// silently ignore it if a GNU attribute.
6525static void
6527 const Sema::ProcessDeclAttributeOptions &Options) {
6529 return;
6530
6531 // Ignore C++11 attributes on declarator chunks: they appertain to the type
6532 // instead. Note, isCXX11Attribute() will look at whether the attribute is
6533 // [[]] or alignas, while isC23Attribute() will only look at [[]]. This is
6534 // important for ensuring that alignas in C23 is properly handled on a
6535 // structure member declaration because it is a type-specifier-qualifier in
6536 // C but still applies to the declaration rather than the type.
6537 if ((S.getLangOpts().CPlusPlus ? AL.isCXX11Attribute()
6538 : AL.isC23Attribute()) &&
6539 !Options.IncludeCXX11Attributes)
6540 return;
6541
6542 // Unknown attributes are automatically warned on. Target-specific attributes
6543 // which do not apply to the current target architecture are treated as
6544 // though they were unknown attributes.
6547 S.Diag(AL.getLoc(),
6549 ? (unsigned)diag::err_keyword_not_supported_on_target
6550 : AL.isDeclspecAttribute()
6551 ? (unsigned)diag::warn_unhandled_ms_attribute_ignored
6552 : (unsigned)diag::warn_unknown_attribute_ignored)
6553 << AL << AL.getRange();
6554 return;
6555 }
6556
6557 // Check if argument population must delayed to after template instantiation.
6558 bool MustDelayArgs = MustDelayAttributeArguments(AL);
6559
6560 // Argument number check must be skipped if arguments are delayed.
6561 if (S.checkCommonAttributeFeatures(D, AL, MustDelayArgs))
6562 return;
6563
6564 if (MustDelayArgs) {
6566 return;
6567 }
6568
6569 switch (AL.getKind()) {
6570 default:
6572 break;
6573 if (!AL.isStmtAttr()) {
6574 assert(AL.isTypeAttr() && "Non-type attribute not handled");
6575 }
6576 if (AL.isTypeAttr()) {
6577 if (Options.IgnoreTypeAttributes)
6578 break;
6580 // Non-[[]] type attributes are handled in processTypeAttrs(); silently
6581 // move on.
6582 break;
6583 }
6584
6585 // According to the C and C++ standards, we should never see a
6586 // [[]] type attribute on a declaration. However, we have in the past
6587 // allowed some type attributes to "slide" to the `DeclSpec`, so we need
6588 // to continue to support this legacy behavior. We only do this, however,
6589 // if
6590 // - we actually have a `DeclSpec`, i.e. if we're looking at a
6591 // `DeclaratorDecl`, or
6592 // - we are looking at an alias-declaration, where historically we have
6593 // allowed type attributes after the identifier to slide to the type.
6595 isa<DeclaratorDecl, TypeAliasDecl>(D)) {
6596 // Suggest moving the attribute to the type instead, but only for our
6597 // own vendor attributes; moving other vendors' attributes might hurt
6598 // portability.
6599 if (AL.isClangScope()) {
6600 S.Diag(AL.getLoc(), diag::warn_type_attribute_deprecated_on_decl)
6601 << AL << D->getLocation();
6602 }
6603
6604 // Allow this type attribute to be handled in processTypeAttrs();
6605 // silently move on.
6606 break;
6607 }
6608
6609 if (AL.getKind() == ParsedAttr::AT_Regparm) {
6610 // `regparm` is a special case: It's a type attribute but we still want
6611 // to treat it as if it had been written on the declaration because that
6612 // way we'll be able to handle it directly in `processTypeAttr()`.
6613 // If we treated `regparm` it as if it had been written on the
6614 // `DeclSpec`, the logic in `distributeFunctionTypeAttrFromDeclSepc()`
6615 // would try to move it to the declarator, but that doesn't work: We
6616 // can't remove the attribute from the list of declaration attributes
6617 // because it might be needed by other declarators in the same
6618 // declaration.
6619 break;
6620 }
6621
6622 if (AL.getKind() == ParsedAttr::AT_VectorSize) {
6623 // `vector_size` is a special case: It's a type attribute semantically,
6624 // but GCC expects the [[]] syntax to be written on the declaration (and
6625 // warns that the attribute has no effect if it is placed on the
6626 // decl-specifier-seq).
6627 // Silently move on and allow the attribute to be handled in
6628 // processTypeAttr().
6629 break;
6630 }
6631
6632 if (AL.getKind() == ParsedAttr::AT_NoDeref) {
6633 // FIXME: `noderef` currently doesn't work correctly in [[]] syntax.
6634 // See https://github.com/llvm/llvm-project/issues/55790 for details.
6635 // We allow processTypeAttrs() to emit a warning and silently move on.
6636 break;
6637 }
6638 }
6639 // N.B., ClangAttrEmitter.cpp emits a diagnostic helper that ensures a
6640 // statement attribute is not written on a declaration, but this code is
6641 // needed for type attributes as well as statement attributes in Attr.td
6642 // that do not list any subjects.
6643 S.Diag(AL.getLoc(), diag::err_attribute_invalid_on_decl)
6644 << AL << AL.isRegularKeywordAttribute() << D->getLocation();
6645 break;
6646 case ParsedAttr::AT_Interrupt:
6647 handleInterruptAttr(S, D, AL);
6648 break;
6649 case ParsedAttr::AT_X86ForceAlignArgPointer:
6651 break;
6652 case ParsedAttr::AT_ReadOnlyPlacement:
6653 handleSimpleAttribute<ReadOnlyPlacementAttr>(S, D, AL);
6654 break;
6655 case ParsedAttr::AT_DLLExport:
6656 case ParsedAttr::AT_DLLImport:
6657 handleDLLAttr(S, D, AL);
6658 break;
6659 case ParsedAttr::AT_AMDGPUFlatWorkGroupSize:
6661 break;
6662 case ParsedAttr::AT_AMDGPUWavesPerEU:
6664 break;
6665 case ParsedAttr::AT_AMDGPUNumSGPR:
6667 break;
6668 case ParsedAttr::AT_AMDGPUNumVGPR:
6670 break;
6671 case ParsedAttr::AT_AMDGPUMaxNumWorkGroups:
6673 break;
6674 case ParsedAttr::AT_AVRSignal:
6675 S.AVR().handleSignalAttr(D, AL);
6676 break;
6677 case ParsedAttr::AT_BPFPreserveAccessIndex:
6679 break;
6680 case ParsedAttr::AT_BPFPreserveStaticOffset:
6681 handleSimpleAttribute<BPFPreserveStaticOffsetAttr>(S, D, AL);
6682 break;
6683 case ParsedAttr::AT_BTFDeclTag:
6684 handleBTFDeclTagAttr(S, D, AL);
6685 break;
6686 case ParsedAttr::AT_WebAssemblyExportName:
6688 break;
6689 case ParsedAttr::AT_WebAssemblyImportModule:
6691 break;
6692 case ParsedAttr::AT_WebAssemblyImportName:
6694 break;
6695 case ParsedAttr::AT_IBOutlet:
6696 S.ObjC().handleIBOutlet(D, AL);
6697 break;
6698 case ParsedAttr::AT_IBOutletCollection:
6700 break;
6701 case ParsedAttr::AT_IFunc:
6702 handleIFuncAttr(S, D, AL);
6703 break;
6704 case ParsedAttr::AT_Alias:
6705 handleAliasAttr(S, D, AL);
6706 break;
6707 case ParsedAttr::AT_Aligned:
6708 handleAlignedAttr(S, D, AL);
6709 break;
6710 case ParsedAttr::AT_AlignValue:
6711 handleAlignValueAttr(S, D, AL);
6712 break;
6713 case ParsedAttr::AT_AllocSize:
6714 handleAllocSizeAttr(S, D, AL);
6715 break;
6716 case ParsedAttr::AT_AlwaysInline:
6717 handleAlwaysInlineAttr(S, D, AL);
6718 break;
6719 case ParsedAttr::AT_AnalyzerNoReturn:
6721 break;
6722 case ParsedAttr::AT_TLSModel:
6723 handleTLSModelAttr(S, D, AL);
6724 break;
6725 case ParsedAttr::AT_Annotate:
6726 handleAnnotateAttr(S, D, AL);
6727 break;
6728 case ParsedAttr::AT_Availability:
6729 handleAvailabilityAttr(S, D, AL);
6730 break;
6731 case ParsedAttr::AT_CarriesDependency:
6732 handleDependencyAttr(S, scope, D, AL);
6733 break;
6734 case ParsedAttr::AT_CPUDispatch:
6735 case ParsedAttr::AT_CPUSpecific:
6736 handleCPUSpecificAttr(S, D, AL);
6737 break;
6738 case ParsedAttr::AT_Common:
6739 handleCommonAttr(S, D, AL);
6740 break;
6741 case ParsedAttr::AT_CUDAConstant:
6742 handleConstantAttr(S, D, AL);
6743 break;
6744 case ParsedAttr::AT_PassObjectSize:
6746 break;
6747 case ParsedAttr::AT_Constructor:
6748 handleConstructorAttr(S, D, AL);
6749 break;
6750 case ParsedAttr::AT_Deprecated:
6751 handleDeprecatedAttr(S, D, AL);
6752 break;
6753 case ParsedAttr::AT_Destructor:
6754 handleDestructorAttr(S, D, AL);
6755 break;
6756 case ParsedAttr::AT_EnableIf:
6757 handleEnableIfAttr(S, D, AL);
6758 break;
6759 case ParsedAttr::AT_Error:
6760 handleErrorAttr(S, D, AL);
6761 break;
6762 case ParsedAttr::AT_ExcludeFromExplicitInstantiation:
6764 break;
6765 case ParsedAttr::AT_DiagnoseIf:
6766 handleDiagnoseIfAttr(S, D, AL);
6767 break;
6768 case ParsedAttr::AT_DiagnoseAsBuiltin:
6770 break;
6771 case ParsedAttr::AT_NoBuiltin:
6772 handleNoBuiltinAttr(S, D, AL);
6773 break;
6774 case ParsedAttr::AT_ExtVectorType:
6775 handleExtVectorTypeAttr(S, D, AL);
6776 break;
6777 case ParsedAttr::AT_ExternalSourceSymbol:
6779 break;
6780 case ParsedAttr::AT_MinSize:
6781 handleMinSizeAttr(S, D, AL);
6782 break;
6783 case ParsedAttr::AT_OptimizeNone:
6784 handleOptimizeNoneAttr(S, D, AL);
6785 break;
6786 case ParsedAttr::AT_EnumExtensibility:
6788 break;
6789 case ParsedAttr::AT_SYCLKernel:
6790 S.SYCL().handleKernelAttr(D, AL);
6791 break;
6792 case ParsedAttr::AT_SYCLKernelEntryPoint:
6794 break;
6795 case ParsedAttr::AT_SYCLSpecialClass:
6796 handleSimpleAttribute<SYCLSpecialClassAttr>(S, D, AL);
6797 break;
6798 case ParsedAttr::AT_Format:
6799 handleFormatAttr(S, D, AL);
6800 break;
6801 case ParsedAttr::AT_FormatArg:
6802 handleFormatArgAttr(S, D, AL);
6803 break;
6804 case ParsedAttr::AT_Callback:
6805 handleCallbackAttr(S, D, AL);
6806 break;
6807 case ParsedAttr::AT_LifetimeCaptureBy:
6809 break;
6810 case ParsedAttr::AT_CalledOnce:
6811 handleCalledOnceAttr(S, D, AL);
6812 break;
6813 case ParsedAttr::AT_NVPTXKernel:
6814 case ParsedAttr::AT_CUDAGlobal:
6815 handleGlobalAttr(S, D, AL);
6816 break;
6817 case ParsedAttr::AT_CUDADevice:
6818 handleDeviceAttr(S, D, AL);
6819 break;
6820 case ParsedAttr::AT_CUDAGridConstant:
6821 handleGridConstantAttr(S, D, AL);
6822 break;
6823 case ParsedAttr::AT_HIPManaged:
6824 handleManagedAttr(S, D, AL);
6825 break;
6826 case ParsedAttr::AT_GNUInline:
6827 handleGNUInlineAttr(S, D, AL);
6828 break;
6829 case ParsedAttr::AT_CUDALaunchBounds:
6830 handleLaunchBoundsAttr(S, D, AL);
6831 break;
6832 case ParsedAttr::AT_Restrict:
6833 handleRestrictAttr(S, D, AL);
6834 break;
6835 case ParsedAttr::AT_Mode:
6836 handleModeAttr(S, D, AL);
6837 break;
6838 case ParsedAttr::AT_NonNull:
6839 if (auto *PVD = dyn_cast<ParmVarDecl>(D))
6840 handleNonNullAttrParameter(S, PVD, AL);
6841 else
6842 handleNonNullAttr(S, D, AL);
6843 break;
6844 case ParsedAttr::AT_ReturnsNonNull:
6846 break;
6847 case ParsedAttr::AT_NoEscape:
6848 handleNoEscapeAttr(S, D, AL);
6849 break;
6850 case ParsedAttr::AT_MaybeUndef:
6851 handleSimpleAttribute<MaybeUndefAttr>(S, D, AL);
6852 break;
6853 case ParsedAttr::AT_AssumeAligned:
6854 handleAssumeAlignedAttr(S, D, AL);
6855 break;
6856 case ParsedAttr::AT_AllocAlign:
6857 handleAllocAlignAttr(S, D, AL);
6858 break;
6859 case ParsedAttr::AT_Ownership:
6860 handleOwnershipAttr(S, D, AL);
6861 break;
6862 case ParsedAttr::AT_Naked:
6863 handleNakedAttr(S, D, AL);
6864 break;
6865 case ParsedAttr::AT_NoReturn:
6866 handleNoReturnAttr(S, D, AL);
6867 break;
6868 case ParsedAttr::AT_CXX11NoReturn:
6870 break;
6871 case ParsedAttr::AT_AnyX86NoCfCheck:
6872 handleNoCfCheckAttr(S, D, AL);
6873 break;
6874 case ParsedAttr::AT_NoThrow:
6875 if (!AL.isUsedAsTypeAttr())
6876 handleSimpleAttribute<NoThrowAttr>(S, D, AL);
6877 break;
6878 case ParsedAttr::AT_CUDAShared:
6879 handleSharedAttr(S, D, AL);
6880 break;
6881 case ParsedAttr::AT_VecReturn:
6882 handleVecReturnAttr(S, D, AL);
6883 break;
6884 case ParsedAttr::AT_ObjCOwnership:
6885 S.ObjC().handleOwnershipAttr(D, AL);
6886 break;
6887 case ParsedAttr::AT_ObjCPreciseLifetime:
6889 break;
6890 case ParsedAttr::AT_ObjCReturnsInnerPointer:
6892 break;
6893 case ParsedAttr::AT_ObjCRequiresSuper:
6895 break;
6896 case ParsedAttr::AT_ObjCBridge:
6897 S.ObjC().handleBridgeAttr(D, AL);
6898 break;
6899 case ParsedAttr::AT_ObjCBridgeMutable:
6901 break;
6902 case ParsedAttr::AT_ObjCBridgeRelated:
6904 break;
6905 case ParsedAttr::AT_ObjCDesignatedInitializer:
6907 break;
6908 case ParsedAttr::AT_ObjCRuntimeName:
6909 S.ObjC().handleRuntimeName(D, AL);
6910 break;
6911 case ParsedAttr::AT_ObjCBoxable:
6912 S.ObjC().handleBoxable(D, AL);
6913 break;
6914 case ParsedAttr::AT_NSErrorDomain:
6915 S.ObjC().handleNSErrorDomain(D, AL);
6916 break;
6917 case ParsedAttr::AT_CFConsumed:
6918 case ParsedAttr::AT_NSConsumed:
6919 case ParsedAttr::AT_OSConsumed:
6920 S.ObjC().AddXConsumedAttr(D, AL,
6922 /*IsTemplateInstantiation=*/false);
6923 break;
6924 case ParsedAttr::AT_OSReturnsRetainedOnZero:
6925 handleSimpleAttributeOrDiagnose<OSReturnsRetainedOnZeroAttr>(
6926 S, D, AL, S.ObjC().isValidOSObjectOutParameter(D),
6927 diag::warn_ns_attribute_wrong_parameter_type,
6928 /*Extra Args=*/AL, /*pointer-to-OSObject-pointer*/ 3, AL.getRange());
6929 break;
6930 case ParsedAttr::AT_OSReturnsRetainedOnNonZero:
6931 handleSimpleAttributeOrDiagnose<OSReturnsRetainedOnNonZeroAttr>(
6932 S, D, AL, S.ObjC().isValidOSObjectOutParameter(D),
6933 diag::warn_ns_attribute_wrong_parameter_type,
6934 /*Extra Args=*/AL, /*pointer-to-OSObject-poointer*/ 3, AL.getRange());
6935 break;
6936 case ParsedAttr::AT_NSReturnsAutoreleased:
6937 case ParsedAttr::AT_NSReturnsNotRetained:
6938 case ParsedAttr::AT_NSReturnsRetained:
6939 case ParsedAttr::AT_CFReturnsNotRetained:
6940 case ParsedAttr::AT_CFReturnsRetained:
6941 case ParsedAttr::AT_OSReturnsNotRetained:
6942 case ParsedAttr::AT_OSReturnsRetained:
6944 break;
6945 case ParsedAttr::AT_WorkGroupSizeHint:
6946 handleWorkGroupSize<WorkGroupSizeHintAttr>(S, D, AL);
6947 break;
6948 case ParsedAttr::AT_ReqdWorkGroupSize:
6949 handleWorkGroupSize<ReqdWorkGroupSizeAttr>(S, D, AL);
6950 break;
6951 case ParsedAttr::AT_OpenCLIntelReqdSubGroupSize:
6952 S.OpenCL().handleSubGroupSize(D, AL);
6953 break;
6954 case ParsedAttr::AT_VecTypeHint:
6955 handleVecTypeHint(S, D, AL);
6956 break;
6957 case ParsedAttr::AT_InitPriority:
6958 handleInitPriorityAttr(S, D, AL);
6959 break;
6960 case ParsedAttr::AT_Packed:
6961 handlePackedAttr(S, D, AL);
6962 break;
6963 case ParsedAttr::AT_PreferredName:
6964 handlePreferredName(S, D, AL);
6965 break;
6966 case ParsedAttr::AT_NoSpecializations:
6967 handleNoSpecializations(S, D, AL);
6968 break;
6969 case ParsedAttr::AT_Section:
6970 handleSectionAttr(S, D, AL);
6971 break;
6972 case ParsedAttr::AT_CodeModel:
6973 handleCodeModelAttr(S, D, AL);
6974 break;
6975 case ParsedAttr::AT_RandomizeLayout:
6977 break;
6978 case ParsedAttr::AT_NoRandomizeLayout:
6980 break;
6981 case ParsedAttr::AT_CodeSeg:
6982 handleCodeSegAttr(S, D, AL);
6983 break;
6984 case ParsedAttr::AT_Target:
6985 handleTargetAttr(S, D, AL);
6986 break;
6987 case ParsedAttr::AT_TargetVersion:
6988 handleTargetVersionAttr(S, D, AL);
6989 break;
6990 case ParsedAttr::AT_TargetClones:
6991 handleTargetClonesAttr(S, D, AL);
6992 break;
6993 case ParsedAttr::AT_MinVectorWidth:
6995 break;
6996 case ParsedAttr::AT_Unavailable:
6997 handleAttrWithMessage<UnavailableAttr>(S, D, AL);
6998 break;
6999 case ParsedAttr::AT_OMPAssume:
7000 S.OpenMP().handleOMPAssumeAttr(D, AL);
7001 break;
7002 case ParsedAttr::AT_ObjCDirect:
7003 S.ObjC().handleDirectAttr(D, AL);
7004 break;
7005 case ParsedAttr::AT_ObjCDirectMembers:
7007 handleSimpleAttribute<ObjCDirectMembersAttr>(S, D, AL);
7008 break;
7009 case ParsedAttr::AT_ObjCExplicitProtocolImpl:
7011 break;
7012 case ParsedAttr::AT_Unused:
7013 handleUnusedAttr(S, D, AL);
7014 break;
7015 case ParsedAttr::AT_Visibility:
7016 handleVisibilityAttr(S, D, AL, false);
7017 break;
7018 case ParsedAttr::AT_TypeVisibility:
7019 handleVisibilityAttr(S, D, AL, true);
7020 break;
7021 case ParsedAttr::AT_WarnUnusedResult:
7022 handleWarnUnusedResult(S, D, AL);
7023 break;
7024 case ParsedAttr::AT_WeakRef:
7025 handleWeakRefAttr(S, D, AL);
7026 break;
7027 case ParsedAttr::AT_WeakImport:
7028 handleWeakImportAttr(S, D, AL);
7029 break;
7030 case ParsedAttr::AT_TransparentUnion:
7032 break;
7033 case ParsedAttr::AT_ObjCMethodFamily:
7034 S.ObjC().handleMethodFamilyAttr(D, AL);
7035 break;
7036 case ParsedAttr::AT_ObjCNSObject:
7037 S.ObjC().handleNSObject(D, AL);
7038 break;
7039 case ParsedAttr::AT_ObjCIndependentClass:
7040 S.ObjC().handleIndependentClass(D, AL);
7041 break;
7042 case ParsedAttr::AT_Blocks:
7043 S.ObjC().handleBlocksAttr(D, AL);
7044 break;
7045 case ParsedAttr::AT_Sentinel:
7046 handleSentinelAttr(S, D, AL);
7047 break;
7048 case ParsedAttr::AT_Cleanup:
7049 handleCleanupAttr(S, D, AL);
7050 break;
7051 case ParsedAttr::AT_NoDebug:
7052 handleNoDebugAttr(S, D, AL);
7053 break;
7054 case ParsedAttr::AT_CmseNSEntry:
7055 S.ARM().handleCmseNSEntryAttr(D, AL);
7056 break;
7057 case ParsedAttr::AT_StdCall:
7058 case ParsedAttr::AT_CDecl:
7059 case ParsedAttr::AT_FastCall:
7060 case ParsedAttr::AT_ThisCall:
7061 case ParsedAttr::AT_Pascal:
7062 case ParsedAttr::AT_RegCall:
7063 case ParsedAttr::AT_SwiftCall:
7064 case ParsedAttr::AT_SwiftAsyncCall:
7065 case ParsedAttr::AT_VectorCall:
7066 case ParsedAttr::AT_MSABI:
7067 case ParsedAttr::AT_SysVABI:
7068 case ParsedAttr::AT_Pcs:
7069 case ParsedAttr::AT_IntelOclBicc:
7070 case ParsedAttr::AT_PreserveMost:
7071 case ParsedAttr::AT_PreserveAll:
7072 case ParsedAttr::AT_AArch64VectorPcs:
7073 case ParsedAttr::AT_AArch64SVEPcs:
7074 case ParsedAttr::AT_AMDGPUKernelCall:
7075 case ParsedAttr::AT_M68kRTD:
7076 case ParsedAttr::AT_PreserveNone:
7077 case ParsedAttr::AT_RISCVVectorCC:
7078 handleCallConvAttr(S, D, AL);
7079 break;
7080 case ParsedAttr::AT_Suppress:
7081 handleSuppressAttr(S, D, AL);
7082 break;
7083 case ParsedAttr::AT_Owner:
7084 case ParsedAttr::AT_Pointer:
7086 break;
7087 case ParsedAttr::AT_OpenCLAccess:
7088 S.OpenCL().handleAccessAttr(D, AL);
7089 break;
7090 case ParsedAttr::AT_OpenCLNoSVM:
7091 S.OpenCL().handleNoSVMAttr(D, AL);
7092 break;
7093 case ParsedAttr::AT_SwiftContext:
7095 break;
7096 case ParsedAttr::AT_SwiftAsyncContext:
7098 break;
7099 case ParsedAttr::AT_SwiftErrorResult:
7101 break;
7102 case ParsedAttr::AT_SwiftIndirectResult:
7104 break;
7105 case ParsedAttr::AT_InternalLinkage:
7107 break;
7108 case ParsedAttr::AT_ZeroCallUsedRegs:
7110 break;
7111 case ParsedAttr::AT_FunctionReturnThunks:
7113 break;
7114 case ParsedAttr::AT_NoMerge:
7115 handleNoMergeAttr(S, D, AL);
7116 break;
7117 case ParsedAttr::AT_NoUniqueAddress:
7119 break;
7120
7121 case ParsedAttr::AT_AvailableOnlyInDefaultEvalMethod:
7123 break;
7124
7125 case ParsedAttr::AT_CountedBy:
7126 case ParsedAttr::AT_CountedByOrNull:
7127 case ParsedAttr::AT_SizedBy:
7128 case ParsedAttr::AT_SizedByOrNull:
7130 break;
7131
7132 // Microsoft attributes:
7133 case ParsedAttr::AT_LayoutVersion:
7134 handleLayoutVersion(S, D, AL);
7135 break;
7136 case ParsedAttr::AT_Uuid:
7137 handleUuidAttr(S, D, AL);
7138 break;
7139 case ParsedAttr::AT_MSInheritance:
7140 handleMSInheritanceAttr(S, D, AL);
7141 break;
7142 case ParsedAttr::AT_Thread:
7144 break;
7145 case ParsedAttr::AT_MSConstexpr:
7146 handleMSConstexprAttr(S, D, AL);
7147 break;
7148 case ParsedAttr::AT_HybridPatchable:
7149 handleSimpleAttribute<HybridPatchableAttr>(S, D, AL);
7150 break;
7151
7152 // HLSL attributes:
7153 case ParsedAttr::AT_HLSLNumThreads:
7154 S.HLSL().handleNumThreadsAttr(D, AL);
7155 break;
7156 case ParsedAttr::AT_HLSLWaveSize:
7157 S.HLSL().handleWaveSizeAttr(D, AL);
7158 break;
7159 case ParsedAttr::AT_HLSLSV_GroupThreadID:
7161 break;
7162 case ParsedAttr::AT_HLSLSV_GroupID:
7163 S.HLSL().handleSV_GroupIDAttr(D, AL);
7164 break;
7165 case ParsedAttr::AT_HLSLSV_GroupIndex:
7166 handleSimpleAttribute<HLSLSV_GroupIndexAttr>(S, D, AL);
7167 break;
7168 case ParsedAttr::AT_HLSLGroupSharedAddressSpace:
7169 handleSimpleAttribute<HLSLGroupSharedAddressSpaceAttr>(S, D, AL);
7170 break;
7171 case ParsedAttr::AT_HLSLSV_DispatchThreadID:
7173 break;
7174 case ParsedAttr::AT_HLSLPackOffset:
7175 S.HLSL().handlePackOffsetAttr(D, AL);
7176 break;
7177 case ParsedAttr::AT_HLSLShader:
7178 S.HLSL().handleShaderAttr(D, AL);
7179 break;
7180 case ParsedAttr::AT_HLSLResourceBinding:
7182 break;
7183 case ParsedAttr::AT_HLSLParamModifier:
7185 break;
7186
7187 case ParsedAttr::AT_AbiTag:
7188 handleAbiTagAttr(S, D, AL);
7189 break;
7190 case ParsedAttr::AT_CFGuard:
7191 handleCFGuardAttr(S, D, AL);
7192 break;
7193
7194 // Thread safety attributes:
7195 case ParsedAttr::AT_AssertExclusiveLock:
7197 break;
7198 case ParsedAttr::AT_AssertSharedLock:
7200 break;
7201 case ParsedAttr::AT_PtGuardedVar:
7202 handlePtGuardedVarAttr(S, D, AL);
7203 break;
7204 case ParsedAttr::AT_NoSanitize:
7205 handleNoSanitizeAttr(S, D, AL);
7206 break;
7207 case ParsedAttr::AT_NoSanitizeSpecific:
7209 break;
7210 case ParsedAttr::AT_GuardedBy:
7211 handleGuardedByAttr(S, D, AL);
7212 break;
7213 case ParsedAttr::AT_PtGuardedBy:
7214 handlePtGuardedByAttr(S, D, AL);
7215 break;
7216 case ParsedAttr::AT_ExclusiveTrylockFunction:
7218 break;
7219 case ParsedAttr::AT_LockReturned:
7220 handleLockReturnedAttr(S, D, AL);
7221 break;
7222 case ParsedAttr::AT_LocksExcluded:
7223 handleLocksExcludedAttr(S, D, AL);
7224 break;
7225 case ParsedAttr::AT_SharedTrylockFunction:
7227 break;
7228 case ParsedAttr::AT_AcquiredBefore:
7230 break;
7231 case ParsedAttr::AT_AcquiredAfter:
7232 handleAcquiredAfterAttr(S, D, AL);
7233 break;
7234
7235 // Capability analysis attributes.
7236 case ParsedAttr::AT_Capability:
7237 case ParsedAttr::AT_Lockable:
7238 handleCapabilityAttr(S, D, AL);
7239 break;
7240 case ParsedAttr::AT_RequiresCapability:
7242 break;
7243
7244 case ParsedAttr::AT_AssertCapability:
7246 break;
7247 case ParsedAttr::AT_AcquireCapability:
7249 break;
7250 case ParsedAttr::AT_ReleaseCapability:
7252 break;
7253 case ParsedAttr::AT_TryAcquireCapability:
7255 break;
7256
7257 // Consumed analysis attributes.
7258 case ParsedAttr::AT_Consumable:
7259 handleConsumableAttr(S, D, AL);
7260 break;
7261 case ParsedAttr::AT_CallableWhen:
7262 handleCallableWhenAttr(S, D, AL);
7263 break;
7264 case ParsedAttr::AT_ParamTypestate:
7266 break;
7267 case ParsedAttr::AT_ReturnTypestate:
7269 break;
7270 case ParsedAttr::AT_SetTypestate:
7271 handleSetTypestateAttr(S, D, AL);
7272 break;
7273 case ParsedAttr::AT_TestTypestate:
7274 handleTestTypestateAttr(S, D, AL);
7275 break;
7276
7277 // Type safety attributes.
7278 case ParsedAttr::AT_ArgumentWithTypeTag:
7280 break;
7281 case ParsedAttr::AT_TypeTagForDatatype:
7283 break;
7284
7285 // Swift attributes.
7286 case ParsedAttr::AT_SwiftAsyncName:
7287 S.Swift().handleAsyncName(D, AL);
7288 break;
7289 case ParsedAttr::AT_SwiftAttr:
7290 S.Swift().handleAttrAttr(D, AL);
7291 break;
7292 case ParsedAttr::AT_SwiftBridge:
7293 S.Swift().handleBridge(D, AL);
7294 break;
7295 case ParsedAttr::AT_SwiftError:
7296 S.Swift().handleError(D, AL);
7297 break;
7298 case ParsedAttr::AT_SwiftName:
7299 S.Swift().handleName(D, AL);
7300 break;
7301 case ParsedAttr::AT_SwiftNewType:
7302 S.Swift().handleNewType(D, AL);
7303 break;
7304 case ParsedAttr::AT_SwiftAsync:
7305 S.Swift().handleAsyncAttr(D, AL);
7306 break;
7307 case ParsedAttr::AT_SwiftAsyncError:
7308 S.Swift().handleAsyncError(D, AL);
7309 break;
7310
7311 // XRay attributes.
7312 case ParsedAttr::AT_XRayLogArgs:
7313 handleXRayLogArgsAttr(S, D, AL);
7314 break;
7315
7316 case ParsedAttr::AT_PatchableFunctionEntry:
7318 break;
7319
7320 case ParsedAttr::AT_AlwaysDestroy:
7321 case ParsedAttr::AT_NoDestroy:
7322 handleDestroyAttr(S, D, AL);
7323 break;
7324
7325 case ParsedAttr::AT_Uninitialized:
7326 handleUninitializedAttr(S, D, AL);
7327 break;
7328
7329 case ParsedAttr::AT_ObjCExternallyRetained:
7331 break;
7332
7333 case ParsedAttr::AT_MIGServerRoutine:
7335 break;
7336
7337 case ParsedAttr::AT_MSAllocator:
7338 handleMSAllocatorAttr(S, D, AL);
7339 break;
7340
7341 case ParsedAttr::AT_ArmBuiltinAlias:
7342 S.ARM().handleBuiltinAliasAttr(D, AL);
7343 break;
7344
7345 case ParsedAttr::AT_ArmLocallyStreaming:
7346 handleSimpleAttribute<ArmLocallyStreamingAttr>(S, D, AL);
7347 break;
7348
7349 case ParsedAttr::AT_ArmNew:
7350 S.ARM().handleNewAttr(D, AL);
7351 break;
7352
7353 case ParsedAttr::AT_AcquireHandle:
7354 handleAcquireHandleAttr(S, D, AL);
7355 break;
7356
7357 case ParsedAttr::AT_ReleaseHandle:
7358 handleHandleAttr<ReleaseHandleAttr>(S, D, AL);
7359 break;
7360
7361 case ParsedAttr::AT_UnsafeBufferUsage:
7362 handleUnsafeBufferUsage<UnsafeBufferUsageAttr>(S, D, AL);
7363 break;
7364
7365 case ParsedAttr::AT_UseHandle:
7366 handleHandleAttr<UseHandleAttr>(S, D, AL);
7367 break;
7368
7369 case ParsedAttr::AT_EnforceTCB:
7370 handleEnforceTCBAttr<EnforceTCBAttr, EnforceTCBLeafAttr>(S, D, AL);
7371 break;
7372
7373 case ParsedAttr::AT_EnforceTCBLeaf:
7374 handleEnforceTCBAttr<EnforceTCBLeafAttr, EnforceTCBAttr>(S, D, AL);
7375 break;
7376
7377 case ParsedAttr::AT_BuiltinAlias:
7378 handleBuiltinAliasAttr(S, D, AL);
7379 break;
7380
7381 case ParsedAttr::AT_PreferredType:
7382 handlePreferredTypeAttr(S, D, AL);
7383 break;
7384
7385 case ParsedAttr::AT_UsingIfExists:
7386 handleSimpleAttribute<UsingIfExistsAttr>(S, D, AL);
7387 break;
7388
7389 case ParsedAttr::AT_TypeNullable:
7390 handleNullableTypeAttr(S, D, AL);
7391 break;
7392
7393 case ParsedAttr::AT_VTablePointerAuthentication:
7395 break;
7396 }
7397}
7398
7399static bool isKernelDecl(Decl *D) {
7400 const FunctionType *FnTy = D->getFunctionType();
7401 return D->hasAttr<OpenCLKernelAttr>() ||
7402 (FnTy && FnTy->getCallConv() == CallingConv::CC_AMDGPUKernelCall) ||
7403 D->hasAttr<CUDAGlobalAttr>() || D->getAttr<NVPTXKernelAttr>();
7404}
7405
7407 Scope *S, Decl *D, const ParsedAttributesView &AttrList,
7408 const ProcessDeclAttributeOptions &Options) {
7409 if (AttrList.empty())
7410 return;
7411
7412 for (const ParsedAttr &AL : AttrList)
7413 ProcessDeclAttribute(*this, S, D, AL, Options);
7414
7415 // FIXME: We should be able to handle these cases in TableGen.
7416 // GCC accepts
7417 // static int a9 __attribute__((weakref));
7418 // but that looks really pointless. We reject it.
7419 if (D->hasAttr<WeakRefAttr>() && !D->hasAttr<AliasAttr>()) {
7420 Diag(AttrList.begin()->getLoc(), diag::err_attribute_weakref_without_alias)
7421 << cast<NamedDecl>(D);
7422 D->dropAttr<WeakRefAttr>();
7423 return;
7424 }
7425
7426 // FIXME: We should be able to handle this in TableGen as well. It would be
7427 // good to have a way to specify "these attributes must appear as a group",
7428 // for these. Additionally, it would be good to have a way to specify "these
7429 // attribute must never appear as a group" for attributes like cold and hot.
7430 if (!(D->hasAttr<OpenCLKernelAttr>() ||
7431 (D->hasAttr<CUDAGlobalAttr>() &&
7432 Context.getTargetInfo().getTriple().isSPIRV()))) {
7433 // These attributes cannot be applied to a non-kernel function.
7434 if (const auto *A = D->getAttr<ReqdWorkGroupSizeAttr>()) {
7435 // FIXME: This emits a different error message than
7436 // diag::err_attribute_wrong_decl_type + ExpectedKernelFunction.
7437 Diag(D->getLocation(), diag::err_opencl_kernel_attr) << A;
7438 D->setInvalidDecl();
7439 } else if (const auto *A = D->getAttr<WorkGroupSizeHintAttr>()) {
7440 Diag(D->getLocation(), diag::err_opencl_kernel_attr) << A;
7441 D->setInvalidDecl();
7442 } else if (const auto *A = D->getAttr<VecTypeHintAttr>()) {
7443 Diag(D->getLocation(), diag::err_opencl_kernel_attr) << A;
7444 D->setInvalidDecl();
7445 } else if (const auto *A = D->getAttr<OpenCLIntelReqdSubGroupSizeAttr>()) {
7446 Diag(D->getLocation(), diag::err_opencl_kernel_attr) << A;
7447 D->setInvalidDecl();
7448 }
7449 }
7450 if (!isKernelDecl(D)) {
7451 if (const auto *A = D->getAttr<AMDGPUFlatWorkGroupSizeAttr>()) {
7452 Diag(D->getLocation(), diag::err_attribute_wrong_decl_type)
7453 << A << A->isRegularKeywordAttribute() << ExpectedKernelFunction;
7454 D->setInvalidDecl();
7455 } else if (const auto *A = D->getAttr<AMDGPUWavesPerEUAttr>()) {
7456 Diag(D->getLocation(), diag::err_attribute_wrong_decl_type)
7457 << A << A->isRegularKeywordAttribute() << ExpectedKernelFunction;
7458 D->setInvalidDecl();
7459 } else if (const auto *A = D->getAttr<AMDGPUNumSGPRAttr>()) {
7460 Diag(D->getLocation(), diag::err_attribute_wrong_decl_type)
7461 << A << A->isRegularKeywordAttribute() << ExpectedKernelFunction;
7462 D->setInvalidDecl();
7463 } else if (const auto *A = D->getAttr<AMDGPUNumVGPRAttr>()) {
7464 Diag(D->getLocation(), diag::err_attribute_wrong_decl_type)
7465 << A << A->isRegularKeywordAttribute() << ExpectedKernelFunction;
7466 D->setInvalidDecl();
7467 }
7468 }
7469
7470 // Do this check after processing D's attributes because the attribute
7471 // objc_method_family can change whether the given method is in the init
7472 // family, and it can be applied after objc_designated_initializer. This is a
7473 // bit of a hack, but we need it to be compatible with versions of clang that
7474 // processed the attribute list in the wrong order.
7475 if (D->hasAttr<ObjCDesignatedInitializerAttr>() &&
7476 cast<ObjCMethodDecl>(D)->getMethodFamily() != OMF_init) {
7477 Diag(D->getLocation(), diag::err_designated_init_attr_non_init);
7478 D->dropAttr<ObjCDesignatedInitializerAttr>();
7479 }
7480}
7481
7483 const ParsedAttributesView &AttrList) {
7484 for (const ParsedAttr &AL : AttrList)
7485 if (AL.getKind() == ParsedAttr::AT_TransparentUnion) {
7486 handleTransparentUnionAttr(*this, D, AL);
7487 break;
7488 }
7489
7490 // For BPFPreserveAccessIndexAttr, we want to populate the attributes
7491 // to fields and inner records as well.
7492 if (D && D->hasAttr<BPFPreserveAccessIndexAttr>())
7493 BPF().handlePreserveAIRecord(cast<RecordDecl>(D));
7494}
7495
7497 AccessSpecDecl *ASDecl, const ParsedAttributesView &AttrList) {
7498 for (const ParsedAttr &AL : AttrList) {
7499 if (AL.getKind() == ParsedAttr::AT_Annotate) {
7500 ProcessDeclAttribute(*this, nullptr, ASDecl, AL,
7502 } else {
7503 Diag(AL.getLoc(), diag::err_only_annotate_after_access_spec);
7504 return true;
7505 }
7506 }
7507 return false;
7508}
7509
7510/// checkUnusedDeclAttributes - Check a list of attributes to see if it
7511/// contains any decl attributes that we should warn about.
7513 for (const ParsedAttr &AL : A) {
7514 // Only warn if the attribute is an unignored, non-type attribute.
7515 if (AL.isUsedAsTypeAttr() || AL.isInvalid())
7516 continue;
7517 if (AL.getKind() == ParsedAttr::IgnoredAttribute)
7518 continue;
7519
7520 if (AL.getKind() == ParsedAttr::UnknownAttribute) {
7521 S.Diag(AL.getLoc(), diag::warn_unknown_attribute_ignored)
7522 << AL << AL.getRange();
7523 } else {
7524 S.Diag(AL.getLoc(), diag::warn_attribute_not_on_decl) << AL
7525 << AL.getRange();
7526 }
7527 }
7528}
7529
7531 ::checkUnusedDeclAttributes(*this, D.getDeclarationAttributes());
7532 ::checkUnusedDeclAttributes(*this, D.getDeclSpec().getAttributes());
7533 ::checkUnusedDeclAttributes(*this, D.getAttributes());
7534 for (unsigned i = 0, e = D.getNumTypeObjects(); i != e; ++i)
7535 ::checkUnusedDeclAttributes(*this, D.getTypeObject(i).getAttrs());
7536}
7537
7540 assert(isa<FunctionDecl>(ND) || isa<VarDecl>(ND));
7541 NamedDecl *NewD = nullptr;
7542 if (auto *FD = dyn_cast<FunctionDecl>(ND)) {
7543 FunctionDecl *NewFD;
7544 // FIXME: Missing call to CheckFunctionDeclaration().
7545 // FIXME: Mangling?
7546 // FIXME: Is the qualifier info correct?
7547 // FIXME: Is the DeclContext correct?
7548 NewFD = FunctionDecl::Create(
7549 FD->getASTContext(), FD->getDeclContext(), Loc, Loc,
7551 getCurFPFeatures().isFPConstrained(), false /*isInlineSpecified*/,
7554 NewD = NewFD;
7555
7556 if (FD->getQualifier())
7557 NewFD->setQualifierInfo(FD->getQualifierLoc());
7558
7559 // Fake up parameter variables; they are declared as if this were
7560 // a typedef.
7561 QualType FDTy = FD->getType();
7562 if (const auto *FT = FDTy->getAs<FunctionProtoType>()) {
7564 for (const auto &AI : FT->param_types()) {
7565 ParmVarDecl *Param = BuildParmVarDeclForTypedef(NewFD, Loc, AI);
7566 Param->setScopeInfo(0, Params.size());
7567 Params.push_back(Param);
7568 }
7569 NewFD->setParams(Params);
7570 }
7571 } else if (auto *VD = dyn_cast<VarDecl>(ND)) {
7572 NewD = VarDecl::Create(VD->getASTContext(), VD->getDeclContext(),
7573 VD->getInnerLocStart(), VD->getLocation(), II,
7574 VD->getType(), VD->getTypeSourceInfo(),
7575 VD->getStorageClass());
7576 if (VD->getQualifier())
7577 cast<VarDecl>(NewD)->setQualifierInfo(VD->getQualifierLoc());
7578 }
7579 return NewD;
7580}
7581
7583 if (W.getAlias()) { // clone decl, impersonate __attribute(weak,alias(...))
7584 IdentifierInfo *NDId = ND->getIdentifier();
7585 NamedDecl *NewD = DeclClonePragmaWeak(ND, W.getAlias(), W.getLocation());
7586 NewD->addAttr(
7587 AliasAttr::CreateImplicit(Context, NDId->getName(), W.getLocation()));
7588 NewD->addAttr(WeakAttr::CreateImplicit(Context, W.getLocation()));
7589 WeakTopLevelDecl.push_back(NewD);
7590 // FIXME: "hideous" code from Sema::LazilyCreateBuiltin
7591 // to insert Decl at TU scope, sorry.
7592 DeclContext *SavedContext = CurContext;
7596 PushOnScopeChains(NewD, S);
7597 CurContext = SavedContext;
7598 } else { // just add weak to existing
7599 ND->addAttr(WeakAttr::CreateImplicit(Context, W.getLocation()));
7600 }
7601}
7602
7604 // It's valid to "forward-declare" #pragma weak, in which case we
7605 // have to do this.
7607 if (WeakUndeclaredIdentifiers.empty())
7608 return;
7609 NamedDecl *ND = nullptr;
7610 if (auto *VD = dyn_cast<VarDecl>(D))
7611 if (VD->isExternC())
7612 ND = VD;
7613 if (auto *FD = dyn_cast<FunctionDecl>(D))
7614 if (FD->isExternC())
7615 ND = FD;
7616 if (!ND)
7617 return;
7618 if (IdentifierInfo *Id = ND->getIdentifier()) {
7619 auto I = WeakUndeclaredIdentifiers.find(Id);
7620 if (I != WeakUndeclaredIdentifiers.end()) {
7621 auto &WeakInfos = I->second;
7622 for (const auto &W : WeakInfos)
7623 DeclApplyPragmaWeak(S, ND, W);
7624 std::remove_reference_t<decltype(WeakInfos)> EmptyWeakInfos;
7625 WeakInfos.swap(EmptyWeakInfos);
7626 }
7627 }
7628}
7629
7630/// ProcessDeclAttributes - Given a declarator (PD) with attributes indicated in
7631/// it, apply them to D. This is a bit tricky because PD can have attributes
7632/// specified in many different places, and we need to find and apply them all.
7634 // Ordering of attributes can be important, so we take care to process
7635 // attributes in the order in which they appeared in the source code.
7636
7637 auto ProcessAttributesWithSliding =
7638 [&](const ParsedAttributesView &Src,
7639 const ProcessDeclAttributeOptions &Options) {
7640 ParsedAttributesView NonSlidingAttrs;
7641 for (ParsedAttr &AL : Src) {
7642 // FIXME: this sliding is specific to standard attributes and should
7643 // eventually be deprecated and removed as those are not intended to
7644 // slide to anything.
7645 if ((AL.isStandardAttributeSyntax() || AL.isAlignas()) &&
7646 AL.slidesFromDeclToDeclSpecLegacyBehavior()) {
7647 // Skip processing the attribute, but do check if it appertains to
7648 // the declaration. This is needed for the `MatrixType` attribute,
7649 // which, despite being a type attribute, defines a `SubjectList`
7650 // that only allows it to be used on typedef declarations.
7651 AL.diagnoseAppertainsTo(*this, D);
7652 } else {
7653 NonSlidingAttrs.addAtEnd(&AL);
7654 }
7655 }
7656 ProcessDeclAttributeList(S, D, NonSlidingAttrs, Options);
7657 };
7658
7659 // First, process attributes that appeared on the declaration itself (but
7660 // only if they don't have the legacy behavior of "sliding" to the DeclSepc).
7661 ProcessAttributesWithSliding(PD.getDeclarationAttributes(), {});
7662
7663 // Apply decl attributes from the DeclSpec if present.
7664 ProcessAttributesWithSliding(PD.getDeclSpec().getAttributes(),
7666 .WithIncludeCXX11Attributes(false)
7667 .WithIgnoreTypeAttributes(true));
7668
7669 // Walk the declarator structure, applying decl attributes that were in a type
7670 // position to the decl itself. This handles cases like:
7671 // int *__attr__(x)** D;
7672 // when X is a decl attribute.
7673 for (unsigned i = 0, e = PD.getNumTypeObjects(); i != e; ++i) {
7676 .WithIncludeCXX11Attributes(false)
7677 .WithIgnoreTypeAttributes(true));
7678 }
7679
7680 // Finally, apply any attributes on the decl itself.
7682
7683 // Apply additional attributes specified by '#pragma clang attribute'.
7685
7686 // Look for API notes that map to attributes.
7688}
7689
7690/// Is the given declaration allowed to use a forbidden type?
7691/// If so, it'll still be annotated with an attribute that makes it
7692/// illegal to actually use.
7694 const DelayedDiagnostic &diag,
7695 UnavailableAttr::ImplicitReason &reason) {
7696 // Private ivars are always okay. Unfortunately, people don't
7697 // always properly make their ivars private, even in system headers.
7698 // Plus we need to make fields okay, too.
7699 if (!isa<FieldDecl>(D) && !isa<ObjCPropertyDecl>(D) &&
7700 !isa<FunctionDecl>(D))
7701 return false;
7702
7703 // Silently accept unsupported uses of __weak in both user and system
7704 // declarations when it's been disabled, for ease of integration with
7705 // -fno-objc-arc files. We do have to take some care against attempts
7706 // to define such things; for now, we've only done that for ivars
7707 // and properties.
7708 if ((isa<ObjCIvarDecl>(D) || isa<ObjCPropertyDecl>(D))) {
7709 if (diag.getForbiddenTypeDiagnostic() == diag::err_arc_weak_disabled ||
7710 diag.getForbiddenTypeDiagnostic() == diag::err_arc_weak_no_runtime) {
7711 reason = UnavailableAttr::IR_ForbiddenWeak;
7712 return true;
7713 }
7714 }
7715
7716 // Allow all sorts of things in system headers.
7718 // Currently, all the failures dealt with this way are due to ARC
7719 // restrictions.
7720 reason = UnavailableAttr::IR_ARCForbiddenType;
7721 return true;
7722 }
7723
7724 return false;
7725}
7726
7727/// Handle a delayed forbidden-type diagnostic.
7729 Decl *D) {
7730 auto Reason = UnavailableAttr::IR_None;
7731 if (D && isForbiddenTypeAllowed(S, D, DD, Reason)) {
7732 assert(Reason && "didn't set reason?");
7733 D->addAttr(UnavailableAttr::CreateImplicit(S.Context, "", Reason, DD.Loc));
7734 return;
7735 }
7736 if (S.getLangOpts().ObjCAutoRefCount)
7737 if (const auto *FD = dyn_cast<FunctionDecl>(D)) {
7738 // FIXME: we may want to suppress diagnostics for all
7739 // kind of forbidden type messages on unavailable functions.
7740 if (FD->hasAttr<UnavailableAttr>() &&
7742 diag::err_arc_array_param_no_ownership) {
7743 DD.Triggered = true;
7744 return;
7745 }
7746 }
7747
7750 DD.Triggered = true;
7751}
7752
7753
7758
7759 // When delaying diagnostics to run in the context of a parsed
7760 // declaration, we only want to actually emit anything if parsing
7761 // succeeds.
7762 if (!decl) return;
7763
7764 // We emit all the active diagnostics in this pool or any of its
7765 // parents. In general, we'll get one pool for the decl spec
7766 // and a child pool for each declarator; in a decl group like:
7767 // deprecated_typedef foo, *bar, baz();
7768 // only the declarator pops will be passed decls. This is correct;
7769 // we really do need to consider delayed diagnostics from the decl spec
7770 // for each of the different declarations.
7771 const DelayedDiagnosticPool *pool = &poppedPool;
7772 do {
7773 bool AnyAccessFailures = false;
7775 i = pool->pool_begin(), e = pool->pool_end(); i != e; ++i) {
7776 // This const_cast is a bit lame. Really, Triggered should be mutable.
7777 DelayedDiagnostic &diag = const_cast<DelayedDiagnostic&>(*i);
7778 if (diag.Triggered)
7779 continue;
7780
7781 switch (diag.Kind) {
7783 // Don't bother giving deprecation/unavailable diagnostics if
7784 // the decl is invalid.
7785 if (!decl->isInvalidDecl())
7787 break;
7788
7790 // Only produce one access control diagnostic for a structured binding
7791 // declaration: we don't need to tell the user that all the fields are
7792 // inaccessible one at a time.
7793 if (AnyAccessFailures && isa<DecompositionDecl>(decl))
7794 continue;
7796 if (diag.Triggered)
7797 AnyAccessFailures = true;
7798 break;
7799
7801 handleDelayedForbiddenType(*this, diag, decl);
7802 break;
7803 }
7804 }
7805 } while ((pool = pool->getParent()));
7806}
7807
7810 assert(curPool && "re-emitting in undelayed context not supported");
7811 curPool->steal(pool);
7812}
Defines the clang::ASTContext interface.
#define V(N, I)
Definition: ASTContext.h:3453
static SmallString< 64 > normalizeName(const IdentifierInfo *Name, const IdentifierInfo *Scope, AttributeCommonInfo::Syntax SyntaxUsed)
Definition: Attributes.cpp:130
#define SM(sm)
Definition: Cuda.cpp:84
static OffloadArch getOffloadArch(CodeGenModule &CGM)
const Decl * D
Expr * E
Defines the C++ Decl subclasses, other than those for templates (found in DeclTemplate....
Defines the C++ template declaration subclasses.
Defines the classes clang::DelayedDiagnostic and clang::AccessedEntity.
Defines the clang::Expr interface and subclasses for C++ expressions.
int Priority
Definition: Format.cpp:3055
Defines the clang::IdentifierInfo, clang::IdentifierTable, and clang::Selector interfaces.
#define X(type, name)
Definition: Value.h:144
Defines the clang::LangOptions interface.
llvm::MachO::Target Target
Definition: MachO.h:51
llvm::MachO::Record Record
Definition: MachO.h:31
static bool versionsMatch(const VersionTuple &X, const VersionTuple &Y)
Check whether the two versions match.
Definition: ObjCMT.cpp:1069
static unsigned getNumAttributeArgs(const ParsedAttr &AL)
Definition: ParsedAttr.cpp:280
Defines the clang::Preprocessor interface.
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 functions specific to AMDGPU.
uint32_t Id
Definition: SemaARM.cpp:1134
This file declares semantic analysis functions specific to ARM.
This file declares semantic analysis functions specific to AVR.
This file declares semantic analysis functions specific to BPF.
This file declares semantic analysis for CUDA constructs.
static void handleCleanupAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAlignedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleWeakImportAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleHandleAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkGuardedByAttrCommon(Sema &S, Decl *D, const ParsedAttr &AL, Expr *&Arg)
static void handleCodeSegAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handlePatchableFunctionEntryAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleCountedByAttrField(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleFormatAttr(Sema &S, Decl *D, const ParsedAttr &AL)
Handle attribute((format(type,idx,firstarg))) attributes based on http://gcc.gnu.org/onlinedocs/gcc/F...
static void handleUninitializedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleRequiresCapabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleBTFDeclTagAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleOptimizeNoneAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleEnableIfAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleSectionAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleStandardNoReturnAttr(Sema &S, Decl *D, const ParsedAttr &A)
static void handleMIGServerRoutineAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleGuardedByAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleZeroCallUsedRegsAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleDiagnoseAsBuiltinAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleEnumExtensibilityAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static T * mergeVisibilityAttr(Sema &S, Decl *D, const AttributeCommonInfo &CI, typename T::VisibilityType value)
static void handleLayoutVersion(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkForConsumableClass(Sema &S, const CXXMethodDecl *MD, const ParsedAttr &AL)
static void handleDLLAttr(Sema &S, Decl *D, const ParsedAttr &A)
static void handleConstantAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAlignValueAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleLifetimeCaptureByAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleNoCfCheckAttr(Sema &S, Decl *D, const ParsedAttr &Attrs)
static void handleNoSpecializations(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleReturnsNonNullAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void checkUnusedDeclAttributes(Sema &S, const ParsedAttributesView &A)
checkUnusedDeclAttributes - Check a list of attributes to see if it contains any decl attributes that...
static void handleGNUInlineAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleWorkGroupSize(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleBuiltinAliasAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleTransparentUnionAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleVTablePointerAuthentication(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleEnforceTCBAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void checkAttrArgsAreCapabilityObjs(Sema &S, Decl *D, const ParsedAttr &AL, SmallVectorImpl< Expr * > &Args, unsigned Sidx=0, bool ParamIdxOk=false)
Checks that all attribute arguments, starting from Sidx, resolve to a capability object.
static void handleErrorAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkCodeSegName(Sema &S, SourceLocation LiteralLoc, StringRef CodeSegName)
static void handleAvailabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleTryAcquireCapabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleGridConstantAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleSetTypestateAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleFormatArgAttr(Sema &S, Decl *D, const ParsedAttr &AL)
Handle attribute((format_arg((idx)))) attribute based on http://gcc.gnu.org/onlinedocs/gcc/Function-A...
static void ProcessDeclAttribute(Sema &S, Scope *scope, Decl *D, const ParsedAttr &AL, const Sema::ProcessDeclAttributeOptions &Options)
ProcessDeclAttribute - Apply the specific attribute to the specified decl if the attribute applies to...
static void handleTargetAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleXRayLogArgsAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handlePassObjectSizeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleNoMergeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleManagedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleParamTypestateAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleUnsafeBufferUsage(Sema &S, Decl *D, const ParsedAttr &AL)
static bool attrNonNullArgCheck(Sema &S, QualType T, const ParsedAttr &AL, SourceRange AttrParmRange, SourceRange TypeRange, bool isReturnValue=false)
static void handleAcquireCapabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleCPUSpecificAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handlePackedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleIFuncAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAbiTagAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleCapabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAttrWithMessage(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleWeakRefAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleExtVectorTypeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleCalledOnceAttr(Sema &S, Decl *D, const ParsedAttr &AL)
Handle 'called_once' attribute.
static void handleLockReturnedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkFunctionConditionAttr(Sema &S, Decl *D, const ParsedAttr &AL, Expr *&Cond, StringRef &Msg)
static void handleAcquiredAfterAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleExternalSourceSymbolAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleNonNullAttrParameter(Sema &S, ParmVarDecl *D, const ParsedAttr &AL)
static bool checkParamIsIntegerType(Sema &S, const Decl *D, const AttrInfo &AI, unsigned AttrArgNo)
Checks to be sure that the given parameter number is in bounds, and is an integral type.
static bool checkFunParamsAreScopedLockable(Sema &S, const ParmVarDecl *ParamDecl, const ParsedAttr &AL)
static bool checkRecordTypeForCapability(Sema &S, QualType Ty)
static void handleArgumentWithTypeTagAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkAcquireOrderAttrCommon(Sema &S, Decl *D, const ParsedAttr &AL, SmallVectorImpl< Expr * > &Args)
static void handleLocksExcludedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleMSAllocatorAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static AttrTy * mergeEnforceTCBAttrImpl(Sema &S, Decl *D, const AttrTy &AL)
static void handleConstructorAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAllocSizeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleConsumableAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static const RecordType * getRecordType(QualType QT)
Checks that the passed in QualType either is of RecordType or points to RecordType.
static void handleNoSanitizeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleReturnTypestateAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleTargetClonesAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool isKernelDecl(Decl *D)
static void handleAllocAlignAttr(Sema &S, Decl *D, const ParsedAttr &AL)
FormatAttrKind
@ CFStringFormat
@ IgnoredFormat
@ InvalidFormat
@ StrftimeFormat
@ SupportedFormat
@ NSStringFormat
static void handlePreferredTypeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleDeviceAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handlePtGuardedByAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAlwaysInlineAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAssertCapabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleVisibilityAttr(Sema &S, Decl *D, const ParsedAttr &AL, bool isTypeVisibility)
static void handleAnnotateAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static FormatAttrKind getFormatAttrKind(StringRef Format)
getFormatAttrKind - Map from format attribute names to supported format types.
static void handleNullableTypeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleUuidAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAcquireHandleAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleMSConstexprAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleCommonAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleTestTypestateAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkTryLockFunAttrCommon(Sema &S, Decl *D, const ParsedAttr &AL, SmallVectorImpl< Expr * > &Args)
static void parseModeAttrArg(Sema &S, StringRef Str, unsigned &DestWidth, bool &IntegerMode, bool &ComplexMode, FloatModeKind &ExplicitType)
parseModeAttrArg - Parses attribute mode string and returns parsed type attribute.
static void handleExcludeFromExplicitInstantiationAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleSharedTrylockFunctionAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleLaunchBoundsAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkAvailabilityAttr(Sema &S, SourceRange Range, IdentifierInfo *Platform, VersionTuple Introduced, VersionTuple Deprecated, VersionTuple Obsoleted)
static void handleDependencyAttr(Sema &S, Scope *Scope, Decl *D, const ParsedAttr &AL)
static void handleNoBuiltinAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleLifetimeCategoryAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleNoUniqueAddressAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool validateAlignasAppliedType(Sema &S, Decl *D, const AlignedAttr &Attr, SourceLocation AttrLoc)
Perform checking of type validity.
static void handleNakedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleFunctionReturnThunksAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleDeprecatedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static unsigned getNumAttributeArgs(const ParsedAttr &AL)
static void handleGlobalAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleSentinelAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleCodeModelAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleCallableWhenAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool hasBTFDeclTagAttr(Decl *D, StringRef Tag)
static void handleDelayedForbiddenType(Sema &S, DelayedDiagnostic &DD, Decl *D)
Handle a delayed forbidden-type diagnostic.
static void handleAssertSharedLockAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkLockFunAttrCommon(Sema &S, Decl *D, const ParsedAttr &AL, SmallVectorImpl< Expr * > &Args)
static void handleAssumeAlignedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleSharedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleMSInheritanceAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleVecTypeHint(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleRestrictAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleMinVectorWidthAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleUnusedAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static Expr * makeLaunchBoundsArgExpr(Sema &S, Expr *E, const CUDALaunchBoundsAttr &AL, const unsigned Idx)
static void handleDeclspecThreadAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleInterruptAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleExclusiveTrylockFunctionAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleCallbackAttr(Sema &S, Decl *D, const ParsedAttr &AL)
Handle attribute((callback(CalleeIdx, PayloadIdx0, ...))) attributes.
static void handleInitPriorityAttr(Sema &S, Decl *D, const ParsedAttr &AL)
Handle attribute((init_priority(priority))) attributes based on http://gcc.gnu.org/onlinedocs/gcc/C_0...
static void handlePtGuardedVarAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkRecordDeclForAttr(const RecordDecl *RD)
static void handleDestroyAttr(Sema &S, Decl *D, const ParsedAttr &A)
static void handleTypeTagForDatatypeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleRandomizeLayoutAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void markUsedForAliasOrIfunc(Sema &S, Decl *D, const ParsedAttr &AL, StringRef Str)
static bool isCapabilityExpr(Sema &S, const Expr *Ex)
static void handleNoDebugAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleSuppressAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleNoReturnAttr(Sema &S, Decl *D, const ParsedAttr &Attrs)
static const AttrTy * findEnforceTCBAttrByName(Decl *D, StringRef Name)
static void handleNoEscapeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAvailableOnlyInDefaultEvalMethod(Sema &S, Decl *D, const ParsedAttr &AL)
static bool MustDelayAttributeArguments(const ParsedAttr &AL)
static void handleNoRandomizeLayoutAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleTargetVersionAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleWarnUnusedResult(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkRecordTypeForScopedCapability(Sema &S, QualType Ty)
static void handleAssertExclusiveLockAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool isIntOrBool(Expr *Exp)
Check if the passed-in expression is of type int or bool.
static bool isSanitizerAttributeAllowedOnGlobals(StringRef Sanitizer)
static void handleCallConvAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleMinSizeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleOwnershipAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkTypedefTypeForCapability(QualType Ty)
static void handleAcquiredBeforeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleReleaseCapabilityAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool typeHasCapability(Sema &S, QualType Ty)
static void handleAnalyzerNoReturnAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool threadSafetyCheckIsSmartPointer(Sema &S, const RecordType *RT)
static bool isFunctionLike(const Type &T)
static void handleDiagnoseIfAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleCFGuardAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleNonNullAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool threadSafetyCheckIsPointer(Sema &S, const Decl *D, const ParsedAttr &AL)
Check if passed in Decl is a pointer type.
static bool isForbiddenTypeAllowed(Sema &S, Decl *D, const DelayedDiagnostic &diag, UnavailableAttr::ImplicitReason &reason)
Is the given declaration allowed to use a forbidden type? If so, it'll still be annotated with an att...
static void handleInternalLinkageAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleModeAttr(Sema &S, Decl *D, const ParsedAttr &AL)
handleModeAttr - This attribute modifies the width of a decl with primitive type.
static void handleDestructorAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handlePreferredName(Sema &S, Decl *D, const ParsedAttr &AL)
static bool checkPositiveIntArgument(Sema &S, const AttrInfo &AI, const Expr *Expr, int &Val, unsigned Idx=UINT_MAX)
Wrapper around checkUInt32Argument, with an extra check to be sure that the result will fit into a re...
static void handleNoSanitizeSpecificAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleVecReturnAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static bool isGlobalVar(const Decl *D)
static void handleTLSModelAttr(Sema &S, Decl *D, const ParsedAttr &AL)
static void handleAliasAttr(Sema &S, Decl *D, const ParsedAttr &AL)
This file declares semantic analysis for HLSL constructs.
This file declares semantic analysis functions specific to M68k.
This file declares semantic analysis functions specific to MIPS.
This file declares semantic analysis functions specific to MSP430.
SourceRange Range
Definition: SemaObjC.cpp:758
SourceLocation Loc
Definition: SemaObjC.cpp:759
This file declares semantic analysis for Objective-C.
This file declares semantic analysis routines for OpenCL.
This file declares semantic analysis for OpenMP constructs and clauses.
This file declares semantic analysis functions specific to RISC-V.
This file declares semantic analysis for SYCL constructs.
This file declares semantic analysis functions specific to Swift.
This file declares semantic analysis functions specific to Wasm.
This file declares semantic analysis functions specific to X86.
Defines the clang::SourceLocation class and associated facilities.
Defines the SourceManager interface.
static QualType getPointeeType(const MemRegion *R)
C Language Family Type Representation.
__device__ int
virtual void AssignInheritanceModel(CXXRecordDecl *RD)
Callback invoked when an MSInheritanceAttr has been attached to a CXXRecordDecl.
Definition: ASTConsumer.h:113
Holds long-lived AST nodes (such as types and decls) that can be referred to throughout the semantic ...
Definition: ASTContext.h:188
MSGuidDecl * getMSGuidDecl(MSGuidDeclParts Parts) const
Return a declaration for the global GUID object representing the given GUID value.
SourceManager & getSourceManager()
Definition: ASTContext.h:741
TranslationUnitDecl * getTranslationUnitDecl() const
Definition: ASTContext.h:1141
CharUnits getTypeAlignInChars(QualType T) const
Return the ABI-specified alignment of a (complete) type T, in characters.
TypedefDecl * getObjCInstanceTypeDecl()
Retrieve the typedef declaration corresponding to the Objective-C "instancetype" type.
QualType getTagDeclType(const TagDecl *Decl) const
Return the unique reference to the type for the specified TagDecl (struct/union/class/enum) decl.
DeclarationNameTable DeclarationNames
Definition: ASTContext.h:684
MangleContext * createMangleContext(const TargetInfo *T=nullptr)
If T is null pointer, assume the target in ASTContext.
QualType getRealTypeForBitwidth(unsigned DestWidth, FloatModeKind ExplicitType) const
getRealTypeForBitwidth - sets floating point QualTy according to specified bitwidth.
bool hasSameType(QualType T1, QualType T2) const
Determine whether the given types T1 and T2 are equivalent.
Definition: ASTContext.h:2732
QualType getVectorType(QualType VectorType, unsigned NumElts, VectorKind VecKind) const
Return the unique reference to a vector type of the specified element type and size.
CallingConv getDefaultCallingConvention(bool IsVariadic, bool IsCXXMethod, bool IsBuiltin=false) const
Retrieves the default calling convention for the current target.
QualType getPointerType(QualType T) const
Return the uniqued reference to the type for a pointer to the specified type.
IdentifierTable & Idents
Definition: ASTContext.h:680
const LangOptions & getLangOpts() const
Definition: ASTContext.h:834
QualType getConstType(QualType T) const
Return the uniqued reference to the type for a const qualified type.
Definition: ASTContext.h:1392
QualType getBaseElementType(const ArrayType *VAT) const
Return the innermost element type of an array type.
QualType getIntTypeForBitwidth(unsigned DestWidth, unsigned Signed) const
getIntTypeForBitwidth - sets integer QualTy according to specified details: bitwidth,...
const TargetInfo * getAuxTargetInfo() const
Definition: ASTContext.h:800
TypeSourceInfo * getTrivialTypeSourceInfo(QualType T, SourceLocation Loc=SourceLocation()) const
Allocate a TypeSourceInfo where all locations have been initialized to a given location,...
CanQualType IntTy
Definition: ASTContext.h:1169
QualType getObjCObjectPointerType(QualType OIT) const
Return a ObjCObjectPointerType type for the given ObjCObjectType.
CanQualType OverloadTy
Definition: ASTContext.h:1188
const ArrayType * getAsArrayType(QualType T) const
Type Query functions.
uint64_t getTypeSize(QualType T) const
Return the size of the specified (complete) type T, in bits.
Definition: ASTContext.h:2482
CanQualType VoidTy
Definition: ASTContext.h:1160
QualType getComplexType(QualType T) const
Return the uniqued reference to the type for a complex number with the specified element type.
const TargetInfo & getTargetInfo() const
Definition: ASTContext.h:799
CharUnits toCharUnitsFromBits(int64_t BitSize) const
Convert a size in bits to a size in characters.
TargetCXXABI::Kind getCXXABIKind() const
Return the C++ ABI kind that should be used.
Definition: ASTContext.cpp:861
unsigned getTypeAlign(QualType T) const
Return the ABI-specified alignment of a (complete) type T, in bits.
Definition: ASTContext.h:2513
uint64_t getCharWidth() const
Return the size of the character type, in bits.
Definition: ASTContext.h:2486
Represents an access specifier followed by colon ':'.
Definition: DeclCXX.h:86
PtrTy get() const
Definition: Ownership.h:170
bool isInvalid() const
Definition: Ownership.h:166
Attr - This represents one attribute.
Definition: Attr.h:43
void setAttributeSpellingListIndex(unsigned V)
std::string getNormalizedFullName() const
Gets the normalized full name, which consists of both scope and name and with surrounding underscores...
Definition: Attributes.cpp:154
unsigned getAttributeSpellingListIndex() const
const IdentifierInfo * getScopeName() const
SourceLocation getLoc() const
const IdentifierInfo * getAttrName() const
bool isStandardAttributeSyntax() const
The attribute is spelled [[]] in either C or C++ mode, including standard attributes spelled with a k...
Type source information for an attributed type.
Definition: TypeLoc.h:875
const T * getAttrAs()
Definition: TypeLoc.h:905
TypeLoc getModifiedLoc() const
The modified type, which is generally canonically different from the attribute type.
Definition: TypeLoc.h:889
Represents a C++11 auto or C++14 decltype(auto) type, possibly constrained by a type-constraint.
Definition: Type.h:6561
Pointer to a block type.
Definition: Type.h:3408
This class is used for builtin types like 'int'.
Definition: Type.h:3034
static bool isBuiltinFunc(llvm::StringRef Name)
Returns true if this is a libc/libm function without the '__builtin_' prefix.
Definition: Builtins.cpp:63
Represents a static or instance method of a struct/union/class.
Definition: DeclCXX.h:2078
QualType getFunctionObjectParameterType() const
Definition: DeclCXX.h:2228
Represents a C++ struct/union/class.
Definition: DeclCXX.h:258
CXXRecordDecl * getDefinition() const
Definition: DeclCXX.h:565
bool hasDefinition() const
Definition: DeclCXX.h:572
MSInheritanceModel calculateInheritanceModel() const
Calculate what the inheritance model would be for this class.
Represents the this expression in C++.
Definition: ExprCXX.h:1152
CallExpr - Represents a function call (C99 6.5.2.2, C++ [expr.call]).
Definition: Expr.h:2874
static CallExpr * Create(const ASTContext &Ctx, Expr *Fn, ArrayRef< Expr * > Args, QualType Ty, ExprValueKind VK, SourceLocation RParenLoc, FPOptionsOverride FPFeatures, unsigned MinNumArgs=0, ADLCallKind UsesADL=NotADL)
Create a call expression.
Definition: Expr.cpp:1499
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.
const RelatedTargetVersionMapping * getVersionMapping(OSEnvPair Kind) const
The results of name lookup within a DeclContext.
Definition: DeclBase.h:1368
specific_decl_iterator - Iterates over a subrange of declarations stored in a DeclContext,...
Definition: DeclBase.h:2380
DeclContext - This is used only as base class of specific decl types that can act as declaration cont...
Definition: DeclBase.h:1435
DeclContext * getParent()
getParent - Returns the containing DeclContext.
Definition: DeclBase.h:2100
bool isFileContext() const
Definition: DeclBase.h:2171
DeclContext * getRedeclContext()
getRedeclContext - Retrieve the context in which an entity conflicts with other entities of the same ...
Definition: DeclBase.cpp:1990
A reference to a declared variable, function, enum, etc.
Definition: Expr.h:1265
DeclarationNameInfo getNameInfo() const
Definition: Expr.h:1337
static DeclRefExpr * Create(const ASTContext &Context, NestedNameSpecifierLoc QualifierLoc, SourceLocation TemplateKWLoc, ValueDecl *D, bool RefersToEnclosingVariableOrCapture, SourceLocation NameLoc, QualType T, ExprValueKind VK, NamedDecl *FoundD=nullptr, const TemplateArgumentListInfo *TemplateArgs=nullptr, NonOdrUseReason NOUR=NOUR_None)
Definition: Expr.cpp:487
bool hasQualifier() const
Determine whether this declaration reference was preceded by a C++ nested-name-specifier,...
Definition: Expr.h:1348
ValueDecl * getDecl()
Definition: Expr.h:1333
ParsedAttributes & getAttributes()
Definition: DeclSpec.h:873
Decl - This represents one declaration (or definition), e.g.
Definition: DeclBase.h:86
TemplateDecl * getDescribedTemplate() const
If this is a declaration that describes some template, this method returns that template declaration.
Definition: DeclBase.cpp:258
T * getAttr() const
Definition: DeclBase.h:576
bool hasAttrs() const
Definition: DeclBase.h:521
ASTContext & getASTContext() const LLVM_READONLY
Definition: DeclBase.cpp:520
void addAttr(Attr *A)
Definition: DeclBase.cpp:1010
void setInvalidDecl(bool Invalid=true)
setInvalidDecl - Indicates the Decl had a semantic error.
Definition: DeclBase.cpp:151
const FunctionType * getFunctionType(bool BlocksToo=true) const
Looks through the Decl's underlying type to extract a FunctionType when possible.
Definition: DeclBase.cpp:1179
FunctionDecl * getAsFunction() LLVM_READONLY
Returns the function itself, or the templated function if this is a function template.
Definition: DeclBase.cpp:246
bool canBeWeakImported(bool &IsDefinition) const
Determines whether this symbol can be weak-imported, e.g., whether it would be well-formed to add the...
Definition: DeclBase.cpp:811
bool isInvalidDecl() const
Definition: DeclBase.h:591
llvm::iterator_range< specific_attr_iterator< T > > specific_attrs() const
Definition: DeclBase.h:562
SourceLocation getLocation() const
Definition: DeclBase.h:442
redecl_range redecls() const
Returns an iterator range for all the redeclarations of the same decl.
Definition: DeclBase.h:1038
DeclContext * getDeclContext()
Definition: DeclBase.h:451
SourceLocation getBeginLoc() const LLVM_READONLY
Definition: DeclBase.h:434
void dropAttr()
Definition: DeclBase.h:559
AttrVec & getAttrs()
Definition: DeclBase.h:527
void setDeclContext(DeclContext *DC)
setDeclContext - Set both the semantic and lexical DeclContext to DC.
Definition: DeclBase.cpp:355
bool hasAttr() const
Definition: DeclBase.h:580
void setLexicalDeclContext(DeclContext *DC)
Definition: DeclBase.cpp:359
virtual Decl * getCanonicalDecl()
Retrieves the "canonical" declaration of the given declaration.
Definition: DeclBase.h:967
virtual SourceRange getSourceRange() const LLVM_READONLY
Source range that this declaration covers.
Definition: DeclBase.h:430
DeclarationName getCXXOperatorName(OverloadedOperatorKind Op)
Get the name of the overloadable C++ operator corresponding to Op.
The name of a declaration.
NestedNameSpecifier * getQualifier() const
Retrieve the nested-name-specifier that qualifies the name of this declaration, if it was present in ...
Definition: Decl.h:792
SourceLocation getTypeSpecStartLoc() const
Definition: Decl.cpp:1977
SourceLocation getBeginLoc() const LLVM_READONLY
Definition: Decl.h:786
void setQualifierInfo(NestedNameSpecifierLoc QualifierLoc)
Definition: Decl.cpp:1989
NestedNameSpecifierLoc getQualifierLoc() const
Retrieve the nested-name-specifier (with source-location information) that qualifies the name of this...
Definition: Decl.h:800
Expr * getTrailingRequiresClause()
Get the constraint-expression introduced by the trailing requires-clause in the function/member decla...
Definition: Decl.h:810
TypeSourceInfo * getTypeSourceInfo() const
Definition: Decl.h:764
Information about one declarator, including the parsed type information and the identifier.
Definition: DeclSpec.h:1903
const DeclaratorChunk & getTypeObject(unsigned i) const
Return the specified TypeInfo from this declarator.
Definition: DeclSpec.h:2401
const DeclSpec & getDeclSpec() const
getDeclSpec - Return the declaration-specifier that this declarator was declared with.
Definition: DeclSpec.h:2050
const ParsedAttributes & getAttributes() const
Definition: DeclSpec.h:2686
unsigned getNumTypeObjects() const
Return the number of types applied to this declarator.
Definition: DeclSpec.h:2397
const ParsedAttributesView & getDeclarationAttributes() const
Definition: DeclSpec.h:2689
Recursive AST visitor that supports extension via dynamic dispatch.
A helper class that allows the use of isa/cast/dyncast to detect TagType objects of enums.
Definition: Type.h:6103
This represents one expression.
Definition: Expr.h:110
static bool isPotentialConstantExprUnevaluated(Expr *E, const FunctionDecl *FD, SmallVectorImpl< PartialDiagnosticAt > &Diags)
isPotentialConstantExprUnevaluated - Return true if this expression might be usable in a constant exp...
Expr * IgnoreParenCasts() LLVM_READONLY
Skip past any parentheses and casts which might surround this expression until reaching a fixed point...
Definition: Expr.cpp:3102
bool isValueDependent() const
Determines whether the value of this expression depends on.
Definition: Expr.h:175
bool isTypeDependent() const
Determines whether the type of this expression depends on.
Definition: Expr.h:192
bool containsUnexpandedParameterPack() const
Whether this expression contains an unexpanded parameter pack (for C++11 variadic templates).
Definition: Expr.h:239
bool isIntegerConstantExpr(const ASTContext &Ctx, SourceLocation *Loc=nullptr) const
SourceLocation getExprLoc() const LLVM_READONLY
getExprLoc - Return the preferred location for the arrow when diagnosing a problem with a generic exp...
Definition: Expr.cpp:276
std::optional< llvm::APSInt > getIntegerConstantExpr(const ASTContext &Ctx, SourceLocation *Loc=nullptr) const
isIntegerConstantExpr - Return the value if this expression is a valid integer constant expression.
QualType getType() const
Definition: Expr.h:142
Represents difference between two FPOptions values.
Definition: LangOptions.h:978
Represents a member of a struct/union/class.
Definition: Decl.h:3033
Annotates a diagnostic with some code that should be inserted, removed, or replaced to fix the proble...
Definition: Diagnostic.h:75
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:138
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:101
Represents a function declaration or definition.
Definition: Decl.h:1935
const ParmVarDecl * getParamDecl(unsigned i) const
Definition: Decl.h:2672
bool isFunctionTemplateSpecialization() const
Determine whether this function is a function template specialization.
Definition: Decl.cpp:4064
bool isThisDeclarationADefinition() const
Returns whether this specific declaration of the function is also a definition that does not contain ...
Definition: Decl.h:2249
SourceRange getReturnTypeSourceRange() const
Attempt to compute an informative source range covering the function return type.
Definition: Decl.cpp:3883
unsigned getBuiltinID(bool ConsiderWrapperFunctions=false) const
Returns a value indicating whether this function corresponds to a builtin function.
Definition: Decl.cpp:3638
param_iterator param_end()
Definition: Decl.h:2662
bool isInlined() const
Determine whether this function should be inlined, because it is either marked "inline" or "constexpr...
Definition: Decl.h:2796
void setIsMultiVersion(bool V=true)
Sets the multiversion state for this declaration and all of its redeclarations.
Definition: Decl.h:2571
QualType getReturnType() const
Definition: Decl.h:2720
ArrayRef< ParmVarDecl * > parameters() const
Definition: Decl.h:2649
bool hasPrototype() const
Whether this function has a prototype, either because one was explicitly written or because it was "i...
Definition: Decl.h:2371
param_iterator param_begin()
Definition: Decl.h:2661
bool isVariadic() const
Whether this function is variadic.
Definition: Decl.cpp:3096
bool isConstexprSpecified() const
Definition: Decl.h:2407
bool isExternC() const
Determines whether this function is a function with external, C linkage.
Definition: Decl.cpp:3498
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, Expr *TrailingRequiresClause=nullptr)
Definition: Decl.h:2124
bool isConsteval() const
Definition: Decl.h:2410
unsigned getNumParams() const
Return the number of parameters this function must have based on its FunctionType.
Definition: Decl.cpp:3702
bool isInlineSpecified() const
Determine whether the "inline" keyword was specified for this function.
Definition: Decl.h:2774
Represents a prototype with parameter type info, e.g.
Definition: Type.h:5107
QualType desugar() const
Definition: Type.h:5651
Declaration of a template function.
Definition: DeclTemplate.h:959
FunctionType - C99 6.7.5.3 - Function Declarators.
Definition: Type.h:4321
CallingConv getCallConv() const
Definition: Type.h:4659
QualType getReturnType() const
Definition: Type.h:4648
GlobalDecl - represents a global declaration.
Definition: GlobalDecl.h:56
One of these records is kept for each identifier that is lexed.
unsigned getBuiltinID() const
Return a value indicating whether this is a builtin function.
bool isStr(const char(&Str)[StrLen]) const
Return true if this is the identifier for the specified string.
StringRef getName() const
Return the actual identifier string.
IdentifierInfo & get(StringRef Name)
Return the identifier token info for the specified named identifier.
Describes an entity that is being initialized.
static InitializedEntity InitializeParameter(ASTContext &Context, ParmVarDecl *Parm)
Create the initialization entity for a parameter.
Keeps track of the various options that can be enabled, which controls the dialect of C or C++ that i...
Definition: LangOptions.h:499
bool isCompatibleWithMSVC(MSVCMajorVersion MajorVersion) const
Definition: LangOptions.h:672
void push_back(const T &LocalValue)
Represents the results of name lookup.
Definition: Lookup.h:46
A global _GUID constant.
Definition: DeclCXX.h:4312
Describes a module or submodule.
Definition: Module.h:115
This represents a decl that may have a name.
Definition: Decl.h:253
IdentifierInfo * getIdentifier() const
Get the identifier that names this declaration, if there is one.
Definition: Decl.h:274
bool isCXXInstanceMember() const
Determine whether the given declaration is an instance member of a C++ class.
Definition: Decl.cpp:1951
A C++ nested-name-specifier augmented with source location information.
ObjCMethodDecl - Represents an instance or class method declaration.
Definition: DeclObjC.h:140
Represents one property declaration in an Objective-C interface.
Definition: DeclObjC.h:730
void * getAsOpaquePtr() const
Definition: Ownership.h:90
static OpaquePtr getFromOpaquePtr(void *P)
Definition: Ownership.h:91
A single parameter index whose accessors require each use to make explicit the parameter index encodi...
Definition: Attr.h:255
unsigned getSourceIndex() const
Get the parameter index as it would normally be encoded for attributes at the source level of represe...
Definition: Attr.h:323
unsigned getASTIndex() const
Get the parameter index as it would normally be encoded at the AST level of representation: zero-orig...
Definition: Attr.h:334
Represents a parameter to a function.
Definition: Decl.h:1725
void setScopeInfo(unsigned scopeDepth, unsigned parameterIndex)
Definition: Decl.h:1758
ParsedAttr - Represents a syntactic attribute.
Definition: ParsedAttr.h:129
bool isPackExpansion() const
Definition: ParsedAttr.h:382
const AvailabilityChange & getAvailabilityDeprecated() const
Definition: ParsedAttr.h:414
unsigned getSemanticSpelling() const
If the parsed attribute has a semantic equivalent, and it would have a semantic Spelling enumeration ...
Definition: ParsedAttr.cpp:260
bool existsInTarget(const TargetInfo &Target) const
Definition: ParsedAttr.cpp:199
bool checkExactlyNumArgs(class Sema &S, unsigned Num) const
Check if the attribute has exactly as many args as Num.
Definition: ParsedAttr.cpp:296
IdentifierLoc * getArgAsIdent(unsigned Arg) const
Definition: ParsedAttr.h:404
bool hasParsedType() const
Definition: ParsedAttr.h:352
const AvailabilityChange & getAvailabilityIntroduced() const
Definition: ParsedAttr.h:408
void setInvalid(bool b=true) const
Definition: ParsedAttr.h:360
bool hasVariadicArg() const
Definition: ParsedAttr.cpp:264
const ParsedAttrInfo & getInfo() const
Definition: ParsedAttr.h:628
void handleAttrWithDelayedArgs(Sema &S, Decl *D) const
Definition: ParsedAttr.cpp:276
const Expr * getReplacementExpr() const
Definition: ParsedAttr.h:444
bool hasProcessingCache() const
Definition: ParsedAttr.h:362
SourceLocation getUnavailableLoc() const
Definition: ParsedAttr.h:432
unsigned getProcessingCache() const
Definition: ParsedAttr.h:364
const IdentifierLoc * getEnvironment() const
Definition: ParsedAttr.h:450
bool acceptsExprPack() const
Definition: ParsedAttr.cpp:258
const Expr * getMessageExpr() const
Definition: ParsedAttr.h:438
const ParsedType & getMatchingCType() const
Definition: ParsedAttr.h:456
const ParsedType & getTypeArg() const
Definition: ParsedAttr.h:474
SourceLocation getStrictLoc() const
Definition: ParsedAttr.h:426
bool isTypeAttr() const
Definition: ParsedAttr.cpp:195
unsigned getNumArgs() const
getNumArgs - Return the number of actual arguments to this attribute.
Definition: ParsedAttr.h:386
bool isArgIdent(unsigned Arg) const
Definition: ParsedAttr.h:400
Expr * getArgAsExpr(unsigned Arg) const
Definition: ParsedAttr.h:398
bool getMustBeNull() const
Definition: ParsedAttr.h:468
bool checkAtLeastNumArgs(class Sema &S, unsigned Num) const
Check if the attribute has at least as many args as Num.
Definition: ParsedAttr.cpp:301
bool isUsedAsTypeAttr() const
Definition: ParsedAttr.h:374
unsigned getNumArgMembers() const
Definition: ParsedAttr.cpp:152
bool isStmtAttr() const
Definition: ParsedAttr.cpp:197
bool isPragmaClangAttribute() const
True if the attribute is specified using '#pragma clang attribute'.
Definition: ParsedAttr.h:378
bool slidesFromDeclToDeclSpecLegacyBehavior() const
Returns whether a [[]] attribute, if specified ahead of a declaration, should be applied to the decl-...
Definition: ParsedAttr.cpp:220
AttributeCommonInfo::Kind getKind() const
Definition: ParsedAttr.h:625
void setProcessingCache(unsigned value) const
Definition: ParsedAttr.h:369
bool isParamExpr(size_t N) const
Definition: ParsedAttr.cpp:272
bool isArgExpr(unsigned Arg) const
Definition: ParsedAttr.h:394
bool getLayoutCompatible() const
Definition: ParsedAttr.h:462
ArgsUnion getArg(unsigned Arg) const
getArg - Return the specified argument.
Definition: ParsedAttr.h:389
SourceLocation getEllipsisLoc() const
Definition: ParsedAttr.h:383
bool isInvalid() const
Definition: ParsedAttr.h:359
bool checkAtMostNumArgs(class Sema &S, unsigned Num) const
Check if the attribute has at most as many args as Num.
Definition: ParsedAttr.cpp:306
const AvailabilityChange & getAvailabilityObsoleted() const
Definition: ParsedAttr.h:420
void addAtEnd(ParsedAttr *newAttr)
Definition: ParsedAttr.h:846
PointerType - C99 6.7.5.1 - Pointer Declarators.
Definition: Type.h:3198
QualType getPointeeType() const
Definition: Type.h:3208
IdentifierTable & getIdentifierTable()
A (possibly-)qualified type.
Definition: Type.h:929
bool isNull() const
Return true if this QualType doesn't point to a type yet.
Definition: Type.h:996
const Type * getTypePtr() const
Retrieves a pointer to the underlying (unqualified) type.
Definition: Type.h:7936
QualType getCanonicalType() const
Definition: Type.h:7988
QualType getUnqualifiedType() const
Retrieve the unqualified variant of the given type, removing as little sugar as possible.
Definition: Type.h:8030
const Type * getTypePtrOrNull() const
Definition: Type.h:7940
Represents a struct/union/class.
Definition: Decl.h:4162
field_iterator field_end() const
Definition: Decl.h:4379
field_range fields() const
Definition: Decl.h:4376
field_iterator field_begin() const
Definition: Decl.cpp:5095
A helper class that allows the use of isa/cast/dyncast to detect TagType objects of structs/unions/cl...
Definition: Type.h:6077
RecordDecl * getDecl() const
Definition: Type.h:6087
Base for LValueReferenceType and RValueReferenceType.
Definition: Type.h:3439
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:263
@ FunctionDeclarationScope
This is a scope that corresponds to the parameters within a function prototype for a function declara...
Definition: Scope.h:91
void handleAMDGPUMaxNumWorkGroupsAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaAMDGPU.cpp:363
void handleAMDGPUFlatWorkGroupSizeAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaAMDGPU.cpp:219
void handleAMDGPUNumSGPRAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaAMDGPU.cpp:289
void handleAMDGPUNumVGPRAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaAMDGPU.cpp:299
void handleAMDGPUWavesPerEUAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaAMDGPU.cpp:279
void handleInterruptAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaARM.cpp:1301
void handleBuiltinAliasAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaARM.cpp:1186
void handleNewAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaARM.cpp:1233
bool SveAliasValid(unsigned BuiltinID, llvm::StringRef AliasName)
Definition: SemaARM.cpp:1172
bool MveAliasValid(unsigned BuiltinID, llvm::StringRef AliasName)
Definition: SemaARM.cpp:1159
void handleCmseNSEntryAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaARM.cpp:1286
bool CdeAliasValid(unsigned BuiltinID, llvm::StringRef AliasName)
Definition: SemaARM.cpp:1167
void handleSignalAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaAVR.cpp:36
void handleInterruptAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaAVR.cpp:23
void handlePreserveAIRecord(RecordDecl *RD)
Definition: SemaBPF.cpp:175
void handlePreserveAccessIndexAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaBPF.cpp:187
SemaDiagnosticBuilder Diag(SourceLocation Loc, unsigned DiagID, bool DeferHint=false)
Emit a diagnostic.
Definition: SemaBase.cpp:60
CUDAFunctionTarget IdentifyTarget(const FunctionDecl *D, bool IgnoreImplicitHDAttr=false)
Determines whether the given function is a CUDA device/host/kernel/etc.
Definition: SemaCUDA.cpp:134
CUDAFunctionTarget CurrentTarget()
Gets the CUDA target for the current context.
Definition: SemaCUDA.h:152
SemaDiagnosticBuilder DiagIfHostCode(SourceLocation Loc, unsigned DiagID)
Creates a SemaDiagnosticBuilder that emits the diagnostic if the current context is "used as host cod...
Definition: SemaCUDA.cpp:849
void handleWaveSizeAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaHLSL.cpp:717
void handleSV_GroupThreadIDAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaHLSL.cpp:803
void handleShaderAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaHLSL.cpp:869
void handleSV_DispatchThreadIDAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaHLSL.cpp:794
void handlePackOffsetAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaHLSL.cpp:820
void handleParamModifierAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaHLSL.cpp:1318
void handleResourceBindingAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaHLSL.cpp:1236
void handleNumThreadsAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaHLSL.cpp:662
void handleSV_GroupIDAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaHLSL.cpp:812
void handleInterruptAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaM68k.cpp:23
void handleInterruptAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaMIPS.cpp:243
void handleInterruptAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaMSP430.cpp:25
void handleRuntimeName(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:2106
void handleNSObject(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1662
bool isValidOSObjectOutParameter(const Decl *D)
Definition: SemaObjC.cpp:1809
void handleNSErrorDomain(Decl *D, const ParsedAttr &Attr)
Definition: SemaObjC.cpp:1993
void handleXReturnsXRetainedAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1818
void handleExternallyRetainedAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:2223
void handleMethodFamilyAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1635
void handleIndependentClass(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1687
void handleIBOutlet(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1549
void handleReturnsInnerPointerAttr(Decl *D, const ParsedAttr &Attrs)
Definition: SemaObjC.cpp:1947
void handleSuppresProtocolAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1602
void handleOwnershipAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:2140
void handleBlocksAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1702
void handleBridgeMutableAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:2053
Sema::RetainOwnershipKind parsedAttrToRetainOwnershipKind(const ParsedAttr &AL)
Definition: SemaObjC.cpp:1774
void handleRequiresSuperAttr(Decl *D, const ParsedAttr &Attrs)
Definition: SemaObjC.cpp:1973
void AddXConsumedAttr(Decl *D, const AttributeCommonInfo &CI, Sema::RetainOwnershipKind K, bool IsTemplateInstantiation)
Definition: SemaObjC.cpp:1740
void handleDesignatedInitializer(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:2080
void handleBridgeRelatedAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:2065
void handleIBOutletCollection(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1556
bool isCFStringType(QualType T)
Definition: SemaObjC.cpp:1509
void handleDirectAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1613
bool isNSStringType(QualType T, bool AllowNSAttributedString=false)
Definition: SemaObjC.cpp:1490
void handleBoxable(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:2118
void handleDirectMembersAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:1627
void handleBridgeAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:2026
void handlePreciseLifetimeAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaObjC.cpp:2149
void handleSubGroupSize(Decl *D, const ParsedAttr &AL)
Definition: SemaOpenCL.cpp:79
void handleNoSVMAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaOpenCL.cpp:23
void handleAccessAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaOpenCL.cpp:32
void handleOMPAssumeAttr(Decl *D, const ParsedAttr &AL)
bool isAliasValid(unsigned BuiltinID, llvm::StringRef AliasName)
Definition: SemaRISCV.cpp:1482
void handleInterruptAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaRISCV.cpp:1424
void handleKernelEntryPointAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaSYCL.cpp:203
void handleKernelAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaSYCL.cpp:164
void handleBridge(Decl *D, const ParsedAttr &AL)
Definition: SemaSwift.cpp:90
void handleAsyncAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaSwift.cpp:662
void handleAsyncName(Decl *D, const ParsedAttr &AL)
Definition: SemaSwift.cpp:621
void handleNewType(Decl *D, const ParsedAttr &AL)
Definition: SemaSwift.cpp:634
void handleError(Decl *D, const ParsedAttr &AL)
Definition: SemaSwift.cpp:130
void AddParameterABIAttr(Decl *D, const AttributeCommonInfo &CI, ParameterABI abi)
Definition: SemaSwift.cpp:715
void handleAsyncError(Decl *D, const ParsedAttr &AL)
Definition: SemaSwift.cpp:287
void handleName(Decl *D, const ParsedAttr &AL)
Definition: SemaSwift.cpp:609
void handleAttrAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaSwift.cpp:75
void handleWebAssemblyImportNameAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaWasm.cpp:302
void handleWebAssemblyImportModuleAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaWasm.cpp:285
void handleWebAssemblyExportNameAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaWasm.cpp:318
void handleForceAlignArgPointerAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaX86.cpp:1195
void handleAnyInterruptAttr(Decl *D, const ParsedAttr &AL)
Definition: SemaX86.cpp:1126
A class which encapsulates the logic for delaying diagnostics during parsing and other processing.
Definition: Sema.h:985
sema::DelayedDiagnosticPool * getCurrentPool() const
Returns the current delayed-diagnostics pool.
Definition: Sema.h:1000
void popWithoutEmitting(DelayedDiagnosticsState state)
Leave a delayed-diagnostic state that was previously pushed.
Definition: Sema.h:1014
Sema - This implements semantic analysis and AST building for C.
Definition: Sema.h:464
SemaAMDGPU & AMDGPU()
Definition: Sema.h:1046
BTFDeclTagAttr * mergeBTFDeclTagAttr(Decl *D, const BTFDeclTagAttr &AL)
void LoadExternalWeakUndeclaredIdentifiers()
Load weak undeclared identifiers from the external source.
Definition: Sema.cpp:996
@ LookupOrdinaryName
Ordinary name lookup, which finds ordinary names (functions, variables, typedefs, etc....
Definition: Sema.h:8990
EnforceTCBAttr * mergeEnforceTCBAttr(Decl *D, const EnforceTCBAttr &AL)
SemaM68k & M68k()
Definition: Sema.h:1091
bool isValidPointerAttrType(QualType T, bool RefOkay=false)
Determine if type T is a valid subject for a nonnull and similar attributes.
static std::enable_if_t< std::is_base_of_v< Attr, AttrInfo >, SourceLocation > getAttrLoc(const AttrInfo &AL)
A helper function to provide Attribute Location for the Attr types AND the ParsedAttr.
Definition: Sema.h:4412
SemaOpenMP & OpenMP()
Definition: Sema.h:1126
TypeVisibilityAttr * mergeTypeVisibilityAttr(Decl *D, const AttributeCommonInfo &CI, TypeVisibilityAttr::VisibilityType Vis)
void AddAlignedAttr(Decl *D, const AttributeCommonInfo &CI, Expr *E, bool IsPackExpansion)
AddAlignedAttr - Adds an aligned attribute to a particular declaration.
void AddAssumeAlignedAttr(Decl *D, const AttributeCommonInfo &CI, Expr *E, Expr *OE)
AddAssumeAlignedAttr - Adds an assume_aligned attribute to a particular declaration.
bool checkSectionName(SourceLocation LiteralLoc, StringRef Str)
void AddPragmaAttributes(Scope *S, Decl *D)
Adds the attributes that have been specified using the '#pragma clang attribute push' directives to t...
Definition: SemaAttr.cpp:1190
SemaCUDA & CUDA()
Definition: Sema.h:1071
bool checkCommonAttributeFeatures(const Decl *D, const ParsedAttr &A, bool SkipArgCountCheck=false)
Handles semantic checking for features that are common to all attributes, such as checking whether a ...
Definition: SemaAttr.cpp:1561
bool ProcessAccessDeclAttributeList(AccessSpecDecl *ASDecl, const ParsedAttributesView &AttrList)
Annotation attributes are the only attributes allowed after an access specifier.
DLLImportAttr * mergeDLLImportAttr(Decl *D, const AttributeCommonInfo &CI)
ExtVectorDeclsType ExtVectorDecls
ExtVectorDecls - This is a list all the extended vector types.
Definition: Sema.h:4472
ExprResult VerifyIntegerConstantExpression(Expr *E, llvm::APSInt *Result, VerifyICEDiagnoser &Diagnoser, AllowFoldKind CanFold=NoFold)
VerifyIntegerConstantExpression - Verifies that an expression is an ICE, and reports the appropriate ...
Definition: SemaExpr.cpp:17152
void PopParsingDeclaration(ParsingDeclState state, Decl *decl)
ErrorAttr * mergeErrorAttr(Decl *D, const AttributeCommonInfo &CI, StringRef NewUserDiagnostic)
void redelayDiagnostics(sema::DelayedDiagnosticPool &pool)
Given a set of delayed diagnostics, re-emit them as if they had been delayed in the current context i...
bool checkTargetVersionAttr(SourceLocation Loc, Decl *D, StringRef Str)
Check Target Version attrs.
SemaSYCL & SYCL()
Definition: Sema.h:1151
VisibilityAttr * mergeVisibilityAttr(Decl *D, const AttributeCommonInfo &CI, VisibilityAttr::VisibilityType Vis)
SemaX86 & X86()
Definition: Sema.h:1171
ParmVarDecl * BuildParmVarDeclForTypedef(DeclContext *DC, SourceLocation Loc, QualType T)
Synthesizes a variable for a parameter arising from a typedef.
Definition: SemaDecl.cpp:15155
ASTContext & Context
Definition: Sema.h:909
void LazyProcessLifetimeCaptureByParams(FunctionDecl *FD)
SemaObjC & ObjC()
Definition: Sema.h:1111
void PushOnScopeChains(NamedDecl *D, Scope *S, bool AddToContext=true)
Add this decl to the scope shadowed decl chains.
Definition: SemaDecl.cpp:1499
ASTContext & getASTContext() const
Definition: Sema.h:532
@ None
This is not a defaultable comparison operator.
bool CheckCallingConvAttr(const ParsedAttr &attr, CallingConv &CC, const FunctionDecl *FD=nullptr, CUDAFunctionTarget CFT=CUDAFunctionTarget::InvalidTarget)
Check validaty of calling convention attribute attr.
FunctionDecl * ResolveSingleFunctionTemplateSpecialization(OverloadExpr *ovl, bool Complain=false, DeclAccessPair *Found=nullptr, TemplateSpecCandidateSet *FailedTSC=nullptr)
Given an expression that refers to an overloaded function, try to resolve that overloaded function ex...
QualType BuildCountAttributedArrayOrPointerType(QualType WrappedTy, Expr *CountExpr, bool CountInBytes, bool OrNull)
Definition: SemaType.cpp:9614
void ProcessPragmaWeak(Scope *S, Decl *D)
bool CheckAttrNoArgs(const ParsedAttr &CurrAttr)
bool UnifySection(StringRef SectionName, int SectionFlags, NamedDecl *TheDecl)
Definition: SemaAttr.cpp:792
FPOptions & getCurFPFeatures()
Definition: Sema.h:527
SourceLocation getLocForEndOfToken(SourceLocation Loc, unsigned Offset=0)
Calls Lexer::getLocForEndOfToken()
Definition: Sema.cpp:82
@ UPPC_Expression
An arbitrary expression.
Definition: Sema.h:13897
const LangOptions & getLangOpts() const
Definition: Sema.h:525
void AddModeAttr(Decl *D, const AttributeCommonInfo &CI, IdentifierInfo *Name, bool InInstantiation=false)
AddModeAttr - Adds a mode attribute to a particular declaration.
SemaBPF & BPF()
Definition: Sema.h:1061
Preprocessor & PP
Definition: Sema.h:908
bool DiagnoseUnexpandedParameterPack(SourceLocation Loc, TypeSourceInfo *T, UnexpandedParameterPackContext UPPC)
If the given type contains an unexpanded parameter pack, diagnose the error.
MinSizeAttr * mergeMinSizeAttr(Decl *D, const AttributeCommonInfo &CI)
SemaMSP430 & MSP430()
Definition: Sema.h:1101
const LangOptions & LangOpts
Definition: Sema.h:907
static const uint64_t MaximumAlignment
Definition: Sema.h:840
SemaHLSL & HLSL()
Definition: Sema.h:1076
AlwaysInlineAttr * mergeAlwaysInlineAttr(Decl *D, const AttributeCommonInfo &CI, const IdentifierInfo *Ident)
SemaMIPS & MIPS()
Definition: Sema.h:1096
SemaRISCV & RISCV()
Definition: Sema.h:1141
bool CheckCountedByAttrOnField(FieldDecl *FD, Expr *E, bool CountInBytes, bool OrNull)
Check if applying the specified attribute variant from the "counted by" family of attributes to Field...
void ProcessDeclAttributeList(Scope *S, Decl *D, const ParsedAttributesView &AttrList, const ProcessDeclAttributeOptions &Options=ProcessDeclAttributeOptions())
ProcessDeclAttributeList - Apply all the decl attributes in the specified attribute list to the speci...
SemaSwift & Swift()
Definition: Sema.h:1156
NamedDecl * getCurFunctionOrMethodDecl() const
getCurFunctionOrMethodDecl - Return the Decl for the current ObjC method or C function we're in,...
Definition: Sema.cpp:1582
void AddAllocAlignAttr(Decl *D, const AttributeCommonInfo &CI, Expr *ParamExpr)
AddAllocAlignAttr - Adds an alloc_align attribute to a particular declaration.
bool CheckRegparmAttr(const ParsedAttr &attr, unsigned &value)
Checks a regparm attribute, returning true if it is ill-formed and otherwise setting numParams to the...
void ProcessDeclAttributeDelayed(Decl *D, const ParsedAttributesView &AttrList)
Helper for delayed processing TransparentUnion or BPFPreserveAccessIndexAttr attribute.
bool checkUInt32Argument(const AttrInfo &AI, const Expr *Expr, uint32_t &Val, unsigned Idx=UINT_MAX, bool StrictlyUnsigned=false)
If Expr is a valid integer constant, get the value of the integer expression and return success or fa...
Definition: Sema.h:4423
MSInheritanceAttr * mergeMSInheritanceAttr(Decl *D, const AttributeCommonInfo &CI, bool BestCase, MSInheritanceModel Model)
InternalLinkageAttr * mergeInternalLinkageAttr(Decl *D, const ParsedAttr &AL)
DeclContext * CurContext
CurContext - This is the current declaration context of parsing.
Definition: Sema.h:1044
SemaOpenCL & OpenCL()
Definition: Sema.h:1121
ExprResult PerformContextuallyConvertToBool(Expr *From)
PerformContextuallyConvertToBool - Perform a contextual conversion of the expression From to bool (C+...
@ Compatible
Compatible - the types are compatible according to the standard.
Definition: Sema.h:7582
NamedDecl * DeclClonePragmaWeak(NamedDecl *ND, const IdentifierInfo *II, SourceLocation Loc)
DeclClonePragmaWeak - clone existing decl (maybe definition), #pragma weak needs a non-definition dec...
DLLExportAttr * mergeDLLExportAttr(Decl *D, const AttributeCommonInfo &CI)
CodeSegAttr * mergeCodeSegAttr(Decl *D, const AttributeCommonInfo &CI, StringRef Name)
SectionAttr * mergeSectionAttr(Decl *D, const AttributeCommonInfo &CI, StringRef Name)
bool inTemplateInstantiation() const
Determine whether we are currently performing template instantiation.
Definition: Sema.h:13490
SourceManager & getSourceManager() const
Definition: Sema.h:530
bool checkTargetAttr(SourceLocation LiteralLoc, StringRef Str)
llvm::Error isValidSectionSpecifier(StringRef Str)
Used to implement to perform semantic checking on attribute((section("foo"))) specifiers.
void AddLaunchBoundsAttr(Decl *D, const AttributeCommonInfo &CI, Expr *MaxThreads, Expr *MinBlocks, Expr *MaxBlocks)
AddLaunchBoundsAttr - Adds a launch_bounds attribute to a particular declaration.
OptimizeNoneAttr * mergeOptimizeNoneAttr(Decl *D, const AttributeCommonInfo &CI)
void checkUnusedDeclAttributes(Declarator &D)
checkUnusedDeclAttributes - Given a declarator which is not being used to build a declaration,...
bool CheckAttrTarget(const ParsedAttr &CurrAttr)
EnforceTCBLeafAttr * mergeEnforceTCBLeafAttr(Decl *D, const EnforceTCBLeafAttr &AL)
ASTConsumer & Consumer
Definition: Sema.h:910
void NoteAllOverloadCandidates(Expr *E, QualType DestType=QualType(), bool TakingAddress=false)
FormatAttr * mergeFormatAttr(Decl *D, const AttributeCommonInfo &CI, IdentifierInfo *Format, int FormatIdx, int FirstArg)
@ AP_PragmaClangAttribute
The availability attribute was applied using '#pragma clang attribute'.
Definition: Sema.h:4392
@ AP_InferredFromOtherPlatform
The availability attribute for a specific platform was inferred from an availability attribute for an...
Definition: Sema.h:4396
@ AP_Explicit
The availability attribute was specified explicitly next to the declaration.
Definition: Sema.h:4389
AvailabilityMergeKind
Describes the kind of merge to perform for availability attributes (including "deprecated",...
Definition: Sema.h:4043
@ AMK_None
Don't merge availability attributes at all.
Definition: Sema.h:4045
@ AMK_Override
Merge availability attributes for an override, which requires an exact match or a weakening of constr...
Definition: Sema.h:4051
@ AMK_ProtocolImplementation
Merge availability attributes for an implementation of a protocol requirement.
Definition: Sema.h:4054
@ AMK_OptionalProtocolImplementation
Merge availability attributes for an implementation of an optional protocol requirement.
Definition: Sema.h:4057
@ AMK_Redeclaration
Merge availability attributes for a redeclaration, which requires an exact match.
Definition: Sema.h:4048
SmallVector< Decl *, 2 > WeakTopLevelDecl
WeakTopLevelDecl - Translation-unit scoped declarations generated by #pragma weak during processing o...
Definition: Sema.h:4460
bool RequireCompleteType(SourceLocation Loc, QualType T, CompleteTypeKind Kind, TypeDiagnoser &Diagnoser)
Ensure that the type T is a complete type.
Definition: SemaType.cpp:9119
Scope * TUScope
Translation Unit Scope - useful to Objective-C actions that need to lookup file scope declarations in...
Definition: Sema.h:872
UuidAttr * mergeUuidAttr(Decl *D, const AttributeCommonInfo &CI, StringRef UuidAsWritten, MSGuidDecl *GuidDecl)
ExprResult PerformCopyInitialization(const InitializedEntity &Entity, SourceLocation EqualLoc, ExprResult Init, bool TopLevelOfInitList=false, bool AllowExplicit=false)
Definition: SemaInit.cpp:9771
Attr * CreateAnnotationAttr(const AttributeCommonInfo &CI, StringRef Annot, MutableArrayRef< Expr * > Args)
CreateAnnotationAttr - Creates an annotation Annot with Args arguments.
Definition: Sema.cpp:2782
SemaAVR & AVR()
Definition: Sema.h:1056
bool checkTargetClonesAttrString(SourceLocation LiteralLoc, StringRef Str, const StringLiteral *Literal, Decl *D, bool &HasDefault, bool &HasCommas, bool &HasNotDefault, SmallVectorImpl< SmallString< 64 > > &StringsBuffer)
void handleDelayedAvailabilityCheck(sema::DelayedDiagnostic &DD, Decl *Ctx)
void ProcessDeclAttributes(Scope *S, Decl *D, const Declarator &PD)
ProcessDeclAttributes - Given a declarator (PD) with attributes indicated in it, apply them to D.
void DeclApplyPragmaWeak(Scope *S, NamedDecl *ND, const WeakInfo &W)
DeclApplyPragmaWeak - A declaration (maybe definition) needs #pragma weak applied to it,...
AvailabilityAttr * mergeAvailabilityAttr(NamedDecl *D, const AttributeCommonInfo &CI, IdentifierInfo *Platform, bool Implicit, VersionTuple Introduced, VersionTuple Deprecated, VersionTuple Obsoleted, bool IsUnavailable, StringRef Message, bool IsStrict, StringRef Replacement, AvailabilityMergeKind AMK, int Priority, IdentifierInfo *IIEnvironment)
llvm::MapVector< IdentifierInfo *, llvm::SetVector< WeakInfo, llvm::SmallVector< WeakInfo, 1u >, llvm::SmallDenseSet< WeakInfo, 2u, WeakInfo::DenseMapInfoByAliasOnly > > > WeakUndeclaredIdentifiers
WeakUndeclaredIdentifiers - Identifiers contained in #pragma weak before declared.
Definition: Sema.h:3074
bool checkFunctionOrMethodParameterIndex(const Decl *D, const AttrInfo &AI, unsigned AttrArgNum, const Expr *IdxExpr, ParamIdx &Idx, bool CanIndexImplicitThis=false)
Check if IdxExpr is a valid parameter index for a function or instance method D.
Definition: Sema.h:4703
void ProcessAPINotes(Decl *D)
Map any API notes provided for this declaration to attributes on the declaration.
void CheckAlignasUnderalignment(Decl *D)
void HandleDelayedAccessCheck(sema::DelayedDiagnostic &DD, Decl *Ctx)
DarwinSDKInfo * getDarwinSDKInfoForAvailabilityChecking(SourceLocation Loc, StringRef Platform)
Definition: Sema.cpp:89
AssignConvertType CheckAssignmentConstraints(SourceLocation Loc, QualType LHSType, QualType RHSType)
CheckAssignmentConstraints - Perform type checking for assignment, argument passing,...
Definition: SemaExpr.cpp:9154
CUDALaunchBoundsAttr * CreateLaunchBoundsAttr(const AttributeCommonInfo &CI, Expr *MaxThreads, Expr *MinBlocks, Expr *MaxBlocks)
Create an CUDALaunchBoundsAttr attribute.
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)
Definition: SemaType.cpp:2751
void AddAlignValueAttr(Decl *D, const AttributeCommonInfo &CI, Expr *E)
AddAlignValueAttr - Adds an align_value attribute to a particular declaration.
SemaWasm & Wasm()
Definition: Sema.h:1166
LifetimeCaptureByAttr * ParseLifetimeCaptureByAttr(const ParsedAttr &AL, StringRef ParamName)
bool checkMSInheritanceAttrOnDefinition(CXXRecordDecl *RD, SourceRange Range, bool BestCase, MSInheritanceModel SemanticSpelling)
bool checkStringLiteralArgumentAttr(const AttributeCommonInfo &CI, const Expr *E, StringRef &Str, SourceLocation *ArgLocation=nullptr)
Check if the argument E is a ASCII string literal.
SemaARM & ARM()
Definition: Sema.h:1051
bool CheckFunctionCall(FunctionDecl *FDecl, CallExpr *TheCall, const FunctionProtoType *Proto)
CheckFunctionCall - Check a direct function call for various correctness and safety properties not st...
Encodes a location in the source.
bool isValid() const
Return true if this is a valid SourceLocation object.
bool isInSystemMacro(SourceLocation loc) const
Returns whether Loc is expanded from a macro in a system header.
bool isInSystemHeader(SourceLocation Loc) const
Returns if a SourceLocation is in a system header.
A trivial tuple used to represent a source range.
SourceLocation getBegin() const
bool isValid() const
SourceRange getSourceRange() const LLVM_READONLY
SourceLocation tokens are not useful in isolation - they are low level value objects created/interpre...
Definition: Stmt.cpp:333
SourceLocation getBeginLoc() const LLVM_READONLY
Definition: Stmt.cpp:345
StringLiteral - This represents a string literal expression, e.g.
Definition: Expr.h:1778
bool isBeingDefined() const
Return true if this decl is currently being defined.
Definition: Decl.h:3701
bool isCompleteDefinition() const
Return true if this decl has its body fully specified.
Definition: Decl.h:3681
bool isUnion() const
Definition: Decl.h:3784
Exposes information about the current target.
Definition: TargetInfo.h:220
TargetOptions & getTargetOpts() const
Retrieve the target options.
Definition: TargetInfo.h:311
const llvm::Triple & getTriple() const
Returns the target triple of the primary target.
Definition: TargetInfo.h:1262
uint64_t getPointerWidth(LangAS AddrSpace) const
Return the width of pointers on this target, for the specified address space.
Definition: TargetInfo.h:478
virtual CallingConvCheckResult checkCallingConvention(CallingConv CC) const
Determines whether a given calling convention is valid for the target.
Definition: TargetInfo.h:1701
bool isTLSSupported() const
Whether the target supports thread-local storage.
Definition: TargetInfo.h:1583
unsigned getMaxTLSAlign() const
Return the maximum alignment (in bits) of a TLS variable.
Definition: TargetInfo.h:1591
virtual unsigned getRegisterWidth() const
Return the "preferred" register width on this target.
Definition: TargetInfo.h:889
virtual bool validateCpuSupports(StringRef Name) const
Definition: TargetInfo.h:1530
virtual bool doesFeatureAffectCodeGen(StringRef Feature) const
Returns true if feature has an impact on target code generation.
Definition: TargetInfo.h:1405
virtual bool validateCPUSpecificCPUDispatch(StringRef Name) const
Definition: TargetInfo.h:1544
virtual bool hasProtectedVisibility() const
Does this target support "protected" visibility?
Definition: TargetInfo.h:1296
unsigned getRegParmMax() const
Definition: TargetInfo.h:1577
virtual unsigned getUnwindWordWidth() const
Definition: TargetInfo.h:884
virtual bool isValidFeatureName(StringRef Feature) const
Determine whether this TargetInfo supports the given feature.
Definition: TargetInfo.h:1399
unsigned getCharWidth() const
Definition: TargetInfo.h:509
virtual ParsedTargetAttr parseTargetAttr(StringRef Str) const
Definition: TargetInfo.cpp:565
virtual bool supportsTargetAttributeTune() const
Determine whether this TargetInfo supports tune in target attribute.
Definition: TargetInfo.h:1366
virtual uint64_t getFMVPriority(ArrayRef< StringRef > Features) const
Definition: TargetInfo.h:1534
virtual bool shouldDLLImportComdatSymbols() const
Does this target aim for semantic compatibility with Microsoft C++ code using dllimport/export attrib...
Definition: TargetInfo.h:1300
virtual bool hasFeature(StringRef Feature) const
Determine whether the given target has the given feature.
Definition: TargetInfo.h:1493
virtual bool isValidCPUName(StringRef Name) const
Determine whether this TargetInfo supports the given CPU name.
Definition: TargetInfo.h:1353
const llvm::VersionTuple & getSDKVersion() const
Definition: TargetInfo.h:1809
virtual bool validateBranchProtection(StringRef Spec, StringRef Arch, BranchProtectionInfo &BPI, StringRef &Err) const
Determine if this TargetInfo supports the given branch protection specification.
Definition: TargetInfo.h:1469
The base class of all kinds of template declarations (e.g., class, function, etc.).
Definition: DeclTemplate.h:399
Represents a type template specialization; the template must be a class template, a type alias templa...
Definition: Type.h:6666
const Type * getTypeForDecl() const
Definition: Decl.h:3409
Base wrapper for a particular "section" of type source info.
Definition: TypeLoc.h:59
SourceRange getSourceRange() const LLVM_READONLY
Get the full source range.
Definition: TypeLoc.h:153
T getAsAdjusted() const
Convert to the specified TypeLoc type, returning a null TypeLoc if this TypeLoc is not of the desired...
Definition: TypeLoc.h:2715
SourceLocation getBeginLoc() const
Get the begin source location.
Definition: TypeLoc.cpp:192
A container of type source information.
Definition: Type.h:7907
TypeLoc getTypeLoc() const
Return the TypeLoc wrapper for the type source info.
Definition: TypeLoc.h:256
QualType getType() const
Return the type wrapped by this type source info.
Definition: Type.h:7918
The base class of the type hierarchy.
Definition: Type.h:1828
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:2511
CXXRecordDecl * getAsCXXRecordDecl() const
Retrieves the CXXRecordDecl that this type refers to, either because the type is a RecordType or beca...
Definition: Type.cpp:1916
bool isBlockPointerType() const
Definition: Type.h:8205
bool isVoidType() const
Definition: Type.h:8515
bool isBooleanType() const
Definition: Type.h:8643
const RecordType * getAsUnionType() const
NOTE: getAs*ArrayType are methods on ASTContext.
Definition: Type.cpp:773
bool isSignedIntegerType() const
Return true if this is an integer type that is signed, according to C99 6.2.5p4 [char,...
Definition: Type.cpp:2180
bool isComplexType() const
isComplexType() does not include complex integers (a GCC extension).
Definition: Type.cpp:710
bool isArrayType() const
Definition: Type.h:8263
bool isCharType() const
Definition: Type.cpp:2123
bool isFunctionPointerType() const
Definition: Type.h:8231
bool isPointerType() const
Definition: Type.h:8191
bool isIntegerType() const
isIntegerType() does not include complex integers (a GCC extension).
Definition: Type.h:8555
const T * castAs() const
Member-template castAs<specific type>.
Definition: Type.h:8805
bool isReferenceType() const
Definition: Type.h:8209
const CXXRecordDecl * getPointeeCXXRecordDecl() const
If this is a pointer or reference to a RecordType, return the CXXRecordDecl that the type refers to.
Definition: Type.cpp:1901
bool isIntegralType(const ASTContext &Ctx) const
Determine whether this type is an integral type.
Definition: Type.cpp:2092
bool isAlignValT() const
Definition: Type.cpp:3115
QualType getPointeeType() const
If this is a pointer, ObjC object pointer, or block pointer, this returns the respective pointee.
Definition: Type.cpp:738
bool isIntegralOrEnumerationType() const
Determine whether this type is an integral or enumeration type.
Definition: Type.h:8630
bool isExtVectorType() const
Definition: Type.h:8307
bool isInstantiationDependentType() const
Determine whether this type is an instantiation-dependent type, meaning that the type involves a temp...
Definition: Type.h:2714
bool isBitIntType() const
Definition: Type.h:8429
bool isDependentType() const
Whether this type is a dependent type, meaning that its definition somehow depends on a template para...
Definition: Type.h:2706
bool containsUnexpandedParameterPack() const
Whether this type is or contains an unexpanded parameter pack, used to support C++0x variadic templat...
Definition: Type.h:2361
bool isMemberPointerType() const
Definition: Type.h:8245
bool isPointerOrReferenceType() const
Definition: Type.h:8195
bool isIncompleteType(NamedDecl **Def=nullptr) const
Types are partitioned into 3 broad categories (C99 6.2.5p1): object types, function types,...
Definition: Type.cpp:2396
Visibility getVisibility() const
Determine the visibility of this type.
Definition: Type.h:2935
bool hasFloatingRepresentation() const
Determine whether this type has a floating-point representation of some sort, e.g....
Definition: Type.cpp:2292
bool isVectorType() const
Definition: Type.h:8303
bool isFloatingType() const
Definition: Type.cpp:2283
bool isAnyPointerType() const
Definition: Type.h:8199
const T * getAs() const
Member-template getAs<specific type>'.
Definition: Type.h:8736
const Type * getUnqualifiedDesugaredType() const
Return the specified type with any "sugar" removed from the type, removing any typedefs,...
Definition: Type.cpp:638
bool isTypedefNameType() const
Determines whether this type is written as a typedef-name.
Definition: Type.h:8664
Base class for declarations which introduce a typedef-name.
Definition: Decl.h:3427
static UnaryOperator * Create(const ASTContext &C, Expr *input, Opcode opc, QualType type, ExprValueKind VK, ExprObjectKind OK, SourceLocation l, bool CanOverflow, FPOptionsOverride FPFeatures)
Definition: Expr.cpp:4959
Represents a dependent using declaration which was marked with typename.
Definition: DeclCXX.h:3982
Represents a dependent using declaration which was not marked with typename.
Definition: DeclCXX.h:3885
Represents a C++ using-declaration.
Definition: DeclCXX.h:3535
Represent the declaration of a variable (in which case it is an lvalue) a function (in which case it ...
Definition: Decl.h:671
void setType(QualType newType)
Definition: Decl.h:683
QualType getType() const
Definition: Decl.h:682
Represents a variable declaration or definition.
Definition: Decl.h:882
static VarDecl * Create(ASTContext &C, DeclContext *DC, SourceLocation StartLoc, SourceLocation IdLoc, const IdentifierInfo *Id, QualType T, TypeSourceInfo *TInfo, StorageClass S)
Definition: Decl.cpp:2140
@ TLS_None
Not a TLS variable.
Definition: Decl.h:902
Represents a GCC generic vector type.
Definition: Type.h:4034
Captures information about a #pragma weak directive.
Definition: Weak.h:25
const IdentifierInfo * getAlias() const
Definition: Weak.h:32
SourceLocation getLocation() const
Definition: Weak.h:33
A collection of diagnostics which were delayed.
const DelayedDiagnosticPool * getParent() const
void steal(DelayedDiagnosticPool &pool)
Steal the diagnostics from the given pool.
SmallVectorImpl< DelayedDiagnostic >::const_iterator pool_iterator
A diagnostic message which has been conditionally emitted pending the complete parsing of the current...
QualType getForbiddenTypeOperand() const
unsigned getForbiddenTypeDiagnostic() const
The diagnostic ID to emit.
unsigned getForbiddenTypeArgument() const
Defines the clang::TargetInfo interface.
#define UINT_MAX
Definition: limits.h:64
const internal::VariadicAllOfMatcher< Type > type
Matches Types in the clang AST.
const internal::VariadicAllOfMatcher< Decl > decl
Matches declarations.
The JSON file list parser is used to communicate input to InstallAPI.
OverloadedOperatorKind
Enumeration specifying the different kinds of C++ overloaded operators.
Definition: OperatorKinds.h:21
bool isa(CodeGen::Address addr)
Definition: Address.h:328
@ ExpectedFunctionMethodOrBlock
Definition: ParsedAttr.h:1093
@ ExpectedClass
Definition: ParsedAttr.h:1107
@ ExpectedTypeOrNamespace
Definition: ParsedAttr.h:1098
@ ExpectedVariableFieldOrTag
Definition: ParsedAttr.h:1097
@ ExpectedVariableOrField
Definition: ParsedAttr.h:1096
@ ExpectedUnion
Definition: ParsedAttr.h:1090
@ ExpectedFunctionOrMethod
Definition: ParsedAttr.h:1092
@ ExpectedVariable
Definition: ParsedAttr.h:1095
@ ExpectedFunctionOrClassOrEnum
Definition: ParsedAttr.h:1106
@ ExpectedVariableOrFunction
Definition: ParsedAttr.h:1091
@ ExpectedKernelFunction
Definition: ParsedAttr.h:1100
@ ExpectedFunctionVariableOrClass
Definition: ParsedAttr.h:1099
@ ExpectedFunction
Definition: ParsedAttr.h:1089
@ ExpectedNonMemberFunction
Definition: ParsedAttr.h:1105
bool hasDeclarator(const Decl *D)
Return true if the given decl has a declarator that should have been processed by Sema::GetTypeForDec...
Definition: Attr.h:46
CUDAFunctionTarget
Definition: Cuda.h:145
QualType getFunctionOrMethodResultType(const Decl *D)
Definition: Attr.h:98
bool isInstanceMethod(const Decl *D)
Definition: Attr.h:120
@ OK_Ordinary
An ordinary object is located at an address in memory.
Definition: Specifiers.h:151
OffloadArch
Definition: Cuda.h:56
CudaVersion ToCudaVersion(llvm::VersionTuple)
Definition: Cuda.cpp:68
@ SC_Extern
Definition: Specifiers.h:251
@ SC_Register
Definition: Specifiers.h:257
@ SC_None
Definition: Specifiers.h:250
@ TSCS_unspecified
Definition: Specifiers.h:236
SourceRange getFunctionOrMethodResultSourceRange(const Decl *D)
Definition: Attr.h:104
bool isFunctionOrMethodOrBlockForAttrSubject(const Decl *D)
Return true if the given decl has function type (function or function-typed variable) or an Objective...
Definition: Attr.h:40
QualType getFunctionOrMethodParamType(const Decl *D, unsigned Idx)
Definition: Attr.h:83
@ Internal
Internal linkage, which indicates that the entity can be referred to from within the translation unit...
Language
The language for the input, used to select and validate the language standard and possible actions.
Definition: LangStandard.h:23
AttributeArgumentNType
These constants match the enumerated choices of err_attribute_argument_n_type and err_attribute_argum...
Definition: ParsedAttr.h:1077
@ AANT_ArgumentIntegerConstant
Definition: ParsedAttr.h:1079
@ AANT_ArgumentBuiltinFunction
Definition: ParsedAttr.h:1083
@ AANT_ArgumentIntOrBool
Definition: ParsedAttr.h:1078
@ AANT_ArgumentIdentifier
Definition: ParsedAttr.h:1081
@ AANT_ArgumentString
Definition: ParsedAttr.h:1080
@ SD_Automatic
Automatic storage duration (most local variables).
Definition: Specifiers.h:329
@ Result
The result type of a method or function.
@ SwiftAsyncContext
This parameter (which must have pointer type) uses the special Swift asynchronous context-pointer ABI...
@ SwiftErrorResult
This parameter (which must have pointer-to-pointer type) uses the special Swift error-result ABI trea...
@ SwiftIndirectResult
This parameter (which must have pointer type) is a Swift indirect result parameter.
@ SwiftContext
This parameter (which must have pointer type) uses the special Swift context-pointer ABI treatment.
bool isFunctionOrMethodVariadic(const Decl *D)
Definition: Attr.h:112
bool isFuncOrMethodForAttrSubject(const Decl *D)
isFuncOrMethodForAttrSubject - Return true if the given decl has function type (function or function-...
Definition: Attr.h:34
OffloadArch StringToOffloadArch(llvm::StringRef S)
Definition: Cuda.cpp:180
CudaVersion
Definition: Cuda.h:20
LLVM_READONLY bool isHexDigit(unsigned char c)
Return true if this character is an ASCII hex digit: [0-9a-fA-F].
Definition: CharInfo.h:144
SanitizerMask parseSanitizerValue(StringRef Value, bool AllowGroups)
Parse a single value from a -fsanitize= or -fno-sanitize= value list.
Definition: Sanitizers.cpp:54
const char * OffloadArchToString(OffloadArch A)
Definition: Cuda.cpp:162
FloatModeKind
Definition: TargetInfo.h:73
@ VK_PRValue
A pr-value expression (in the C++11 taxonomy) produces a temporary value.
Definition: Specifiers.h:135
@ VK_LValue
An l-value expression is a reference to an object with independent storage.
Definition: Specifiers.h:139
const FunctionProtoType * T
MSInheritanceModel
Assigned inheritance model for a class in the MS C++ ABI.
Definition: Specifiers.h:398
bool hasFunctionProto(const Decl *D)
hasFunctionProto - Return true if the given decl has a argument information.
Definition: Attr.h:55
unsigned getFunctionOrMethodNumParams(const Decl *D)
getFunctionOrMethodNumParams - Return number of function or method parameters.
Definition: Attr.h:64
bool declaresSameEntity(const Decl *D1, const Decl *D2)
Determine whether two declarations declare the same entity.
Definition: DeclBase.h:1274
std::pair< SourceLocation, PartialDiagnostic > PartialDiagnosticAt
A partial diagnostic along with the source location where this diagnostic occurs.
CallingConv
CallingConv - Specifies the calling convention that a function uses.
Definition: Specifiers.h:278
@ CC_X86Pascal
Definition: Specifiers.h:284
@ CC_Swift
Definition: Specifiers.h:293
@ CC_IntelOclBicc
Definition: Specifiers.h:290
@ CC_PreserveMost
Definition: Specifiers.h:295
@ CC_Win64
Definition: Specifiers.h:285
@ CC_X86ThisCall
Definition: Specifiers.h:282
@ CC_AArch64VectorCall
Definition: Specifiers.h:297
@ CC_AAPCS
Definition: Specifiers.h:288
@ CC_PreserveNone
Definition: Specifiers.h:301
@ CC_C
Definition: Specifiers.h:279
@ CC_AMDGPUKernelCall
Definition: Specifiers.h:299
@ CC_M68kRTD
Definition: Specifiers.h:300
@ CC_SwiftAsync
Definition: Specifiers.h:294
@ CC_X86RegCall
Definition: Specifiers.h:287
@ CC_RISCVVectorCall
Definition: Specifiers.h:302
@ CC_X86VectorCall
Definition: Specifiers.h:283
@ CC_AArch64SVEPCS
Definition: Specifiers.h:298
@ CC_X86StdCall
Definition: Specifiers.h:280
@ CC_X86_64SysV
Definition: Specifiers.h:286
@ CC_PreserveAll
Definition: Specifiers.h:296
@ CC_X86FastCall
Definition: Specifiers.h:281
@ CC_AAPCS_VFP
Definition: Specifiers.h:289
@ Generic
not a target-specific vector type
SourceRange getFunctionOrMethodParamRange(const Decl *D, unsigned Idx)
Definition: Attr.h:92
@ Interface
The "__interface" keyword introduces the elaborated-type-specifier.
@ Union
The "union" keyword introduces the elaborated-type-specifier.
@ Other
Other implicit parameter.
@ Implicit
An implicit conversion.
Represents information about a change in availability for an entity, which is part of the encoding of...
Definition: ParsedAttr.h:48
VersionTuple Version
The version number at which the change occurred.
Definition: ParsedAttr.h:53
bool isValid() const
Determine whether this availability change is valid.
Definition: ParsedAttr.h:59
static constexpr OSEnvPair macOStoMacCatalystPair()
Returns the os-environment mapping pair that's used to represent the macOS -> Mac Catalyst version ma...
Definition: DarwinSDKInfo.h:49
static constexpr OSEnvPair iOStoWatchOSPair()
Returns the os-environment mapping pair that's used to represent the iOS -> watchOS version mapping.
Definition: DarwinSDKInfo.h:63
static constexpr OSEnvPair iOStoTvOSPair()
Returns the os-environment mapping pair that's used to represent the iOS -> tvOS version mapping.
Definition: DarwinSDKInfo.h:70
DeclarationNameInfo - A collector data type for bundling together a DeclarationName and the correspon...
DeclarationName getName() const
getName - Returns the embedded declaration name.
const ParsedAttributesView & getAttrs() const
If there are attributes applied to this declaratorchunk, return them.
Definition: DeclSpec.h:1663
Wraps an identifier and optional source location for the identifier.
Definition: ParsedAttr.h:103
SourceLocation Loc
Definition: ParsedAttr.h:104
IdentifierInfo * Ident
Definition: ParsedAttr.h:105
Parts of a decomposed MSGuidDecl.
Definition: DeclCXX.h:4287
uint16_t Part2
...-89ab-...
Definition: DeclCXX.h:4291
uint32_t Part1
{01234567-...
Definition: DeclCXX.h:4289
uint16_t Part3
...-cdef-...
Definition: DeclCXX.h:4293
uint8_t Part4And5[8]
...-0123-456789abcdef}
Definition: DeclCXX.h:4295
virtual AttrHandling handleDeclAttribute(Sema &S, Decl *D, const ParsedAttr &Attr) const
If this ParsedAttrInfo knows how to handle this ParsedAttr applied to this Decl then do so and return...
Contains information gathered from parsing the contents of TargetAttr.
Definition: TargetInfo.h:58
std::vector< std::string > Features
Definition: TargetInfo.h:59
StringRef BranchProtection
Definition: TargetInfo.h:62