Bug Summary

File:build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/clang/lib/Parse/ParseExpr.cpp
Warning:line 947, column 11
Value stored to 'ParenExprType' is never read

Annotated Source Code

Press '?' to see keyboard shortcuts

clang -cc1 -cc1 -triple x86_64-pc-linux-gnu -analyze -disable-free -clear-ast-before-backend -disable-llvm-verifier -discard-value-names -main-file-name ParseExpr.cpp -analyzer-store=region -analyzer-opt-analyze-nested-blocks -analyzer-checker=core -analyzer-checker=apiModeling -analyzer-checker=unix -analyzer-checker=deadcode -analyzer-checker=cplusplus -analyzer-checker=security.insecureAPI.UncheckedReturn -analyzer-checker=security.insecureAPI.getpw -analyzer-checker=security.insecureAPI.gets -analyzer-checker=security.insecureAPI.mktemp -analyzer-checker=security.insecureAPI.mkstemp -analyzer-checker=security.insecureAPI.vfork -analyzer-checker=nullability.NullPassedToNonnull -analyzer-checker=nullability.NullReturnedFromNonnull -analyzer-output plist -w -setup-static-analyzer -analyzer-config-compatibility-mode=true -mrelocation-model pic -pic-level 2 -mframe-pointer=none -relaxed-aliasing -fmath-errno -ffp-contract=on -fno-rounding-math -mconstructor-aliases -funwind-tables=2 -target-cpu x86-64 -tune-cpu generic -debugger-tuning=gdb -ffunction-sections -fdata-sections -fcoverage-compilation-dir=/build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/build-llvm -resource-dir /usr/lib/llvm-15/lib/clang/15.0.0 -D _DEBUG -D _GNU_SOURCE -D __STDC_CONSTANT_MACROS -D __STDC_FORMAT_MACROS -D __STDC_LIMIT_MACROS -I tools/clang/lib/Parse -I /build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/clang/lib/Parse -I /build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/clang/include -I tools/clang/include -I include -I /build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/llvm/include -D _FORTIFY_SOURCE=2 -D NDEBUG -U NDEBUG -internal-isystem /usr/lib/gcc/x86_64-linux-gnu/10/../../../../include/c++/10 -internal-isystem /usr/lib/gcc/x86_64-linux-gnu/10/../../../../include/x86_64-linux-gnu/c++/10 -internal-isystem /usr/lib/gcc/x86_64-linux-gnu/10/../../../../include/c++/10/backward -internal-isystem /usr/lib/llvm-15/lib/clang/15.0.0/include -internal-isystem /usr/local/include -internal-isystem /usr/lib/gcc/x86_64-linux-gnu/10/../../../../x86_64-linux-gnu/include -internal-externc-isystem /usr/include/x86_64-linux-gnu -internal-externc-isystem /include -internal-externc-isystem /usr/include -fmacro-prefix-map=/build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/build-llvm=build-llvm -fmacro-prefix-map=/build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/= -fcoverage-prefix-map=/build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/build-llvm=build-llvm -fcoverage-prefix-map=/build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/= -O3 -Wno-unused-command-line-argument -Wno-unused-parameter -Wwrite-strings -Wno-missing-field-initializers -Wno-long-long -Wno-maybe-uninitialized -Wno-class-memaccess -Wno-redundant-move -Wno-pessimizing-move -Wno-noexcept-type -Wno-comment -std=c++14 -fdeprecated-macro -fdebug-compilation-dir=/build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/build-llvm -fdebug-prefix-map=/build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/build-llvm=build-llvm -fdebug-prefix-map=/build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/= -ferror-limit 19 -fvisibility-inlines-hidden -stack-protector 2 -fgnuc-version=4.2.1 -fcolor-diagnostics -vectorize-loops -vectorize-slp -analyzer-output=html -analyzer-config stable-report-filename=true -faddrsig -D__GCC_HAVE_DWARF2_CFI_ASM=1 -o /tmp/scan-build-2022-04-20-140412-16051-1 -x c++ /build/llvm-toolchain-snapshot-15~++20220420111733+e13d2efed663/clang/lib/Parse/ParseExpr.cpp
1//===--- ParseExpr.cpp - Expression Parsing -------------------------------===//
2//
3// Part of the LLVM Project, under the Apache License v2.0 with LLVM Exceptions.
4// See https://llvm.org/LICENSE.txt for license information.
5// SPDX-License-Identifier: Apache-2.0 WITH LLVM-exception
6//
7//===----------------------------------------------------------------------===//
8///
9/// \file
10/// Provides the Expression parsing implementation.
11///
12/// Expressions in C99 basically consist of a bunch of binary operators with
13/// unary operators and other random stuff at the leaves.
14///
15/// In the C99 grammar, these unary operators bind tightest and are represented
16/// as the 'cast-expression' production. Everything else is either a binary
17/// operator (e.g. '/') or a ternary operator ("?:"). The unary leaves are
18/// handled by ParseCastExpression, the higher level pieces are handled by
19/// ParseBinaryExpression.
20///
21//===----------------------------------------------------------------------===//
22
23#include "clang/Parse/Parser.h"
24#include "clang/AST/ASTContext.h"
25#include "clang/AST/ExprCXX.h"
26#include "clang/Basic/PrettyStackTrace.h"
27#include "clang/Parse/RAIIObjectsForParser.h"
28#include "clang/Sema/DeclSpec.h"
29#include "clang/Sema/ParsedTemplate.h"
30#include "clang/Sema/Scope.h"
31#include "clang/Sema/TypoCorrection.h"
32#include "llvm/ADT/SmallVector.h"
33using namespace clang;
34
35/// Simple precedence-based parser for binary/ternary operators.
36///
37/// Note: we diverge from the C99 grammar when parsing the assignment-expression
38/// production. C99 specifies that the LHS of an assignment operator should be
39/// parsed as a unary-expression, but consistency dictates that it be a
40/// conditional-expession. In practice, the important thing here is that the
41/// LHS of an assignment has to be an l-value, which productions between
42/// unary-expression and conditional-expression don't produce. Because we want
43/// consistency, we parse the LHS as a conditional-expression, then check for
44/// l-value-ness in semantic analysis stages.
45///
46/// \verbatim
47/// pm-expression: [C++ 5.5]
48/// cast-expression
49/// pm-expression '.*' cast-expression
50/// pm-expression '->*' cast-expression
51///
52/// multiplicative-expression: [C99 6.5.5]
53/// Note: in C++, apply pm-expression instead of cast-expression
54/// cast-expression
55/// multiplicative-expression '*' cast-expression
56/// multiplicative-expression '/' cast-expression
57/// multiplicative-expression '%' cast-expression
58///
59/// additive-expression: [C99 6.5.6]
60/// multiplicative-expression
61/// additive-expression '+' multiplicative-expression
62/// additive-expression '-' multiplicative-expression
63///
64/// shift-expression: [C99 6.5.7]
65/// additive-expression
66/// shift-expression '<<' additive-expression
67/// shift-expression '>>' additive-expression
68///
69/// compare-expression: [C++20 expr.spaceship]
70/// shift-expression
71/// compare-expression '<=>' shift-expression
72///
73/// relational-expression: [C99 6.5.8]
74/// compare-expression
75/// relational-expression '<' compare-expression
76/// relational-expression '>' compare-expression
77/// relational-expression '<=' compare-expression
78/// relational-expression '>=' compare-expression
79///
80/// equality-expression: [C99 6.5.9]
81/// relational-expression
82/// equality-expression '==' relational-expression
83/// equality-expression '!=' relational-expression
84///
85/// AND-expression: [C99 6.5.10]
86/// equality-expression
87/// AND-expression '&' equality-expression
88///
89/// exclusive-OR-expression: [C99 6.5.11]
90/// AND-expression
91/// exclusive-OR-expression '^' AND-expression
92///
93/// inclusive-OR-expression: [C99 6.5.12]
94/// exclusive-OR-expression
95/// inclusive-OR-expression '|' exclusive-OR-expression
96///
97/// logical-AND-expression: [C99 6.5.13]
98/// inclusive-OR-expression
99/// logical-AND-expression '&&' inclusive-OR-expression
100///
101/// logical-OR-expression: [C99 6.5.14]
102/// logical-AND-expression
103/// logical-OR-expression '||' logical-AND-expression
104///
105/// conditional-expression: [C99 6.5.15]
106/// logical-OR-expression
107/// logical-OR-expression '?' expression ':' conditional-expression
108/// [GNU] logical-OR-expression '?' ':' conditional-expression
109/// [C++] the third operand is an assignment-expression
110///
111/// assignment-expression: [C99 6.5.16]
112/// conditional-expression
113/// unary-expression assignment-operator assignment-expression
114/// [C++] throw-expression [C++ 15]
115///
116/// assignment-operator: one of
117/// = *= /= %= += -= <<= >>= &= ^= |=
118///
119/// expression: [C99 6.5.17]
120/// assignment-expression ...[opt]
121/// expression ',' assignment-expression ...[opt]
122/// \endverbatim
123ExprResult Parser::ParseExpression(TypeCastState isTypeCast) {
124 ExprResult LHS(ParseAssignmentExpression(isTypeCast));
125 return ParseRHSOfBinaryExpression(LHS, prec::Comma);
126}
127
128/// This routine is called when the '@' is seen and consumed.
129/// Current token is an Identifier and is not a 'try'. This
130/// routine is necessary to disambiguate \@try-statement from,
131/// for example, \@encode-expression.
132///
133ExprResult
134Parser::ParseExpressionWithLeadingAt(SourceLocation AtLoc) {
135 ExprResult LHS(ParseObjCAtExpression(AtLoc));
136 return ParseRHSOfBinaryExpression(LHS, prec::Comma);
137}
138
139/// This routine is called when a leading '__extension__' is seen and
140/// consumed. This is necessary because the token gets consumed in the
141/// process of disambiguating between an expression and a declaration.
142ExprResult
143Parser::ParseExpressionWithLeadingExtension(SourceLocation ExtLoc) {
144 ExprResult LHS(true);
145 {
146 // Silence extension warnings in the sub-expression
147 ExtensionRAIIObject O(Diags);
148
149 LHS = ParseCastExpression(AnyCastExpr);
150 }
151
152 if (!LHS.isInvalid())
153 LHS = Actions.ActOnUnaryOp(getCurScope(), ExtLoc, tok::kw___extension__,
154 LHS.get());
155
156 return ParseRHSOfBinaryExpression(LHS, prec::Comma);
157}
158
159/// Parse an expr that doesn't include (top-level) commas.
160ExprResult Parser::ParseAssignmentExpression(TypeCastState isTypeCast) {
161 if (Tok.is(tok::code_completion)) {
162 cutOffParsing();
163 Actions.CodeCompleteExpression(getCurScope(),
164 PreferredType.get(Tok.getLocation()));
165 return ExprError();
166 }
167
168 if (Tok.is(tok::kw_throw))
169 return ParseThrowExpression();
170 if (Tok.is(tok::kw_co_yield))
171 return ParseCoyieldExpression();
172
173 ExprResult LHS = ParseCastExpression(AnyCastExpr,
174 /*isAddressOfOperand=*/false,
175 isTypeCast);
176 return ParseRHSOfBinaryExpression(LHS, prec::Assignment);
177}
178
179/// Parse an assignment expression where part of an Objective-C message
180/// send has already been parsed.
181///
182/// In this case \p LBracLoc indicates the location of the '[' of the message
183/// send, and either \p ReceiverName or \p ReceiverExpr is non-null indicating
184/// the receiver of the message.
185///
186/// Since this handles full assignment-expression's, it handles postfix
187/// expressions and other binary operators for these expressions as well.
188ExprResult
189Parser::ParseAssignmentExprWithObjCMessageExprStart(SourceLocation LBracLoc,
190 SourceLocation SuperLoc,
191 ParsedType ReceiverType,
192 Expr *ReceiverExpr) {
193 ExprResult R
194 = ParseObjCMessageExpressionBody(LBracLoc, SuperLoc,
195 ReceiverType, ReceiverExpr);
196 R = ParsePostfixExpressionSuffix(R);
197 return ParseRHSOfBinaryExpression(R, prec::Assignment);
198}
199
200ExprResult
201Parser::ParseConstantExpressionInExprEvalContext(TypeCastState isTypeCast) {
202 assert(Actions.ExprEvalContexts.back().Context ==(static_cast <bool> (Actions.ExprEvalContexts.back().Context
== Sema::ExpressionEvaluationContext::ConstantEvaluated &&
"Call this function only if your ExpressionEvaluationContext is "
"already ConstantEvaluated") ? void (0) : __assert_fail ("Actions.ExprEvalContexts.back().Context == Sema::ExpressionEvaluationContext::ConstantEvaluated && \"Call this function only if your ExpressionEvaluationContext is \" \"already ConstantEvaluated\""
, "clang/lib/Parse/ParseExpr.cpp", 205, __extension__ __PRETTY_FUNCTION__
))
203 Sema::ExpressionEvaluationContext::ConstantEvaluated &&(static_cast <bool> (Actions.ExprEvalContexts.back().Context
== Sema::ExpressionEvaluationContext::ConstantEvaluated &&
"Call this function only if your ExpressionEvaluationContext is "
"already ConstantEvaluated") ? void (0) : __assert_fail ("Actions.ExprEvalContexts.back().Context == Sema::ExpressionEvaluationContext::ConstantEvaluated && \"Call this function only if your ExpressionEvaluationContext is \" \"already ConstantEvaluated\""
, "clang/lib/Parse/ParseExpr.cpp", 205, __extension__ __PRETTY_FUNCTION__
))
204 "Call this function only if your ExpressionEvaluationContext is "(static_cast <bool> (Actions.ExprEvalContexts.back().Context
== Sema::ExpressionEvaluationContext::ConstantEvaluated &&
"Call this function only if your ExpressionEvaluationContext is "
"already ConstantEvaluated") ? void (0) : __assert_fail ("Actions.ExprEvalContexts.back().Context == Sema::ExpressionEvaluationContext::ConstantEvaluated && \"Call this function only if your ExpressionEvaluationContext is \" \"already ConstantEvaluated\""
, "clang/lib/Parse/ParseExpr.cpp", 205, __extension__ __PRETTY_FUNCTION__
))
205 "already ConstantEvaluated")(static_cast <bool> (Actions.ExprEvalContexts.back().Context
== Sema::ExpressionEvaluationContext::ConstantEvaluated &&
"Call this function only if your ExpressionEvaluationContext is "
"already ConstantEvaluated") ? void (0) : __assert_fail ("Actions.ExprEvalContexts.back().Context == Sema::ExpressionEvaluationContext::ConstantEvaluated && \"Call this function only if your ExpressionEvaluationContext is \" \"already ConstantEvaluated\""
, "clang/lib/Parse/ParseExpr.cpp", 205, __extension__ __PRETTY_FUNCTION__
))
;
206 ExprResult LHS(ParseCastExpression(AnyCastExpr, false, isTypeCast));
207 ExprResult Res(ParseRHSOfBinaryExpression(LHS, prec::Conditional));
208 return Actions.ActOnConstantExpression(Res);
209}
210
211ExprResult Parser::ParseConstantExpression(TypeCastState isTypeCast) {
212 // C++03 [basic.def.odr]p2:
213 // An expression is potentially evaluated unless it appears where an
214 // integral constant expression is required (see 5.19) [...].
215 // C++98 and C++11 have no such rule, but this is only a defect in C++98.
216 EnterExpressionEvaluationContext ConstantEvaluated(
217 Actions, Sema::ExpressionEvaluationContext::ConstantEvaluated);
218 return ParseConstantExpressionInExprEvalContext(isTypeCast);
219}
220
221ExprResult Parser::ParseCaseExpression(SourceLocation CaseLoc) {
222 EnterExpressionEvaluationContext ConstantEvaluated(
223 Actions, Sema::ExpressionEvaluationContext::ConstantEvaluated);
224 ExprResult LHS(ParseCastExpression(AnyCastExpr, false, NotTypeCast));
225 ExprResult Res(ParseRHSOfBinaryExpression(LHS, prec::Conditional));
226 return Actions.ActOnCaseExpr(CaseLoc, Res);
227}
228
229/// Parse a constraint-expression.
230///
231/// \verbatim
232/// constraint-expression: C++2a[temp.constr.decl]p1
233/// logical-or-expression
234/// \endverbatim
235ExprResult Parser::ParseConstraintExpression() {
236 EnterExpressionEvaluationContext ConstantEvaluated(
237 Actions, Sema::ExpressionEvaluationContext::Unevaluated);
238 ExprResult LHS(ParseCastExpression(AnyCastExpr));
239 ExprResult Res(ParseRHSOfBinaryExpression(LHS, prec::LogicalOr));
240 if (Res.isUsable() && !Actions.CheckConstraintExpression(Res.get())) {
241 Actions.CorrectDelayedTyposInExpr(Res);
242 return ExprError();
243 }
244 return Res;
245}
246
247/// \brief Parse a constraint-logical-and-expression.
248///
249/// \verbatim
250/// C++2a[temp.constr.decl]p1
251/// constraint-logical-and-expression:
252/// primary-expression
253/// constraint-logical-and-expression '&&' primary-expression
254///
255/// \endverbatim
256ExprResult
257Parser::ParseConstraintLogicalAndExpression(bool IsTrailingRequiresClause) {
258 EnterExpressionEvaluationContext ConstantEvaluated(
259 Actions, Sema::ExpressionEvaluationContext::Unevaluated);
260 bool NotPrimaryExpression = false;
261 auto ParsePrimary = [&] () {
262 ExprResult E = ParseCastExpression(PrimaryExprOnly,
263 /*isAddressOfOperand=*/false,
264 /*isTypeCast=*/NotTypeCast,
265 /*isVectorLiteral=*/false,
266 &NotPrimaryExpression);
267 if (E.isInvalid())
268 return ExprError();
269 auto RecoverFromNonPrimary = [&] (ExprResult E, bool Note) {
270 E = ParsePostfixExpressionSuffix(E);
271 // Use InclusiveOr, the precedence just after '&&' to not parse the
272 // next arguments to the logical and.
273 E = ParseRHSOfBinaryExpression(E, prec::InclusiveOr);
274 if (!E.isInvalid())
275 Diag(E.get()->getExprLoc(),
276 Note
277 ? diag::note_unparenthesized_non_primary_expr_in_requires_clause
278 : diag::err_unparenthesized_non_primary_expr_in_requires_clause)
279 << FixItHint::CreateInsertion(E.get()->getBeginLoc(), "(")
280 << FixItHint::CreateInsertion(
281 PP.getLocForEndOfToken(E.get()->getEndLoc()), ")")
282 << E.get()->getSourceRange();
283 return E;
284 };
285
286 if (NotPrimaryExpression ||
287 // Check if the following tokens must be a part of a non-primary
288 // expression
289 getBinOpPrecedence(Tok.getKind(), GreaterThanIsOperator,
290 /*CPlusPlus11=*/true) > prec::LogicalAnd ||
291 // Postfix operators other than '(' (which will be checked for in
292 // CheckConstraintExpression).
293 Tok.isOneOf(tok::period, tok::plusplus, tok::minusminus) ||
294 (Tok.is(tok::l_square) && !NextToken().is(tok::l_square))) {
295 E = RecoverFromNonPrimary(E, /*Note=*/false);
296 if (E.isInvalid())
297 return ExprError();
298 NotPrimaryExpression = false;
299 }
300 bool PossibleNonPrimary;
301 bool IsConstraintExpr =
302 Actions.CheckConstraintExpression(E.get(), Tok, &PossibleNonPrimary,
303 IsTrailingRequiresClause);
304 if (!IsConstraintExpr || PossibleNonPrimary) {
305 // Atomic constraint might be an unparenthesized non-primary expression
306 // (such as a binary operator), in which case we might get here (e.g. in
307 // 'requires 0 + 1 && true' we would now be at '+', and parse and ignore
308 // the rest of the addition expression). Try to parse the rest of it here.
309 if (PossibleNonPrimary)
310 E = RecoverFromNonPrimary(E, /*Note=*/!IsConstraintExpr);
311 Actions.CorrectDelayedTyposInExpr(E);
312 return ExprError();
313 }
314 return E;
315 };
316 ExprResult LHS = ParsePrimary();
317 if (LHS.isInvalid())
318 return ExprError();
319 while (Tok.is(tok::ampamp)) {
320 SourceLocation LogicalAndLoc = ConsumeToken();
321 ExprResult RHS = ParsePrimary();
322 if (RHS.isInvalid()) {
323 Actions.CorrectDelayedTyposInExpr(LHS);
324 return ExprError();
325 }
326 ExprResult Op = Actions.ActOnBinOp(getCurScope(), LogicalAndLoc,
327 tok::ampamp, LHS.get(), RHS.get());
328 if (!Op.isUsable()) {
329 Actions.CorrectDelayedTyposInExpr(RHS);
330 Actions.CorrectDelayedTyposInExpr(LHS);
331 return ExprError();
332 }
333 LHS = Op;
334 }
335 return LHS;
336}
337
338/// \brief Parse a constraint-logical-or-expression.
339///
340/// \verbatim
341/// C++2a[temp.constr.decl]p1
342/// constraint-logical-or-expression:
343/// constraint-logical-and-expression
344/// constraint-logical-or-expression '||'
345/// constraint-logical-and-expression
346///
347/// \endverbatim
348ExprResult
349Parser::ParseConstraintLogicalOrExpression(bool IsTrailingRequiresClause) {
350 ExprResult LHS(ParseConstraintLogicalAndExpression(IsTrailingRequiresClause));
351 if (!LHS.isUsable())
352 return ExprError();
353 while (Tok.is(tok::pipepipe)) {
354 SourceLocation LogicalOrLoc = ConsumeToken();
355 ExprResult RHS =
356 ParseConstraintLogicalAndExpression(IsTrailingRequiresClause);
357 if (!RHS.isUsable()) {
358 Actions.CorrectDelayedTyposInExpr(LHS);
359 return ExprError();
360 }
361 ExprResult Op = Actions.ActOnBinOp(getCurScope(), LogicalOrLoc,
362 tok::pipepipe, LHS.get(), RHS.get());
363 if (!Op.isUsable()) {
364 Actions.CorrectDelayedTyposInExpr(RHS);
365 Actions.CorrectDelayedTyposInExpr(LHS);
366 return ExprError();
367 }
368 LHS = Op;
369 }
370 return LHS;
371}
372
373bool Parser::isNotExpressionStart() {
374 tok::TokenKind K = Tok.getKind();
375 if (K == tok::l_brace || K == tok::r_brace ||
376 K == tok::kw_for || K == tok::kw_while ||
377 K == tok::kw_if || K == tok::kw_else ||
378 K == tok::kw_goto || K == tok::kw_try)
379 return true;
380 // If this is a decl-specifier, we can't be at the start of an expression.
381 return isKnownToBeDeclarationSpecifier();
382}
383
384bool Parser::isFoldOperator(prec::Level Level) const {
385 return Level > prec::Unknown && Level != prec::Conditional &&
386 Level != prec::Spaceship;
387}
388
389bool Parser::isFoldOperator(tok::TokenKind Kind) const {
390 return isFoldOperator(getBinOpPrecedence(Kind, GreaterThanIsOperator, true));
391}
392
393/// Parse a binary expression that starts with \p LHS and has a
394/// precedence of at least \p MinPrec.
395ExprResult
396Parser::ParseRHSOfBinaryExpression(ExprResult LHS, prec::Level MinPrec) {
397 prec::Level NextTokPrec = getBinOpPrecedence(Tok.getKind(),
398 GreaterThanIsOperator,
399 getLangOpts().CPlusPlus11);
400 SourceLocation ColonLoc;
401
402 auto SavedType = PreferredType;
403 while (true) {
404 // Every iteration may rely on a preferred type for the whole expression.
405 PreferredType = SavedType;
406 // If this token has a lower precedence than we are allowed to parse (e.g.
407 // because we are called recursively, or because the token is not a binop),
408 // then we are done!
409 if (NextTokPrec < MinPrec)
410 return LHS;
411
412 // Consume the operator, saving the operator token for error reporting.
413 Token OpToken = Tok;
414 ConsumeToken();
415
416 if (OpToken.is(tok::caretcaret)) {
417 return ExprError(Diag(Tok, diag::err_opencl_logical_exclusive_or));
418 }
419
420 // If we're potentially in a template-id, we may now be able to determine
421 // whether we're actually in one or not.
422 if (OpToken.isOneOf(tok::comma, tok::greater, tok::greatergreater,
423 tok::greatergreatergreater) &&
424 checkPotentialAngleBracketDelimiter(OpToken))
425 return ExprError();
426
427 // Bail out when encountering a comma followed by a token which can't
428 // possibly be the start of an expression. For instance:
429 // int f() { return 1, }
430 // We can't do this before consuming the comma, because
431 // isNotExpressionStart() looks at the token stream.
432 if (OpToken.is(tok::comma) && isNotExpressionStart()) {
433 PP.EnterToken(Tok, /*IsReinject*/true);
434 Tok = OpToken;
435 return LHS;
436 }
437
438 // If the next token is an ellipsis, then this is a fold-expression. Leave
439 // it alone so we can handle it in the paren expression.
440 if (isFoldOperator(NextTokPrec) && Tok.is(tok::ellipsis)) {
441 // FIXME: We can't check this via lookahead before we consume the token
442 // because that tickles a lexer bug.
443 PP.EnterToken(Tok, /*IsReinject*/true);
444 Tok = OpToken;
445 return LHS;
446 }
447
448 // In Objective-C++, alternative operator tokens can be used as keyword args
449 // in message expressions. Unconsume the token so that it can reinterpreted
450 // as an identifier in ParseObjCMessageExpressionBody. i.e., we support:
451 // [foo meth:0 and:0];
452 // [foo not_eq];
453 if (getLangOpts().ObjC && getLangOpts().CPlusPlus &&
454 Tok.isOneOf(tok::colon, tok::r_square) &&
455 OpToken.getIdentifierInfo() != nullptr) {
456 PP.EnterToken(Tok, /*IsReinject*/true);
457 Tok = OpToken;
458 return LHS;
459 }
460
461 // Special case handling for the ternary operator.
462 ExprResult TernaryMiddle(true);
463 if (NextTokPrec == prec::Conditional) {
464 if (getLangOpts().CPlusPlus11 && Tok.is(tok::l_brace)) {
465 // Parse a braced-init-list here for error recovery purposes.
466 SourceLocation BraceLoc = Tok.getLocation();
467 TernaryMiddle = ParseBraceInitializer();
468 if (!TernaryMiddle.isInvalid()) {
469 Diag(BraceLoc, diag::err_init_list_bin_op)
470 << /*RHS*/ 1 << PP.getSpelling(OpToken)
471 << Actions.getExprRange(TernaryMiddle.get());
472 TernaryMiddle = ExprError();
473 }
474 } else if (Tok.isNot(tok::colon)) {
475 // Don't parse FOO:BAR as if it were a typo for FOO::BAR.
476 ColonProtectionRAIIObject X(*this);
477
478 // Handle this production specially:
479 // logical-OR-expression '?' expression ':' conditional-expression
480 // In particular, the RHS of the '?' is 'expression', not
481 // 'logical-OR-expression' as we might expect.
482 TernaryMiddle = ParseExpression();
483 } else {
484 // Special case handling of "X ? Y : Z" where Y is empty:
485 // logical-OR-expression '?' ':' conditional-expression [GNU]
486 TernaryMiddle = nullptr;
487 Diag(Tok, diag::ext_gnu_conditional_expr);
488 }
489
490 if (TernaryMiddle.isInvalid()) {
491 Actions.CorrectDelayedTyposInExpr(LHS);
492 LHS = ExprError();
493 TernaryMiddle = nullptr;
494 }
495
496 if (!TryConsumeToken(tok::colon, ColonLoc)) {
497 // Otherwise, we're missing a ':'. Assume that this was a typo that
498 // the user forgot. If we're not in a macro expansion, we can suggest
499 // a fixit hint. If there were two spaces before the current token,
500 // suggest inserting the colon in between them, otherwise insert ": ".
501 SourceLocation FILoc = Tok.getLocation();
502 const char *FIText = ": ";
503 const SourceManager &SM = PP.getSourceManager();
504 if (FILoc.isFileID() || PP.isAtStartOfMacroExpansion(FILoc, &FILoc)) {
505 assert(FILoc.isFileID())(static_cast <bool> (FILoc.isFileID()) ? void (0) : __assert_fail
("FILoc.isFileID()", "clang/lib/Parse/ParseExpr.cpp", 505, __extension__
__PRETTY_FUNCTION__))
;
506 bool IsInvalid = false;
507 const char *SourcePtr =
508 SM.getCharacterData(FILoc.getLocWithOffset(-1), &IsInvalid);
509 if (!IsInvalid && *SourcePtr == ' ') {
510 SourcePtr =
511 SM.getCharacterData(FILoc.getLocWithOffset(-2), &IsInvalid);
512 if (!IsInvalid && *SourcePtr == ' ') {
513 FILoc = FILoc.getLocWithOffset(-1);
514 FIText = ":";
515 }
516 }
517 }
518
519 Diag(Tok, diag::err_expected)
520 << tok::colon << FixItHint::CreateInsertion(FILoc, FIText);
521 Diag(OpToken, diag::note_matching) << tok::question;
522 ColonLoc = Tok.getLocation();
523 }
524 }
525
526 PreferredType.enterBinary(Actions, Tok.getLocation(), LHS.get(),
527 OpToken.getKind());
528 // Parse another leaf here for the RHS of the operator.
529 // ParseCastExpression works here because all RHS expressions in C have it
530 // as a prefix, at least. However, in C++, an assignment-expression could
531 // be a throw-expression, which is not a valid cast-expression.
532 // Therefore we need some special-casing here.
533 // Also note that the third operand of the conditional operator is
534 // an assignment-expression in C++, and in C++11, we can have a
535 // braced-init-list on the RHS of an assignment. For better diagnostics,
536 // parse as if we were allowed braced-init-lists everywhere, and check that
537 // they only appear on the RHS of assignments later.
538 ExprResult RHS;
539 bool RHSIsInitList = false;
540 if (getLangOpts().CPlusPlus11 && Tok.is(tok::l_brace)) {
541 RHS = ParseBraceInitializer();
542 RHSIsInitList = true;
543 } else if (getLangOpts().CPlusPlus && NextTokPrec <= prec::Conditional)
544 RHS = ParseAssignmentExpression();
545 else
546 RHS = ParseCastExpression(AnyCastExpr);
547
548 if (RHS.isInvalid()) {
549 // FIXME: Errors generated by the delayed typo correction should be
550 // printed before errors from parsing the RHS, not after.
551 Actions.CorrectDelayedTyposInExpr(LHS);
552 if (TernaryMiddle.isUsable())
553 TernaryMiddle = Actions.CorrectDelayedTyposInExpr(TernaryMiddle);
554 LHS = ExprError();
555 }
556
557 // Remember the precedence of this operator and get the precedence of the
558 // operator immediately to the right of the RHS.
559 prec::Level ThisPrec = NextTokPrec;
560 NextTokPrec = getBinOpPrecedence(Tok.getKind(), GreaterThanIsOperator,
561 getLangOpts().CPlusPlus11);
562
563 // Assignment and conditional expressions are right-associative.
564 bool isRightAssoc = ThisPrec == prec::Conditional ||
565 ThisPrec == prec::Assignment;
566
567 // Get the precedence of the operator to the right of the RHS. If it binds
568 // more tightly with RHS than we do, evaluate it completely first.
569 if (ThisPrec < NextTokPrec ||
570 (ThisPrec == NextTokPrec && isRightAssoc)) {
571 if (!RHS.isInvalid() && RHSIsInitList) {
572 Diag(Tok, diag::err_init_list_bin_op)
573 << /*LHS*/0 << PP.getSpelling(Tok) << Actions.getExprRange(RHS.get());
574 RHS = ExprError();
575 }
576 // If this is left-associative, only parse things on the RHS that bind
577 // more tightly than the current operator. If it is left-associative, it
578 // is okay, to bind exactly as tightly. For example, compile A=B=C=D as
579 // A=(B=(C=D)), where each paren is a level of recursion here.
580 // The function takes ownership of the RHS.
581 RHS = ParseRHSOfBinaryExpression(RHS,
582 static_cast<prec::Level>(ThisPrec + !isRightAssoc));
583 RHSIsInitList = false;
584
585 if (RHS.isInvalid()) {
586 // FIXME: Errors generated by the delayed typo correction should be
587 // printed before errors from ParseRHSOfBinaryExpression, not after.
588 Actions.CorrectDelayedTyposInExpr(LHS);
589 if (TernaryMiddle.isUsable())
590 TernaryMiddle = Actions.CorrectDelayedTyposInExpr(TernaryMiddle);
591 LHS = ExprError();
592 }
593
594 NextTokPrec = getBinOpPrecedence(Tok.getKind(), GreaterThanIsOperator,
595 getLangOpts().CPlusPlus11);
596 }
597
598 if (!RHS.isInvalid() && RHSIsInitList) {
599 if (ThisPrec == prec::Assignment) {
600 Diag(OpToken, diag::warn_cxx98_compat_generalized_initializer_lists)
601 << Actions.getExprRange(RHS.get());
602 } else if (ColonLoc.isValid()) {
603 Diag(ColonLoc, diag::err_init_list_bin_op)
604 << /*RHS*/1 << ":"
605 << Actions.getExprRange(RHS.get());
606 LHS = ExprError();
607 } else {
608 Diag(OpToken, diag::err_init_list_bin_op)
609 << /*RHS*/1 << PP.getSpelling(OpToken)
610 << Actions.getExprRange(RHS.get());
611 LHS = ExprError();
612 }
613 }
614
615 ExprResult OrigLHS = LHS;
616 if (!LHS.isInvalid()) {
617 // Combine the LHS and RHS into the LHS (e.g. build AST).
618 if (TernaryMiddle.isInvalid()) {
619 // If we're using '>>' as an operator within a template
620 // argument list (in C++98), suggest the addition of
621 // parentheses so that the code remains well-formed in C++0x.
622 if (!GreaterThanIsOperator && OpToken.is(tok::greatergreater))
623 SuggestParentheses(OpToken.getLocation(),
624 diag::warn_cxx11_right_shift_in_template_arg,
625 SourceRange(Actions.getExprRange(LHS.get()).getBegin(),
626 Actions.getExprRange(RHS.get()).getEnd()));
627
628 ExprResult BinOp =
629 Actions.ActOnBinOp(getCurScope(), OpToken.getLocation(),
630 OpToken.getKind(), LHS.get(), RHS.get());
631 if (BinOp.isInvalid())
632 BinOp = Actions.CreateRecoveryExpr(LHS.get()->getBeginLoc(),
633 RHS.get()->getEndLoc(),
634 {LHS.get(), RHS.get()});
635
636 LHS = BinOp;
637 } else {
638 ExprResult CondOp = Actions.ActOnConditionalOp(
639 OpToken.getLocation(), ColonLoc, LHS.get(), TernaryMiddle.get(),
640 RHS.get());
641 if (CondOp.isInvalid()) {
642 std::vector<clang::Expr *> Args;
643 // TernaryMiddle can be null for the GNU conditional expr extension.
644 if (TernaryMiddle.get())
645 Args = {LHS.get(), TernaryMiddle.get(), RHS.get()};
646 else
647 Args = {LHS.get(), RHS.get()};
648 CondOp = Actions.CreateRecoveryExpr(LHS.get()->getBeginLoc(),
649 RHS.get()->getEndLoc(), Args);
650 }
651
652 LHS = CondOp;
653 }
654 // In this case, ActOnBinOp or ActOnConditionalOp performed the
655 // CorrectDelayedTyposInExpr check.
656 if (!getLangOpts().CPlusPlus)
657 continue;
658 }
659
660 // Ensure potential typos aren't left undiagnosed.
661 if (LHS.isInvalid()) {
662 Actions.CorrectDelayedTyposInExpr(OrigLHS);
663 Actions.CorrectDelayedTyposInExpr(TernaryMiddle);
664 Actions.CorrectDelayedTyposInExpr(RHS);
665 }
666 }
667}
668
669/// Parse a cast-expression, unary-expression or primary-expression, based
670/// on \p ExprType.
671///
672/// \p isAddressOfOperand exists because an id-expression that is the
673/// operand of address-of gets special treatment due to member pointers.
674///
675ExprResult Parser::ParseCastExpression(CastParseKind ParseKind,
676 bool isAddressOfOperand,
677 TypeCastState isTypeCast,
678 bool isVectorLiteral,
679 bool *NotPrimaryExpression) {
680 bool NotCastExpr;
681 ExprResult Res = ParseCastExpression(ParseKind,
682 isAddressOfOperand,
683 NotCastExpr,
684 isTypeCast,
685 isVectorLiteral,
686 NotPrimaryExpression);
687 if (NotCastExpr)
688 Diag(Tok, diag::err_expected_expression);
689 return Res;
690}
691
692namespace {
693class CastExpressionIdValidator final : public CorrectionCandidateCallback {
694 public:
695 CastExpressionIdValidator(Token Next, bool AllowTypes, bool AllowNonTypes)
696 : NextToken(Next), AllowNonTypes(AllowNonTypes) {
697 WantTypeSpecifiers = WantFunctionLikeCasts = AllowTypes;
698 }
699
700 bool ValidateCandidate(const TypoCorrection &candidate) override {
701 NamedDecl *ND = candidate.getCorrectionDecl();
702 if (!ND)
703 return candidate.isKeyword();
704
705 if (isa<TypeDecl>(ND))
706 return WantTypeSpecifiers;
707
708 if (!AllowNonTypes || !CorrectionCandidateCallback::ValidateCandidate(candidate))
709 return false;
710
711 if (!NextToken.isOneOf(tok::equal, tok::arrow, tok::period))
712 return true;
713
714 for (auto *C : candidate) {
715 NamedDecl *ND = C->getUnderlyingDecl();
716 if (isa<ValueDecl>(ND) && !isa<FunctionDecl>(ND))
717 return true;
718 }
719 return false;
720 }
721
722 std::unique_ptr<CorrectionCandidateCallback> clone() override {
723 return std::make_unique<CastExpressionIdValidator>(*this);
724 }
725
726 private:
727 Token NextToken;
728 bool AllowNonTypes;
729};
730}
731
732/// Parse a cast-expression, or, if \pisUnaryExpression is true, parse
733/// a unary-expression.
734///
735/// \p isAddressOfOperand exists because an id-expression that is the operand
736/// of address-of gets special treatment due to member pointers. NotCastExpr
737/// is set to true if the token is not the start of a cast-expression, and no
738/// diagnostic is emitted in this case and no tokens are consumed.
739///
740/// \verbatim
741/// cast-expression: [C99 6.5.4]
742/// unary-expression
743/// '(' type-name ')' cast-expression
744///
745/// unary-expression: [C99 6.5.3]
746/// postfix-expression
747/// '++' unary-expression
748/// '--' unary-expression
749/// [Coro] 'co_await' cast-expression
750/// unary-operator cast-expression
751/// 'sizeof' unary-expression
752/// 'sizeof' '(' type-name ')'
753/// [C++11] 'sizeof' '...' '(' identifier ')'
754/// [GNU] '__alignof' unary-expression
755/// [GNU] '__alignof' '(' type-name ')'
756/// [C11] '_Alignof' '(' type-name ')'
757/// [C++11] 'alignof' '(' type-id ')'
758/// [GNU] '&&' identifier
759/// [C++11] 'noexcept' '(' expression ')' [C++11 5.3.7]
760/// [C++] new-expression
761/// [C++] delete-expression
762///
763/// unary-operator: one of
764/// '&' '*' '+' '-' '~' '!'
765/// [GNU] '__extension__' '__real' '__imag'
766///
767/// primary-expression: [C99 6.5.1]
768/// [C99] identifier
769/// [C++] id-expression
770/// constant
771/// string-literal
772/// [C++] boolean-literal [C++ 2.13.5]
773/// [C++11] 'nullptr' [C++11 2.14.7]
774/// [C++11] user-defined-literal
775/// '(' expression ')'
776/// [C11] generic-selection
777/// [C++2a] requires-expression
778/// '__func__' [C99 6.4.2.2]
779/// [GNU] '__FUNCTION__'
780/// [MS] '__FUNCDNAME__'
781/// [MS] 'L__FUNCTION__'
782/// [MS] '__FUNCSIG__'
783/// [MS] 'L__FUNCSIG__'
784/// [GNU] '__PRETTY_FUNCTION__'
785/// [GNU] '(' compound-statement ')'
786/// [GNU] '__builtin_va_arg' '(' assignment-expression ',' type-name ')'
787/// [GNU] '__builtin_offsetof' '(' type-name ',' offsetof-member-designator')'
788/// [GNU] '__builtin_choose_expr' '(' assign-expr ',' assign-expr ','
789/// assign-expr ')'
790/// [GNU] '__builtin_FILE' '(' ')'
791/// [GNU] '__builtin_FUNCTION' '(' ')'
792/// [GNU] '__builtin_LINE' '(' ')'
793/// [CLANG] '__builtin_COLUMN' '(' ')'
794/// [GNU] '__builtin_source_location' '(' ')'
795/// [GNU] '__builtin_types_compatible_p' '(' type-name ',' type-name ')'
796/// [GNU] '__null'
797/// [OBJC] '[' objc-message-expr ']'
798/// [OBJC] '\@selector' '(' objc-selector-arg ')'
799/// [OBJC] '\@protocol' '(' identifier ')'
800/// [OBJC] '\@encode' '(' type-name ')'
801/// [OBJC] objc-string-literal
802/// [C++] simple-type-specifier '(' expression-list[opt] ')' [C++ 5.2.3]
803/// [C++11] simple-type-specifier braced-init-list [C++11 5.2.3]
804/// [C++] typename-specifier '(' expression-list[opt] ')' [C++ 5.2.3]
805/// [C++11] typename-specifier braced-init-list [C++11 5.2.3]
806/// [C++] 'const_cast' '<' type-name '>' '(' expression ')' [C++ 5.2p1]
807/// [C++] 'dynamic_cast' '<' type-name '>' '(' expression ')' [C++ 5.2p1]
808/// [C++] 'reinterpret_cast' '<' type-name '>' '(' expression ')' [C++ 5.2p1]
809/// [C++] 'static_cast' '<' type-name '>' '(' expression ')' [C++ 5.2p1]
810/// [C++] 'typeid' '(' expression ')' [C++ 5.2p1]
811/// [C++] 'typeid' '(' type-id ')' [C++ 5.2p1]
812/// [C++] 'this' [C++ 9.3.2]
813/// [G++] unary-type-trait '(' type-id ')'
814/// [G++] binary-type-trait '(' type-id ',' type-id ')' [TODO]
815/// [EMBT] array-type-trait '(' type-id ',' integer ')'
816/// [clang] '^' block-literal
817///
818/// constant: [C99 6.4.4]
819/// integer-constant
820/// floating-constant
821/// enumeration-constant -> identifier
822/// character-constant
823///
824/// id-expression: [C++ 5.1]
825/// unqualified-id
826/// qualified-id
827///
828/// unqualified-id: [C++ 5.1]
829/// identifier
830/// operator-function-id
831/// conversion-function-id
832/// '~' class-name
833/// template-id
834///
835/// new-expression: [C++ 5.3.4]
836/// '::'[opt] 'new' new-placement[opt] new-type-id
837/// new-initializer[opt]
838/// '::'[opt] 'new' new-placement[opt] '(' type-id ')'
839/// new-initializer[opt]
840///
841/// delete-expression: [C++ 5.3.5]
842/// '::'[opt] 'delete' cast-expression
843/// '::'[opt] 'delete' '[' ']' cast-expression
844///
845/// [GNU/Embarcadero] unary-type-trait:
846/// '__is_arithmetic'
847/// '__is_floating_point'
848/// '__is_integral'
849/// '__is_lvalue_expr'
850/// '__is_rvalue_expr'
851/// '__is_complete_type'
852/// '__is_void'
853/// '__is_array'
854/// '__is_function'
855/// '__is_reference'
856/// '__is_lvalue_reference'
857/// '__is_rvalue_reference'
858/// '__is_fundamental'
859/// '__is_object'
860/// '__is_scalar'
861/// '__is_compound'
862/// '__is_pointer'
863/// '__is_member_object_pointer'
864/// '__is_member_function_pointer'
865/// '__is_member_pointer'
866/// '__is_const'
867/// '__is_volatile'
868/// '__is_trivial'
869/// '__is_standard_layout'
870/// '__is_signed'
871/// '__is_unsigned'
872///
873/// [GNU] unary-type-trait:
874/// '__has_nothrow_assign'
875/// '__has_nothrow_copy'
876/// '__has_nothrow_constructor'
877/// '__has_trivial_assign' [TODO]
878/// '__has_trivial_copy' [TODO]
879/// '__has_trivial_constructor'
880/// '__has_trivial_destructor'
881/// '__has_virtual_destructor'
882/// '__is_abstract' [TODO]
883/// '__is_class'
884/// '__is_empty' [TODO]
885/// '__is_enum'
886/// '__is_final'
887/// '__is_pod'
888/// '__is_polymorphic'
889/// '__is_sealed' [MS]
890/// '__is_trivial'
891/// '__is_union'
892/// '__has_unique_object_representations'
893///
894/// [Clang] unary-type-trait:
895/// '__is_aggregate'
896/// '__trivially_copyable'
897///
898/// binary-type-trait:
899/// [GNU] '__is_base_of'
900/// [MS] '__is_convertible_to'
901/// '__is_convertible'
902/// '__is_same'
903///
904/// [Embarcadero] array-type-trait:
905/// '__array_rank'
906/// '__array_extent'
907///
908/// [Embarcadero] expression-trait:
909/// '__is_lvalue_expr'
910/// '__is_rvalue_expr'
911/// \endverbatim
912///
913ExprResult Parser::ParseCastExpression(CastParseKind ParseKind,
914 bool isAddressOfOperand,
915 bool &NotCastExpr,
916 TypeCastState isTypeCast,
917 bool isVectorLiteral,
918 bool *NotPrimaryExpression) {
919 ExprResult Res;
920 tok::TokenKind SavedKind = Tok.getKind();
921 auto SavedType = PreferredType;
922 NotCastExpr = false;
923
924 // Are postfix-expression suffix operators permitted after this
925 // cast-expression? If not, and we find some, we'll parse them anyway and
926 // diagnose them.
927 bool AllowSuffix = true;
928
929 // This handles all of cast-expression, unary-expression, postfix-expression,
930 // and primary-expression. We handle them together like this for efficiency
931 // and to simplify handling of an expression starting with a '(' token: which
932 // may be one of a parenthesized expression, cast-expression, compound literal
933 // expression, or statement expression.
934 //
935 // If the parsed tokens consist of a primary-expression, the cases below
936 // break out of the switch; at the end we call ParsePostfixExpressionSuffix
937 // to handle the postfix expression suffixes. Cases that cannot be followed
938 // by postfix exprs should set AllowSuffix to false.
939 switch (SavedKind) {
940 case tok::l_paren: {
941 // If this expression is limited to being a unary-expression, the paren can
942 // not start a cast expression.
943 ParenParseOption ParenExprType;
944 switch (ParseKind) {
945 case CastParseKind::UnaryExprOnly:
946 if (!getLangOpts().CPlusPlus)
947 ParenExprType = CompoundLiteral;
Value stored to 'ParenExprType' is never read
948 LLVM_FALLTHROUGH[[gnu::fallthrough]];
949 case CastParseKind::AnyCastExpr:
950 ParenExprType = ParenParseOption::CastExpr;
951 break;
952 case CastParseKind::PrimaryExprOnly:
953 ParenExprType = FoldExpr;
954 break;
955 }
956 ParsedType CastTy;
957 SourceLocation RParenLoc;
958 Res = ParseParenExpression(ParenExprType, false/*stopIfCastExr*/,
959 isTypeCast == IsTypeCast, CastTy, RParenLoc);
960
961 // FIXME: What should we do if a vector literal is followed by a
962 // postfix-expression suffix? Usually postfix operators are permitted on
963 // literals.
964 if (isVectorLiteral)
965 return Res;
966
967 switch (ParenExprType) {
968 case SimpleExpr: break; // Nothing else to do.
969 case CompoundStmt: break; // Nothing else to do.
970 case CompoundLiteral:
971 // We parsed '(' type-name ')' '{' ... '}'. If any suffixes of
972 // postfix-expression exist, parse them now.
973 break;
974 case CastExpr:
975 // We have parsed the cast-expression and no postfix-expr pieces are
976 // following.
977 return Res;
978 case FoldExpr:
979 // We only parsed a fold-expression. There might be postfix-expr pieces
980 // afterwards; parse them now.
981 break;
982 }
983
984 break;
985 }
986
987 // primary-expression
988 case tok::numeric_constant:
989 // constant: integer-constant
990 // constant: floating-constant
991
992 Res = Actions.ActOnNumericConstant(Tok, /*UDLScope*/getCurScope());
993 ConsumeToken();
994 break;
995
996 case tok::kw_true:
997 case tok::kw_false:
998 Res = ParseCXXBoolLiteral();
999 break;
1000
1001 case tok::kw___objc_yes:
1002 case tok::kw___objc_no:
1003 Res = ParseObjCBoolLiteral();
1004 break;
1005
1006 case tok::kw_nullptr:
1007 Diag(Tok, diag::warn_cxx98_compat_nullptr);
1008 Res = Actions.ActOnCXXNullPtrLiteral(ConsumeToken());
1009 break;
1010
1011 case tok::annot_primary_expr:
1012 case tok::annot_overload_set:
1013 Res = getExprAnnotation(Tok);
1014 if (!Res.isInvalid() && Tok.getKind() == tok::annot_overload_set)
1015 Res = Actions.ActOnNameClassifiedAsOverloadSet(getCurScope(), Res.get());
1016 ConsumeAnnotationToken();
1017 if (!Res.isInvalid() && Tok.is(tok::less))
1018 checkPotentialAngleBracket(Res);
1019 break;
1020
1021 case tok::annot_non_type:
1022 case tok::annot_non_type_dependent:
1023 case tok::annot_non_type_undeclared: {
1024 CXXScopeSpec SS;
1025 Token Replacement;
1026 Res = tryParseCXXIdExpression(SS, isAddressOfOperand, Replacement);
1027 assert(!Res.isUnset() &&(static_cast <bool> (!Res.isUnset() && "should not perform typo correction on annotation token"
) ? void (0) : __assert_fail ("!Res.isUnset() && \"should not perform typo correction on annotation token\""
, "clang/lib/Parse/ParseExpr.cpp", 1028, __extension__ __PRETTY_FUNCTION__
))
1028 "should not perform typo correction on annotation token")(static_cast <bool> (!Res.isUnset() && "should not perform typo correction on annotation token"
) ? void (0) : __assert_fail ("!Res.isUnset() && \"should not perform typo correction on annotation token\""
, "clang/lib/Parse/ParseExpr.cpp", 1028, __extension__ __PRETTY_FUNCTION__
))
;
1029 break;
1030 }
1031
1032 case tok::kw___super:
1033 case tok::kw_decltype:
1034 // Annotate the token and tail recurse.
1035 if (TryAnnotateTypeOrScopeToken())
1036 return ExprError();
1037 assert(Tok.isNot(tok::kw_decltype) && Tok.isNot(tok::kw___super))(static_cast <bool> (Tok.isNot(tok::kw_decltype) &&
Tok.isNot(tok::kw___super)) ? void (0) : __assert_fail ("Tok.isNot(tok::kw_decltype) && Tok.isNot(tok::kw___super)"
, "clang/lib/Parse/ParseExpr.cpp", 1037, __extension__ __PRETTY_FUNCTION__
))
;
1038 return ParseCastExpression(ParseKind, isAddressOfOperand, isTypeCast,
1039 isVectorLiteral, NotPrimaryExpression);
1040
1041 case tok::identifier: { // primary-expression: identifier
1042 // unqualified-id: identifier
1043 // constant: enumeration-constant
1044 // Turn a potentially qualified name into a annot_typename or
1045 // annot_cxxscope if it would be valid. This handles things like x::y, etc.
1046 if (getLangOpts().CPlusPlus) {
1047 // Avoid the unnecessary parse-time lookup in the common case
1048 // where the syntax forbids a type.
1049 const Token &Next = NextToken();
1050
1051 // If this identifier was reverted from a token ID, and the next token
1052 // is a parenthesis, this is likely to be a use of a type trait. Check
1053 // those tokens.
1054 if (Next.is(tok::l_paren) &&
1055 Tok.is(tok::identifier) &&
1056 Tok.getIdentifierInfo()->hasRevertedTokenIDToIdentifier()) {
1057 IdentifierInfo *II = Tok.getIdentifierInfo();
1058 // Build up the mapping of revertible type traits, for future use.
1059 if (RevertibleTypeTraits.empty()) {
1060#define RTT_JOIN(X,Y) X##Y
1061#define REVERTIBLE_TYPE_TRAIT(Name) \
1062 RevertibleTypeTraits[PP.getIdentifierInfo(#Name)] \
1063 = RTT_JOIN(tok::kw_,Name)
1064
1065 REVERTIBLE_TYPE_TRAIT(__is_abstract);
1066 REVERTIBLE_TYPE_TRAIT(__is_aggregate);
1067 REVERTIBLE_TYPE_TRAIT(__is_arithmetic);
1068 REVERTIBLE_TYPE_TRAIT(__is_array);
1069 REVERTIBLE_TYPE_TRAIT(__is_assignable);
1070 REVERTIBLE_TYPE_TRAIT(__is_base_of);
1071 REVERTIBLE_TYPE_TRAIT(__is_class);
1072 REVERTIBLE_TYPE_TRAIT(__is_complete_type);
1073 REVERTIBLE_TYPE_TRAIT(__is_compound);
1074 REVERTIBLE_TYPE_TRAIT(__is_const);
1075 REVERTIBLE_TYPE_TRAIT(__is_constructible);
1076 REVERTIBLE_TYPE_TRAIT(__is_convertible);
1077 REVERTIBLE_TYPE_TRAIT(__is_convertible_to);
1078 REVERTIBLE_TYPE_TRAIT(__is_destructible);
1079 REVERTIBLE_TYPE_TRAIT(__is_empty);
1080 REVERTIBLE_TYPE_TRAIT(__is_enum);
1081 REVERTIBLE_TYPE_TRAIT(__is_floating_point);
1082 REVERTIBLE_TYPE_TRAIT(__is_final);
1083 REVERTIBLE_TYPE_TRAIT(__is_function);
1084 REVERTIBLE_TYPE_TRAIT(__is_fundamental);
1085 REVERTIBLE_TYPE_TRAIT(__is_integral);
1086 REVERTIBLE_TYPE_TRAIT(__is_interface_class);
1087 REVERTIBLE_TYPE_TRAIT(__is_literal);
1088 REVERTIBLE_TYPE_TRAIT(__is_lvalue_expr);
1089 REVERTIBLE_TYPE_TRAIT(__is_lvalue_reference);
1090 REVERTIBLE_TYPE_TRAIT(__is_member_function_pointer);
1091 REVERTIBLE_TYPE_TRAIT(__is_member_object_pointer);
1092 REVERTIBLE_TYPE_TRAIT(__is_member_pointer);
1093 REVERTIBLE_TYPE_TRAIT(__is_nothrow_assignable);
1094 REVERTIBLE_TYPE_TRAIT(__is_nothrow_constructible);
1095 REVERTIBLE_TYPE_TRAIT(__is_nothrow_destructible);
1096 REVERTIBLE_TYPE_TRAIT(__is_object);
1097 REVERTIBLE_TYPE_TRAIT(__is_pod);
1098 REVERTIBLE_TYPE_TRAIT(__is_pointer);
1099 REVERTIBLE_TYPE_TRAIT(__is_polymorphic);
1100 REVERTIBLE_TYPE_TRAIT(__is_reference);
1101 REVERTIBLE_TYPE_TRAIT(__is_rvalue_expr);
1102 REVERTIBLE_TYPE_TRAIT(__is_rvalue_reference);
1103 REVERTIBLE_TYPE_TRAIT(__is_same);
1104 REVERTIBLE_TYPE_TRAIT(__is_scalar);
1105 REVERTIBLE_TYPE_TRAIT(__is_sealed);
1106 REVERTIBLE_TYPE_TRAIT(__is_signed);
1107 REVERTIBLE_TYPE_TRAIT(__is_standard_layout);
1108 REVERTIBLE_TYPE_TRAIT(__is_trivial);
1109 REVERTIBLE_TYPE_TRAIT(__is_trivially_assignable);
1110 REVERTIBLE_TYPE_TRAIT(__is_trivially_constructible);
1111 REVERTIBLE_TYPE_TRAIT(__is_trivially_copyable);
1112 REVERTIBLE_TYPE_TRAIT(__is_union);
1113 REVERTIBLE_TYPE_TRAIT(__is_unsigned);
1114 REVERTIBLE_TYPE_TRAIT(__is_void);
1115 REVERTIBLE_TYPE_TRAIT(__is_volatile);
1116#undef REVERTIBLE_TYPE_TRAIT
1117#undef RTT_JOIN
1118 }
1119
1120 // If we find that this is in fact the name of a type trait,
1121 // update the token kind in place and parse again to treat it as
1122 // the appropriate kind of type trait.
1123 llvm::SmallDenseMap<IdentifierInfo *, tok::TokenKind>::iterator Known
1124 = RevertibleTypeTraits.find(II);
1125 if (Known != RevertibleTypeTraits.end()) {
1126 Tok.setKind(Known->second);
1127 return ParseCastExpression(ParseKind, isAddressOfOperand,
1128 NotCastExpr, isTypeCast,
1129 isVectorLiteral, NotPrimaryExpression);
1130 }
1131 }
1132
1133 if ((!ColonIsSacred && Next.is(tok::colon)) ||
1134 Next.isOneOf(tok::coloncolon, tok::less, tok::l_paren,
1135 tok::l_brace)) {
1136 // If TryAnnotateTypeOrScopeToken annotates the token, tail recurse.
1137 if (TryAnnotateTypeOrScopeToken())
1138 return ExprError();
1139 if (!Tok.is(tok::identifier))
1140 return ParseCastExpression(ParseKind, isAddressOfOperand,
1141 NotCastExpr, isTypeCast,
1142 isVectorLiteral,
1143 NotPrimaryExpression);
1144 }
1145 }
1146
1147 // Consume the identifier so that we can see if it is followed by a '(' or
1148 // '.'.
1149 IdentifierInfo &II = *Tok.getIdentifierInfo();
1150 SourceLocation ILoc = ConsumeToken();
1151
1152 // Support 'Class.property' and 'super.property' notation.
1153 if (getLangOpts().ObjC && Tok.is(tok::period) &&
1154 (Actions.getTypeName(II, ILoc, getCurScope()) ||
1155 // Allow the base to be 'super' if in an objc-method.
1156 (&II == Ident_super && getCurScope()->isInObjcMethodScope()))) {
1157 ConsumeToken();
1158
1159 if (Tok.is(tok::code_completion) && &II != Ident_super) {
1160 cutOffParsing();
1161 Actions.CodeCompleteObjCClassPropertyRefExpr(
1162 getCurScope(), II, ILoc, ExprStatementTokLoc == ILoc);
1163 return ExprError();
1164 }
1165 // Allow either an identifier or the keyword 'class' (in C++).
1166 if (Tok.isNot(tok::identifier) &&
1167 !(getLangOpts().CPlusPlus && Tok.is(tok::kw_class))) {
1168 Diag(Tok, diag::err_expected_property_name);
1169 return ExprError();
1170 }
1171 IdentifierInfo &PropertyName = *Tok.getIdentifierInfo();
1172 SourceLocation PropertyLoc = ConsumeToken();
1173
1174 Res = Actions.ActOnClassPropertyRefExpr(II, PropertyName,
1175 ILoc, PropertyLoc);
1176 break;
1177 }
1178
1179 // In an Objective-C method, if we have "super" followed by an identifier,
1180 // the token sequence is ill-formed. However, if there's a ':' or ']' after
1181 // that identifier, this is probably a message send with a missing open
1182 // bracket. Treat it as such.
1183 if (getLangOpts().ObjC && &II == Ident_super && !InMessageExpression &&
1184 getCurScope()->isInObjcMethodScope() &&
1185 ((Tok.is(tok::identifier) &&
1186 (NextToken().is(tok::colon) || NextToken().is(tok::r_square))) ||
1187 Tok.is(tok::code_completion))) {
1188 Res = ParseObjCMessageExpressionBody(SourceLocation(), ILoc, nullptr,
1189 nullptr);
1190 break;
1191 }
1192
1193 // If we have an Objective-C class name followed by an identifier
1194 // and either ':' or ']', this is an Objective-C class message
1195 // send that's missing the opening '['. Recovery
1196 // appropriately. Also take this path if we're performing code
1197 // completion after an Objective-C class name.
1198 if (getLangOpts().ObjC &&
1199 ((Tok.is(tok::identifier) && !InMessageExpression) ||
1200 Tok.is(tok::code_completion))) {
1201 const Token& Next = NextToken();
1202 if (Tok.is(tok::code_completion) ||
1203 Next.is(tok::colon) || Next.is(tok::r_square))
1204 if (ParsedType Typ = Actions.getTypeName(II, ILoc, getCurScope()))
1205 if (Typ.get()->isObjCObjectOrInterfaceType()) {
1206 // Fake up a Declarator to use with ActOnTypeName.
1207 DeclSpec DS(AttrFactory);
1208 DS.SetRangeStart(ILoc);
1209 DS.SetRangeEnd(ILoc);
1210 const char *PrevSpec = nullptr;
1211 unsigned DiagID;
1212 DS.SetTypeSpecType(TST_typename, ILoc, PrevSpec, DiagID, Typ,
1213 Actions.getASTContext().getPrintingPolicy());
1214
1215 Declarator DeclaratorInfo(DS, DeclaratorContext::TypeName);
1216 TypeResult Ty = Actions.ActOnTypeName(getCurScope(),
1217 DeclaratorInfo);
1218 if (Ty.isInvalid())
1219 break;
1220
1221 Res = ParseObjCMessageExpressionBody(SourceLocation(),
1222 SourceLocation(),
1223 Ty.get(), nullptr);
1224 break;
1225 }
1226 }
1227
1228 // Make sure to pass down the right value for isAddressOfOperand.
1229 if (isAddressOfOperand && isPostfixExpressionSuffixStart())
1230 isAddressOfOperand = false;
1231
1232 // Function designators are allowed to be undeclared (C99 6.5.1p2), so we
1233 // need to know whether or not this identifier is a function designator or
1234 // not.
1235 UnqualifiedId Name;
1236 CXXScopeSpec ScopeSpec;
1237 SourceLocation TemplateKWLoc;
1238 Token Replacement;
1239 CastExpressionIdValidator Validator(
1240 /*Next=*/Tok,
1241 /*AllowTypes=*/isTypeCast != NotTypeCast,
1242 /*AllowNonTypes=*/isTypeCast != IsTypeCast);
1243 Validator.IsAddressOfOperand = isAddressOfOperand;
1244 if (Tok.isOneOf(tok::periodstar, tok::arrowstar)) {
1245 Validator.WantExpressionKeywords = false;
1246 Validator.WantRemainingKeywords = false;
1247 } else {
1248 Validator.WantRemainingKeywords = Tok.isNot(tok::r_paren);
1249 }
1250 Name.setIdentifier(&II, ILoc);
1251 Res = Actions.ActOnIdExpression(
1252 getCurScope(), ScopeSpec, TemplateKWLoc, Name, Tok.is(tok::l_paren),
1253 isAddressOfOperand, &Validator,
1254 /*IsInlineAsmIdentifier=*/false,
1255 Tok.is(tok::r_paren) ? nullptr : &Replacement);
1256 if (!Res.isInvalid() && Res.isUnset()) {
1257 UnconsumeToken(Replacement);
1258 return ParseCastExpression(ParseKind, isAddressOfOperand,
1259 NotCastExpr, isTypeCast,
1260 /*isVectorLiteral=*/false,
1261 NotPrimaryExpression);
1262 }
1263 if (!Res.isInvalid() && Tok.is(tok::less))
1264 checkPotentialAngleBracket(Res);
1265 break;
1266 }
1267 case tok::char_constant: // constant: character-constant
1268 case tok::wide_char_constant:
1269 case tok::utf8_char_constant:
1270 case tok::utf16_char_constant:
1271 case tok::utf32_char_constant:
1272 Res = Actions.ActOnCharacterConstant(Tok, /*UDLScope*/getCurScope());
1273 ConsumeToken();
1274 break;
1275 case tok::kw___func__: // primary-expression: __func__ [C99 6.4.2.2]
1276 case tok::kw___FUNCTION__: // primary-expression: __FUNCTION__ [GNU]
1277 case tok::kw___FUNCDNAME__: // primary-expression: __FUNCDNAME__ [MS]
1278 case tok::kw___FUNCSIG__: // primary-expression: __FUNCSIG__ [MS]
1279 case tok::kw_L__FUNCTION__: // primary-expression: L__FUNCTION__ [MS]
1280 case tok::kw_L__FUNCSIG__: // primary-expression: L__FUNCSIG__ [MS]
1281 case tok::kw___PRETTY_FUNCTION__: // primary-expression: __P..Y_F..N__ [GNU]
1282 Res = Actions.ActOnPredefinedExpr(Tok.getLocation(), SavedKind);
1283 ConsumeToken();
1284 break;
1285 case tok::string_literal: // primary-expression: string-literal
1286 case tok::wide_string_literal:
1287 case tok::utf8_string_literal:
1288 case tok::utf16_string_literal:
1289 case tok::utf32_string_literal:
1290 Res = ParseStringLiteralExpression(true);
1291 break;
1292 case tok::kw__Generic: // primary-expression: generic-selection [C11 6.5.1]
1293 Res = ParseGenericSelectionExpression();
1294 break;
1295 case tok::kw___builtin_available:
1296 Res = ParseAvailabilityCheckExpr(Tok.getLocation());
1297 break;
1298 case tok::kw___builtin_va_arg:
1299 case tok::kw___builtin_offsetof:
1300 case tok::kw___builtin_choose_expr:
1301 case tok::kw___builtin_astype: // primary-expression: [OCL] as_type()
1302 case tok::kw___builtin_convertvector:
1303 case tok::kw___builtin_COLUMN:
1304 case tok::kw___builtin_FILE:
1305 case tok::kw___builtin_FUNCTION:
1306 case tok::kw___builtin_LINE:
1307 case tok::kw___builtin_source_location:
1308 if (NotPrimaryExpression)
1309 *NotPrimaryExpression = true;
1310 // This parses the complete suffix; we can return early.
1311 return ParseBuiltinPrimaryExpression();
1312 case tok::kw___null:
1313 Res = Actions.ActOnGNUNullExpr(ConsumeToken());
1314 break;
1315
1316 case tok::plusplus: // unary-expression: '++' unary-expression [C99]
1317 case tok::minusminus: { // unary-expression: '--' unary-expression [C99]
1318 if (NotPrimaryExpression)
1319 *NotPrimaryExpression = true;
1320 // C++ [expr.unary] has:
1321 // unary-expression:
1322 // ++ cast-expression
1323 // -- cast-expression
1324 Token SavedTok = Tok;
1325 ConsumeToken();
1326
1327 PreferredType.enterUnary(Actions, Tok.getLocation(), SavedTok.getKind(),
1328 SavedTok.getLocation());
1329 // One special case is implicitly handled here: if the preceding tokens are
1330 // an ambiguous cast expression, such as "(T())++", then we recurse to
1331 // determine whether the '++' is prefix or postfix.
1332 Res = ParseCastExpression(getLangOpts().CPlusPlus ?
1333 UnaryExprOnly : AnyCastExpr,
1334 /*isAddressOfOperand*/false, NotCastExpr,
1335 NotTypeCast);
1336 if (NotCastExpr) {
1337 // If we return with NotCastExpr = true, we must not consume any tokens,
1338 // so put the token back where we found it.
1339 assert(Res.isInvalid())(static_cast <bool> (Res.isInvalid()) ? void (0) : __assert_fail
("Res.isInvalid()", "clang/lib/Parse/ParseExpr.cpp", 1339, __extension__
__PRETTY_FUNCTION__))
;
1340 UnconsumeToken(SavedTok);
1341 return ExprError();
1342 }
1343 if (!Res.isInvalid()) {
1344 Expr *Arg = Res.get();
1345 Res = Actions.ActOnUnaryOp(getCurScope(), SavedTok.getLocation(),
1346 SavedKind, Arg);
1347 if (Res.isInvalid())
1348 Res = Actions.CreateRecoveryExpr(SavedTok.getLocation(),
1349 Arg->getEndLoc(), Arg);
1350 }
1351 return Res;
1352 }
1353 case tok::amp: { // unary-expression: '&' cast-expression
1354 if (NotPrimaryExpression)
1355 *NotPrimaryExpression = true;
1356 // Special treatment because of member pointers
1357 SourceLocation SavedLoc = ConsumeToken();
1358 PreferredType.enterUnary(Actions, Tok.getLocation(), tok::amp, SavedLoc);
1359 Res = ParseCastExpression(AnyCastExpr, true);
1360 if (!Res.isInvalid()) {
1361 Expr *Arg = Res.get();
1362 Res = Actions.ActOnUnaryOp(getCurScope(), SavedLoc, SavedKind, Arg);
1363 if (Res.isInvalid())
1364 Res = Actions.CreateRecoveryExpr(Tok.getLocation(), Arg->getEndLoc(),
1365 Arg);
1366 }
1367 return Res;
1368 }
1369
1370 case tok::star: // unary-expression: '*' cast-expression
1371 case tok::plus: // unary-expression: '+' cast-expression
1372 case tok::minus: // unary-expression: '-' cast-expression
1373 case tok::tilde: // unary-expression: '~' cast-expression
1374 case tok::exclaim: // unary-expression: '!' cast-expression
1375 case tok::kw___real: // unary-expression: '__real' cast-expression [GNU]
1376 case tok::kw___imag: { // unary-expression: '__imag' cast-expression [GNU]
1377 if (NotPrimaryExpression)
1378 *NotPrimaryExpression = true;
1379 SourceLocation SavedLoc = ConsumeToken();
1380 PreferredType.enterUnary(Actions, Tok.getLocation(), SavedKind, SavedLoc);
1381 Res = ParseCastExpression(AnyCastExpr);
1382 if (!Res.isInvalid()) {
1383 Expr *Arg = Res.get();
1384 Res = Actions.ActOnUnaryOp(getCurScope(), SavedLoc, SavedKind, Arg);
1385 if (Res.isInvalid())
1386 Res = Actions.CreateRecoveryExpr(SavedLoc, Arg->getEndLoc(), Arg);
1387 }
1388 return Res;
1389 }
1390
1391 case tok::kw_co_await: { // unary-expression: 'co_await' cast-expression
1392 if (NotPrimaryExpression)
1393 *NotPrimaryExpression = true;
1394 SourceLocation CoawaitLoc = ConsumeToken();
1395 Res = ParseCastExpression(AnyCastExpr);
1396 if (!Res.isInvalid())
1397 Res = Actions.ActOnCoawaitExpr(getCurScope(), CoawaitLoc, Res.get());
1398 return Res;
1399 }
1400
1401 case tok::kw___extension__:{//unary-expression:'__extension__' cast-expr [GNU]
1402 // __extension__ silences extension warnings in the subexpression.
1403 if (NotPrimaryExpression)
1404 *NotPrimaryExpression = true;
1405 ExtensionRAIIObject O(Diags); // Use RAII to do this.
1406 SourceLocation SavedLoc = ConsumeToken();
1407 Res = ParseCastExpression(AnyCastExpr);
1408 if (!Res.isInvalid())
1409 Res = Actions.ActOnUnaryOp(getCurScope(), SavedLoc, SavedKind, Res.get());
1410 return Res;
1411 }
1412 case tok::kw__Alignof: // unary-expression: '_Alignof' '(' type-name ')'
1413 if (!getLangOpts().C11)
1414 Diag(Tok, diag::ext_c11_feature) << Tok.getName();
1415 LLVM_FALLTHROUGH[[gnu::fallthrough]];
1416 case tok::kw_alignof: // unary-expression: 'alignof' '(' type-id ')'
1417 case tok::kw___alignof: // unary-expression: '__alignof' unary-expression
1418 // unary-expression: '__alignof' '(' type-name ')'
1419 case tok::kw_sizeof: // unary-expression: 'sizeof' unary-expression
1420 // unary-expression: 'sizeof' '(' type-name ')'
1421 case tok::kw_vec_step: // unary-expression: OpenCL 'vec_step' expression
1422 // unary-expression: '__builtin_omp_required_simd_align' '(' type-name ')'
1423 case tok::kw___builtin_omp_required_simd_align:
1424 if (NotPrimaryExpression)
1425 *NotPrimaryExpression = true;
1426 AllowSuffix = false;
1427 Res = ParseUnaryExprOrTypeTraitExpression();
1428 break;
1429 case tok::ampamp: { // unary-expression: '&&' identifier
1430 if (NotPrimaryExpression)
1431 *NotPrimaryExpression = true;
1432 SourceLocation AmpAmpLoc = ConsumeToken();
1433 if (Tok.isNot(tok::identifier))
1434 return ExprError(Diag(Tok, diag::err_expected) << tok::identifier);
1435
1436 if (getCurScope()->getFnParent() == nullptr)
1437 return ExprError(Diag(Tok, diag::err_address_of_label_outside_fn));
1438
1439 Diag(AmpAmpLoc, diag::ext_gnu_address_of_label);
1440 LabelDecl *LD = Actions.LookupOrCreateLabel(Tok.getIdentifierInfo(),
1441 Tok.getLocation());
1442 Res = Actions.ActOnAddrLabel(AmpAmpLoc, Tok.getLocation(), LD);
1443 ConsumeToken();
1444 AllowSuffix = false;
1445 break;
1446 }
1447 case tok::kw_const_cast:
1448 case tok::kw_dynamic_cast:
1449 case tok::kw_reinterpret_cast:
1450 case tok::kw_static_cast:
1451 case tok::kw_addrspace_cast:
1452 if (NotPrimaryExpression)
1453 *NotPrimaryExpression = true;
1454 Res = ParseCXXCasts();
1455 break;
1456 case tok::kw___builtin_bit_cast:
1457 if (NotPrimaryExpression)
1458 *NotPrimaryExpression = true;
1459 Res = ParseBuiltinBitCast();
1460 break;
1461 case tok::kw_typeid:
1462 if (NotPrimaryExpression)
1463 *NotPrimaryExpression = true;
1464 Res = ParseCXXTypeid();
1465 break;
1466 case tok::kw___uuidof:
1467 if (NotPrimaryExpression)
1468 *NotPrimaryExpression = true;
1469 Res = ParseCXXUuidof();
1470 break;
1471 case tok::kw_this:
1472 Res = ParseCXXThis();
1473 break;
1474 case tok::kw___builtin_sycl_unique_stable_name:
1475 Res = ParseSYCLUniqueStableNameExpression();
1476 break;
1477
1478 case tok::annot_typename:
1479 if (isStartOfObjCClassMessageMissingOpenBracket()) {
1480 TypeResult Type = getTypeAnnotation(Tok);
1481
1482 // Fake up a Declarator to use with ActOnTypeName.
1483 DeclSpec DS(AttrFactory);
1484 DS.SetRangeStart(Tok.getLocation());
1485 DS.SetRangeEnd(Tok.getLastLoc());
1486
1487 const char *PrevSpec = nullptr;
1488 unsigned DiagID;
1489 DS.SetTypeSpecType(TST_typename, Tok.getAnnotationEndLoc(),
1490 PrevSpec, DiagID, Type,
1491 Actions.getASTContext().getPrintingPolicy());
1492
1493 Declarator DeclaratorInfo(DS, DeclaratorContext::TypeName);
1494 TypeResult Ty = Actions.ActOnTypeName(getCurScope(), DeclaratorInfo);
1495 if (Ty.isInvalid())
1496 break;
1497
1498 ConsumeAnnotationToken();
1499 Res = ParseObjCMessageExpressionBody(SourceLocation(), SourceLocation(),
1500 Ty.get(), nullptr);
1501 break;
1502 }
1503 LLVM_FALLTHROUGH[[gnu::fallthrough]];
1504
1505 case tok::annot_decltype:
1506 case tok::kw_char:
1507 case tok::kw_wchar_t:
1508 case tok::kw_char8_t:
1509 case tok::kw_char16_t:
1510 case tok::kw_char32_t:
1511 case tok::kw_bool:
1512 case tok::kw_short:
1513 case tok::kw_int:
1514 case tok::kw_long:
1515 case tok::kw___int64:
1516 case tok::kw___int128:
1517 case tok::kw__ExtInt:
1518 case tok::kw__BitInt:
1519 case tok::kw_signed:
1520 case tok::kw_unsigned:
1521 case tok::kw_half:
1522 case tok::kw_float:
1523 case tok::kw_double:
1524 case tok::kw___bf16:
1525 case tok::kw__Float16:
1526 case tok::kw___float128:
1527 case tok::kw___ibm128:
1528 case tok::kw_void:
1529 case tok::kw_auto:
1530 case tok::kw_typename:
1531 case tok::kw_typeof:
1532 case tok::kw___vector:
1533#define GENERIC_IMAGE_TYPE(ImgType, Id) case tok::kw_##ImgType##_t:
1534#include "clang/Basic/OpenCLImageTypes.def"
1535 {
1536 if (!getLangOpts().CPlusPlus) {
1537 Diag(Tok, diag::err_expected_expression);
1538 return ExprError();
1539 }
1540
1541 // Everything henceforth is a postfix-expression.
1542 if (NotPrimaryExpression)
1543 *NotPrimaryExpression = true;
1544
1545 if (SavedKind == tok::kw_typename) {
1546 // postfix-expression: typename-specifier '(' expression-list[opt] ')'
1547 // typename-specifier braced-init-list
1548 if (TryAnnotateTypeOrScopeToken())
1549 return ExprError();
1550
1551 if (!Actions.isSimpleTypeSpecifier(Tok.getKind()))
1552 // We are trying to parse a simple-type-specifier but might not get such
1553 // a token after error recovery.
1554 return ExprError();
1555 }
1556
1557 // postfix-expression: simple-type-specifier '(' expression-list[opt] ')'
1558 // simple-type-specifier braced-init-list
1559 //
1560 DeclSpec DS(AttrFactory);
1561
1562 ParseCXXSimpleTypeSpecifier(DS);
1563 if (Tok.isNot(tok::l_paren) &&
1564 (!getLangOpts().CPlusPlus11 || Tok.isNot(tok::l_brace)))
1565 return ExprError(Diag(Tok, diag::err_expected_lparen_after_type)
1566 << DS.getSourceRange());
1567
1568 if (Tok.is(tok::l_brace))
1569 Diag(Tok, diag::warn_cxx98_compat_generalized_initializer_lists);
1570
1571 Res = ParseCXXTypeConstructExpression(DS);
1572 break;
1573 }
1574
1575 case tok::annot_cxxscope: { // [C++] id-expression: qualified-id
1576 // If TryAnnotateTypeOrScopeToken annotates the token, tail recurse.
1577 // (We can end up in this situation after tentative parsing.)
1578 if (TryAnnotateTypeOrScopeToken())
1579 return ExprError();
1580 if (!Tok.is(tok::annot_cxxscope))
1581 return ParseCastExpression(ParseKind, isAddressOfOperand, NotCastExpr,
1582 isTypeCast, isVectorLiteral,
1583 NotPrimaryExpression);
1584
1585 Token Next = NextToken();
1586 if (Next.is(tok::annot_template_id)) {
1587 TemplateIdAnnotation *TemplateId = takeTemplateIdAnnotation(Next);
1588 if (TemplateId->Kind == TNK_Type_template) {
1589 // We have a qualified template-id that we know refers to a
1590 // type, translate it into a type and continue parsing as a
1591 // cast expression.
1592 CXXScopeSpec SS;
1593 ParseOptionalCXXScopeSpecifier(SS, /*ObjectType=*/nullptr,
1594 /*ObjectHasErrors=*/false,
1595 /*EnteringContext=*/false);
1596 AnnotateTemplateIdTokenAsType(SS);
1597 return ParseCastExpression(ParseKind, isAddressOfOperand, NotCastExpr,
1598 isTypeCast, isVectorLiteral,
1599 NotPrimaryExpression);
1600 }
1601 }
1602
1603 // Parse as an id-expression.
1604 Res = ParseCXXIdExpression(isAddressOfOperand);
1605 break;
1606 }
1607
1608 case tok::annot_template_id: { // [C++] template-id
1609 TemplateIdAnnotation *TemplateId = takeTemplateIdAnnotation(Tok);
1610 if (TemplateId->Kind == TNK_Type_template) {
1611 // We have a template-id that we know refers to a type,
1612 // translate it into a type and continue parsing as a cast
1613 // expression.
1614 CXXScopeSpec SS;
1615 AnnotateTemplateIdTokenAsType(SS);
1616 return ParseCastExpression(ParseKind, isAddressOfOperand,
1617 NotCastExpr, isTypeCast, isVectorLiteral,
1618 NotPrimaryExpression);
1619 }
1620
1621 // Fall through to treat the template-id as an id-expression.
1622 LLVM_FALLTHROUGH[[gnu::fallthrough]];
1623 }
1624
1625 case tok::kw_operator: // [C++] id-expression: operator/conversion-function-id
1626 Res = ParseCXXIdExpression(isAddressOfOperand);
1627 break;
1628
1629 case tok::coloncolon: {
1630 // ::foo::bar -> global qualified name etc. If TryAnnotateTypeOrScopeToken
1631 // annotates the token, tail recurse.
1632 if (TryAnnotateTypeOrScopeToken())
1633 return ExprError();
1634 if (!Tok.is(tok::coloncolon))
1635 return ParseCastExpression(ParseKind, isAddressOfOperand, isTypeCast,
1636 isVectorLiteral, NotPrimaryExpression);
1637
1638 // ::new -> [C++] new-expression
1639 // ::delete -> [C++] delete-expression
1640 SourceLocation CCLoc = ConsumeToken();
1641 if (Tok.is(tok::kw_new)) {
1642 if (NotPrimaryExpression)
1643 *NotPrimaryExpression = true;
1644 Res = ParseCXXNewExpression(true, CCLoc);
1645 AllowSuffix = false;
1646 break;
1647 }
1648 if (Tok.is(tok::kw_delete)) {
1649 if (NotPrimaryExpression)
1650 *NotPrimaryExpression = true;
1651 Res = ParseCXXDeleteExpression(true, CCLoc);
1652 AllowSuffix = false;
1653 break;
1654 }
1655
1656 // This is not a type name or scope specifier, it is an invalid expression.
1657 Diag(CCLoc, diag::err_expected_expression);
1658 return ExprError();
1659 }
1660
1661 case tok::kw_new: // [C++] new-expression
1662 if (NotPrimaryExpression)
1663 *NotPrimaryExpression = true;
1664 Res = ParseCXXNewExpression(false, Tok.getLocation());
1665 AllowSuffix = false;
1666 break;
1667
1668 case tok::kw_delete: // [C++] delete-expression
1669 if (NotPrimaryExpression)
1670 *NotPrimaryExpression = true;
1671 Res = ParseCXXDeleteExpression(false, Tok.getLocation());
1672 AllowSuffix = false;
1673 break;
1674
1675 case tok::kw_requires: // [C++2a] requires-expression
1676 Res = ParseRequiresExpression();
1677 AllowSuffix = false;
1678 break;
1679
1680 case tok::kw_noexcept: { // [C++0x] 'noexcept' '(' expression ')'
1681 if (NotPrimaryExpression)
1682 *NotPrimaryExpression = true;
1683 Diag(Tok, diag::warn_cxx98_compat_noexcept_expr);
1684 SourceLocation KeyLoc = ConsumeToken();
1685 BalancedDelimiterTracker T(*this, tok::l_paren);
1686
1687 if (T.expectAndConsume(diag::err_expected_lparen_after, "noexcept"))
1688 return ExprError();
1689 // C++11 [expr.unary.noexcept]p1:
1690 // The noexcept operator determines whether the evaluation of its operand,
1691 // which is an unevaluated operand, can throw an exception.
1692 EnterExpressionEvaluationContext Unevaluated(
1693 Actions, Sema::ExpressionEvaluationContext::Unevaluated);
1694 Res = ParseExpression();
1695
1696 T.consumeClose();
1697
1698 if (!Res.isInvalid())
1699 Res = Actions.ActOnNoexceptExpr(KeyLoc, T.getOpenLocation(), Res.get(),
1700 T.getCloseLocation());
1701 AllowSuffix = false;
1702 break;
1703 }
1704
1705#define TYPE_TRAIT(N,Spelling,K) \
1706 case tok::kw_##Spelling:
1707#include "clang/Basic/TokenKinds.def"
1708 Res = ParseTypeTrait();
1709 break;
1710
1711 case tok::kw___array_rank:
1712 case tok::kw___array_extent:
1713 if (NotPrimaryExpression)
1714 *NotPrimaryExpression = true;
1715 Res = ParseArrayTypeTrait();
1716 break;
1717
1718 case tok::kw___is_lvalue_expr:
1719 case tok::kw___is_rvalue_expr:
1720 if (NotPrimaryExpression)
1721 *NotPrimaryExpression = true;
1722 Res = ParseExpressionTrait();
1723 break;
1724
1725 case tok::at: {
1726 if (NotPrimaryExpression)
1727 *NotPrimaryExpression = true;
1728 SourceLocation AtLoc = ConsumeToken();
1729 return ParseObjCAtExpression(AtLoc);
1730 }
1731 case tok::caret:
1732 Res = ParseBlockLiteralExpression();
1733 break;
1734 case tok::code_completion: {
1735 cutOffParsing();
1736 Actions.CodeCompleteExpression(getCurScope(),
1737 PreferredType.get(Tok.getLocation()));
1738 return ExprError();
1739 }
1740 case tok::l_square:
1741 if (getLangOpts().CPlusPlus11) {
1742 if (getLangOpts().ObjC) {
1743 // C++11 lambda expressions and Objective-C message sends both start with a
1744 // square bracket. There are three possibilities here:
1745 // we have a valid lambda expression, we have an invalid lambda
1746 // expression, or we have something that doesn't appear to be a lambda.
1747 // If we're in the last case, we fall back to ParseObjCMessageExpression.
1748 Res = TryParseLambdaExpression();
1749 if (!Res.isInvalid() && !Res.get()) {
1750 // We assume Objective-C++ message expressions are not
1751 // primary-expressions.
1752 if (NotPrimaryExpression)
1753 *NotPrimaryExpression = true;
1754 Res = ParseObjCMessageExpression();
1755 }
1756 break;
1757 }
1758 Res = ParseLambdaExpression();
1759 break;
1760 }
1761 if (getLangOpts().ObjC) {
1762 Res = ParseObjCMessageExpression();
1763 break;
1764 }
1765 LLVM_FALLTHROUGH[[gnu::fallthrough]];
1766 default:
1767 NotCastExpr = true;
1768 return ExprError();
1769 }
1770
1771 // Check to see whether Res is a function designator only. If it is and we
1772 // are compiling for OpenCL, we need to return an error as this implies
1773 // that the address of the function is being taken, which is illegal in CL.
1774
1775 if (ParseKind == PrimaryExprOnly)
1776 // This is strictly a primary-expression - no postfix-expr pieces should be
1777 // parsed.
1778 return Res;
1779
1780 if (!AllowSuffix) {
1781 // FIXME: Don't parse a primary-expression suffix if we encountered a parse
1782 // error already.
1783 if (Res.isInvalid())
1784 return Res;
1785
1786 switch (Tok.getKind()) {
1787 case tok::l_square:
1788 case tok::l_paren:
1789 case tok::plusplus:
1790 case tok::minusminus:
1791 // "expected ';'" or similar is probably the right diagnostic here. Let
1792 // the caller decide what to do.
1793 if (Tok.isAtStartOfLine())
1794 return Res;
1795
1796 LLVM_FALLTHROUGH[[gnu::fallthrough]];
1797 case tok::period:
1798 case tok::arrow:
1799 break;
1800
1801 default:
1802 return Res;
1803 }
1804
1805 // This was a unary-expression for which a postfix-expression suffix is
1806 // not permitted by the grammar (eg, a sizeof expression or
1807 // new-expression or similar). Diagnose but parse the suffix anyway.
1808 Diag(Tok.getLocation(), diag::err_postfix_after_unary_requires_parens)
1809 << Tok.getKind() << Res.get()->getSourceRange()
1810 << FixItHint::CreateInsertion(Res.get()->getBeginLoc(), "(")
1811 << FixItHint::CreateInsertion(PP.getLocForEndOfToken(PrevTokLocation),
1812 ")");
1813 }
1814
1815 // These can be followed by postfix-expr pieces.
1816 PreferredType = SavedType;
1817 Res = ParsePostfixExpressionSuffix(Res);
1818 if (getLangOpts().OpenCL &&
1819 !getActions().getOpenCLOptions().isAvailableOption(
1820 "__cl_clang_function_pointers", getLangOpts()))
1821 if (Expr *PostfixExpr = Res.get()) {
1822 QualType Ty = PostfixExpr->getType();
1823 if (!Ty.isNull() && Ty->isFunctionType()) {
1824 Diag(PostfixExpr->getExprLoc(),
1825 diag::err_opencl_taking_function_address_parser);
1826 return ExprError();
1827 }
1828 }
1829
1830 return Res;
1831}
1832
1833/// Once the leading part of a postfix-expression is parsed, this
1834/// method parses any suffixes that apply.
1835///
1836/// \verbatim
1837/// postfix-expression: [C99 6.5.2]
1838/// primary-expression
1839/// postfix-expression '[' expression ']'
1840/// postfix-expression '[' braced-init-list ']'
1841/// postfix-expression '[' expression-list [opt] ']' [C++2b 12.4.5]
1842/// postfix-expression '(' argument-expression-list[opt] ')'
1843/// postfix-expression '.' identifier
1844/// postfix-expression '->' identifier
1845/// postfix-expression '++'
1846/// postfix-expression '--'
1847/// '(' type-name ')' '{' initializer-list '}'
1848/// '(' type-name ')' '{' initializer-list ',' '}'
1849///
1850/// argument-expression-list: [C99 6.5.2]
1851/// argument-expression ...[opt]
1852/// argument-expression-list ',' assignment-expression ...[opt]
1853/// \endverbatim
1854ExprResult
1855Parser::ParsePostfixExpressionSuffix(ExprResult LHS) {
1856 // Now that the primary-expression piece of the postfix-expression has been
1857 // parsed, see if there are any postfix-expression pieces here.
1858 SourceLocation Loc;
1859 auto SavedType = PreferredType;
1860 while (true) {
1861 // Each iteration relies on preferred type for the whole expression.
1862 PreferredType = SavedType;
1863 switch (Tok.getKind()) {
1864 case tok::code_completion:
1865 if (InMessageExpression)
1866 return LHS;
1867
1868 cutOffParsing();
1869 Actions.CodeCompletePostfixExpression(
1870 getCurScope(), LHS, PreferredType.get(Tok.getLocation()));
1871 return ExprError();
1872
1873 case tok::identifier:
1874 // If we see identifier: after an expression, and we're not already in a
1875 // message send, then this is probably a message send with a missing
1876 // opening bracket '['.
1877 if (getLangOpts().ObjC && !InMessageExpression &&
1878 (NextToken().is(tok::colon) || NextToken().is(tok::r_square))) {
1879 LHS = ParseObjCMessageExpressionBody(SourceLocation(), SourceLocation(),
1880 nullptr, LHS.get());
1881 break;
1882 }
1883 // Fall through; this isn't a message send.
1884 LLVM_FALLTHROUGH[[gnu::fallthrough]];
1885
1886 default: // Not a postfix-expression suffix.
1887 return LHS;
1888 case tok::l_square: { // postfix-expression: p-e '[' expression ']'
1889 // If we have a array postfix expression that starts on a new line and
1890 // Objective-C is enabled, it is highly likely that the user forgot a
1891 // semicolon after the base expression and that the array postfix-expr is
1892 // actually another message send. In this case, do some look-ahead to see
1893 // if the contents of the square brackets are obviously not a valid
1894 // expression and recover by pretending there is no suffix.
1895 if (getLangOpts().ObjC && Tok.isAtStartOfLine() &&
1896 isSimpleObjCMessageExpression())
1897 return LHS;
1898
1899 // Reject array indices starting with a lambda-expression. '[[' is
1900 // reserved for attributes.
1901 if (CheckProhibitedCXX11Attribute()) {
1902 (void)Actions.CorrectDelayedTyposInExpr(LHS);
1903 return ExprError();
1904 }
1905 BalancedDelimiterTracker T(*this, tok::l_square);
1906 T.consumeOpen();
1907 Loc = T.getOpenLocation();
1908 ExprResult Length, Stride;
1909 SourceLocation ColonLocFirst, ColonLocSecond;
1910 ExprVector ArgExprs;
1911 bool HasError = false;
1912 PreferredType.enterSubscript(Actions, Tok.getLocation(), LHS.get());
1913
1914 // We try to parse a list of indexes in all language mode first
1915 // and, in we find 0 or one index, we try to parse an OpenMP array
1916 // section. This allow us to support C++2b multi dimensional subscript and
1917 // OpenMp sections in the same language mode.
1918 if (!getLangOpts().OpenMP || Tok.isNot(tok::colon)) {
1919 if (!getLangOpts().CPlusPlus2b) {
1920 ExprResult Idx;
1921 if (getLangOpts().CPlusPlus11 && Tok.is(tok::l_brace)) {
1922 Diag(Tok, diag::warn_cxx98_compat_generalized_initializer_lists);
1923 Idx = ParseBraceInitializer();
1924 } else {
1925 Idx = ParseExpression(); // May be a comma expression
1926 }
1927 LHS = Actions.CorrectDelayedTyposInExpr(LHS);
1928 Idx = Actions.CorrectDelayedTyposInExpr(Idx);
1929 if (Idx.isInvalid()) {
1930 HasError = true;
1931 } else {
1932 ArgExprs.push_back(Idx.get());
1933 }
1934 } else if (Tok.isNot(tok::r_square)) {
1935 CommaLocsTy CommaLocs;
1936 if (ParseExpressionList(ArgExprs, CommaLocs)) {
1937 LHS = Actions.CorrectDelayedTyposInExpr(LHS);
1938 HasError = true;
1939 }
1940 assert((static_cast <bool> ((ArgExprs.empty() || ArgExprs.size
() == CommaLocs.size() + 1) && "Unexpected number of commas!"
) ? void (0) : __assert_fail ("(ArgExprs.empty() || ArgExprs.size() == CommaLocs.size() + 1) && \"Unexpected number of commas!\""
, "clang/lib/Parse/ParseExpr.cpp", 1942, __extension__ __PRETTY_FUNCTION__
))
1941 (ArgExprs.empty() || ArgExprs.size() == CommaLocs.size() + 1) &&(static_cast <bool> ((ArgExprs.empty() || ArgExprs.size
() == CommaLocs.size() + 1) && "Unexpected number of commas!"
) ? void (0) : __assert_fail ("(ArgExprs.empty() || ArgExprs.size() == CommaLocs.size() + 1) && \"Unexpected number of commas!\""
, "clang/lib/Parse/ParseExpr.cpp", 1942, __extension__ __PRETTY_FUNCTION__
))
1942 "Unexpected number of commas!")(static_cast <bool> ((ArgExprs.empty() || ArgExprs.size
() == CommaLocs.size() + 1) && "Unexpected number of commas!"
) ? void (0) : __assert_fail ("(ArgExprs.empty() || ArgExprs.size() == CommaLocs.size() + 1) && \"Unexpected number of commas!\""
, "clang/lib/Parse/ParseExpr.cpp", 1942, __extension__ __PRETTY_FUNCTION__
))
;
1943 }
1944 }
1945
1946 if (ArgExprs.size() <= 1 && getLangOpts().OpenMP) {
1947 ColonProtectionRAIIObject RAII(*this);
1948 if (Tok.is(tok::colon)) {
1949 // Consume ':'
1950 ColonLocFirst = ConsumeToken();
1951 if (Tok.isNot(tok::r_square) &&
1952 (getLangOpts().OpenMP < 50 ||
1953 ((Tok.isNot(tok::colon) && getLangOpts().OpenMP >= 50)))) {
1954 Length = ParseExpression();
1955 Length = Actions.CorrectDelayedTyposInExpr(Length);
1956 }
1957 }
1958 if (getLangOpts().OpenMP >= 50 &&
1959 (OMPClauseKind == llvm::omp::Clause::OMPC_to ||
1960 OMPClauseKind == llvm::omp::Clause::OMPC_from) &&
1961 Tok.is(tok::colon)) {
1962 // Consume ':'
1963 ColonLocSecond = ConsumeToken();
1964 if (Tok.isNot(tok::r_square)) {
1965 Stride = ParseExpression();
1966 }
1967 }
1968 }
1969
1970 SourceLocation RLoc = Tok.getLocation();
1971 LHS = Actions.CorrectDelayedTyposInExpr(LHS);
1972
1973 if (!LHS.isInvalid() && !HasError && !Length.isInvalid() &&
1974 !Stride.isInvalid() && Tok.is(tok::r_square)) {
1975 if (ColonLocFirst.isValid() || ColonLocSecond.isValid()) {
1976 LHS = Actions.ActOnOMPArraySectionExpr(
1977 LHS.get(), Loc, ArgExprs.empty() ? nullptr : ArgExprs[0],
1978 ColonLocFirst, ColonLocSecond, Length.get(), Stride.get(), RLoc);
1979 } else {
1980 LHS = Actions.ActOnArraySubscriptExpr(getCurScope(), LHS.get(), Loc,
1981 ArgExprs, RLoc);
1982 }
1983 } else {
1984 LHS = ExprError();
1985 }
1986
1987 // Match the ']'.
1988 T.consumeClose();
1989 break;
1990 }
1991
1992 case tok::l_paren: // p-e: p-e '(' argument-expression-list[opt] ')'
1993 case tok::lesslessless: { // p-e: p-e '<<<' argument-expression-list '>>>'
1994 // '(' argument-expression-list[opt] ')'
1995 tok::TokenKind OpKind = Tok.getKind();
1996 InMessageExpressionRAIIObject InMessage(*this, false);
1997
1998 Expr *ExecConfig = nullptr;
1999
2000 BalancedDelimiterTracker PT(*this, tok::l_paren);
2001
2002 if (OpKind == tok::lesslessless) {
2003 ExprVector ExecConfigExprs;
2004 CommaLocsTy ExecConfigCommaLocs;
2005 SourceLocation OpenLoc = ConsumeToken();
2006
2007 if (ParseSimpleExpressionList(ExecConfigExprs, ExecConfigCommaLocs)) {
2008 (void)Actions.CorrectDelayedTyposInExpr(LHS);
2009 LHS = ExprError();
2010 }
2011
2012 SourceLocation CloseLoc;
2013 if (TryConsumeToken(tok::greatergreatergreater, CloseLoc)) {
2014 } else if (LHS.isInvalid()) {
2015 SkipUntil(tok::greatergreatergreater, StopAtSemi);
2016 } else {
2017 // There was an error closing the brackets
2018 Diag(Tok, diag::err_expected) << tok::greatergreatergreater;
2019 Diag(OpenLoc, diag::note_matching) << tok::lesslessless;
2020 SkipUntil(tok::greatergreatergreater, StopAtSemi);
2021 LHS = ExprError();
2022 }
2023
2024 if (!LHS.isInvalid()) {
2025 if (ExpectAndConsume(tok::l_paren))
2026 LHS = ExprError();
2027 else
2028 Loc = PrevTokLocation;
2029 }
2030
2031 if (!LHS.isInvalid()) {
2032 ExprResult ECResult = Actions.ActOnCUDAExecConfigExpr(getCurScope(),
2033 OpenLoc,
2034 ExecConfigExprs,
2035 CloseLoc);
2036 if (ECResult.isInvalid())
2037 LHS = ExprError();
2038 else
2039 ExecConfig = ECResult.get();
2040 }
2041 } else {
2042 PT.consumeOpen();
2043 Loc = PT.getOpenLocation();
2044 }
2045
2046 ExprVector ArgExprs;
2047 CommaLocsTy CommaLocs;
2048 auto RunSignatureHelp = [&]() -> QualType {
2049 QualType PreferredType = Actions.ProduceCallSignatureHelp(
2050 LHS.get(), ArgExprs, PT.getOpenLocation());
2051 CalledSignatureHelp = true;
2052 return PreferredType;
2053 };
2054 if (OpKind == tok::l_paren || !LHS.isInvalid()) {
2055 if (Tok.isNot(tok::r_paren)) {
2056 if (ParseExpressionList(ArgExprs, CommaLocs, [&] {
2057 PreferredType.enterFunctionArgument(Tok.getLocation(),
2058 RunSignatureHelp);
2059 })) {
2060 (void)Actions.CorrectDelayedTyposInExpr(LHS);
2061 // If we got an error when parsing expression list, we don't call
2062 // the CodeCompleteCall handler inside the parser. So call it here
2063 // to make sure we get overload suggestions even when we are in the
2064 // middle of a parameter.
2065 if (PP.isCodeCompletionReached() && !CalledSignatureHelp)
2066 RunSignatureHelp();
2067 LHS = ExprError();
2068 } else if (LHS.isInvalid()) {
2069 for (auto &E : ArgExprs)
2070 Actions.CorrectDelayedTyposInExpr(E);
2071 }
2072 }
2073 }
2074
2075 // Match the ')'.
2076 if (LHS.isInvalid()) {
2077 SkipUntil(tok::r_paren, StopAtSemi);
2078 } else if (Tok.isNot(tok::r_paren)) {
2079 bool HadDelayedTypo = false;
2080 if (Actions.CorrectDelayedTyposInExpr(LHS).get() != LHS.get())
2081 HadDelayedTypo = true;
2082 for (auto &E : ArgExprs)
2083 if (Actions.CorrectDelayedTyposInExpr(E).get() != E)
2084 HadDelayedTypo = true;
2085 // If there were delayed typos in the LHS or ArgExprs, call SkipUntil
2086 // instead of PT.consumeClose() to avoid emitting extra diagnostics for
2087 // the unmatched l_paren.
2088 if (HadDelayedTypo)
2089 SkipUntil(tok::r_paren, StopAtSemi);
2090 else
2091 PT.consumeClose();
2092 LHS = ExprError();
2093 } else {
2094 assert((static_cast <bool> ((ArgExprs.size() == 0 || ArgExprs.
size() - 1 == CommaLocs.size()) && "Unexpected number of commas!"
) ? void (0) : __assert_fail ("(ArgExprs.size() == 0 || ArgExprs.size() - 1 == CommaLocs.size()) && \"Unexpected number of commas!\""
, "clang/lib/Parse/ParseExpr.cpp", 2096, __extension__ __PRETTY_FUNCTION__
))
2095 (ArgExprs.size() == 0 || ArgExprs.size() - 1 == CommaLocs.size()) &&(static_cast <bool> ((ArgExprs.size() == 0 || ArgExprs.
size() - 1 == CommaLocs.size()) && "Unexpected number of commas!"
) ? void (0) : __assert_fail ("(ArgExprs.size() == 0 || ArgExprs.size() - 1 == CommaLocs.size()) && \"Unexpected number of commas!\""
, "clang/lib/Parse/ParseExpr.cpp", 2096, __extension__ __PRETTY_FUNCTION__
))
2096 "Unexpected number of commas!")(static_cast <bool> ((ArgExprs.size() == 0 || ArgExprs.
size() - 1 == CommaLocs.size()) && "Unexpected number of commas!"
) ? void (0) : __assert_fail ("(ArgExprs.size() == 0 || ArgExprs.size() - 1 == CommaLocs.size()) && \"Unexpected number of commas!\""
, "clang/lib/Parse/ParseExpr.cpp", 2096, __extension__ __PRETTY_FUNCTION__
))
;
2097 Expr *Fn = LHS.get();
2098 SourceLocation RParLoc = Tok.getLocation();
2099 LHS = Actions.ActOnCallExpr(getCurScope(), Fn, Loc, ArgExprs, RParLoc,
2100 ExecConfig);
2101 if (LHS.isInvalid()) {
2102 ArgExprs.insert(ArgExprs.begin(), Fn);
2103 LHS =
2104 Actions.CreateRecoveryExpr(Fn->getBeginLoc(), RParLoc, ArgExprs);
2105 }
2106 PT.consumeClose();
2107 }
2108
2109 break;
2110 }
2111 case tok::arrow:
2112 case tok::period: {
2113 // postfix-expression: p-e '->' template[opt] id-expression
2114 // postfix-expression: p-e '.' template[opt] id-expression
2115 tok::TokenKind OpKind = Tok.getKind();
2116 SourceLocation OpLoc = ConsumeToken(); // Eat the "." or "->" token.
2117
2118 CXXScopeSpec SS;
2119 ParsedType ObjectType;
2120 bool MayBePseudoDestructor = false;
2121 Expr* OrigLHS = !LHS.isInvalid() ? LHS.get() : nullptr;
2122
2123 PreferredType.enterMemAccess(Actions, Tok.getLocation(), OrigLHS);
2124
2125 if (getLangOpts().CPlusPlus && !LHS.isInvalid()) {
2126 Expr *Base = OrigLHS;
2127 const Type* BaseType = Base->getType().getTypePtrOrNull();
2128 if (BaseType && Tok.is(tok::l_paren) &&
2129 (BaseType->isFunctionType() ||
2130 BaseType->isSpecificPlaceholderType(BuiltinType::BoundMember))) {
2131 Diag(OpLoc, diag::err_function_is_not_record)
2132 << OpKind << Base->getSourceRange()
2133 << FixItHint::CreateRemoval(OpLoc);
2134 return ParsePostfixExpressionSuffix(Base);
2135 }
2136
2137 LHS = Actions.ActOnStartCXXMemberReference(getCurScope(), Base, OpLoc,
2138 OpKind, ObjectType,
2139 MayBePseudoDestructor);
2140 if (LHS.isInvalid()) {
2141 // Clang will try to perform expression based completion as a
2142 // fallback, which is confusing in case of member references. So we
2143 // stop here without any completions.
2144 if (Tok.is(tok::code_completion)) {
2145 cutOffParsing();
2146 return ExprError();
2147 }
2148 break;
2149 }
2150 ParseOptionalCXXScopeSpecifier(
2151 SS, ObjectType, LHS.get() && LHS.get()->containsErrors(),
2152 /*EnteringContext=*/false, &MayBePseudoDestructor);
2153 if (SS.isNotEmpty())
2154 ObjectType = nullptr;
2155 }
2156
2157 if (Tok.is(tok::code_completion)) {
2158 tok::TokenKind CorrectedOpKind =
2159 OpKind == tok::arrow ? tok::period : tok::arrow;
2160 ExprResult CorrectedLHS(/*Invalid=*/true);
2161 if (getLangOpts().CPlusPlus && OrigLHS) {
2162 // FIXME: Creating a TentativeAnalysisScope from outside Sema is a
2163 // hack.
2164 Sema::TentativeAnalysisScope Trap(Actions);
2165 CorrectedLHS = Actions.ActOnStartCXXMemberReference(
2166 getCurScope(), OrigLHS, OpLoc, CorrectedOpKind, ObjectType,
2167 MayBePseudoDestructor);
2168 }
2169
2170 Expr *Base = LHS.get();
2171 Expr *CorrectedBase = CorrectedLHS.get();
2172 if (!CorrectedBase && !getLangOpts().CPlusPlus)
2173 CorrectedBase = Base;
2174
2175 // Code completion for a member access expression.
2176 cutOffParsing();
2177 Actions.CodeCompleteMemberReferenceExpr(
2178 getCurScope(), Base, CorrectedBase, OpLoc, OpKind == tok::arrow,
2179 Base && ExprStatementTokLoc == Base->getBeginLoc(),
2180 PreferredType.get(Tok.getLocation()));
2181
2182 return ExprError();
2183 }
2184
2185 if (MayBePseudoDestructor && !LHS.isInvalid()) {
2186 LHS = ParseCXXPseudoDestructor(LHS.get(), OpLoc, OpKind, SS,
2187 ObjectType);
2188 break;
2189 }
2190
2191 // Either the action has told us that this cannot be a
2192 // pseudo-destructor expression (based on the type of base
2193 // expression), or we didn't see a '~' in the right place. We
2194 // can still parse a destructor name here, but in that case it
2195 // names a real destructor.
2196 // Allow explicit constructor calls in Microsoft mode.
2197 // FIXME: Add support for explicit call of template constructor.
2198 SourceLocation TemplateKWLoc;
2199 UnqualifiedId Name;
2200 if (getLangOpts().ObjC && OpKind == tok::period &&
2201 Tok.is(tok::kw_class)) {
2202 // Objective-C++:
2203 // After a '.' in a member access expression, treat the keyword
2204 // 'class' as if it were an identifier.
2205 //
2206 // This hack allows property access to the 'class' method because it is
2207 // such a common method name. For other C++ keywords that are
2208 // Objective-C method names, one must use the message send syntax.
2209 IdentifierInfo *Id = Tok.getIdentifierInfo();
2210 SourceLocation Loc = ConsumeToken();
2211 Name.setIdentifier(Id, Loc);
2212 } else if (ParseUnqualifiedId(
2213 SS, ObjectType, LHS.get() && LHS.get()->containsErrors(),
2214 /*EnteringContext=*/false,
2215 /*AllowDestructorName=*/true,
2216 /*AllowConstructorName=*/
2217 getLangOpts().MicrosoftExt && SS.isNotEmpty(),
2218 /*AllowDeductionGuide=*/false, &TemplateKWLoc, Name)) {
2219 (void)Actions.CorrectDelayedTyposInExpr(LHS);
2220 LHS = ExprError();
2221 }
2222
2223 if (!LHS.isInvalid())
2224 LHS = Actions.ActOnMemberAccessExpr(getCurScope(), LHS.get(), OpLoc,
2225 OpKind, SS, TemplateKWLoc, Name,
2226 CurParsedObjCImpl ? CurParsedObjCImpl->Dcl
2227 : nullptr);
2228 if (!LHS.isInvalid()) {
2229 if (Tok.is(tok::less))
2230 checkPotentialAngleBracket(LHS);
2231 } else if (OrigLHS && Name.isValid()) {
2232 // Preserve the LHS if the RHS is an invalid member.
2233 LHS = Actions.CreateRecoveryExpr(OrigLHS->getBeginLoc(),
2234 Name.getEndLoc(), {OrigLHS});
2235 }
2236 break;
2237 }
2238 case tok::plusplus: // postfix-expression: postfix-expression '++'
2239 case tok::minusminus: // postfix-expression: postfix-expression '--'
2240 if (!LHS.isInvalid()) {
2241 Expr *Arg = LHS.get();
2242 LHS = Actions.ActOnPostfixUnaryOp(getCurScope(), Tok.getLocation(),
2243 Tok.getKind(), Arg);
2244 if (LHS.isInvalid())
2245 LHS = Actions.CreateRecoveryExpr(Arg->getBeginLoc(),
2246 Tok.getLocation(), Arg);
2247 }
2248 ConsumeToken();
2249 break;
2250 }
2251 }
2252}
2253
2254/// ParseExprAfterUnaryExprOrTypeTrait - We parsed a typeof/sizeof/alignof/
2255/// vec_step and we are at the start of an expression or a parenthesized
2256/// type-id. OpTok is the operand token (typeof/sizeof/alignof). Returns the
2257/// expression (isCastExpr == false) or the type (isCastExpr == true).
2258///
2259/// \verbatim
2260/// unary-expression: [C99 6.5.3]
2261/// 'sizeof' unary-expression
2262/// 'sizeof' '(' type-name ')'
2263/// [GNU] '__alignof' unary-expression
2264/// [GNU] '__alignof' '(' type-name ')'
2265/// [C11] '_Alignof' '(' type-name ')'
2266/// [C++0x] 'alignof' '(' type-id ')'
2267///
2268/// [GNU] typeof-specifier:
2269/// typeof ( expressions )
2270/// typeof ( type-name )
2271/// [GNU/C++] typeof unary-expression
2272///
2273/// [OpenCL 1.1 6.11.12] vec_step built-in function:
2274/// vec_step ( expressions )
2275/// vec_step ( type-name )
2276/// \endverbatim
2277ExprResult
2278Parser::ParseExprAfterUnaryExprOrTypeTrait(const Token &OpTok,
2279 bool &isCastExpr,
2280 ParsedType &CastTy,
2281 SourceRange &CastRange) {
2282
2283 assert(OpTok.isOneOf(tok::kw_typeof, tok::kw_sizeof, tok::kw___alignof,(static_cast <bool> (OpTok.isOneOf(tok::kw_typeof, tok::
kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof
, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align
) && "Not a typeof/sizeof/alignof/vec_step expression!"
) ? void (0) : __assert_fail ("OpTok.isOneOf(tok::kw_typeof, tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align) && \"Not a typeof/sizeof/alignof/vec_step expression!\""
, "clang/lib/Parse/ParseExpr.cpp", 2286, __extension__ __PRETTY_FUNCTION__
))
2284 tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step,(static_cast <bool> (OpTok.isOneOf(tok::kw_typeof, tok::
kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof
, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align
) && "Not a typeof/sizeof/alignof/vec_step expression!"
) ? void (0) : __assert_fail ("OpTok.isOneOf(tok::kw_typeof, tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align) && \"Not a typeof/sizeof/alignof/vec_step expression!\""
, "clang/lib/Parse/ParseExpr.cpp", 2286, __extension__ __PRETTY_FUNCTION__
))
2285 tok::kw___builtin_omp_required_simd_align) &&(static_cast <bool> (OpTok.isOneOf(tok::kw_typeof, tok::
kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof
, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align
) && "Not a typeof/sizeof/alignof/vec_step expression!"
) ? void (0) : __assert_fail ("OpTok.isOneOf(tok::kw_typeof, tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align) && \"Not a typeof/sizeof/alignof/vec_step expression!\""
, "clang/lib/Parse/ParseExpr.cpp", 2286, __extension__ __PRETTY_FUNCTION__
))
2286 "Not a typeof/sizeof/alignof/vec_step expression!")(static_cast <bool> (OpTok.isOneOf(tok::kw_typeof, tok::
kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof
, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align
) && "Not a typeof/sizeof/alignof/vec_step expression!"
) ? void (0) : __assert_fail ("OpTok.isOneOf(tok::kw_typeof, tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align) && \"Not a typeof/sizeof/alignof/vec_step expression!\""
, "clang/lib/Parse/ParseExpr.cpp", 2286, __extension__ __PRETTY_FUNCTION__
))
;
2287
2288 ExprResult Operand;
2289
2290 // If the operand doesn't start with an '(', it must be an expression.
2291 if (Tok.isNot(tok::l_paren)) {
2292 // If construct allows a form without parenthesis, user may forget to put
2293 // pathenthesis around type name.
2294 if (OpTok.isOneOf(tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof,
2295 tok::kw__Alignof)) {
2296 if (isTypeIdUnambiguously()) {
2297 DeclSpec DS(AttrFactory);
2298 ParseSpecifierQualifierList(DS);
2299 Declarator DeclaratorInfo(DS, DeclaratorContext::TypeName);
2300 ParseDeclarator(DeclaratorInfo);
2301
2302 SourceLocation LParenLoc = PP.getLocForEndOfToken(OpTok.getLocation());
2303 SourceLocation RParenLoc = PP.getLocForEndOfToken(PrevTokLocation);
2304 if (LParenLoc.isInvalid() || RParenLoc.isInvalid()) {
2305 Diag(OpTok.getLocation(),
2306 diag::err_expected_parentheses_around_typename)
2307 << OpTok.getName();
2308 } else {
2309 Diag(LParenLoc, diag::err_expected_parentheses_around_typename)
2310 << OpTok.getName() << FixItHint::CreateInsertion(LParenLoc, "(")
2311 << FixItHint::CreateInsertion(RParenLoc, ")");
2312 }
2313 isCastExpr = true;
2314 return ExprEmpty();
2315 }
2316 }
2317
2318 isCastExpr = false;
2319 if (OpTok.is(tok::kw_typeof) && !getLangOpts().CPlusPlus) {
2320 Diag(Tok, diag::err_expected_after) << OpTok.getIdentifierInfo()
2321 << tok::l_paren;
2322 return ExprError();
2323 }
2324
2325 Operand = ParseCastExpression(UnaryExprOnly);
2326 } else {
2327 // If it starts with a '(', we know that it is either a parenthesized
2328 // type-name, or it is a unary-expression that starts with a compound
2329 // literal, or starts with a primary-expression that is a parenthesized
2330 // expression.
2331 ParenParseOption ExprType = CastExpr;
2332 SourceLocation LParenLoc = Tok.getLocation(), RParenLoc;
2333
2334 Operand = ParseParenExpression(ExprType, true/*stopIfCastExpr*/,
2335 false, CastTy, RParenLoc);
2336 CastRange = SourceRange(LParenLoc, RParenLoc);
2337
2338 // If ParseParenExpression parsed a '(typename)' sequence only, then this is
2339 // a type.
2340 if (ExprType == CastExpr) {
2341 isCastExpr = true;
2342 return ExprEmpty();
2343 }
2344
2345 if (getLangOpts().CPlusPlus || OpTok.isNot(tok::kw_typeof)) {
2346 // GNU typeof in C requires the expression to be parenthesized. Not so for
2347 // sizeof/alignof or in C++. Therefore, the parenthesized expression is
2348 // the start of a unary-expression, but doesn't include any postfix
2349 // pieces. Parse these now if present.
2350 if (!Operand.isInvalid())
2351 Operand = ParsePostfixExpressionSuffix(Operand.get());
2352 }
2353 }
2354
2355 // If we get here, the operand to the typeof/sizeof/alignof was an expression.
2356 isCastExpr = false;
2357 return Operand;
2358}
2359
2360/// Parse a __builtin_sycl_unique_stable_name expression. Accepts a type-id as
2361/// a parameter.
2362ExprResult Parser::ParseSYCLUniqueStableNameExpression() {
2363 assert(Tok.is(tok::kw___builtin_sycl_unique_stable_name) &&(static_cast <bool> (Tok.is(tok::kw___builtin_sycl_unique_stable_name
) && "Not __builtin_sycl_unique_stable_name") ? void (
0) : __assert_fail ("Tok.is(tok::kw___builtin_sycl_unique_stable_name) && \"Not __builtin_sycl_unique_stable_name\""
, "clang/lib/Parse/ParseExpr.cpp", 2364, __extension__ __PRETTY_FUNCTION__
))
2364 "Not __builtin_sycl_unique_stable_name")(static_cast <bool> (Tok.is(tok::kw___builtin_sycl_unique_stable_name
) && "Not __builtin_sycl_unique_stable_name") ? void (
0) : __assert_fail ("Tok.is(tok::kw___builtin_sycl_unique_stable_name) && \"Not __builtin_sycl_unique_stable_name\""
, "clang/lib/Parse/ParseExpr.cpp", 2364, __extension__ __PRETTY_FUNCTION__
))
;
2365
2366 SourceLocation OpLoc = ConsumeToken();
2367 BalancedDelimiterTracker T(*this, tok::l_paren);
2368
2369 // __builtin_sycl_unique_stable_name expressions are always parenthesized.
2370 if (T.expectAndConsume(diag::err_expected_lparen_after,
2371 "__builtin_sycl_unique_stable_name"))
2372 return ExprError();
2373
2374 TypeResult Ty = ParseTypeName();
2375
2376 if (Ty.isInvalid()) {
2377 T.skipToEnd();
2378 return ExprError();
2379 }
2380
2381 if (T.consumeClose())
2382 return ExprError();
2383
2384 return Actions.ActOnSYCLUniqueStableNameExpr(OpLoc, T.getOpenLocation(),
2385 T.getCloseLocation(), Ty.get());
2386}
2387
2388/// Parse a sizeof or alignof expression.
2389///
2390/// \verbatim
2391/// unary-expression: [C99 6.5.3]
2392/// 'sizeof' unary-expression
2393/// 'sizeof' '(' type-name ')'
2394/// [C++11] 'sizeof' '...' '(' identifier ')'
2395/// [GNU] '__alignof' unary-expression
2396/// [GNU] '__alignof' '(' type-name ')'
2397/// [C11] '_Alignof' '(' type-name ')'
2398/// [C++11] 'alignof' '(' type-id ')'
2399/// \endverbatim
2400ExprResult Parser::ParseUnaryExprOrTypeTraitExpression() {
2401 assert(Tok.isOneOf(tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof,(static_cast <bool> (Tok.isOneOf(tok::kw_sizeof, tok::kw___alignof
, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align
) && "Not a sizeof/alignof/vec_step expression!") ? void
(0) : __assert_fail ("Tok.isOneOf(tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align) && \"Not a sizeof/alignof/vec_step expression!\""
, "clang/lib/Parse/ParseExpr.cpp", 2404, __extension__ __PRETTY_FUNCTION__
))
2402 tok::kw__Alignof, tok::kw_vec_step,(static_cast <bool> (Tok.isOneOf(tok::kw_sizeof, tok::kw___alignof
, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align
) && "Not a sizeof/alignof/vec_step expression!") ? void
(0) : __assert_fail ("Tok.isOneOf(tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align) && \"Not a sizeof/alignof/vec_step expression!\""
, "clang/lib/Parse/ParseExpr.cpp", 2404, __extension__ __PRETTY_FUNCTION__
))
2403 tok::kw___builtin_omp_required_simd_align) &&(static_cast <bool> (Tok.isOneOf(tok::kw_sizeof, tok::kw___alignof
, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align
) && "Not a sizeof/alignof/vec_step expression!") ? void
(0) : __assert_fail ("Tok.isOneOf(tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align) && \"Not a sizeof/alignof/vec_step expression!\""
, "clang/lib/Parse/ParseExpr.cpp", 2404, __extension__ __PRETTY_FUNCTION__
))
2404 "Not a sizeof/alignof/vec_step expression!")(static_cast <bool> (Tok.isOneOf(tok::kw_sizeof, tok::kw___alignof
, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align
) && "Not a sizeof/alignof/vec_step expression!") ? void
(0) : __assert_fail ("Tok.isOneOf(tok::kw_sizeof, tok::kw___alignof, tok::kw_alignof, tok::kw__Alignof, tok::kw_vec_step, tok::kw___builtin_omp_required_simd_align) && \"Not a sizeof/alignof/vec_step expression!\""
, "clang/lib/Parse/ParseExpr.cpp", 2404, __extension__ __PRETTY_FUNCTION__
))
;
2405 Token OpTok = Tok;
2406 ConsumeToken();
2407
2408 // [C++11] 'sizeof' '...' '(' identifier ')'
2409 if (Tok.is(tok::ellipsis) && OpTok.is(tok::kw_sizeof)) {
2410 SourceLocation EllipsisLoc = ConsumeToken();
2411 SourceLocation LParenLoc, RParenLoc;
2412 IdentifierInfo *Name = nullptr;
2413 SourceLocation NameLoc;
2414 if (Tok.is(tok::l_paren)) {
2415 BalancedDelimiterTracker T(*this, tok::l_paren);
2416 T.consumeOpen();
2417 LParenLoc = T.getOpenLocation();
2418 if (Tok.is(tok::identifier)) {
2419 Name = Tok.getIdentifierInfo();
2420 NameLoc = ConsumeToken();
2421 T.consumeClose();
2422 RParenLoc = T.getCloseLocation();
2423 if (RParenLoc.isInvalid())
2424 RParenLoc = PP.getLocForEndOfToken(NameLoc);
2425 } else {
2426 Diag(Tok, diag::err_expected_parameter_pack);
2427 SkipUntil(tok::r_paren, StopAtSemi);
2428 }
2429 } else if (Tok.is(tok::identifier)) {
2430 Name = Tok.getIdentifierInfo();
2431 NameLoc = ConsumeToken();
2432 LParenLoc = PP.getLocForEndOfToken(EllipsisLoc);
2433 RParenLoc = PP.getLocForEndOfToken(NameLoc);
2434 Diag(LParenLoc, diag::err_paren_sizeof_parameter_pack)
2435 << Name
2436 << FixItHint::CreateInsertion(LParenLoc, "(")
2437 << FixItHint::CreateInsertion(RParenLoc, ")");
2438 } else {
2439 Diag(Tok, diag::err_sizeof_parameter_pack);
2440 }
2441
2442 if (!Name)
2443 return ExprError();
2444
2445 EnterExpressionEvaluationContext Unevaluated(
2446 Actions, Sema::ExpressionEvaluationContext::Unevaluated,
2447 Sema::ReuseLambdaContextDecl);
2448
2449 return Actions.ActOnSizeofParameterPackExpr(getCurScope(),
2450 OpTok.getLocation(),
2451 *Name, NameLoc,
2452 RParenLoc);
2453 }
2454
2455 if (OpTok.isOneOf(tok::kw_alignof, tok::kw__Alignof))
2456 Diag(OpTok, diag::warn_cxx98_compat_alignof);
2457
2458 EnterExpressionEvaluationContext Unevaluated(
2459 Actions, Sema::ExpressionEvaluationContext::Unevaluated,
2460 Sema::ReuseLambdaContextDecl);
2461
2462 bool isCastExpr;
2463 ParsedType CastTy;
2464 SourceRange CastRange;
2465 ExprResult Operand = ParseExprAfterUnaryExprOrTypeTrait(OpTok,
2466 isCastExpr,
2467 CastTy,
2468 CastRange);
2469
2470 UnaryExprOrTypeTrait ExprKind = UETT_SizeOf;
2471 if (OpTok.isOneOf(tok::kw_alignof, tok::kw__Alignof))
2472 ExprKind = UETT_AlignOf;
2473 else if (OpTok.is(tok::kw___alignof))
2474 ExprKind = UETT_PreferredAlignOf;
2475 else if (OpTok.is(tok::kw_vec_step))
2476 ExprKind = UETT_VecStep;
2477 else if (OpTok.is(tok::kw___builtin_omp_required_simd_align))
2478 ExprKind = UETT_OpenMPRequiredSimdAlign;
2479
2480 if (isCastExpr)
2481 return Actions.ActOnUnaryExprOrTypeTraitExpr(OpTok.getLocation(),
2482 ExprKind,
2483 /*IsType=*/true,
2484 CastTy.getAsOpaquePtr(),
2485 CastRange);
2486
2487 if (OpTok.isOneOf(tok::kw_alignof, tok::kw__Alignof))
2488 Diag(OpTok, diag::ext_alignof_expr) << OpTok.getIdentifierInfo();
2489
2490 // If we get here, the operand to the sizeof/alignof was an expression.
2491 if (!Operand.isInvalid())
2492 Operand = Actions.ActOnUnaryExprOrTypeTraitExpr(OpTok.getLocation(),
2493 ExprKind,
2494 /*IsType=*/false,
2495 Operand.get(),
2496 CastRange);
2497 return Operand;
2498}
2499
2500/// ParseBuiltinPrimaryExpression
2501///
2502/// \verbatim
2503/// primary-expression: [C99 6.5.1]
2504/// [GNU] '__builtin_va_arg' '(' assignment-expression ',' type-name ')'
2505/// [GNU] '__builtin_offsetof' '(' type-name ',' offsetof-member-designator')'
2506/// [GNU] '__builtin_choose_expr' '(' assign-expr ',' assign-expr ','
2507/// assign-expr ')'
2508/// [GNU] '__builtin_types_compatible_p' '(' type-name ',' type-name ')'
2509/// [GNU] '__builtin_FILE' '(' ')'
2510/// [GNU] '__builtin_FUNCTION' '(' ')'
2511/// [GNU] '__builtin_LINE' '(' ')'
2512/// [CLANG] '__builtin_COLUMN' '(' ')'
2513/// [GNU] '__builtin_source_location' '(' ')'
2514/// [OCL] '__builtin_astype' '(' assignment-expression ',' type-name ')'
2515///
2516/// [GNU] offsetof-member-designator:
2517/// [GNU] identifier
2518/// [GNU] offsetof-member-designator '.' identifier
2519/// [GNU] offsetof-member-designator '[' expression ']'
2520/// \endverbatim
2521ExprResult Parser::ParseBuiltinPrimaryExpression() {
2522 ExprResult Res;
2523 const IdentifierInfo *BuiltinII = Tok.getIdentifierInfo();
2524
2525 tok::TokenKind T = Tok.getKind();
2526 SourceLocation StartLoc = ConsumeToken(); // Eat the builtin identifier.
2527
2528 // All of these start with an open paren.
2529 if (Tok.isNot(tok::l_paren))
2530 return ExprError(Diag(Tok, diag::err_expected_after) << BuiltinII
2531 << tok::l_paren);
2532
2533 BalancedDelimiterTracker PT(*this, tok::l_paren);
2534 PT.consumeOpen();
2535
2536 // TODO: Build AST.
2537
2538 switch (T) {
2539 default: llvm_unreachable("Not a builtin primary expression!")::llvm::llvm_unreachable_internal("Not a builtin primary expression!"
, "clang/lib/Parse/ParseExpr.cpp", 2539)
;
2540 case tok::kw___builtin_va_arg: {
2541 ExprResult Expr(ParseAssignmentExpression());
2542
2543 if (ExpectAndConsume(tok::comma)) {
2544 SkipUntil(tok::r_paren, StopAtSemi);
2545 Expr = ExprError();
2546 }
2547
2548 TypeResult Ty = ParseTypeName();
2549
2550 if (Tok.isNot(tok::r_paren)) {
2551 Diag(Tok, diag::err_expected) << tok::r_paren;
2552 Expr = ExprError();
2553 }
2554
2555 if (Expr.isInvalid() || Ty.isInvalid())
2556 Res = ExprError();
2557 else
2558 Res = Actions.ActOnVAArg(StartLoc, Expr.get(), Ty.get(), ConsumeParen());
2559 break;
2560 }
2561 case tok::kw___builtin_offsetof: {
2562 SourceLocation TypeLoc = Tok.getLocation();
2563 TypeResult Ty = ParseTypeName();
2564 if (Ty.isInvalid()) {
2565 SkipUntil(tok::r_paren, StopAtSemi);
2566 return ExprError();
2567 }
2568
2569 if (ExpectAndConsume(tok::comma)) {
2570 SkipUntil(tok::r_paren, StopAtSemi);
2571 return ExprError();
2572 }
2573
2574 // We must have at least one identifier here.
2575 if (Tok.isNot(tok::identifier)) {
2576 Diag(Tok, diag::err_expected) << tok::identifier;
2577 SkipUntil(tok::r_paren, StopAtSemi);
2578 return ExprError();
2579 }
2580
2581 // Keep track of the various subcomponents we see.
2582 SmallVector<Sema::OffsetOfComponent, 4> Comps;
2583
2584 Comps.push_back(Sema::OffsetOfComponent());
2585 Comps.back().isBrackets = false;
2586 Comps.back().U.IdentInfo = Tok.getIdentifierInfo();
2587 Comps.back().LocStart = Comps.back().LocEnd = ConsumeToken();
2588
2589 // FIXME: This loop leaks the index expressions on error.
2590 while (true) {
2591 if (Tok.is(tok::period)) {
2592 // offsetof-member-designator: offsetof-member-designator '.' identifier
2593 Comps.push_back(Sema::OffsetOfComponent());
2594 Comps.back().isBrackets = false;
2595 Comps.back().LocStart = ConsumeToken();
2596
2597 if (Tok.isNot(tok::identifier)) {
2598 Diag(Tok, diag::err_expected) << tok::identifier;
2599 SkipUntil(tok::r_paren, StopAtSemi);
2600 return ExprError();
2601 }
2602 Comps.back().U.IdentInfo = Tok.getIdentifierInfo();
2603 Comps.back().LocEnd = ConsumeToken();
2604
2605 } else if (Tok.is(tok::l_square)) {
2606 if (CheckProhibitedCXX11Attribute())
2607 return ExprError();
2608
2609 // offsetof-member-designator: offsetof-member-design '[' expression ']'
2610 Comps.push_back(Sema::OffsetOfComponent());
2611 Comps.back().isBrackets = true;
2612 BalancedDelimiterTracker ST(*this, tok::l_square);
2613 ST.consumeOpen();
2614 Comps.back().LocStart = ST.getOpenLocation();
2615 Res = ParseExpression();
2616 if (Res.isInvalid()) {
2617 SkipUntil(tok::r_paren, StopAtSemi);
2618 return Res;
2619 }
2620 Comps.back().U.E = Res.get();
2621
2622 ST.consumeClose();
2623 Comps.back().LocEnd = ST.getCloseLocation();
2624 } else {
2625 if (Tok.isNot(tok::r_paren)) {
2626 PT.consumeClose();
2627 Res = ExprError();
2628 } else if (Ty.isInvalid()) {
2629 Res = ExprError();
2630 } else {
2631 PT.consumeClose();
2632 Res = Actions.ActOnBuiltinOffsetOf(getCurScope(), StartLoc, TypeLoc,
2633 Ty.get(), Comps,
2634 PT.getCloseLocation());
2635 }
2636 break;
2637 }
2638 }
2639 break;
2640 }
2641 case tok::kw___builtin_choose_expr: {
2642 ExprResult Cond(ParseAssignmentExpression());
2643 if (Cond.isInvalid()) {
2644 SkipUntil(tok::r_paren, StopAtSemi);
2645 return Cond;
2646 }
2647 if (ExpectAndConsume(tok::comma)) {
2648 SkipUntil(tok::r_paren, StopAtSemi);
2649 return ExprError();
2650 }
2651
2652 ExprResult Expr1(ParseAssignmentExpression());
2653 if (Expr1.isInvalid()) {
2654 SkipUntil(tok::r_paren, StopAtSemi);
2655 return Expr1;
2656 }
2657 if (ExpectAndConsume(tok::comma)) {
2658 SkipUntil(tok::r_paren, StopAtSemi);
2659 return ExprError();
2660 }
2661
2662 ExprResult Expr2(ParseAssignmentExpression());
2663 if (Expr2.isInvalid()) {
2664 SkipUntil(tok::r_paren, StopAtSemi);
2665 return Expr2;
2666 }
2667 if (Tok.isNot(tok::r_paren)) {
2668 Diag(Tok, diag::err_expected) << tok::r_paren;
2669 return ExprError();
2670 }
2671 Res = Actions.ActOnChooseExpr(StartLoc, Cond.get(), Expr1.get(),
2672 Expr2.get(), ConsumeParen());
2673 break;
2674 }
2675 case tok::kw___builtin_astype: {
2676 // The first argument is an expression to be converted, followed by a comma.
2677 ExprResult Expr(ParseAssignmentExpression());
2678 if (Expr.isInvalid()) {
2679 SkipUntil(tok::r_paren, StopAtSemi);
2680 return ExprError();
2681 }
2682
2683 if (ExpectAndConsume(tok::comma)) {
2684 SkipUntil(tok::r_paren, StopAtSemi);
2685 return ExprError();
2686 }
2687
2688 // Second argument is the type to bitcast to.
2689 TypeResult DestTy = ParseTypeName();
2690 if (DestTy.isInvalid())
2691 return ExprError();
2692
2693 // Attempt to consume the r-paren.
2694 if (Tok.isNot(tok::r_paren)) {
2695 Diag(Tok, diag::err_expected) << tok::r_paren;
2696 SkipUntil(tok::r_paren, StopAtSemi);
2697 return ExprError();
2698 }
2699
2700 Res = Actions.ActOnAsTypeExpr(Expr.get(), DestTy.get(), StartLoc,
2701 ConsumeParen());
2702 break;
2703 }
2704 case tok::kw___builtin_convertvector: {
2705 // The first argument is an expression to be converted, followed by a comma.
2706 ExprResult Expr(ParseAssignmentExpression());
2707 if (Expr.isInvalid()) {
2708 SkipUntil(tok::r_paren, StopAtSemi);
2709 return ExprError();
2710 }
2711
2712 if (ExpectAndConsume(tok::comma)) {
2713 SkipUntil(tok::r_paren, StopAtSemi);
2714 return ExprError();
2715 }
2716
2717 // Second argument is the type to bitcast to.
2718 TypeResult DestTy = ParseTypeName();
2719 if (DestTy.isInvalid())
2720 return ExprError();
2721
2722 // Attempt to consume the r-paren.
2723 if (Tok.isNot(tok::r_paren)) {
2724 Diag(Tok, diag::err_expected) << tok::r_paren;
2725 SkipUntil(tok::r_paren, StopAtSemi);
2726 return ExprError();
2727 }
2728
2729 Res = Actions.ActOnConvertVectorExpr(Expr.get(), DestTy.get(), StartLoc,
2730 ConsumeParen());
2731 break;
2732 }
2733 case tok::kw___builtin_COLUMN:
2734 case tok::kw___builtin_FILE:
2735 case tok::kw___builtin_FUNCTION:
2736 case tok::kw___builtin_LINE:
2737 case tok::kw___builtin_source_location: {
2738 // Attempt to consume the r-paren.
2739 if (Tok.isNot(tok::r_paren)) {
2740 Diag(Tok, diag::err_expected) << tok::r_paren;
2741 SkipUntil(tok::r_paren, StopAtSemi);
2742 return ExprError();
2743 }
2744 SourceLocExpr::IdentKind Kind = [&] {
2745 switch (T) {
2746 case tok::kw___builtin_FILE:
2747 return SourceLocExpr::File;
2748 case tok::kw___builtin_FUNCTION:
2749 return SourceLocExpr::Function;
2750 case tok::kw___builtin_LINE:
2751 return SourceLocExpr::Line;
2752 case tok::kw___builtin_COLUMN:
2753 return SourceLocExpr::Column;
2754 case tok::kw___builtin_source_location:
2755 return SourceLocExpr::SourceLocStruct;
2756 default:
2757 llvm_unreachable("invalid keyword")::llvm::llvm_unreachable_internal("invalid keyword", "clang/lib/Parse/ParseExpr.cpp"
, 2757)
;
2758 }
2759 }();
2760 Res = Actions.ActOnSourceLocExpr(Kind, StartLoc, ConsumeParen());
2761 break;
2762 }
2763 }
2764
2765 if (Res.isInvalid())
2766 return ExprError();
2767
2768 // These can be followed by postfix-expr pieces because they are
2769 // primary-expressions.
2770 return ParsePostfixExpressionSuffix(Res.get());
2771}
2772
2773bool Parser::tryParseOpenMPArrayShapingCastPart() {
2774 assert(Tok.is(tok::l_square) && "Expected open bracket")(static_cast <bool> (Tok.is(tok::l_square) && "Expected open bracket"
) ? void (0) : __assert_fail ("Tok.is(tok::l_square) && \"Expected open bracket\""
, "clang/lib/Parse/ParseExpr.cpp", 2774, __extension__ __PRETTY_FUNCTION__
))
;
2775 bool ErrorFound = true;
2776 TentativeParsingAction TPA(*this);
2777 do {
2778 if (Tok.isNot(tok::l_square))
2779 break;
2780 // Consume '['
2781 ConsumeBracket();
2782 // Skip inner expression.
2783 while (!SkipUntil(tok::r_square, tok::annot_pragma_openmp_end,
2784 StopAtSemi | StopBeforeMatch))
2785 ;
2786 if (Tok.isNot(tok::r_square))
2787 break;
2788 // Consume ']'
2789 ConsumeBracket();
2790 // Found ')' - done.
2791 if (Tok.is(tok::r_paren)) {
2792 ErrorFound = false;
2793 break;
2794 }
2795 } while (Tok.isNot(tok::annot_pragma_openmp_end));
2796 TPA.Revert();
2797 return !ErrorFound;
2798}
2799
2800/// ParseParenExpression - This parses the unit that starts with a '(' token,
2801/// based on what is allowed by ExprType. The actual thing parsed is returned
2802/// in ExprType. If stopIfCastExpr is true, it will only return the parsed type,
2803/// not the parsed cast-expression.
2804///
2805/// \verbatim
2806/// primary-expression: [C99 6.5.1]
2807/// '(' expression ')'
2808/// [GNU] '(' compound-statement ')' (if !ParenExprOnly)
2809/// postfix-expression: [C99 6.5.2]
2810/// '(' type-name ')' '{' initializer-list '}'
2811/// '(' type-name ')' '{' initializer-list ',' '}'
2812/// cast-expression: [C99 6.5.4]
2813/// '(' type-name ')' cast-expression
2814/// [ARC] bridged-cast-expression
2815/// [ARC] bridged-cast-expression:
2816/// (__bridge type-name) cast-expression
2817/// (__bridge_transfer type-name) cast-expression
2818/// (__bridge_retained type-name) cast-expression
2819/// fold-expression: [C++1z]
2820/// '(' cast-expression fold-operator '...' ')'
2821/// '(' '...' fold-operator cast-expression ')'
2822/// '(' cast-expression fold-operator '...'
2823/// fold-operator cast-expression ')'
2824/// [OPENMP] Array shaping operation
2825/// '(' '[' expression ']' { '[' expression ']' } cast-expression
2826/// \endverbatim
2827ExprResult
2828Parser::ParseParenExpression(ParenParseOption &ExprType, bool stopIfCastExpr,
2829 bool isTypeCast, ParsedType &CastTy,
2830 SourceLocation &RParenLoc) {
2831 assert(Tok.is(tok::l_paren) && "Not a paren expr!")(static_cast <bool> (Tok.is(tok::l_paren) && "Not a paren expr!"
) ? void (0) : __assert_fail ("Tok.is(tok::l_paren) && \"Not a paren expr!\""
, "clang/lib/Parse/ParseExpr.cpp", 2831, __extension__ __PRETTY_FUNCTION__
))
;
2832 ColonProtectionRAIIObject ColonProtection(*this, false);
2833 BalancedDelimiterTracker T(*this, tok::l_paren);
2834 if (T.consumeOpen())
2835 return ExprError();
2836 SourceLocation OpenLoc = T.getOpenLocation();
2837
2838 PreferredType.enterParenExpr(Tok.getLocation(), OpenLoc);
2839
2840 ExprResult Result(true);
2841 bool isAmbiguousTypeId;
2842 CastTy = nullptr;
2843
2844 if (Tok.is(tok::code_completion)) {
2845 cutOffParsing();
2846 Actions.CodeCompleteExpression(
2847 getCurScope(), PreferredType.get(Tok.getLocation()),
2848 /*IsParenthesized=*/ExprType >= CompoundLiteral);
2849 return ExprError();
2850 }
2851
2852 // Diagnose use of bridge casts in non-arc mode.
2853 bool BridgeCast = (getLangOpts().ObjC &&
2854 Tok.isOneOf(tok::kw___bridge,
2855 tok::kw___bridge_transfer,
2856 tok::kw___bridge_retained,
2857 tok::kw___bridge_retain));
2858 if (BridgeCast && !getLangOpts().ObjCAutoRefCount) {
2859 if (!TryConsumeToken(tok::kw___bridge)) {
2860 StringRef BridgeCastName = Tok.getName();
2861 SourceLocation BridgeKeywordLoc = ConsumeToken();
2862 if (!PP.getSourceManager().isInSystemHeader(BridgeKeywordLoc))
2863 Diag(BridgeKeywordLoc, diag::warn_arc_bridge_cast_nonarc)
2864 << BridgeCastName
2865 << FixItHint::CreateReplacement(BridgeKeywordLoc, "");
2866 }
2867 BridgeCast = false;
2868 }
2869
2870 // None of these cases should fall through with an invalid Result
2871 // unless they've already reported an error.
2872 if (ExprType >= CompoundStmt && Tok.is(tok::l_brace)) {
2873 Diag(Tok, diag::ext_gnu_statement_expr);
2874
2875 checkCompoundToken(OpenLoc, tok::l_paren, CompoundToken::StmtExprBegin);
2876
2877 if (!getCurScope()->getFnParent() && !getCurScope()->getBlockParent()) {
2878 Result = ExprError(Diag(OpenLoc, diag::err_stmtexpr_file_scope));
2879 } else {
2880 // Find the nearest non-record decl context. Variables declared in a
2881 // statement expression behave as if they were declared in the enclosing
2882 // function, block, or other code construct.
2883 DeclContext *CodeDC = Actions.CurContext;
2884 while (CodeDC->isRecord() || isa<EnumDecl>(CodeDC)) {
2885 CodeDC = CodeDC->getParent();
2886 assert(CodeDC && !CodeDC->isFileContext() &&(static_cast <bool> (CodeDC && !CodeDC->isFileContext
() && "statement expr not in code context") ? void (0
) : __assert_fail ("CodeDC && !CodeDC->isFileContext() && \"statement expr not in code context\""
, "clang/lib/Parse/ParseExpr.cpp", 2887, __extension__ __PRETTY_FUNCTION__
))
2887 "statement expr not in code context")(static_cast <bool> (CodeDC && !CodeDC->isFileContext
() && "statement expr not in code context") ? void (0
) : __assert_fail ("CodeDC && !CodeDC->isFileContext() && \"statement expr not in code context\""
, "clang/lib/Parse/ParseExpr.cpp", 2887, __extension__ __PRETTY_FUNCTION__
))
;
2888 }
2889 Sema::ContextRAII SavedContext(Actions, CodeDC, /*NewThisContext=*/false);
2890
2891 Actions.ActOnStartStmtExpr();
2892
2893 StmtResult Stmt(ParseCompoundStatement(true));
2894 ExprType = CompoundStmt;
2895
2896 // If the substmt parsed correctly, build the AST node.
2897 if (!Stmt.isInvalid()) {
2898 Result = Actions.ActOnStmtExpr(getCurScope(), OpenLoc, Stmt.get(),
2899 Tok.getLocation());
2900 } else {
2901 Actions.ActOnStmtExprError();
2902 }
2903 }
2904 } else if (ExprType >= CompoundLiteral && BridgeCast) {
2905 tok::TokenKind tokenKind = Tok.getKind();
2906 SourceLocation BridgeKeywordLoc = ConsumeToken();
2907
2908 // Parse an Objective-C ARC ownership cast expression.
2909 ObjCBridgeCastKind Kind;
2910 if (tokenKind == tok::kw___bridge)
2911 Kind = OBC_Bridge;
2912 else if (tokenKind == tok::kw___bridge_transfer)
2913 Kind = OBC_BridgeTransfer;
2914 else if (tokenKind == tok::kw___bridge_retained)
2915 Kind = OBC_BridgeRetained;
2916 else {
2917 // As a hopefully temporary workaround, allow __bridge_retain as
2918 // a synonym for __bridge_retained, but only in system headers.
2919 assert(tokenKind == tok::kw___bridge_retain)(static_cast <bool> (tokenKind == tok::kw___bridge_retain
) ? void (0) : __assert_fail ("tokenKind == tok::kw___bridge_retain"
, "clang/lib/Parse/ParseExpr.cpp", 2919, __extension__ __PRETTY_FUNCTION__
))
;
2920 Kind = OBC_BridgeRetained;
2921 if (!PP.getSourceManager().isInSystemHeader(BridgeKeywordLoc))
2922 Diag(BridgeKeywordLoc, diag::err_arc_bridge_retain)
2923 << FixItHint::CreateReplacement(BridgeKeywordLoc,
2924 "__bridge_retained");
2925 }
2926
2927 TypeResult Ty = ParseTypeName();
2928 T.consumeClose();
2929 ColonProtection.restore();
2930 RParenLoc = T.getCloseLocation();
2931
2932 PreferredType.enterTypeCast(Tok.getLocation(), Ty.get().get());
2933 ExprResult SubExpr = ParseCastExpression(AnyCastExpr);
2934
2935 if (Ty.isInvalid() || SubExpr.isInvalid())
2936 return ExprError();
2937
2938 return Actions.ActOnObjCBridgedCast(getCurScope(), OpenLoc, Kind,
2939 BridgeKeywordLoc, Ty.get(),
2940 RParenLoc, SubExpr.get());
2941 } else if (ExprType >= CompoundLiteral &&
2942 isTypeIdInParens(isAmbiguousTypeId)) {
2943
2944 // Otherwise, this is a compound literal expression or cast expression.
2945
2946 // In C++, if the type-id is ambiguous we disambiguate based on context.
2947 // If stopIfCastExpr is true the context is a typeof/sizeof/alignof
2948 // in which case we should treat it as type-id.
2949 // if stopIfCastExpr is false, we need to determine the context past the
2950 // parens, so we defer to ParseCXXAmbiguousParenExpression for that.
2951 if (isAmbiguousTypeId && !stopIfCastExpr) {
2952 ExprResult res = ParseCXXAmbiguousParenExpression(ExprType, CastTy, T,
2953 ColonProtection);
2954 RParenLoc = T.getCloseLocation();
2955 return res;
2956 }
2957
2958 // Parse the type declarator.
2959 DeclSpec DS(AttrFactory);
2960 ParseSpecifierQualifierList(DS);
2961 Declarator DeclaratorInfo(DS, DeclaratorContext::TypeName);
2962 ParseDeclarator(DeclaratorInfo);
2963
2964 // If our type is followed by an identifier and either ':' or ']', then
2965 // this is probably an Objective-C message send where the leading '[' is
2966 // missing. Recover as if that were the case.
2967 if (!DeclaratorInfo.isInvalidType() && Tok.is(tok::identifier) &&
2968 !InMessageExpression && getLangOpts().ObjC &&
2969 (NextToken().is(tok::colon) || NextToken().is(tok::r_square))) {
2970 TypeResult Ty;
2971 {
2972 InMessageExpressionRAIIObject InMessage(*this, false);
2973 Ty = Actions.ActOnTypeName(getCurScope(), DeclaratorInfo);
2974 }
2975 Result = ParseObjCMessageExpressionBody(SourceLocation(),
2976 SourceLocation(),
2977 Ty.get(), nullptr);
2978 } else {
2979 // Match the ')'.
2980 T.consumeClose();
2981 ColonProtection.restore();
2982 RParenLoc = T.getCloseLocation();
2983 if (Tok.is(tok::l_brace)) {
2984 ExprType = CompoundLiteral;
2985 TypeResult Ty;
2986 {
2987 InMessageExpressionRAIIObject InMessage(*this, false);
2988 Ty = Actions.ActOnTypeName(getCurScope(), DeclaratorInfo);
2989 }
2990 return ParseCompoundLiteralExpression(Ty.get(), OpenLoc, RParenLoc);
2991 }
2992
2993 if (Tok.is(tok::l_paren)) {
2994 // This could be OpenCL vector Literals
2995 if (getLangOpts().OpenCL)
2996 {
2997 TypeResult Ty;
2998 {
2999 InMessageExpressionRAIIObject InMessage(*this, false);
3000 Ty = Actions.ActOnTypeName(getCurScope(), DeclaratorInfo);
3001 }
3002 if(Ty.isInvalid())
3003 {
3004 return ExprError();
3005 }
3006 QualType QT = Ty.get().get().getCanonicalType();
3007 if (QT->isVectorType())
3008 {
3009 // We parsed '(' vector-type-name ')' followed by '('
3010
3011 // Parse the cast-expression that follows it next.
3012 // isVectorLiteral = true will make sure we don't parse any
3013 // Postfix expression yet
3014 Result = ParseCastExpression(/*isUnaryExpression=*/AnyCastExpr,
3015 /*isAddressOfOperand=*/false,
3016 /*isTypeCast=*/IsTypeCast,
3017 /*isVectorLiteral=*/true);
3018
3019 if (!Result.isInvalid()) {
3020 Result = Actions.ActOnCastExpr(getCurScope(), OpenLoc,
3021 DeclaratorInfo, CastTy,
3022 RParenLoc, Result.get());
3023 }
3024
3025 // After we performed the cast we can check for postfix-expr pieces.
3026 if (!Result.isInvalid()) {
3027 Result = ParsePostfixExpressionSuffix(Result);
3028 }
3029
3030 return Result;
3031 }
3032 }
3033 }
3034
3035 if (ExprType == CastExpr) {
3036 // We parsed '(' type-name ')' and the thing after it wasn't a '{'.
3037
3038 if (DeclaratorInfo.isInvalidType())
3039 return ExprError();
3040
3041 // Note that this doesn't parse the subsequent cast-expression, it just
3042 // returns the parsed type to the callee.
3043 if (stopIfCastExpr) {
3044 TypeResult Ty;
3045 {
3046 InMessageExpressionRAIIObject InMessage(*this, false);
3047 Ty = Actions.ActOnTypeName(getCurScope(), DeclaratorInfo);
3048 }
3049 CastTy = Ty.get();
3050 return ExprResult();
3051 }
3052
3053 // Reject the cast of super idiom in ObjC.
3054 if (Tok.is(tok::identifier) && getLangOpts().ObjC &&
3055 Tok.getIdentifierInfo() == Ident_super &&
3056 getCurScope()->isInObjcMethodScope() &&
3057 GetLookAheadToken(1).isNot(tok::period)) {
3058 Diag(Tok.getLocation(), diag::err_illegal_super_cast)
3059 << SourceRange(OpenLoc, RParenLoc);
3060 return ExprError();
3061 }
3062
3063 PreferredType.enterTypeCast(Tok.getLocation(), CastTy.get());
3064 // Parse the cast-expression that follows it next.
3065 // TODO: For cast expression with CastTy.
3066 Result = ParseCastExpression(/*isUnaryExpression=*/AnyCastExpr,
3067 /*isAddressOfOperand=*/false,
3068 /*isTypeCast=*/IsTypeCast);
3069 if (!Result.isInvalid()) {
3070 Result = Actions.ActOnCastExpr(getCurScope(), OpenLoc,
3071 DeclaratorInfo, CastTy,
3072 RParenLoc, Result.get());
3073 }
3074 return Result;
3075 }
3076
3077 Diag(Tok, diag::err_expected_lbrace_in_compound_literal);
3078 return ExprError();
3079 }
3080 } else if (ExprType >= FoldExpr && Tok.is(tok::ellipsis) &&
3081 isFoldOperator(NextToken().getKind())) {
3082 ExprType = FoldExpr;
3083 return ParseFoldExpression(ExprResult(), T);
3084 } else if (isTypeCast) {
3085 // Parse the expression-list.
3086 InMessageExpressionRAIIObject InMessage(*this, false);
3087
3088 ExprVector ArgExprs;
3089 CommaLocsTy CommaLocs;
3090
3091 if (!ParseSimpleExpressionList(ArgExprs, CommaLocs)) {
3092 // FIXME: If we ever support comma expressions as operands to
3093 // fold-expressions, we'll need to allow multiple ArgExprs here.
3094 if (ExprType >= FoldExpr && ArgExprs.size() == 1 &&
3095 isFoldOperator(Tok.getKind()) && NextToken().is(tok::ellipsis)) {
3096 ExprType = FoldExpr;
3097 return ParseFoldExpression(ArgExprs[0], T);
3098 }
3099
3100 ExprType = SimpleExpr;
3101 Result = Actions.ActOnParenListExpr(OpenLoc, Tok.getLocation(),
3102 ArgExprs);
3103 }
3104 } else if (getLangOpts().OpenMP >= 50 && OpenMPDirectiveParsing &&
3105 ExprType == CastExpr && Tok.is(tok::l_square) &&
3106 tryParseOpenMPArrayShapingCastPart()) {
3107 bool ErrorFound = false;
3108 SmallVector<Expr *, 4> OMPDimensions;
3109 SmallVector<SourceRange, 4> OMPBracketsRanges;
3110 do {
3111 BalancedDelimiterTracker TS(*this, tok::l_square);
3112 TS.consumeOpen();
3113 ExprResult NumElements =
3114 Actions.CorrectDelayedTyposInExpr(ParseExpression());
3115 if (!NumElements.isUsable()) {
3116 ErrorFound = true;
3117 while (!SkipUntil(tok::r_square, tok::r_paren,
3118 StopAtSemi | StopBeforeMatch))
3119 ;
3120 }
3121 TS.consumeClose();
3122 OMPDimensions.push_back(NumElements.get());
3123 OMPBracketsRanges.push_back(TS.getRange());
3124 } while (Tok.isNot(tok::r_paren));
3125 // Match the ')'.
3126 T.consumeClose();
3127 RParenLoc = T.getCloseLocation();
3128 Result = Actions.CorrectDelayedTyposInExpr(ParseAssignmentExpression());
3129 if (ErrorFound) {
3130 Result = ExprError();
3131 } else if (!Result.isInvalid()) {
3132 Result = Actions.ActOnOMPArrayShapingExpr(
3133 Result.get(), OpenLoc, RParenLoc, OMPDimensions, OMPBracketsRanges);
3134 }
3135 return Result;
3136 } else {
3137 InMessageExpressionRAIIObject InMessage(*this, false);
3138
3139 Result = ParseExpression(MaybeTypeCast);
3140 if (!getLangOpts().CPlusPlus && MaybeTypeCast && Result.isUsable()) {
3141 // Correct typos in non-C++ code earlier so that implicit-cast-like
3142 // expressions are parsed correctly.
3143 Result = Actions.CorrectDelayedTyposInExpr(Result);
3144 }
3145
3146 if (ExprType >= FoldExpr && isFoldOperator(Tok.getKind()) &&
3147 NextToken().is(tok::ellipsis)) {
3148 ExprType = FoldExpr;
3149 return ParseFoldExpression(Result, T);
3150 }
3151 ExprType = SimpleExpr;
3152
3153 // Don't build a paren expression unless we actually match a ')'.
3154 if (!Result.isInvalid() && Tok.is(tok::r_paren))
3155 Result =
3156 Actions.ActOnParenExpr(OpenLoc, Tok.getLocation(), Result.get());
3157 }
3158
3159 // Match the ')'.
3160 if (Result.isInvalid()) {
3161 SkipUntil(tok::r_paren, StopAtSemi);
3162 return ExprError();
3163 }
3164
3165 T.consumeClose();
3166 RParenLoc = T.getCloseLocation();
3167 return Result;
3168}
3169
3170/// ParseCompoundLiteralExpression - We have parsed the parenthesized type-name
3171/// and we are at the left brace.
3172///
3173/// \verbatim
3174/// postfix-expression: [C99 6.5.2]
3175/// '(' type-name ')' '{' initializer-list '}'
3176/// '(' type-name ')' '{' initializer-list ',' '}'
3177/// \endverbatim
3178ExprResult
3179Parser::ParseCompoundLiteralExpression(ParsedType Ty,
3180 SourceLocation LParenLoc,
3181 SourceLocation RParenLoc) {
3182 assert(Tok.is(tok::l_brace) && "Not a compound literal!")(static_cast <bool> (Tok.is(tok::l_brace) && "Not a compound literal!"
) ? void (0) : __assert_fail ("Tok.is(tok::l_brace) && \"Not a compound literal!\""
, "clang/lib/Parse/ParseExpr.cpp", 3182, __extension__ __PRETTY_FUNCTION__
))
;
3183 if (!getLangOpts().C99) // Compound literals don't exist in C90.
3184 Diag(LParenLoc, diag::ext_c99_compound_literal);
3185 PreferredType.enterTypeCast(Tok.getLocation(), Ty.get());
3186 ExprResult Result = ParseInitializer();
3187 if (!Result.isInvalid() && Ty)
3188 return Actions.ActOnCompoundLiteral(LParenLoc, Ty, RParenLoc, Result.get());
3189 return Result;
3190}
3191
3192/// ParseStringLiteralExpression - This handles the various token types that
3193/// form string literals, and also handles string concatenation [C99 5.1.1.2,
3194/// translation phase #6].
3195///
3196/// \verbatim
3197/// primary-expression: [C99 6.5.1]
3198/// string-literal
3199/// \verbatim
3200ExprResult Parser::ParseStringLiteralExpression(bool AllowUserDefinedLiteral) {
3201 assert(isTokenStringLiteral() && "Not a string literal!")(static_cast <bool> (isTokenStringLiteral() && "Not a string literal!"
) ? void (0) : __assert_fail ("isTokenStringLiteral() && \"Not a string literal!\""
, "clang/lib/Parse/ParseExpr.cpp", 3201, __extension__ __PRETTY_FUNCTION__
))
;
3202
3203 // String concat. Note that keywords like __func__ and __FUNCTION__ are not
3204 // considered to be strings for concatenation purposes.
3205 SmallVector<Token, 4> StringToks;
3206
3207 do {
3208 StringToks.push_back(Tok);
3209 ConsumeStringToken();
3210 } while (isTokenStringLiteral());
3211
3212 // Pass the set of string tokens, ready for concatenation, to the actions.
3213 return Actions.ActOnStringLiteral(StringToks,
3214 AllowUserDefinedLiteral ? getCurScope()
3215 : nullptr);
3216}
3217
3218/// ParseGenericSelectionExpression - Parse a C11 generic-selection
3219/// [C11 6.5.1.1].
3220///
3221/// \verbatim
3222/// generic-selection:
3223/// _Generic ( assignment-expression , generic-assoc-list )
3224/// generic-assoc-list:
3225/// generic-association
3226/// generic-assoc-list , generic-association
3227/// generic-association:
3228/// type-name : assignment-expression
3229/// default : assignment-expression
3230/// \endverbatim
3231ExprResult Parser::ParseGenericSelectionExpression() {
3232 assert(Tok.is(tok::kw__Generic) && "_Generic keyword expected")(static_cast <bool> (Tok.is(tok::kw__Generic) &&
"_Generic keyword expected") ? void (0) : __assert_fail ("Tok.is(tok::kw__Generic) && \"_Generic keyword expected\""
, "clang/lib/Parse/ParseExpr.cpp", 3232, __extension__ __PRETTY_FUNCTION__
))
;
3233 if (!getLangOpts().C11)
3234 Diag(Tok, diag::ext_c11_feature) << Tok.getName();
3235
3236 SourceLocation KeyLoc = ConsumeToken();
3237 BalancedDelimiterTracker T(*this, tok::l_paren);
3238 if (T.expectAndConsume())
3239 return ExprError();
3240
3241 ExprResult ControllingExpr;
3242 {
3243 // C11 6.5.1.1p3 "The controlling expression of a generic selection is
3244 // not evaluated."
3245 EnterExpressionEvaluationContext Unevaluated(
3246 Actions, Sema::ExpressionEvaluationContext::Unevaluated);
3247 ControllingExpr =
3248 Actions.CorrectDelayedTyposInExpr(ParseAssignmentExpression());
3249 if (ControllingExpr.isInvalid()) {
3250 SkipUntil(tok::r_paren, StopAtSemi);
3251 return ExprError();
3252 }
3253 }
3254
3255 if (ExpectAndConsume(tok::comma)) {
3256 SkipUntil(tok::r_paren, StopAtSemi);
3257 return ExprError();
3258 }
3259
3260 SourceLocation DefaultLoc;
3261 TypeVector Types;
3262 ExprVector Exprs;
3263 do {
3264 ParsedType Ty;
3265 if (Tok.is(tok::kw_default)) {
3266 // C11 6.5.1.1p2 "A generic selection shall have no more than one default
3267 // generic association."
3268 if (!DefaultLoc.isInvalid()) {
3269 Diag(Tok, diag::err_duplicate_default_assoc);
3270 Diag(DefaultLoc, diag::note_previous_default_assoc);
3271 SkipUntil(tok::r_paren, StopAtSemi);
3272 return ExprError();
3273 }
3274 DefaultLoc = ConsumeToken();
3275 Ty = nullptr;
3276 } else {
3277 ColonProtectionRAIIObject X(*this);
3278 TypeResult TR = ParseTypeName();
3279 if (TR.isInvalid()) {
3280 SkipUntil(tok::r_paren, StopAtSemi);
3281 return ExprError();
3282 }
3283 Ty = TR.get();
3284 }
3285 Types.push_back(Ty);
3286
3287 if (ExpectAndConsume(tok::colon)) {
3288 SkipUntil(tok::r_paren, StopAtSemi);
3289 return ExprError();
3290 }
3291
3292 // FIXME: These expressions should be parsed in a potentially potentially
3293 // evaluated context.
3294 ExprResult ER(
3295 Actions.CorrectDelayedTyposInExpr(ParseAssignmentExpression()));
3296 if (ER.isInvalid()) {
3297 SkipUntil(tok::r_paren, StopAtSemi);
3298 return ExprError();
3299 }
3300 Exprs.push_back(ER.get());
3301 } while (TryConsumeToken(tok::comma));
3302
3303 T.consumeClose();
3304 if (T.getCloseLocation().isInvalid())
3305 return ExprError();
3306
3307 return Actions.ActOnGenericSelectionExpr(KeyLoc, DefaultLoc,
3308 T.getCloseLocation(),
3309 ControllingExpr.get(),
3310 Types, Exprs);
3311}
3312
3313/// Parse A C++1z fold-expression after the opening paren and optional
3314/// left-hand-side expression.
3315///
3316/// \verbatim
3317/// fold-expression:
3318/// ( cast-expression fold-operator ... )
3319/// ( ... fold-operator cast-expression )
3320/// ( cast-expression fold-operator ... fold-operator cast-expression )
3321ExprResult Parser::ParseFoldExpression(ExprResult LHS,
3322 BalancedDelimiterTracker &T) {
3323 if (LHS.isInvalid()) {
3324 T.skipToEnd();
3325 return true;
3326 }
3327
3328 tok::TokenKind Kind = tok::unknown;
3329 SourceLocation FirstOpLoc;
3330 if (LHS.isUsable()) {
3331 Kind = Tok.getKind();
3332 assert(isFoldOperator(Kind) && "missing fold-operator")(static_cast <bool> (isFoldOperator(Kind) && "missing fold-operator"
) ? void (0) : __assert_fail ("isFoldOperator(Kind) && \"missing fold-operator\""
, "clang/lib/Parse/ParseExpr.cpp", 3332, __extension__ __PRETTY_FUNCTION__
))
;
3333 FirstOpLoc = ConsumeToken();
3334 }
3335
3336 assert(Tok.is(tok::ellipsis) && "not a fold-expression")(static_cast <bool> (Tok.is(tok::ellipsis) && "not a fold-expression"
) ? void (0) : __assert_fail ("Tok.is(tok::ellipsis) && \"not a fold-expression\""
, "clang/lib/Parse/ParseExpr.cpp", 3336, __extension__ __PRETTY_FUNCTION__
))
;
3337 SourceLocation EllipsisLoc = ConsumeToken();
3338
3339 ExprResult RHS;
3340 if (Tok.isNot(tok::r_paren)) {
3341 if (!isFoldOperator(Tok.getKind()))
3342 return Diag(Tok.getLocation(), diag::err_expected_fold_operator);
3343
3344 if (Kind != tok::unknown && Tok.getKind() != Kind)
3345 Diag(Tok.getLocation(), diag::err_fold_operator_mismatch)
3346 << SourceRange(FirstOpLoc);
3347 Kind = Tok.getKind();
3348 ConsumeToken();
3349
3350 RHS = ParseExpression();
3351 if (RHS.isInvalid()) {
3352 T.skipToEnd();
3353 return true;
3354 }
3355 }
3356
3357 Diag(EllipsisLoc, getLangOpts().CPlusPlus17
3358 ? diag::warn_cxx14_compat_fold_expression
3359 : diag::ext_fold_expression);
3360
3361 T.consumeClose();
3362 return Actions.ActOnCXXFoldExpr(getCurScope(), T.getOpenLocation(), LHS.get(),
3363 Kind, EllipsisLoc, RHS.get(),
3364 T.getCloseLocation());
3365}
3366
3367/// ParseExpressionList - Used for C/C++ (argument-)expression-list.
3368///
3369/// \verbatim
3370/// argument-expression-list:
3371/// assignment-expression
3372/// argument-expression-list , assignment-expression
3373///
3374/// [C++] expression-list:
3375/// [C++] assignment-expression
3376/// [C++] expression-list , assignment-expression
3377///
3378/// [C++0x] expression-list:
3379/// [C++0x] initializer-list
3380///
3381/// [C++0x] initializer-list
3382/// [C++0x] initializer-clause ...[opt]
3383/// [C++0x] initializer-list , initializer-clause ...[opt]
3384///
3385/// [C++0x] initializer-clause:
3386/// [C++0x] assignment-expression
3387/// [C++0x] braced-init-list
3388/// \endverbatim
3389bool Parser::ParseExpressionList(SmallVectorImpl<Expr *> &Exprs,
3390 SmallVectorImpl<SourceLocation> &CommaLocs,
3391 llvm::function_ref<void()> ExpressionStarts,
3392 bool FailImmediatelyOnInvalidExpr,
3393 bool EarlyTypoCorrection) {
3394 bool SawError = false;
3395 while (true) {
3396 if (ExpressionStarts)
3397 ExpressionStarts();
3398
3399 ExprResult Expr;
3400 if (getLangOpts().CPlusPlus11 && Tok.is(tok::l_brace)) {
3401 Diag(Tok, diag::warn_cxx98_compat_generalized_initializer_lists);
3402 Expr = ParseBraceInitializer();
3403 } else
3404 Expr = ParseAssignmentExpression();
3405
3406 if (EarlyTypoCorrection)
3407 Expr = Actions.CorrectDelayedTyposInExpr(Expr);
3408
3409 if (Tok.is(tok::ellipsis))
3410 Expr = Actions.ActOnPackExpansion(Expr.get(), ConsumeToken());
3411 else if (Tok.is(tok::code_completion)) {
3412 // There's nothing to suggest in here as we parsed a full expression.
3413 // Instead fail and propogate the error since caller might have something
3414 // the suggest, e.g. signature help in function call. Note that this is
3415 // performed before pushing the \p Expr, so that signature help can report
3416 // current argument correctly.
3417 SawError = true;
3418 cutOffParsing();
3419 break;
3420 }
3421 if (Expr.isInvalid()) {
3422 SawError = true;
3423 if (FailImmediatelyOnInvalidExpr)
3424 break;
3425 SkipUntil(tok::comma, tok::r_paren, StopBeforeMatch);
3426 } else {
3427 Exprs.push_back(Expr.get());
3428 }
3429
3430 if (Tok.isNot(tok::comma))
3431 break;
3432 // Move to the next argument, remember where the comma was.
3433 Token Comma = Tok;
3434 CommaLocs.push_back(ConsumeToken());
3435
3436 checkPotentialAngleBracketDelimiter(Comma);
3437 }
3438 if (SawError) {
3439 // Ensure typos get diagnosed when errors were encountered while parsing the
3440 // expression list.
3441 for (auto &E : Exprs) {
3442 ExprResult Expr = Actions.CorrectDelayedTyposInExpr(E);
3443 if (Expr.isUsable()) E = Expr.get();
3444 }
3445 }
3446 return SawError;
3447}
3448
3449/// ParseSimpleExpressionList - A simple comma-separated list of expressions,
3450/// used for misc language extensions.
3451///
3452/// \verbatim
3453/// simple-expression-list:
3454/// assignment-expression
3455/// simple-expression-list , assignment-expression
3456/// \endverbatim
3457bool
3458Parser::ParseSimpleExpressionList(SmallVectorImpl<Expr*> &Exprs,
3459 SmallVectorImpl<SourceLocation> &CommaLocs) {
3460 while (true) {
3461 ExprResult Expr = ParseAssignmentExpression();
3462 if (Expr.isInvalid())
3463 return true;
3464
3465 Exprs.push_back(Expr.get());
3466
3467 if (Tok.isNot(tok::comma))
3468 return false;
3469
3470 // Move to the next argument, remember where the comma was.
3471 Token Comma = Tok;
3472 CommaLocs.push_back(ConsumeToken());
3473
3474 checkPotentialAngleBracketDelimiter(Comma);
3475 }
3476}
3477
3478/// ParseBlockId - Parse a block-id, which roughly looks like int (int x).
3479///
3480/// \verbatim
3481/// [clang] block-id:
3482/// [clang] specifier-qualifier-list block-declarator
3483/// \endverbatim
3484void Parser::ParseBlockId(SourceLocation CaretLoc) {
3485 if (Tok.is(tok::code_completion)) {
3486 cutOffParsing();
3487 Actions.CodeCompleteOrdinaryName(getCurScope(), Sema::PCC_Type);
3488 return;
3489 }
3490
3491 // Parse the specifier-qualifier-list piece.
3492 DeclSpec DS(AttrFactory);
3493 ParseSpecifierQualifierList(DS);
3494
3495 // Parse the block-declarator.
3496 Declarator DeclaratorInfo(DS, DeclaratorContext::BlockLiteral);
3497 DeclaratorInfo.setFunctionDefinitionKind(FunctionDefinitionKind::Definition);
3498 ParseDeclarator(DeclaratorInfo);
3499
3500 MaybeParseGNUAttributes(DeclaratorInfo);
3501
3502 // Inform sema that we are starting a block.
3503 Actions.ActOnBlockArguments(CaretLoc, DeclaratorInfo, getCurScope());
3504}
3505
3506/// ParseBlockLiteralExpression - Parse a block literal, which roughly looks
3507/// like ^(int x){ return x+1; }
3508///
3509/// \verbatim
3510/// block-literal:
3511/// [clang] '^' block-args[opt] compound-statement
3512/// [clang] '^' block-id compound-statement
3513/// [clang] block-args:
3514/// [clang] '(' parameter-list ')'
3515/// \endverbatim
3516ExprResult Parser::ParseBlockLiteralExpression() {
3517 assert(Tok.is(tok::caret) && "block literal starts with ^")(static_cast <bool> (Tok.is(tok::caret) && "block literal starts with ^"
) ? void (0) : __assert_fail ("Tok.is(tok::caret) && \"block literal starts with ^\""
, "clang/lib/Parse/ParseExpr.cpp", 3517, __extension__ __PRETTY_FUNCTION__
))
;
3518 SourceLocation CaretLoc = ConsumeToken();
3519
3520 PrettyStackTraceLoc CrashInfo(PP.getSourceManager(), CaretLoc,
3521 "block literal parsing");
3522
3523 // Enter a scope to hold everything within the block. This includes the
3524 // argument decls, decls within the compound expression, etc. This also
3525 // allows determining whether a variable reference inside the block is
3526 // within or outside of the block.
3527 ParseScope BlockScope(this, Scope::BlockScope | Scope::FnScope |
3528 Scope::CompoundStmtScope | Scope::DeclScope);
3529
3530 // Inform sema that we are starting a block.
3531 Actions.ActOnBlockStart(CaretLoc, getCurScope());
3532
3533 // Parse the return type if present.
3534 DeclSpec DS(AttrFactory);
3535 Declarator ParamInfo(DS, DeclaratorContext::BlockLiteral);
3536 ParamInfo.setFunctionDefinitionKind(FunctionDefinitionKind::Definition);
3537 // FIXME: Since the return type isn't actually parsed, it can't be used to
3538 // fill ParamInfo with an initial valid range, so do it manually.
3539 ParamInfo.SetSourceRange(SourceRange(Tok.getLocation(), Tok.getLocation()));
3540
3541 // If this block has arguments, parse them. There is no ambiguity here with
3542 // the expression case, because the expression case requires a parameter list.
3543 if (Tok.is(tok::l_paren)) {
3544 ParseParenDeclarator(ParamInfo);
3545 // Parse the pieces after the identifier as if we had "int(...)".
3546 // SetIdentifier sets the source range end, but in this case we're past
3547 // that location.
3548 SourceLocation Tmp = ParamInfo.getSourceRange().getEnd();
3549 ParamInfo.SetIdentifier(nullptr, CaretLoc);
3550 ParamInfo.SetRangeEnd(Tmp);
3551 if (ParamInfo.isInvalidType()) {
3552 // If there was an error parsing the arguments, they may have
3553 // tried to use ^(x+y) which requires an argument list. Just
3554 // skip the whole block literal.
3555 Actions.ActOnBlockError(CaretLoc, getCurScope());
3556 return ExprError();
3557 }
3558
3559 MaybeParseGNUAttributes(ParamInfo);
3560
3561 // Inform sema that we are starting a block.
3562 Actions.ActOnBlockArguments(CaretLoc, ParamInfo, getCurScope());
3563 } else if (!Tok.is(tok::l_brace)) {
3564 ParseBlockId(CaretLoc);
3565 } else {
3566 // Otherwise, pretend we saw (void).
3567 SourceLocation NoLoc;
3568 ParamInfo.AddTypeInfo(
3569 DeclaratorChunk::getFunction(/*HasProto=*/true,
3570 /*IsAmbiguous=*/false,
3571 /*RParenLoc=*/NoLoc,
3572 /*ArgInfo=*/nullptr,
3573 /*NumParams=*/0,
3574 /*EllipsisLoc=*/NoLoc,
3575 /*RParenLoc=*/NoLoc,
3576 /*RefQualifierIsLvalueRef=*/true,
3577 /*RefQualifierLoc=*/NoLoc,
3578 /*MutableLoc=*/NoLoc, EST_None,
3579 /*ESpecRange=*/SourceRange(),
3580 /*Exceptions=*/nullptr,
3581 /*ExceptionRanges=*/nullptr,
3582 /*NumExceptions=*/0,
3583 /*NoexceptExpr=*/nullptr,
3584 /*ExceptionSpecTokens=*/nullptr,
3585 /*DeclsInPrototype=*/None, CaretLoc,
3586 CaretLoc, ParamInfo),
3587 CaretLoc);
3588
3589 MaybeParseGNUAttributes(ParamInfo);
3590
3591 // Inform sema that we are starting a block.
3592 Actions.ActOnBlockArguments(CaretLoc, ParamInfo, getCurScope());
3593 }
3594
3595
3596 ExprResult Result(true);
3597 if (!Tok.is(tok::l_brace)) {
3598 // Saw something like: ^expr
3599 Diag(Tok, diag::err_expected_expression);
3600 Actions.ActOnBlockError(CaretLoc, getCurScope());
3601 return ExprError();
3602 }
3603
3604 StmtResult Stmt(ParseCompoundStatementBody());
3605 BlockScope.Exit();
3606 if (!Stmt.isInvalid())
3607 Result = Actions.ActOnBlockStmtExpr(CaretLoc, Stmt.get(), getCurScope());
3608 else
3609 Actions.ActOnBlockError(CaretLoc, getCurScope());
3610 return Result;
3611}
3612
3613/// ParseObjCBoolLiteral - This handles the objective-c Boolean literals.
3614///
3615/// '__objc_yes'
3616/// '__objc_no'
3617ExprResult Parser::ParseObjCBoolLiteral() {
3618 tok::TokenKind Kind = Tok.getKind();
3619 return Actions.ActOnObjCBoolLiteral(ConsumeToken(), Kind);
3620}
3621
3622/// Validate availability spec list, emitting diagnostics if necessary. Returns
3623/// true if invalid.
3624static bool CheckAvailabilitySpecList(Parser &P,
3625 ArrayRef<AvailabilitySpec> AvailSpecs) {
3626 llvm::SmallSet<StringRef, 4> Platforms;
3627 bool HasOtherPlatformSpec = false;
3628 bool Valid = true;
3629 for (const auto &Spec : AvailSpecs) {
3630 if (Spec.isOtherPlatformSpec()) {
3631 if (HasOtherPlatformSpec) {
3632 P.Diag(Spec.getBeginLoc(), diag::err_availability_query_repeated_star);
3633 Valid = false;
3634 }
3635
3636 HasOtherPlatformSpec = true;
3637 continue;
3638 }
3639
3640 bool Inserted = Platforms.insert(Spec.getPlatform()).second;
3641 if (!Inserted) {
3642 // Rule out multiple version specs referring to the same platform.
3643 // For example, we emit an error for:
3644 // @available(macos 10.10, macos 10.11, *)
3645 StringRef Platform = Spec.getPlatform();
3646 P.Diag(Spec.getBeginLoc(), diag::err_availability_query_repeated_platform)
3647 << Spec.getEndLoc() << Platform;
3648 Valid = false;
3649 }
3650 }
3651
3652 if (!HasOtherPlatformSpec) {
3653 SourceLocation InsertWildcardLoc = AvailSpecs.back().getEndLoc();
3654 P.Diag(InsertWildcardLoc, diag::err_availability_query_wildcard_required)
3655 << FixItHint::CreateInsertion(InsertWildcardLoc, ", *");
3656 return true;
3657 }
3658
3659 return !Valid;
3660}
3661
3662/// Parse availability query specification.
3663///
3664/// availability-spec:
3665/// '*'
3666/// identifier version-tuple
3667Optional<AvailabilitySpec> Parser::ParseAvailabilitySpec() {
3668 if (Tok.is(tok::star)) {
3669 return AvailabilitySpec(ConsumeToken());
3670 } else {
3671 // Parse the platform name.
3672 if (Tok.is(tok::code_completion)) {
3673 cutOffParsing();
3674 Actions.CodeCompleteAvailabilityPlatformName();
3675 return None;
3676 }
3677 if (Tok.isNot(tok::identifier)) {
3678 Diag(Tok, diag::err_avail_query_expected_platform_name);
3679 return None;
3680 }
3681
3682 IdentifierLoc *PlatformIdentifier = ParseIdentifierLoc();
3683 SourceRange VersionRange;
3684 VersionTuple Version = ParseVersionTuple(VersionRange);
3685
3686 if (Version.empty())
3687 return None;
3688
3689 StringRef GivenPlatform = PlatformIdentifier->Ident->getName();
3690 StringRef Platform =
3691 AvailabilityAttr::canonicalizePlatformName(GivenPlatform);
3692
3693 if (AvailabilityAttr::getPrettyPlatformName(Platform).empty()) {
3694 Diag(PlatformIdentifier->Loc,
3695 diag::err_avail_query_unrecognized_platform_name)
3696 << GivenPlatform;
3697 return None;
3698 }
3699
3700 return AvailabilitySpec(Version, Platform, PlatformIdentifier->Loc,
3701 VersionRange.getEnd());
3702 }
3703}
3704
3705ExprResult Parser::ParseAvailabilityCheckExpr(SourceLocation BeginLoc) {
3706 assert(Tok.is(tok::kw___builtin_available) ||(static_cast <bool> (Tok.is(tok::kw___builtin_available
) || Tok.isObjCAtKeyword(tok::objc_available)) ? void (0) : __assert_fail
("Tok.is(tok::kw___builtin_available) || Tok.isObjCAtKeyword(tok::objc_available)"
, "clang/lib/Parse/ParseExpr.cpp", 3707, __extension__ __PRETTY_FUNCTION__
))
3707 Tok.isObjCAtKeyword(tok::objc_available))(static_cast <bool> (Tok.is(tok::kw___builtin_available
) || Tok.isObjCAtKeyword(tok::objc_available)) ? void (0) : __assert_fail
("Tok.is(tok::kw___builtin_available) || Tok.isObjCAtKeyword(tok::objc_available)"
, "clang/lib/Parse/ParseExpr.cpp", 3707, __extension__ __PRETTY_FUNCTION__
))
;
3708
3709 // Eat the available or __builtin_available.
3710 ConsumeToken();
3711
3712 BalancedDelimiterTracker Parens(*this, tok::l_paren);
3713 if (Parens.expectAndConsume())
3714 return ExprError();
3715
3716 SmallVector<AvailabilitySpec, 4> AvailSpecs;
3717 bool HasError = false;
3718 while (true) {
3719 Optional<AvailabilitySpec> Spec = ParseAvailabilitySpec();
3720 if (!Spec)
3721 HasError = true;
3722 else
3723 AvailSpecs.push_back(*Spec);
3724
3725 if (!TryConsumeToken(tok::comma))
3726 break;
3727 }
3728
3729 if (HasError) {
3730 SkipUntil(tok::r_paren, StopAtSemi);
3731 return ExprError();
3732 }
3733
3734 CheckAvailabilitySpecList(*this, AvailSpecs);
3735
3736 if (Parens.consumeClose())
3737 return ExprError();
3738
3739 return Actions.ActOnObjCAvailabilityCheckExpr(AvailSpecs, BeginLoc,
3740 Parens.getCloseLocation());
3741}