clang 22.0.0git
SemaStmtAsm.cpp
Go to the documentation of this file.
1//===--- SemaStmtAsm.cpp - Semantic Analysis for Asm Statements -----------===//
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 semantic analysis for inline asm statements.
10//
11//===----------------------------------------------------------------------===//
12
13#include "clang/AST/ExprCXX.h"
15#include "clang/AST/TypeLoc.h"
19#include "clang/Sema/Lookup.h"
21#include "clang/Sema/Scope.h"
23#include "llvm/ADT/ArrayRef.h"
24#include "llvm/ADT/StringExtras.h"
25#include "llvm/ADT/StringSet.h"
26#include "llvm/MC/MCParser/MCAsmParser.h"
27#include <optional>
28using namespace clang;
29using namespace sema;
30
31/// Remove the upper-level LValueToRValue cast from an expression.
33 Expr *Parent = E;
34 Expr *ExprUnderCast = nullptr;
35 SmallVector<Expr *, 8> ParentsToUpdate;
36
37 while (true) {
38 ParentsToUpdate.push_back(Parent);
39 if (auto *ParenE = dyn_cast<ParenExpr>(Parent)) {
40 Parent = ParenE->getSubExpr();
41 continue;
42 }
43
44 Expr *Child = nullptr;
45 CastExpr *ParentCast = dyn_cast<CastExpr>(Parent);
46 if (ParentCast)
47 Child = ParentCast->getSubExpr();
48 else
49 return;
50
51 if (auto *CastE = dyn_cast<CastExpr>(Child))
52 if (CastE->getCastKind() == CK_LValueToRValue) {
53 ExprUnderCast = CastE->getSubExpr();
54 // LValueToRValue cast inside GCCAsmStmt requires an explicit cast.
55 ParentCast->setSubExpr(ExprUnderCast);
56 break;
57 }
58 Parent = Child;
59 }
60
61 // Update parent expressions to have same ValueType as the underlying.
62 assert(ExprUnderCast &&
63 "Should be reachable only if LValueToRValue cast was found!");
64 auto ValueKind = ExprUnderCast->getValueKind();
65 for (Expr *E : ParentsToUpdate)
66 E->setValueKind(ValueKind);
67}
68
69/// Emit a warning about usage of "noop"-like casts for lvalues (GNU extension)
70/// and fix the argument with removing LValueToRValue cast from the expression.
71static void emitAndFixInvalidAsmCastLValue(const Expr *LVal, Expr *BadArgument,
72 Sema &S) {
73 S.Diag(LVal->getBeginLoc(), diag::warn_invalid_asm_cast_lvalue)
74 << BadArgument->getSourceRange();
75 removeLValueToRValueCast(BadArgument);
76}
77
78/// CheckAsmLValue - GNU C has an extremely ugly extension whereby they silently
79/// ignore "noop" casts in places where an lvalue is required by an inline asm.
80/// We emulate this behavior when -fheinous-gnu-extensions is specified, but
81/// provide a strong guidance to not use it.
82///
83/// This method checks to see if the argument is an acceptable l-value and
84/// returns false if it is a case we can handle.
85static bool CheckAsmLValue(Expr *E, Sema &S) {
86 // Type dependent expressions will be checked during instantiation.
87 if (E->isTypeDependent())
88 return false;
89
90 if (E->isLValue())
91 return false; // Cool, this is an lvalue.
92
93 // Okay, this is not an lvalue, but perhaps it is the result of a cast that we
94 // are supposed to allow.
95 const Expr *E2 = E->IgnoreParenNoopCasts(S.Context);
96 if (E != E2 && E2->isLValue()) {
98 // Accept, even if we emitted an error diagnostic.
99 return false;
100 }
101
102 // None of the above, just randomly invalid non-lvalue.
103 return true;
104}
105
106/// isOperandMentioned - Return true if the specified operand # is mentioned
107/// anywhere in the decomposed asm string.
108static bool
109isOperandMentioned(unsigned OpNo,
111 for (unsigned p = 0, e = AsmStrPieces.size(); p != e; ++p) {
112 const GCCAsmStmt::AsmStringPiece &Piece = AsmStrPieces[p];
113 if (!Piece.isOperand())
114 continue;
115
116 // If this is a reference to the input and if the input was the smaller
117 // one, then we have to reject this asm.
118 if (Piece.getOperandNo() == OpNo)
119 return true;
120 }
121 return false;
122}
123
125 FunctionDecl *Func = dyn_cast<FunctionDecl>(S.CurContext);
126 if (!Func)
127 return false;
128 if (!Func->hasAttr<NakedAttr>())
129 return false;
130
131 SmallVector<Expr*, 4> WorkList;
132 WorkList.push_back(E);
133 while (WorkList.size()) {
134 Expr *E = WorkList.pop_back_val();
135 if (isa<CXXThisExpr>(E)) {
136 S.Diag(E->getBeginLoc(), diag::err_asm_naked_this_ref);
137 S.Diag(Func->getAttr<NakedAttr>()->getLocation(), diag::note_attribute);
138 return true;
139 }
140 if (DeclRefExpr *DRE = dyn_cast<DeclRefExpr>(E)) {
141 if (isa<ParmVarDecl>(DRE->getDecl())) {
142 S.Diag(DRE->getBeginLoc(), diag::err_asm_naked_parm_ref);
143 S.Diag(Func->getAttr<NakedAttr>()->getLocation(), diag::note_attribute);
144 return true;
145 }
146 }
147 for (Stmt *Child : E->children()) {
148 if (Expr *E = dyn_cast_or_null<Expr>(Child))
149 WorkList.push_back(E);
150 }
151 }
152 return false;
153}
154
155/// Returns true if given expression is not compatible with inline
156/// assembly's memory constraint; false otherwise.
159 bool is_input_expr) {
160 enum {
161 ExprBitfield = 0,
162 ExprVectorElt,
163 ExprGlobalRegVar,
164 ExprSafeType
165 } EType = ExprSafeType;
166
167 // Bitfields, vector elements and global register variables are not
168 // compatible.
169 if (E->refersToBitField())
170 EType = ExprBitfield;
171 else if (E->refersToVectorElement())
172 EType = ExprVectorElt;
173 else if (E->refersToGlobalRegisterVar())
174 EType = ExprGlobalRegVar;
175
176 if (EType != ExprSafeType) {
177 S.Diag(E->getBeginLoc(), diag::err_asm_non_addr_value_in_memory_constraint)
178 << EType << is_input_expr << Info.getConstraintStr()
179 << E->getSourceRange();
180 return true;
181 }
182
183 return false;
184}
185
186// Extracting the register name from the Expression value,
187// if there is no register name to extract, returns ""
188static StringRef extractRegisterName(const Expr *Expression,
189 const TargetInfo &Target) {
190 Expression = Expression->IgnoreImpCasts();
191 if (const DeclRefExpr *AsmDeclRef = dyn_cast<DeclRefExpr>(Expression)) {
192 // Handle cases where the expression is a variable
193 const VarDecl *Variable = dyn_cast<VarDecl>(AsmDeclRef->getDecl());
195 if (AsmLabelAttr *Attr = Variable->getAttr<AsmLabelAttr>())
196 if (Target.isValidGCCRegisterName(Attr->getLabel()))
197 return Target.getNormalizedGCCRegisterName(Attr->getLabel(), true);
198 }
199 }
200 return "";
201}
202
203// Checks if there is a conflict between the input and output lists with the
204// clobbers list. If there's a conflict, returns the location of the
205// conflicted clobber, else returns nullptr
206static SourceLocation
208 Expr **Clobbers, int NumClobbers, unsigned NumLabels,
209 const TargetInfo &Target, ASTContext &Cont) {
210 llvm::StringSet<> InOutVars;
211 // Collect all the input and output registers from the extended asm
212 // statement in order to check for conflicts with the clobber list
213 for (unsigned int i = 0; i < Exprs.size() - NumLabels; ++i) {
214 std::string Constraint =
216 StringRef InOutReg = Target.getConstraintRegister(
217 Constraint, extractRegisterName(Exprs[i], Target));
218 if (InOutReg != "")
219 InOutVars.insert(InOutReg);
220 }
221 // Check for each item in the clobber list if it conflicts with the input
222 // or output
223 for (int i = 0; i < NumClobbers; ++i) {
224 std::string Clobber =
226 // We only check registers, therefore we don't check cc and memory
227 // clobbers
228 if (Clobber == "cc" || Clobber == "memory" || Clobber == "unwind")
229 continue;
230 Clobber = Target.getNormalizedGCCRegisterName(Clobber, true);
231 // Go over the output's registers we collected
232 if (InOutVars.count(Clobber))
233 return Clobbers[i]->getBeginLoc();
234 }
235 return SourceLocation();
236}
237
239 if (!Expr)
240 return ExprError();
241
242 if (auto *SL = dyn_cast<StringLiteral>(Expr)) {
243 assert(SL->isOrdinary());
244 if (ForAsmLabel && SL->getString().empty()) {
245 Diag(Expr->getBeginLoc(), diag::err_asm_operand_empty_string)
246 << SL->getSourceRange();
247 }
248 return SL;
249 }
251 return ExprError();
252 if (Expr->getDependence() != ExprDependence::None)
253 return Expr;
254 APValue V;
256 /*ErrorOnInvalid=*/true))
257 return ExprError();
258
259 if (ForAsmLabel && V.getArrayInitializedElts() == 0) {
260 Diag(Expr->getBeginLoc(), diag::err_asm_operand_empty_string);
261 }
262
265 Res->SetResult(V, getASTContext());
266 return Res;
267}
268
270 bool IsVolatile, unsigned NumOutputs,
271 unsigned NumInputs, IdentifierInfo **Names,
272 MultiExprArg constraints, MultiExprArg Exprs,
273 Expr *asmString, MultiExprArg clobbers,
274 unsigned NumLabels,
275 SourceLocation RParenLoc) {
276 unsigned NumClobbers = clobbers.size();
277
278 SmallVector<TargetInfo::ConstraintInfo, 4> OutputConstraintInfos;
279
280 FunctionDecl *FD = dyn_cast<FunctionDecl>(getCurLexicalContext());
281 llvm::StringMap<bool> FeatureMap;
282 Context.getFunctionFeatureMap(FeatureMap, FD);
283
284 auto CreateGCCAsmStmt = [&] {
285 return new (Context)
286 GCCAsmStmt(Context, AsmLoc, IsSimple, IsVolatile, NumOutputs, NumInputs,
287 Names, constraints.data(), Exprs.data(), asmString,
288 NumClobbers, clobbers.data(), NumLabels, RParenLoc);
289 };
290
291 if (asmString->getDependence() != ExprDependence::None ||
292 llvm::any_of(
293 constraints,
294 [](Expr *E) { return E->getDependence() != ExprDependence::None; }) ||
295 llvm::any_of(clobbers, [](Expr *E) {
296 return E->getDependence() != ExprDependence::None;
297 }))
298 return CreateGCCAsmStmt();
299
300 for (unsigned i = 0; i != NumOutputs; i++) {
301 Expr *Constraint = constraints[i];
302 StringRef OutputName;
303 if (Names[i])
304 OutputName = Names[i]->getName();
305
306 std::string ConstraintStr =
308
309 TargetInfo::ConstraintInfo Info(ConstraintStr, OutputName);
311 !(LangOpts.HIPStdPar && LangOpts.CUDAIsDevice)) {
312 targetDiag(Constraint->getBeginLoc(),
313 diag::err_asm_invalid_output_constraint)
314 << Info.getConstraintStr();
315 return CreateGCCAsmStmt();
316 }
317
318 ExprResult ER = CheckPlaceholderExpr(Exprs[i]);
319 if (ER.isInvalid())
320 return StmtError();
321 Exprs[i] = ER.get();
322
323 // Check that the output exprs are valid lvalues.
324 Expr *OutputExpr = Exprs[i];
325
326 // Referring to parameters is not allowed in naked functions.
327 if (CheckNakedParmReference(OutputExpr, *this))
328 return StmtError();
329
330 // Check that the output expression is compatible with memory constraint.
331 if (Info.allowsMemory() &&
332 checkExprMemoryConstraintCompat(*this, OutputExpr, Info, false))
333 return StmtError();
334
335 // Disallow bit-precise integer types, since the backends tend to have
336 // difficulties with abnormal sizes.
337 if (OutputExpr->getType()->isBitIntType())
338 return StmtError(
339 Diag(OutputExpr->getBeginLoc(), diag::err_asm_invalid_type)
340 << OutputExpr->getType() << 0 /*Input*/
341 << OutputExpr->getSourceRange());
342
343 OutputConstraintInfos.push_back(Info);
344
345 // If this is dependent, just continue.
346 if (OutputExpr->isTypeDependent())
347 continue;
348
350 OutputExpr->isModifiableLvalue(Context, /*Loc=*/nullptr);
351 switch (IsLV) {
352 case Expr::MLV_Valid:
353 // Cool, this is an lvalue.
354 break;
356 // This is OK too.
357 break;
359 const Expr *LVal = OutputExpr->IgnoreParenNoopCasts(Context);
360 emitAndFixInvalidAsmCastLValue(LVal, OutputExpr, *this);
361 // Accept, even if we emitted an error diagnostic.
362 break;
363 }
366 if (RequireCompleteType(OutputExpr->getBeginLoc(), Exprs[i]->getType(),
367 diag::err_dereference_incomplete_type))
368 return StmtError();
369 [[fallthrough]];
370 default:
371 return StmtError(Diag(OutputExpr->getBeginLoc(),
372 diag::err_asm_invalid_lvalue_in_output)
373 << OutputExpr->getSourceRange());
374 }
375
376 unsigned Size = Context.getTypeSize(OutputExpr->getType());
378 FeatureMap,
380 Size)) {
381 targetDiag(OutputExpr->getBeginLoc(), diag::err_asm_invalid_output_size)
382 << Info.getConstraintStr();
383 return CreateGCCAsmStmt();
384 }
385 }
386
388
389 for (unsigned i = NumOutputs, e = NumOutputs + NumInputs; i != e; i++) {
390 Expr *Constraint = constraints[i];
391
392 StringRef InputName;
393 if (Names[i])
394 InputName = Names[i]->getName();
395
396 std::string ConstraintStr =
398
399 TargetInfo::ConstraintInfo Info(ConstraintStr, InputName);
400 if (!Context.getTargetInfo().validateInputConstraint(OutputConstraintInfos,
401 Info)) {
402 targetDiag(Constraint->getBeginLoc(),
403 diag::err_asm_invalid_input_constraint)
404 << Info.getConstraintStr();
405 return CreateGCCAsmStmt();
406 }
407
408 ExprResult ER = CheckPlaceholderExpr(Exprs[i]);
409 if (ER.isInvalid())
410 return StmtError();
411 Exprs[i] = ER.get();
412
413 Expr *InputExpr = Exprs[i];
414
415 if (InputExpr->getType()->isMemberPointerType())
416 return StmtError(Diag(InputExpr->getBeginLoc(),
417 diag::err_asm_pmf_through_constraint_not_permitted)
418 << InputExpr->getSourceRange());
419
420 // Referring to parameters is not allowed in naked functions.
421 if (CheckNakedParmReference(InputExpr, *this))
422 return StmtError();
423
424 // Check that the input expression is compatible with memory constraint.
425 if (Info.allowsMemory() &&
426 checkExprMemoryConstraintCompat(*this, InputExpr, Info, true))
427 return StmtError();
428
429 // Only allow void types for memory constraints.
430 if (Info.allowsMemory() && !Info.allowsRegister()) {
431 if (CheckAsmLValue(InputExpr, *this))
432 return StmtError(Diag(InputExpr->getBeginLoc(),
433 diag::err_asm_invalid_lvalue_in_input)
434 << Info.getConstraintStr()
435 << InputExpr->getSourceRange());
436 } else {
438 if (Result.isInvalid())
439 return StmtError();
440
441 InputExpr = Exprs[i] = Result.get();
442
443 if (Info.requiresImmediateConstant() && !Info.allowsRegister()) {
444 if (!InputExpr->isValueDependent()) {
445 Expr::EvalResult EVResult;
446 if (InputExpr->EvaluateAsRValue(EVResult, Context, true)) {
447 // For compatibility with GCC, we also allow pointers that would be
448 // integral constant expressions if they were cast to int.
449 llvm::APSInt IntResult;
450 if (EVResult.Val.toIntegralConstant(IntResult, InputExpr->getType(),
451 Context))
452 if (!Info.isValidAsmImmediate(IntResult))
453 return StmtError(
454 Diag(InputExpr->getBeginLoc(),
455 diag::err_invalid_asm_value_for_constraint)
456 << toString(IntResult, 10) << Info.getConstraintStr()
457 << InputExpr->getSourceRange());
458 }
459 }
460 }
461 }
462
463 if (Info.allowsRegister()) {
464 if (InputExpr->getType()->isVoidType()) {
465 return StmtError(
466 Diag(InputExpr->getBeginLoc(), diag::err_asm_invalid_type_in_input)
467 << InputExpr->getType() << Info.getConstraintStr()
468 << InputExpr->getSourceRange());
469 }
470 }
471
472 if (InputExpr->getType()->isBitIntType())
473 return StmtError(
474 Diag(InputExpr->getBeginLoc(), diag::err_asm_invalid_type)
475 << InputExpr->getType() << 1 /*Output*/
476 << InputExpr->getSourceRange());
477
478 InputConstraintInfos.push_back(Info);
479
480 const Type *Ty = Exprs[i]->getType().getTypePtr();
481 if (Ty->isDependentType())
482 continue;
483
484 if (!Ty->isVoidType() || !Info.allowsMemory())
485 if (RequireCompleteType(InputExpr->getBeginLoc(), Exprs[i]->getType(),
486 diag::err_dereference_incomplete_type))
487 return StmtError();
488
489 unsigned Size = Context.getTypeSize(Ty);
490 if (!Context.getTargetInfo().validateInputSize(FeatureMap, ConstraintStr,
491 Size))
492 return targetDiag(InputExpr->getBeginLoc(),
493 diag::err_asm_invalid_input_size)
494 << Info.getConstraintStr();
495 }
496
497 std::optional<SourceLocation> UnwindClobberLoc;
498
499 // Check that the clobbers are valid.
500 for (unsigned i = 0; i != NumClobbers; i++) {
501 Expr *ClobberExpr = clobbers[i];
502
503 std::string Clobber =
505
506 if (!Context.getTargetInfo().isValidClobber(Clobber)) {
507 targetDiag(ClobberExpr->getBeginLoc(),
508 diag::err_asm_unknown_register_name)
509 << Clobber;
510 return new (Context) GCCAsmStmt(
511 Context, AsmLoc, IsSimple, IsVolatile, NumOutputs, NumInputs, Names,
512 constraints.data(), Exprs.data(), asmString, NumClobbers,
513 clobbers.data(), NumLabels, RParenLoc);
514 }
515
516 if (Clobber == "unwind") {
517 UnwindClobberLoc = ClobberExpr->getBeginLoc();
518 }
519 }
520
521 // Using unwind clobber and asm-goto together is not supported right now.
522 if (UnwindClobberLoc && NumLabels > 0) {
523 targetDiag(*UnwindClobberLoc, diag::err_asm_unwind_and_goto);
524 return CreateGCCAsmStmt();
525 }
526
527 GCCAsmStmt *NS = CreateGCCAsmStmt();
528 // Validate the asm string, ensuring it makes sense given the operands we
529 // have.
530
531 auto GetLocation = [this](const Expr *Str, unsigned Offset) {
532 if (auto *SL = dyn_cast<StringLiteral>(Str))
533 return getLocationOfStringLiteralByte(SL, Offset);
534 return Str->getBeginLoc();
535 };
536
538 unsigned DiagOffs;
539 if (unsigned DiagID = NS->AnalyzeAsmString(Pieces, Context, DiagOffs)) {
540 targetDiag(GetLocation(asmString, DiagOffs), DiagID)
541 << asmString->getSourceRange();
542 return NS;
543 }
544
545 // Validate constraints and modifiers.
546 for (unsigned i = 0, e = Pieces.size(); i != e; ++i) {
547 GCCAsmStmt::AsmStringPiece &Piece = Pieces[i];
548 if (!Piece.isOperand()) continue;
549
550 // Look for the correct constraint index.
551 unsigned ConstraintIdx = Piece.getOperandNo();
552 unsigned NumOperands = NS->getNumOutputs() + NS->getNumInputs();
553 // Labels are the last in the Exprs list.
554 if (NS->isAsmGoto() && ConstraintIdx >= NumOperands)
555 continue;
556 // Look for the (ConstraintIdx - NumOperands + 1)th constraint with
557 // modifier '+'.
558 if (ConstraintIdx >= NumOperands) {
559 unsigned I = 0, E = NS->getNumOutputs();
560
561 for (unsigned Cnt = ConstraintIdx - NumOperands; I != E; ++I)
562 if (OutputConstraintInfos[I].isReadWrite() && Cnt-- == 0) {
563 ConstraintIdx = I;
564 break;
565 }
566
567 assert(I != E && "Invalid operand number should have been caught in "
568 " AnalyzeAsmString");
569 }
570
571 // Now that we have the right indexes go ahead and check.
572 Expr *Constraint = constraints[ConstraintIdx];
573 const Type *Ty = Exprs[ConstraintIdx]->getType().getTypePtr();
574 if (Ty->isDependentType() || Ty->isIncompleteType())
575 continue;
576
577 unsigned Size = Context.getTypeSize(Ty);
578 std::string SuggestedModifier;
581 Piece.getModifier(), Size, SuggestedModifier)) {
582 targetDiag(Exprs[ConstraintIdx]->getBeginLoc(),
583 diag::warn_asm_mismatched_size_modifier);
584
585 if (!SuggestedModifier.empty()) {
586 auto B = targetDiag(Piece.getRange().getBegin(),
587 diag::note_asm_missing_constraint_modifier)
588 << SuggestedModifier;
589 if (isa<StringLiteral>(Constraint)) {
590 SuggestedModifier = "%" + SuggestedModifier + Piece.getString();
592 SuggestedModifier);
593 }
594 }
595 }
596 }
597
598 // Validate tied input operands for type mismatches.
599 unsigned NumAlternatives = ~0U;
600 for (unsigned i = 0, e = OutputConstraintInfos.size(); i != e; ++i) {
601 TargetInfo::ConstraintInfo &Info = OutputConstraintInfos[i];
602 StringRef ConstraintStr = Info.getConstraintStr();
603 unsigned AltCount = ConstraintStr.count(',') + 1;
604 if (NumAlternatives == ~0U) {
605 NumAlternatives = AltCount;
606 } else if (NumAlternatives != AltCount) {
607 targetDiag(NS->getOutputExpr(i)->getBeginLoc(),
608 diag::err_asm_unexpected_constraint_alternatives)
609 << NumAlternatives << AltCount;
610 return NS;
611 }
612 }
613 SmallVector<size_t, 4> InputMatchedToOutput(OutputConstraintInfos.size(),
614 ~0U);
615 for (unsigned i = 0, e = InputConstraintInfos.size(); i != e; ++i) {
616 TargetInfo::ConstraintInfo &Info = InputConstraintInfos[i];
617 StringRef ConstraintStr = Info.getConstraintStr();
618 unsigned AltCount = ConstraintStr.count(',') + 1;
619 if (NumAlternatives == ~0U) {
620 NumAlternatives = AltCount;
621 } else if (NumAlternatives != AltCount) {
622 targetDiag(NS->getInputExpr(i)->getBeginLoc(),
623 diag::err_asm_unexpected_constraint_alternatives)
624 << NumAlternatives << AltCount;
625 return NS;
626 }
627
628 // If this is a tied constraint, verify that the output and input have
629 // either exactly the same type, or that they are int/ptr operands with the
630 // same size (int/long, int*/long, are ok etc).
631 if (!Info.hasTiedOperand()) continue;
632
633 unsigned TiedTo = Info.getTiedOperand();
634 unsigned InputOpNo = i+NumOutputs;
635 Expr *OutputExpr = Exprs[TiedTo];
636 Expr *InputExpr = Exprs[InputOpNo];
637
638 // Make sure no more than one input constraint matches each output.
639 assert(TiedTo < InputMatchedToOutput.size() && "TiedTo value out of range");
640 if (InputMatchedToOutput[TiedTo] != ~0U) {
641 targetDiag(NS->getInputExpr(i)->getBeginLoc(),
642 diag::err_asm_input_duplicate_match)
643 << TiedTo;
644 targetDiag(NS->getInputExpr(InputMatchedToOutput[TiedTo])->getBeginLoc(),
645 diag::note_asm_input_duplicate_first)
646 << TiedTo;
647 return NS;
648 }
649 InputMatchedToOutput[TiedTo] = i;
650
651 if (OutputExpr->isTypeDependent() || InputExpr->isTypeDependent())
652 continue;
653
654 QualType InTy = InputExpr->getType();
655 QualType OutTy = OutputExpr->getType();
656 if (Context.hasSameType(InTy, OutTy))
657 continue; // All types can be tied to themselves.
658
659 // Decide if the input and output are in the same domain (integer/ptr or
660 // floating point.
661 enum AsmDomain {
662 AD_Int, AD_FP, AD_Other
663 } InputDomain, OutputDomain;
664
665 if (InTy->isIntegerType() || InTy->isPointerType())
666 InputDomain = AD_Int;
667 else if (InTy->isRealFloatingType())
668 InputDomain = AD_FP;
669 else
670 InputDomain = AD_Other;
671
672 if (OutTy->isIntegerType() || OutTy->isPointerType())
673 OutputDomain = AD_Int;
674 else if (OutTy->isRealFloatingType())
675 OutputDomain = AD_FP;
676 else
677 OutputDomain = AD_Other;
678
679 // They are ok if they are the same size and in the same domain. This
680 // allows tying things like:
681 // void* to int*
682 // void* to int if they are the same size.
683 // double to long double if they are the same size.
684 //
685 uint64_t OutSize = Context.getTypeSize(OutTy);
686 uint64_t InSize = Context.getTypeSize(InTy);
687 if (OutSize == InSize && InputDomain == OutputDomain &&
688 InputDomain != AD_Other)
689 continue;
690
691 // If the smaller input/output operand is not mentioned in the asm string,
692 // then we can promote the smaller one to a larger input and the asm string
693 // won't notice.
694 bool SmallerValueMentioned = false;
695
696 // If this is a reference to the input and if the input was the smaller
697 // one, then we have to reject this asm.
698 if (isOperandMentioned(InputOpNo, Pieces)) {
699 // This is a use in the asm string of the smaller operand. Since we
700 // codegen this by promoting to a wider value, the asm will get printed
701 // "wrong".
702 SmallerValueMentioned |= InSize < OutSize;
703 }
704 if (isOperandMentioned(TiedTo, Pieces)) {
705 // If this is a reference to the output, and if the output is the larger
706 // value, then it's ok because we'll promote the input to the larger type.
707 SmallerValueMentioned |= OutSize < InSize;
708 }
709
710 // If the input is an integer register while the output is floating point,
711 // or vice-versa, there is no way they can work together.
712 bool FPTiedToInt = (InputDomain == AD_FP) ^ (OutputDomain == AD_FP);
713
714 // If the smaller value wasn't mentioned in the asm string, and if the
715 // output was a register, just extend the shorter one to the size of the
716 // larger one.
717 if (!SmallerValueMentioned && !FPTiedToInt && InputDomain != AD_Other &&
718 OutputConstraintInfos[TiedTo].allowsRegister()) {
719
720 // FIXME: GCC supports the OutSize to be 128 at maximum. Currently codegen
721 // crash when the size larger than the register size. So we limit it here.
722 if (OutTy->isStructureType() &&
723 Context.getIntTypeForBitwidth(OutSize, /*Signed*/ false).isNull()) {
724 targetDiag(OutputExpr->getExprLoc(), diag::err_store_value_to_reg);
725 return NS;
726 }
727
728 continue;
729 }
730
731 // Either both of the operands were mentioned or the smaller one was
732 // mentioned. One more special case that we'll allow: if the tied input is
733 // integer, unmentioned, and is a constant, then we'll allow truncating it
734 // down to the size of the destination.
735 if (InputDomain == AD_Int && OutputDomain == AD_Int &&
736 !isOperandMentioned(InputOpNo, Pieces) &&
737 InputExpr->isEvaluatable(Context)) {
738 CastKind castKind =
739 (OutTy->isBooleanType() ? CK_IntegralToBoolean : CK_IntegralCast);
740 InputExpr = ImpCastExprToType(InputExpr, OutTy, castKind).get();
741 Exprs[InputOpNo] = InputExpr;
742 NS->setInputExpr(i, InputExpr);
743 continue;
744 }
745
746 targetDiag(InputExpr->getBeginLoc(), diag::err_asm_tying_incompatible_types)
747 << InTy << OutTy << OutputExpr->getSourceRange()
748 << InputExpr->getSourceRange();
749 return NS;
750 }
751
752 // Check for conflicts between clobber list and input or output lists
754 Exprs, constraints.data(), clobbers.data(), NumClobbers, NumLabels,
756 if (ConstraintLoc.isValid())
757 targetDiag(ConstraintLoc, diag::error_inoutput_conflict_with_clobber);
758
759 // Check for duplicate asm operand name between input, output and label lists.
760 typedef std::pair<StringRef , Expr *> NamedOperand;
761 SmallVector<NamedOperand, 4> NamedOperandList;
762 for (unsigned i = 0, e = NumOutputs + NumInputs + NumLabels; i != e; ++i)
763 if (Names[i])
764 NamedOperandList.emplace_back(
765 std::make_pair(Names[i]->getName(), Exprs[i]));
766 // Sort NamedOperandList.
767 llvm::stable_sort(NamedOperandList, llvm::less_first());
768 // Find adjacent duplicate operand.
770 std::adjacent_find(begin(NamedOperandList), end(NamedOperandList),
771 [](const NamedOperand &LHS, const NamedOperand &RHS) {
772 return LHS.first == RHS.first;
773 });
774 if (Found != NamedOperandList.end()) {
775 Diag((Found + 1)->second->getBeginLoc(),
776 diag::error_duplicate_asm_operand_name)
777 << (Found + 1)->first;
778 Diag(Found->second->getBeginLoc(), diag::note_duplicate_asm_operand_name)
779 << Found->first;
780 return StmtError();
781 }
782 if (NS->isAsmGoto())
784
787 return NS;
788}
789
791 llvm::InlineAsmIdentifierInfo &Info) {
792 QualType T = Res->getType();
793 Expr::EvalResult Eval;
794 if (T->isFunctionType() || T->isDependentType())
795 return Info.setLabel(Res);
796 if (Res->isPRValue()) {
797 bool IsEnum = isa<clang::EnumType>(T);
798 if (DeclRefExpr *DRE = dyn_cast<clang::DeclRefExpr>(Res))
799 if (DRE->getDecl()->getKind() == Decl::EnumConstant)
800 IsEnum = true;
801 if (IsEnum && Res->EvaluateAsRValue(Eval, Context))
802 return Info.setEnum(Eval.Val.getInt().getSExtValue());
803
804 return Info.setLabel(Res);
805 }
806 unsigned Size = Context.getTypeSizeInChars(T).getQuantity();
807 unsigned Type = Size;
808 if (const auto *ATy = Context.getAsArrayType(T))
809 Type = Context.getTypeSizeInChars(ATy->getElementType()).getQuantity();
810 bool IsGlobalLV = false;
811 if (Res->EvaluateAsLValue(Eval, Context))
812 IsGlobalLV = Eval.isGlobalLValue();
813 Info.setVar(Res, IsGlobalLV, Size, Type);
814}
815
817 SourceLocation TemplateKWLoc,
819 bool IsUnevaluatedContext) {
820
821 if (IsUnevaluatedContext)
825
826 ExprResult Result = ActOnIdExpression(getCurScope(), SS, TemplateKWLoc, Id,
827 /*trailing lparen*/ false,
828 /*is & operand*/ false,
829 /*CorrectionCandidateCallback=*/nullptr,
830 /*IsInlineAsmIdentifier=*/ true);
831
832 if (IsUnevaluatedContext)
834
835 if (!Result.isUsable()) return Result;
836
838 if (!Result.isUsable()) return Result;
839
840 // Referring to parameters is not allowed in naked functions.
841 if (CheckNakedParmReference(Result.get(), *this))
842 return ExprError();
843
844 QualType T = Result.get()->getType();
845
846 if (T->isDependentType()) {
847 return Result;
848 }
849
850 // Any sort of function type is fine.
851 if (T->isFunctionType()) {
852 return Result;
853 }
854
855 // Otherwise, it needs to be a complete type.
856 if (RequireCompleteExprType(Result.get(), diag::err_asm_incomplete_type)) {
857 return ExprError();
858 }
859
860 return Result;
861}
862
863bool Sema::LookupInlineAsmField(StringRef Base, StringRef Member,
864 unsigned &Offset, SourceLocation AsmLoc) {
865 Offset = 0;
867 Member.split(Members, ".");
868
869 NamedDecl *FoundDecl = nullptr;
870
871 // MS InlineAsm uses 'this' as a base
872 if (getLangOpts().CPlusPlus && Base == "this") {
873 if (const Type *PT = getCurrentThisType().getTypePtrOrNull())
874 FoundDecl = PT->getPointeeType()->getAsTagDecl();
875 } else {
878 if (LookupName(BaseResult, getCurScope()) && BaseResult.isSingleResult())
879 FoundDecl = BaseResult.getFoundDecl();
880 }
881
882 if (!FoundDecl)
883 return true;
884
885 for (StringRef NextMember : Members) {
886 const RecordType *RT = nullptr;
887 if (VarDecl *VD = dyn_cast<VarDecl>(FoundDecl))
888 RT = VD->getType()->getAsCanonical<RecordType>();
889 else if (TypedefNameDecl *TD = dyn_cast<TypedefNameDecl>(FoundDecl)) {
890 MarkAnyDeclReferenced(TD->getLocation(), TD, /*OdrUse=*/false);
891 // MS InlineAsm often uses struct pointer aliases as a base
892 QualType QT = TD->getUnderlyingType();
893 if (const auto *PT = QT->getAs<PointerType>())
894 QT = PT->getPointeeType();
895 RT = QT->getAsCanonical<RecordType>();
896 } else if (TypeDecl *TD = dyn_cast<TypeDecl>(FoundDecl))
898 ->getAsCanonical<RecordType>();
899 else if (FieldDecl *TD = dyn_cast<FieldDecl>(FoundDecl))
900 RT = TD->getType()->getAsCanonical<RecordType>();
901 if (!RT)
902 return true;
903
904 if (RequireCompleteType(AsmLoc, QualType(RT, 0),
905 diag::err_asm_incomplete_type))
906 return true;
907
908 LookupResult FieldResult(*this, &Context.Idents.get(NextMember),
910
912 if (!LookupQualifiedName(FieldResult, RD))
913 return true;
914
915 if (!FieldResult.isSingleResult())
916 return true;
917 FoundDecl = FieldResult.getFoundDecl();
918
919 // FIXME: Handle IndirectFieldDecl?
920 FieldDecl *FD = dyn_cast<FieldDecl>(FoundDecl);
921 if (!FD)
922 return true;
923
925 unsigned i = FD->getFieldIndex();
927 Offset += (unsigned)Result.getQuantity();
928 }
929
930 return false;
931}
932
935 SourceLocation AsmLoc) {
936
937 QualType T = E->getType();
938 if (T->isDependentType()) {
939 DeclarationNameInfo NameInfo;
940 NameInfo.setLoc(AsmLoc);
941 NameInfo.setName(&Context.Idents.get(Member));
943 Context, E, T, /*IsArrow=*/false, AsmLoc, NestedNameSpecifierLoc(),
945 /*FirstQualifierFoundInScope=*/nullptr, NameInfo, /*TemplateArgs=*/nullptr);
946 }
947
948 auto *RD = T->getAsRecordDecl();
949 // FIXME: Diagnose this as field access into a scalar type.
950 if (!RD)
951 return ExprResult();
952
953 LookupResult FieldResult(*this, &Context.Idents.get(Member), AsmLoc,
955
956 if (!LookupQualifiedName(FieldResult, RD))
957 return ExprResult();
958
959 // Only normal and indirect field results will work.
960 ValueDecl *FD = dyn_cast<FieldDecl>(FieldResult.getFoundDecl());
961 if (!FD)
962 FD = dyn_cast<IndirectFieldDecl>(FieldResult.getFoundDecl());
963 if (!FD)
964 return ExprResult();
965
966 // Make an Expr to thread through OpDecl.
968 E, E->getType(), AsmLoc, /*IsArrow=*/false, CXXScopeSpec(),
969 SourceLocation(), nullptr, FieldResult, nullptr, nullptr);
970
971 return Result;
972}
973
975 ArrayRef<Token> AsmToks,
976 StringRef AsmString,
977 unsigned NumOutputs, unsigned NumInputs,
978 ArrayRef<StringRef> Constraints,
979 ArrayRef<StringRef> Clobbers,
980 ArrayRef<Expr*> Exprs,
981 SourceLocation EndLoc) {
982 bool IsSimple = (NumOutputs != 0 || NumInputs != 0);
984
985 bool InvalidOperand = false;
986 for (uint64_t I = 0; I < NumOutputs + NumInputs; ++I) {
987 Expr *E = Exprs[I];
988 if (E->getType()->isBitIntType()) {
989 InvalidOperand = true;
990 Diag(E->getBeginLoc(), diag::err_asm_invalid_type)
991 << E->getType() << (I < NumOutputs)
992 << E->getSourceRange();
993 } else if (E->refersToBitField()) {
994 InvalidOperand = true;
995 FieldDecl *BitField = E->getSourceBitField();
996 Diag(E->getBeginLoc(), diag::err_ms_asm_bitfield_unsupported)
997 << E->getSourceRange();
998 Diag(BitField->getLocation(), diag::note_bitfield_decl);
999 }
1000 }
1001 if (InvalidOperand)
1002 return StmtError();
1003
1004 MSAsmStmt *NS =
1005 new (Context) MSAsmStmt(Context, AsmLoc, LBraceLoc, IsSimple,
1006 /*IsVolatile*/ true, AsmToks, NumOutputs, NumInputs,
1007 Constraints, Exprs, AsmString,
1008 Clobbers, EndLoc);
1009 return NS;
1010}
1011
1012LabelDecl *Sema::GetOrCreateMSAsmLabel(StringRef ExternalLabelName,
1013 SourceLocation Location,
1014 bool AlwaysCreate) {
1016 Location);
1017
1018 if (Label->isMSAsmLabel()) {
1019 // If we have previously created this label implicitly, mark it as used.
1020 Label->markUsed(Context);
1021 } else {
1022 // Otherwise, insert it, but only resolve it if we have seen the label itself.
1023 std::string InternalName;
1024 llvm::raw_string_ostream OS(InternalName);
1025 // Create an internal name for the label. The name should not be a valid
1026 // mangled name, and should be unique. We use a dot to make the name an
1027 // invalid mangled name. We use LLVM's inline asm ${:uid} escape so that a
1028 // unique label is generated each time this blob is emitted, even after
1029 // inlining or LTO.
1030 OS << "__MSASMLABEL_.${:uid}__";
1031 for (char C : ExternalLabelName) {
1032 OS << C;
1033 // We escape '$' in asm strings by replacing it with "$$"
1034 if (C == '$')
1035 OS << '$';
1036 }
1037 Label->setMSAsmLabel(OS.str());
1038 }
1039 if (AlwaysCreate) {
1040 // The label might have been created implicitly from a previously encountered
1041 // goto statement. So, for both newly created and looked up labels, we mark
1042 // them as resolved.
1043 Label->setMSAsmLabelResolved();
1044 }
1045 // Adjust their location for being able to generate accurate diagnostics.
1046 Label->setLocation(Location);
1047
1048 return Label;
1049}
#define V(N, I)
Definition: ASTContext.h:3597
NodeId Parent
Definition: ASTDiff.cpp:191
Expr * E
Defines the clang::Expr interface and subclasses for C++ expressions.
llvm::MachO::Target Target
Definition: MachO.h:51
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.
uint32_t Id
Definition: SemaARM.cpp:1179
VarDecl * Variable
Definition: SemaObjC.cpp:752
static bool isOperandMentioned(unsigned OpNo, ArrayRef< GCCAsmStmt::AsmStringPiece > AsmStrPieces)
isOperandMentioned - Return true if the specified operand # is mentioned anywhere in the decomposed a...
static SourceLocation getClobberConflictLocation(MultiExprArg Exprs, Expr **Constraints, Expr **Clobbers, int NumClobbers, unsigned NumLabels, const TargetInfo &Target, ASTContext &Cont)
static bool CheckAsmLValue(Expr *E, Sema &S)
CheckAsmLValue - GNU C has an extremely ugly extension whereby they silently ignore "noop" casts in p...
Definition: SemaStmtAsm.cpp:85
static StringRef extractRegisterName(const Expr *Expression, const TargetInfo &Target)
static bool CheckNakedParmReference(Expr *E, Sema &S)
static bool checkExprMemoryConstraintCompat(Sema &S, Expr *E, TargetInfo::ConstraintInfo &Info, bool is_input_expr)
Returns true if given expression is not compatible with inline assembly's memory constraint; false ot...
static void removeLValueToRValueCast(Expr *E)
Remove the upper-level LValueToRValue cast from an expression.
Definition: SemaStmtAsm.cpp:32
static void emitAndFixInvalidAsmCastLValue(const Expr *LVal, Expr *BadArgument, Sema &S)
Emit a warning about usage of "noop"-like casts for lvalues (GNU extension) and fix the argument with...
Definition: SemaStmtAsm.cpp:71
Defines the clang::TypeLoc interface and its subclasses.
std::string Label
APValue - This class implements a discriminated union of [uninitialized] [APSInt] [APFloat],...
Definition: APValue.h:122
APSInt & getInt()
Definition: APValue.h:489
bool toIntegralConstant(APSInt &Result, QualType SrcTy, const ASTContext &Ctx) const
Try to convert this value to an integral constant.
Definition: APValue.cpp:963
Holds long-lived AST nodes (such as types and decls) that can be referred to throughout the semantic ...
Definition: ASTContext.h:188
const ASTRecordLayout & getASTRecordLayout(const RecordDecl *D) const
Get or compute information about the layout of the specified record (struct/union/class) D,...
bool hasSameType(QualType T1, QualType T2) const
Determine whether the given types T1 and T2 are equivalent.
Definition: ASTContext.h:2867
IdentifierTable & Idents
Definition: ASTContext.h:740
QualType getIntTypeForBitwidth(unsigned DestWidth, unsigned Signed) const
getIntTypeForBitwidth - sets integer QualTy according to specified details: bitwidth,...
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:2625
CharUnits getTypeSizeInChars(QualType T) const
Return the size of the specified (complete) type T, in characters.
CanQualType getCanonicalTypeDeclType(const TypeDecl *TD) const
const TargetInfo & getTargetInfo() const
Definition: ASTContext.h:859
CharUnits toCharUnitsFromBits(int64_t BitSize) const
Convert a size in bits to a size in characters.
void getFunctionFeatureMap(llvm::StringMap< bool > &FeatureMap, const FunctionDecl *) const
ASTRecordLayout - This class contains layout information for one RecordDecl, which is a struct/union/...
Definition: RecordLayout.h:38
uint64_t getFieldOffset(unsigned FieldNo) const
getFieldOffset - Get the offset of the given field index, in bits.
Definition: RecordLayout.h:201
PtrTy get() const
Definition: Ownership.h:171
bool isInvalid() const
Definition: Ownership.h:167
Attr - This represents one attribute.
Definition: Attr.h:44
static CXXDependentScopeMemberExpr * Create(const ASTContext &Ctx, Expr *Base, QualType BaseType, bool IsArrow, SourceLocation OperatorLoc, NestedNameSpecifierLoc QualifierLoc, SourceLocation TemplateKWLoc, NamedDecl *FirstQualifierFoundInScope, DeclarationNameInfo MemberNameInfo, const TemplateArgumentListInfo *TemplateArgs)
Definition: ExprCXX.cpp:1550
Represents a C++ nested-name-specifier or a global scope specifier.
Definition: DeclSpec.h:73
CastExpr - Base class for type casts, including both implicit casts (ImplicitCastExpr) and explicit c...
Definition: Expr.h:3612
void setSubExpr(Expr *E)
Definition: Expr.h:3664
Expr * getSubExpr()
Definition: Expr.h:3662
SourceLocation getBegin() const
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
ConstantExpr - An expression that occurs in a constant context and optionally the result of evaluatin...
Definition: Expr.h:1084
void SetResult(APValue Value, const ASTContext &Context)
Definition: Expr.h:1145
static ConstantExpr * Create(const ASTContext &Context, Expr *E, const APValue &Result)
Definition: Expr.cpp:346
A reference to a declared variable, function, enum, etc.
Definition: Expr.h:1272
T * getAttr() const
Definition: DeclBase.h:573
SourceLocation getLocation() const
Definition: DeclBase.h:439
This represents one expression.
Definition: Expr.h:112
Expr * IgnoreParenNoopCasts(const ASTContext &Ctx) LLVM_READONLY
Skip past any parentheses and casts which do not change the value (including ptr->int casts of the sa...
Definition: Expr.cpp:3100
isModifiableLvalueResult isModifiableLvalue(ASTContext &Ctx, SourceLocation *Loc=nullptr) const
isModifiableLvalue - C99 6.3.2.1: an lvalue that does not have array type, does not have an incomplet...
bool isValueDependent() const
Determines whether the value of this expression depends on.
Definition: Expr.h:177
ExprValueKind getValueKind() const
getValueKind - The value kind that this expression produces.
Definition: Expr.h:444
bool refersToVectorElement() const
Returns whether this expression refers to a vector element.
Definition: Expr.cpp:4218
bool isTypeDependent() const
Determines whether the type of this expression depends on.
Definition: Expr.h:194
bool EvaluateAsLValue(EvalResult &Result, const ASTContext &Ctx, bool InConstantContext=false) const
EvaluateAsLValue - Evaluate an expression to see if we can fold it to an lvalue with link time known ...
bool isEvaluatable(const ASTContext &Ctx, SideEffectsKind AllowSideEffects=SE_NoSideEffects) const
isEvaluatable - Call EvaluateAsRValue to see if this expression can be constant folded without side-e...
bool isPRValue() const
Definition: Expr.h:285
bool isLValue() const
isLValue - True if this expression is an "l-value" according to the rules of the current language.
Definition: Expr.h:284
FieldDecl * getSourceBitField()
If this expression refers to a bit-field, retrieve the declaration of that bit-field.
Definition: Expr.cpp:4164
bool EvaluateAsRValue(EvalResult &Result, const ASTContext &Ctx, bool InConstantContext=false) const
EvaluateAsRValue - Return true if this is a constant which we can fold to an rvalue using any crazy t...
void setValueKind(ExprValueKind Cat)
setValueKind - Set the value kind produced by this expression.
Definition: Expr.h:461
SourceLocation getExprLoc() const LLVM_READONLY
getExprLoc - Return the preferred location for the arrow when diagnosing a problem with a generic exp...
Definition: Expr.cpp:273
bool refersToBitField() const
Returns true if this expression is a gl-value that potentially refers to a bit-field.
Definition: Expr.h:476
isModifiableLvalueResult
Definition: Expr.h:304
@ MLV_LValueCast
Definition: Expr.h:310
@ MLV_IncompleteType
Definition: Expr.h:311
@ MLV_Valid
Definition: Expr.h:305
@ MLV_ArrayType
Definition: Expr.h:315
@ MLV_IncompleteVoidType
Definition: Expr.h:307
QualType getType() const
Definition: Expr.h:144
bool refersToGlobalRegisterVar() const
Returns whether this expression refers to a global register variable.
Definition: Expr.cpp:4243
ExprDependence getDependence() const
Definition: Expr.h:164
Represents a member of a struct/union/class.
Definition: Decl.h:3157
unsigned getFieldIndex() const
Returns the index of this field within its record, as appropriate for passing to ASTRecordLayout::get...
Definition: Decl.h:3242
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:139
Represents a function declaration or definition.
Definition: Decl.h:1999
AsmStringPiece - this is part of a decomposed asm string specification (for use with the AnalyzeAsmSt...
Definition: Stmt.h:3431
const std::string & getString() const
Definition: Stmt.h:3456
unsigned getOperandNo() const
Definition: Stmt.h:3458
CharSourceRange getRange() const
Definition: Stmt.h:3463
char getModifier() const
getModifier - Get the modifier for this operand, if present.
Definition: Stmt.cpp:507
This represents a GCC inline-assembly statement extension.
Definition: Stmt.h:3395
static std::string ExtractStringFromGCCAsmStmtComponent(const Expr *E)
Definition: Stmt.cpp:512
One of these records is kept for each identifier that is lexed.
StringRef getName() const
Return the actual identifier string.
IdentifierInfo & get(StringRef Name)
Return the identifier token info for the specified named identifier.
Represents the declaration of a label.
Definition: Decl.h:523
Represents the results of name lookup.
Definition: Lookup.h:147
NamedDecl * getFoundDecl() const
Fetch the unique decl found by this lookup.
Definition: Lookup.h:569
bool isSingleResult() const
Determines if this names a single result which is not an unresolved value using decl.
Definition: Lookup.h:331
This represents a Microsoft inline-assembly statement extension.
Definition: Stmt.h:3614
This represents a decl that may have a name.
Definition: Decl.h:273
A C++ nested-name-specifier augmented with source location information.
PointerType - C99 6.7.5.1 - Pointer Declarators.
Definition: TypeBase.h:3346
IdentifierInfo * getIdentifierInfo(StringRef Name) const
Return information about the specified preprocessor identifier token.
A (possibly-)qualified type.
Definition: TypeBase.h:937
bool isNull() const
Return true if this QualType doesn't point to a type yet.
Definition: TypeBase.h:1004
Represents a struct/union/class.
Definition: Decl.h:4309
RecordDecl * getDefinitionOrSelf() const
Definition: Decl.h:4497
A helper class that allows the use of isa/cast/dyncast to detect TagType objects of structs/unions/cl...
Definition: TypeBase.h:6502
RecordDecl * getOriginalDecl() const
Definition: TypeBase.h:6509
SemaDiagnosticBuilder Diag(SourceLocation Loc, unsigned DiagID, bool DeferHint=false)
Emit a diagnostic.
Definition: SemaBase.cpp:61
Sema - This implements semantic analysis and AST building for C.
Definition: Sema.h:850
QualType getCurrentThisType()
Try to retrieve the type of the 'this' pointer.
Scope * getCurScope() const
Retrieve the parser's current scope.
Definition: Sema.h:1113
ExprResult BuildMemberReferenceExpr(Expr *Base, QualType BaseType, SourceLocation OpLoc, bool IsArrow, CXXScopeSpec &SS, SourceLocation TemplateKWLoc, NamedDecl *FirstQualifierInScope, const DeclarationNameInfo &NameInfo, const TemplateArgumentListInfo *TemplateArgs, const Scope *S, ActOnMemberAccessExtraArgs *ExtraArgs=nullptr)
@ LookupOrdinaryName
Ordinary name lookup, which finds ordinary names (functions, variables, typedefs, etc....
Definition: Sema.h:9281
@ LookupMemberName
Member name lookup, which finds the names of class/struct/union members.
Definition: Sema.h:9289
StmtResult ActOnMSAsmStmt(SourceLocation AsmLoc, SourceLocation LBraceLoc, ArrayRef< Token > AsmToks, StringRef AsmString, unsigned NumOutputs, unsigned NumInputs, ArrayRef< StringRef > Constraints, ArrayRef< StringRef > Clobbers, ArrayRef< Expr * > Exprs, SourceLocation EndLoc)
void PushExpressionEvaluationContext(ExpressionEvaluationContext NewContext, Decl *LambdaContextDecl=nullptr, ExpressionEvaluationContextRecord::ExpressionKind Type=ExpressionEvaluationContextRecord::EK_Other)
Definition: SemaExpr.cpp:17664
ExprResult ActOnIdExpression(Scope *S, CXXScopeSpec &SS, SourceLocation TemplateKWLoc, UnqualifiedId &Id, bool HasTrailingLParen, bool IsAddressOfOperand, CorrectionCandidateCallback *CCC=nullptr, bool IsInlineAsmIdentifier=false, Token *KeywordReplacement=nullptr)
Definition: SemaExpr.cpp:2720
void setFunctionHasBranchIntoScope()
Definition: Sema.cpp:2492
ExprResult LookupInlineAsmIdentifier(CXXScopeSpec &SS, SourceLocation TemplateKWLoc, UnqualifiedId &Id, bool IsUnevaluatedContext)
ASTContext & Context
Definition: Sema.h:1276
void CleanupVarDeclMarking()
Definition: SemaExpr.cpp:19998
ExprResult DefaultFunctionArrayLvalueConversion(Expr *E, bool Diagnose=true)
Definition: SemaExpr.cpp:748
ASTContext & getASTContext() const
Definition: Sema.h:918
void PopExpressionEvaluationContext()
Definition: SemaExpr.cpp:18155
ExprResult ImpCastExprToType(Expr *E, QualType Type, CastKind CK, ExprValueKind VK=VK_PRValue, const CXXCastPath *BasePath=nullptr, CheckedConversionKind CCK=CheckedConversionKind::Implicit)
ImpCastExprToType - If Expr is not of type 'Type', insert an implicit cast.
Definition: Sema.cpp:756
const LangOptions & getLangOpts() const
Definition: Sema.h:911
bool RequireCompleteExprType(Expr *E, CompleteTypeKind Kind, TypeDiagnoser &Diagnoser)
Ensure that the type of the given expression is complete.
Definition: SemaType.cpp:9230
@ ReuseLambdaContextDecl
Definition: Sema.h:6970
Preprocessor & PP
Definition: Sema.h:1275
bool DiagnoseUnexpandedParameterPack(SourceLocation Loc, TypeSourceInfo *T, UnexpandedParameterPackContext UPPC)
If the given type contains an unexpanded parameter pack, diagnose the error.
const LangOptions & LangOpts
Definition: Sema.h:1274
void MarkAnyDeclReferenced(SourceLocation Loc, Decl *D, bool MightBeOdrUse)
Perform marking for a reference to an arbitrary declaration.
Definition: SemaExpr.cpp:20409
DeclContext * getCurLexicalContext() const
Definition: Sema.h:1117
bool EvaluateAsString(Expr *Message, APValue &Result, ASTContext &Ctx, StringEvaluationContext EvalContext, bool ErrorOnInvalidMessage)
SourceLocation getLocationOfStringLiteralByte(const StringLiteral *SL, unsigned ByteNo) const
DeclContext * CurContext
CurContext - This is the current declaration context of parsing.
Definition: Sema.h:1411
void FillInlineAsmIdentifierInfo(Expr *Res, llvm::InlineAsmIdentifierInfo &Info)
ExprResult CheckPlaceholderExpr(Expr *E)
Check for operands with placeholder types and complain if found.
Definition: SemaExpr.cpp:21316
bool LookupInlineAsmField(StringRef Base, StringRef Member, unsigned &Offset, SourceLocation AsmLoc)
LabelDecl * LookupOrCreateLabel(IdentifierInfo *II, SourceLocation IdentLoc, SourceLocation GnuLabelLoc=SourceLocation())
LookupOrCreateLabel - Do a name lookup of a label with the specified name.
ExprResult LookupInlineAsmVarDeclField(Expr *RefExpr, StringRef Member, SourceLocation AsmLoc)
void setFunctionHasBranchProtectedScope()
Definition: Sema.cpp:2497
@ UnevaluatedAbstract
The current expression occurs within an unevaluated operand that unconditionally permits abstract ref...
bool RequireCompleteType(SourceLocation Loc, QualType T, CompleteTypeKind Kind, TypeDiagnoser &Diagnoser)
Ensure that the type T is a complete type.
Definition: SemaType.cpp:9241
bool LookupQualifiedName(LookupResult &R, DeclContext *LookupCtx, bool InUnqualifiedLookup=false)
Perform qualified name lookup into a given context.
void DiscardCleanupsInEvaluationContext()
Definition: SemaExpr.cpp:18228
LabelDecl * GetOrCreateMSAsmLabel(StringRef ExternalLabelName, SourceLocation Location, bool AlwaysCreate)
SemaDiagnosticBuilder targetDiag(SourceLocation Loc, unsigned DiagID, const FunctionDecl *FD=nullptr)
Definition: Sema.cpp:2096
ExprResult ActOnGCCAsmStmtString(Expr *Stm, bool ForAsmLabel)
bool LookupName(LookupResult &R, Scope *S, bool AllowBuiltinCreation=false, bool ForceNoCPlusPlus=false)
Perform unqualified name lookup starting from a given scope.
StmtResult ActOnGCCAsmStmt(SourceLocation AsmLoc, bool IsSimple, bool IsVolatile, unsigned NumOutputs, unsigned NumInputs, IdentifierInfo **Names, MultiExprArg Constraints, MultiExprArg Exprs, Expr *AsmString, MultiExprArg Clobbers, unsigned NumLabels, SourceLocation RParenLoc)
Encodes a location in the source.
bool isValid() const
Return true if this is a valid SourceLocation object.
Stmt - This represents one statement.
Definition: Stmt.h:85
child_range children()
Definition: Stmt.cpp:295
SourceRange getSourceRange() const LLVM_READONLY
SourceLocation tokens are not useful in isolation - they are low level value objects created/interpre...
Definition: Stmt.cpp:334
SourceLocation getBeginLoc() const LLVM_READONLY
Definition: Stmt.cpp:346
Exposes information about the current target.
Definition: TargetInfo.h:226
bool validateInputConstraint(MutableArrayRef< ConstraintInfo > OutputConstraints, ConstraintInfo &info) const
Definition: TargetInfo.cpp:851
virtual bool validateOutputSize(const llvm::StringMap< bool > &FeatureMap, StringRef, unsigned) const
Definition: TargetInfo.h:1236
virtual bool validateInputSize(const llvm::StringMap< bool > &FeatureMap, StringRef, unsigned) const
Definition: TargetInfo.h:1242
virtual bool validateConstraintModifier(StringRef, char, unsigned, std::string &) const
Definition: TargetInfo.h:1248
bool validateOutputConstraint(ConstraintInfo &Info) const
Definition: TargetInfo.cpp:754
bool isValidClobber(StringRef Name) const
Returns whether the passed in string is a valid clobber in an inline asm statement.
Definition: TargetInfo.cpp:660
Represents a declaration of a type.
Definition: Decl.h:3510
The base class of the type hierarchy.
Definition: TypeBase.h:1833
bool isStructureType() const
Definition: Type.cpp:678
bool isVoidType() const
Definition: TypeBase.h:8936
bool isBooleanType() const
Definition: TypeBase.h:9066
RecordDecl * getAsRecordDecl() const
Retrieves the RecordDecl this type refers to.
Definition: Type.h:41
bool isPointerType() const
Definition: TypeBase.h:8580
bool isIntegerType() const
isIntegerType() does not include complex integers (a GCC extension).
Definition: TypeBase.h:8980
QualType getPointeeType() const
If this is a pointer, ObjC object pointer, or block pointer, this returns the respective pointee.
Definition: Type.cpp:752
bool isBitIntType() const
Definition: TypeBase.h:8845
bool isDependentType() const
Whether this type is a dependent type, meaning that its definition somehow depends on a template para...
Definition: TypeBase.h:2800
bool isMemberPointerType() const
Definition: TypeBase.h:8661
bool isIncompleteType(NamedDecl **Def=nullptr) const
Types are partitioned into 3 broad categories (C99 6.2.5p1): object types, function types,...
Definition: Type.cpp:2440
bool isFunctionType() const
Definition: TypeBase.h:8576
bool isRealFloatingType() const
Floating point categories.
Definition: Type.cpp:2324
const T * getAsCanonical() const
If this type is canonically the specified type, return its canonical type cast to that specified type...
Definition: TypeBase.h:2939
const T * getAs() const
Member-template getAs<specific type>'.
Definition: TypeBase.h:9159
Base class for declarations which introduce a typedef-name.
Definition: Decl.h:3559
Represents a C++ unqualified-id that has been parsed.
Definition: DeclSpec.h:998
Represent the declaration of a variable (in which case it is an lvalue) a function (in which case it ...
Definition: Decl.h:711
Represents a variable declaration or definition.
Definition: Decl.h:925
StorageClass getStorageClass() const
Returns the storage class as written in the source.
Definition: Decl.h:1167
Defines the clang::TargetInfo interface.
The JSON file list parser is used to communicate input to InstallAPI.
@ CPlusPlus
Definition: LangStandard.h:55
@ SC_Register
Definition: Specifiers.h:257
StmtResult StmtError()
Definition: Ownership.h:266
@ Result
The result type of a method or function.
ActionResult< Expr * > ExprResult
Definition: Ownership.h:249
ExprResult ExprError()
Definition: Ownership.h:265
CastKind
CastKind - The kind of operation required for a conversion.
const FunctionProtoType * T
ActionResult< CXXBaseSpecifier * > BaseResult
Definition: Ownership.h:252
DeclarationNameInfo - A collector data type for bundling together a DeclarationName and the correspon...
void setLoc(SourceLocation L)
setLoc - Sets the main location of the declaration name.
void setName(DeclarationName N)
setName - Sets the embedded declaration name.
EvalResult is a struct with detailed info about an evaluated expression.
Definition: Expr.h:645
APValue Val
Val - This is the value the expression can be folded to.
Definition: Expr.h:647
const std::string & getConstraintStr() const
Definition: TargetInfo.h:1149
bool isValidAsmImmediate(const llvm::APInt &Value) const
Definition: TargetInfo.h:1174
bool hasTiedOperand() const
Return true if this input operand is a matching constraint that ties it to an output operand.
Definition: TargetInfo.h:1165