1 //===--- TokenAnnotator.cpp - Format C++ code -----------------------------===//
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 /// This file implements a token annotator, i.e. creates
11 /// \c AnnotatedTokens out of \c FormatTokens with required extra information.
12 ///
13 //===----------------------------------------------------------------------===//
14 
15 #include "TokenAnnotator.h"
16 #include "FormatToken.h"
17 #include "clang/Basic/SourceManager.h"
18 #include "clang/Basic/TokenKinds.h"
19 #include "llvm/ADT/SmallPtrSet.h"
20 #include "llvm/Support/Debug.h"
21 
22 #define DEBUG_TYPE "format-token-annotator"
23 
24 namespace clang {
25 namespace format {
26 
27 namespace {
28 
29 /// Returns \c true if the token can be used as an identifier in
30 /// an Objective-C \c \@selector, \c false otherwise.
31 ///
32 /// Because getFormattingLangOpts() always lexes source code as
33 /// Objective-C++, C++ keywords like \c new and \c delete are
34 /// lexed as tok::kw_*, not tok::identifier, even for Objective-C.
35 ///
36 /// For Objective-C and Objective-C++, both identifiers and keywords
37 /// are valid inside @selector(...) (or a macro which
38 /// invokes @selector(...)). So, we allow treat any identifier or
39 /// keyword as a potential Objective-C selector component.
40 static bool canBeObjCSelectorComponent(const FormatToken &Tok) {
41   return Tok.Tok.getIdentifierInfo() != nullptr;
42 }
43 
44 /// With `Left` being '(', check if we're at either `[...](` or
45 /// `[...]<...>(`, where the [ opens a lambda capture list.
46 static bool isLambdaParameterList(const FormatToken *Left) {
47   // Skip <...> if present.
48   if (Left->Previous && Left->Previous->is(tok::greater) &&
49       Left->Previous->MatchingParen &&
50       Left->Previous->MatchingParen->is(TT_TemplateOpener))
51     Left = Left->Previous->MatchingParen;
52 
53   // Check for `[...]`.
54   return Left->Previous && Left->Previous->is(tok::r_square) &&
55          Left->Previous->MatchingParen &&
56          Left->Previous->MatchingParen->is(TT_LambdaLSquare);
57 }
58 
59 /// Returns \c true if the token is followed by a boolean condition, \c false
60 /// otherwise.
61 static bool isKeywordWithCondition(const FormatToken &Tok) {
62   return Tok.isOneOf(tok::kw_if, tok::kw_for, tok::kw_while, tok::kw_switch,
63                      tok::kw_constexpr, tok::kw_catch);
64 }
65 
66 /// A parser that gathers additional information about tokens.
67 ///
68 /// The \c TokenAnnotator tries to match parenthesis and square brakets and
69 /// store a parenthesis levels. It also tries to resolve matching "<" and ">"
70 /// into template parameter lists.
71 class AnnotatingParser {
72 public:
73   AnnotatingParser(const FormatStyle &Style, AnnotatedLine &Line,
74                    const AdditionalKeywords &Keywords)
75       : Style(Style), Line(Line), CurrentToken(Line.First), AutoFound(false),
76         Keywords(Keywords) {
77     Contexts.push_back(Context(tok::unknown, 1, /*IsExpression=*/false));
78     resetTokenMetadata(CurrentToken);
79   }
80 
81 private:
82   bool parseAngle() {
83     if (!CurrentToken || !CurrentToken->Previous)
84       return false;
85     if (NonTemplateLess.count(CurrentToken->Previous))
86       return false;
87 
88     const FormatToken &Previous = *CurrentToken->Previous; // The '<'.
89     if (Previous.Previous) {
90       if (Previous.Previous->Tok.isLiteral())
91         return false;
92       if (Previous.Previous->is(tok::r_paren) && Contexts.size() > 1 &&
93           (!Previous.Previous->MatchingParen ||
94            !Previous.Previous->MatchingParen->is(TT_OverloadedOperatorLParen)))
95         return false;
96     }
97 
98     FormatToken *Left = CurrentToken->Previous;
99     Left->ParentBracket = Contexts.back().ContextKind;
100     ScopedContextCreator ContextCreator(*this, tok::less, 12);
101 
102     // If this angle is in the context of an expression, we need to be more
103     // hesitant to detect it as opening template parameters.
104     bool InExprContext = Contexts.back().IsExpression;
105 
106     Contexts.back().IsExpression = false;
107     // If there's a template keyword before the opening angle bracket, this is a
108     // template parameter, not an argument.
109     Contexts.back().InTemplateArgument =
110         Left->Previous && Left->Previous->Tok.isNot(tok::kw_template);
111 
112     if (Style.Language == FormatStyle::LK_Java &&
113         CurrentToken->is(tok::question))
114       next();
115 
116     while (CurrentToken) {
117       if (CurrentToken->is(tok::greater)) {
118         // Try to do a better job at looking for ">>" within the condition of
119         // a statement. Conservatively insert spaces between consecutive ">"
120         // tokens to prevent splitting right bitshift operators and potentially
121         // altering program semantics. This check is overly conservative and
122         // will prevent spaces from being inserted in select nested template
123         // parameter cases, but should not alter program semantics.
124         if (CurrentToken->Next && CurrentToken->Next->is(tok::greater) &&
125             Left->ParentBracket != tok::less &&
126             (isKeywordWithCondition(*Line.First) ||
127              CurrentToken->getStartOfNonWhitespace() ==
128                  CurrentToken->Next->getStartOfNonWhitespace().getLocWithOffset(
129                      -1)))
130           return false;
131         Left->MatchingParen = CurrentToken;
132         CurrentToken->MatchingParen = Left;
133         // In TT_Proto, we must distignuish between:
134         //   map<key, value>
135         //   msg < item: data >
136         //   msg: < item: data >
137         // In TT_TextProto, map<key, value> does not occur.
138         if (Style.Language == FormatStyle::LK_TextProto ||
139             (Style.Language == FormatStyle::LK_Proto && Left->Previous &&
140              Left->Previous->isOneOf(TT_SelectorName, TT_DictLiteral)))
141           CurrentToken->setType(TT_DictLiteral);
142         else
143           CurrentToken->setType(TT_TemplateCloser);
144         next();
145         return true;
146       }
147       if (CurrentToken->is(tok::question) &&
148           Style.Language == FormatStyle::LK_Java) {
149         next();
150         continue;
151       }
152       if (CurrentToken->isOneOf(tok::r_paren, tok::r_square, tok::r_brace) ||
153           (CurrentToken->isOneOf(tok::colon, tok::question) && InExprContext &&
154            !Style.isCSharp() && Style.Language != FormatStyle::LK_Proto &&
155            Style.Language != FormatStyle::LK_TextProto))
156         return false;
157       // If a && or || is found and interpreted as a binary operator, this set
158       // of angles is likely part of something like "a < b && c > d". If the
159       // angles are inside an expression, the ||/&& might also be a binary
160       // operator that was misinterpreted because we are parsing template
161       // parameters.
162       // FIXME: This is getting out of hand, write a decent parser.
163       if (CurrentToken->Previous->isOneOf(tok::pipepipe, tok::ampamp) &&
164           CurrentToken->Previous->is(TT_BinaryOperator) &&
165           Contexts[Contexts.size() - 2].IsExpression &&
166           !Line.startsWith(tok::kw_template))
167         return false;
168       updateParameterCount(Left, CurrentToken);
169       if (Style.Language == FormatStyle::LK_Proto) {
170         if (FormatToken *Previous = CurrentToken->getPreviousNonComment()) {
171           if (CurrentToken->is(tok::colon) ||
172               (CurrentToken->isOneOf(tok::l_brace, tok::less) &&
173                Previous->isNot(tok::colon)))
174             Previous->setType(TT_SelectorName);
175         }
176       }
177       if (!consumeToken())
178         return false;
179     }
180     return false;
181   }
182 
183   bool parseUntouchableParens() {
184     while (CurrentToken) {
185       CurrentToken->Finalized = true;
186       switch (CurrentToken->Tok.getKind()) {
187       case tok::l_paren:
188         next();
189         if (!parseUntouchableParens())
190           return false;
191         continue;
192       case tok::r_paren:
193         next();
194         return true;
195       default:
196         // no-op
197         break;
198       }
199       next();
200     }
201     return false;
202   }
203 
204   bool parseParens(bool LookForDecls = false) {
205     if (!CurrentToken)
206       return false;
207     FormatToken *Left = CurrentToken->Previous;
208     assert(Left && "Unknown previous token");
209     FormatToken *PrevNonComment = Left->getPreviousNonComment();
210     Left->ParentBracket = Contexts.back().ContextKind;
211     ScopedContextCreator ContextCreator(*this, tok::l_paren, 1);
212 
213     // FIXME: This is a bit of a hack. Do better.
214     Contexts.back().ColonIsForRangeExpr =
215         Contexts.size() == 2 && Contexts[0].ColonIsForRangeExpr;
216 
217     if (Left->Previous && Left->Previous->is(TT_UntouchableMacroFunc)) {
218       Left->Finalized = true;
219       return parseUntouchableParens();
220     }
221 
222     bool StartsObjCMethodExpr = false;
223     if (FormatToken *MaybeSel = Left->Previous) {
224       // @selector( starts a selector.
225       if (MaybeSel->isObjCAtKeyword(tok::objc_selector) && MaybeSel->Previous &&
226           MaybeSel->Previous->is(tok::at)) {
227         StartsObjCMethodExpr = true;
228       }
229     }
230 
231     if (Left->is(TT_OverloadedOperatorLParen)) {
232       // Find the previous kw_operator token.
233       FormatToken *Prev = Left;
234       while (!Prev->is(tok::kw_operator)) {
235         Prev = Prev->Previous;
236         assert(Prev && "Expect a kw_operator prior to the OperatorLParen!");
237       }
238 
239       // If faced with "a.operator*(argument)" or "a->operator*(argument)",
240       // i.e. the operator is called as a member function,
241       // then the argument must be an expression.
242       bool OperatorCalledAsMemberFunction =
243           Prev->Previous && Prev->Previous->isOneOf(tok::period, tok::arrow);
244       Contexts.back().IsExpression = OperatorCalledAsMemberFunction;
245     } else if (Style.Language == FormatStyle::LK_JavaScript &&
246                (Line.startsWith(Keywords.kw_type, tok::identifier) ||
247                 Line.startsWith(tok::kw_export, Keywords.kw_type,
248                                 tok::identifier))) {
249       // type X = (...);
250       // export type X = (...);
251       Contexts.back().IsExpression = false;
252     } else if (Left->Previous &&
253                (Left->Previous->isOneOf(tok::kw_static_assert, tok::kw_while,
254                                         tok::l_paren, tok::comma) ||
255                 Left->Previous->isIf() ||
256                 Left->Previous->is(TT_BinaryOperator))) {
257       // static_assert, if and while usually contain expressions.
258       Contexts.back().IsExpression = true;
259     } else if (Style.Language == FormatStyle::LK_JavaScript && Left->Previous &&
260                (Left->Previous->is(Keywords.kw_function) ||
261                 (Left->Previous->endsSequence(tok::identifier,
262                                               Keywords.kw_function)))) {
263       // function(...) or function f(...)
264       Contexts.back().IsExpression = false;
265     } else if (Style.Language == FormatStyle::LK_JavaScript && Left->Previous &&
266                Left->Previous->is(TT_JsTypeColon)) {
267       // let x: (SomeType);
268       Contexts.back().IsExpression = false;
269     } else if (isLambdaParameterList(Left)) {
270       // This is a parameter list of a lambda expression.
271       Contexts.back().IsExpression = false;
272     } else if (Line.InPPDirective &&
273                (!Left->Previous || !Left->Previous->is(tok::identifier))) {
274       Contexts.back().IsExpression = true;
275     } else if (Contexts[Contexts.size() - 2].CaretFound) {
276       // This is the parameter list of an ObjC block.
277       Contexts.back().IsExpression = false;
278     } else if (Left->Previous && Left->Previous->is(TT_ForEachMacro)) {
279       // The first argument to a foreach macro is a declaration.
280       Contexts.back().IsForEachMacro = true;
281       Contexts.back().IsExpression = false;
282     } else if (Left->Previous && Left->Previous->MatchingParen &&
283                Left->Previous->MatchingParen->is(TT_ObjCBlockLParen)) {
284       Contexts.back().IsExpression = false;
285     } else if (!Line.MustBeDeclaration && !Line.InPPDirective) {
286       bool IsForOrCatch =
287           Left->Previous && Left->Previous->isOneOf(tok::kw_for, tok::kw_catch);
288       Contexts.back().IsExpression = !IsForOrCatch;
289     }
290 
291     // Infer the role of the l_paren based on the previous token if we haven't
292     // detected one one yet.
293     if (PrevNonComment && Left->is(TT_Unknown)) {
294       if (PrevNonComment->is(tok::kw___attribute)) {
295         Left->setType(TT_AttributeParen);
296       } else if (PrevNonComment->isOneOf(TT_TypenameMacro, tok::kw_decltype,
297                                          tok::kw_typeof, tok::kw__Atomic,
298                                          tok::kw___underlying_type)) {
299         Left->setType(TT_TypeDeclarationParen);
300         // decltype() and typeof() usually contain expressions.
301         if (PrevNonComment->isOneOf(tok::kw_decltype, tok::kw_typeof))
302           Contexts.back().IsExpression = true;
303       }
304     }
305 
306     if (StartsObjCMethodExpr) {
307       Contexts.back().ColonIsObjCMethodExpr = true;
308       Left->setType(TT_ObjCMethodExpr);
309     }
310 
311     // MightBeFunctionType and ProbablyFunctionType are used for
312     // function pointer and reference types as well as Objective-C
313     // block types:
314     //
315     // void (*FunctionPointer)(void);
316     // void (&FunctionReference)(void);
317     // void (&&FunctionReference)(void);
318     // void (^ObjCBlock)(void);
319     bool MightBeFunctionType = !Contexts[Contexts.size() - 2].IsExpression;
320     bool ProbablyFunctionType =
321         CurrentToken->isOneOf(tok::star, tok::amp, tok::ampamp, tok::caret);
322     bool HasMultipleLines = false;
323     bool HasMultipleParametersOnALine = false;
324     bool MightBeObjCForRangeLoop =
325         Left->Previous && Left->Previous->is(tok::kw_for);
326     FormatToken *PossibleObjCForInToken = nullptr;
327     while (CurrentToken) {
328       // LookForDecls is set when "if (" has been seen. Check for
329       // 'identifier' '*' 'identifier' followed by not '=' -- this
330       // '*' has to be a binary operator but determineStarAmpUsage() will
331       // categorize it as an unary operator, so set the right type here.
332       if (LookForDecls && CurrentToken->Next) {
333         FormatToken *Prev = CurrentToken->getPreviousNonComment();
334         if (Prev) {
335           FormatToken *PrevPrev = Prev->getPreviousNonComment();
336           FormatToken *Next = CurrentToken->Next;
337           if (PrevPrev && PrevPrev->is(tok::identifier) &&
338               Prev->isOneOf(tok::star, tok::amp, tok::ampamp) &&
339               CurrentToken->is(tok::identifier) && Next->isNot(tok::equal)) {
340             Prev->setType(TT_BinaryOperator);
341             LookForDecls = false;
342           }
343         }
344       }
345 
346       if (CurrentToken->Previous->is(TT_PointerOrReference) &&
347           CurrentToken->Previous->Previous->isOneOf(tok::l_paren,
348                                                     tok::coloncolon))
349         ProbablyFunctionType = true;
350       if (CurrentToken->is(tok::comma))
351         MightBeFunctionType = false;
352       if (CurrentToken->Previous->is(TT_BinaryOperator))
353         Contexts.back().IsExpression = true;
354       if (CurrentToken->is(tok::r_paren)) {
355         if (MightBeFunctionType && ProbablyFunctionType && CurrentToken->Next &&
356             (CurrentToken->Next->is(tok::l_paren) ||
357              (CurrentToken->Next->is(tok::l_square) && Line.MustBeDeclaration)))
358           Left->setType(Left->Next->is(tok::caret) ? TT_ObjCBlockLParen
359                                                    : TT_FunctionTypeLParen);
360         Left->MatchingParen = CurrentToken;
361         CurrentToken->MatchingParen = Left;
362 
363         if (CurrentToken->Next && CurrentToken->Next->is(tok::l_brace) &&
364             Left->Previous && Left->Previous->is(tok::l_paren)) {
365           // Detect the case where macros are used to generate lambdas or
366           // function bodies, e.g.:
367           //   auto my_lambda = MACRO((Type *type, int i) { .. body .. });
368           for (FormatToken *Tok = Left; Tok != CurrentToken; Tok = Tok->Next) {
369             if (Tok->is(TT_BinaryOperator) &&
370                 Tok->isOneOf(tok::star, tok::amp, tok::ampamp))
371               Tok->setType(TT_PointerOrReference);
372           }
373         }
374 
375         if (StartsObjCMethodExpr) {
376           CurrentToken->setType(TT_ObjCMethodExpr);
377           if (Contexts.back().FirstObjCSelectorName) {
378             Contexts.back().FirstObjCSelectorName->LongestObjCSelectorName =
379                 Contexts.back().LongestObjCSelectorName;
380           }
381         }
382 
383         if (Left->is(TT_AttributeParen))
384           CurrentToken->setType(TT_AttributeParen);
385         if (Left->is(TT_TypeDeclarationParen))
386           CurrentToken->setType(TT_TypeDeclarationParen);
387         if (Left->Previous && Left->Previous->is(TT_JavaAnnotation))
388           CurrentToken->setType(TT_JavaAnnotation);
389         if (Left->Previous && Left->Previous->is(TT_LeadingJavaAnnotation))
390           CurrentToken->setType(TT_LeadingJavaAnnotation);
391         if (Left->Previous && Left->Previous->is(TT_AttributeSquare))
392           CurrentToken->setType(TT_AttributeSquare);
393 
394         if (!HasMultipleLines)
395           Left->setPackingKind(PPK_Inconclusive);
396         else if (HasMultipleParametersOnALine)
397           Left->setPackingKind(PPK_BinPacked);
398         else
399           Left->setPackingKind(PPK_OnePerLine);
400 
401         next();
402         return true;
403       }
404       if (CurrentToken->isOneOf(tok::r_square, tok::r_brace))
405         return false;
406 
407       if (CurrentToken->is(tok::l_brace))
408         Left->setType(TT_Unknown); // Not TT_ObjCBlockLParen
409       if (CurrentToken->is(tok::comma) && CurrentToken->Next &&
410           !CurrentToken->Next->HasUnescapedNewline &&
411           !CurrentToken->Next->isTrailingComment())
412         HasMultipleParametersOnALine = true;
413       bool ProbablyFunctionTypeLParen =
414           (CurrentToken->is(tok::l_paren) && CurrentToken->Next &&
415            CurrentToken->Next->isOneOf(tok::star, tok::amp, tok::caret));
416       if ((CurrentToken->Previous->isOneOf(tok::kw_const, tok::kw_auto) ||
417            CurrentToken->Previous->isSimpleTypeSpecifier()) &&
418           !(CurrentToken->is(tok::l_brace) ||
419             (CurrentToken->is(tok::l_paren) && !ProbablyFunctionTypeLParen)))
420         Contexts.back().IsExpression = false;
421       if (CurrentToken->isOneOf(tok::semi, tok::colon)) {
422         MightBeObjCForRangeLoop = false;
423         if (PossibleObjCForInToken) {
424           PossibleObjCForInToken->setType(TT_Unknown);
425           PossibleObjCForInToken = nullptr;
426         }
427       }
428       if (MightBeObjCForRangeLoop && CurrentToken->is(Keywords.kw_in)) {
429         PossibleObjCForInToken = CurrentToken;
430         PossibleObjCForInToken->setType(TT_ObjCForIn);
431       }
432       // When we discover a 'new', we set CanBeExpression to 'false' in order to
433       // parse the type correctly. Reset that after a comma.
434       if (CurrentToken->is(tok::comma))
435         Contexts.back().CanBeExpression = true;
436 
437       FormatToken *Tok = CurrentToken;
438       if (!consumeToken())
439         return false;
440       updateParameterCount(Left, Tok);
441       if (CurrentToken && CurrentToken->HasUnescapedNewline)
442         HasMultipleLines = true;
443     }
444     return false;
445   }
446 
447   bool isCSharpAttributeSpecifier(const FormatToken &Tok) {
448     if (!Style.isCSharp())
449       return false;
450 
451     // `identifier[i]` is not an attribute.
452     if (Tok.Previous && Tok.Previous->is(tok::identifier))
453       return false;
454 
455     // Chains of [] in `identifier[i][j][k]` are not attributes.
456     if (Tok.Previous && Tok.Previous->is(tok::r_square)) {
457       auto *MatchingParen = Tok.Previous->MatchingParen;
458       if (!MatchingParen || MatchingParen->is(TT_ArraySubscriptLSquare))
459         return false;
460     }
461 
462     const FormatToken *AttrTok = Tok.Next;
463     if (!AttrTok)
464       return false;
465 
466     // Just an empty declaration e.g. string [].
467     if (AttrTok->is(tok::r_square))
468       return false;
469 
470     // Move along the tokens inbetween the '[' and ']' e.g. [STAThread].
471     while (AttrTok && AttrTok->isNot(tok::r_square)) {
472       AttrTok = AttrTok->Next;
473     }
474 
475     if (!AttrTok)
476       return false;
477 
478     // Allow an attribute to be the only content of a file.
479     AttrTok = AttrTok->Next;
480     if (!AttrTok)
481       return true;
482 
483     // Limit this to being an access modifier that follows.
484     if (AttrTok->isOneOf(tok::kw_public, tok::kw_private, tok::kw_protected,
485                          tok::comment, tok::kw_class, tok::kw_static,
486                          tok::l_square, Keywords.kw_internal)) {
487       return true;
488     }
489 
490     // incase its a [XXX] retval func(....
491     if (AttrTok->Next &&
492         AttrTok->Next->startsSequence(tok::identifier, tok::l_paren))
493       return true;
494 
495     return false;
496   }
497 
498   bool isCpp11AttributeSpecifier(const FormatToken &Tok) {
499     if (!Style.isCpp() || !Tok.startsSequence(tok::l_square, tok::l_square))
500       return false;
501     // The first square bracket is part of an ObjC array literal
502     if (Tok.Previous && Tok.Previous->is(tok::at)) {
503       return false;
504     }
505     const FormatToken *AttrTok = Tok.Next->Next;
506     if (!AttrTok)
507       return false;
508     // C++17 '[[using ns: foo, bar(baz, blech)]]'
509     // We assume nobody will name an ObjC variable 'using'.
510     if (AttrTok->startsSequence(tok::kw_using, tok::identifier, tok::colon))
511       return true;
512     if (AttrTok->isNot(tok::identifier))
513       return false;
514     while (AttrTok && !AttrTok->startsSequence(tok::r_square, tok::r_square)) {
515       // ObjC message send. We assume nobody will use : in a C++11 attribute
516       // specifier parameter, although this is technically valid:
517       // [[foo(:)]].
518       if (AttrTok->is(tok::colon) ||
519           AttrTok->startsSequence(tok::identifier, tok::identifier) ||
520           AttrTok->startsSequence(tok::r_paren, tok::identifier))
521         return false;
522       if (AttrTok->is(tok::ellipsis))
523         return true;
524       AttrTok = AttrTok->Next;
525     }
526     return AttrTok && AttrTok->startsSequence(tok::r_square, tok::r_square);
527   }
528 
529   bool parseSquare() {
530     if (!CurrentToken)
531       return false;
532 
533     // A '[' could be an index subscript (after an identifier or after
534     // ')' or ']'), it could be the start of an Objective-C method
535     // expression, it could the start of an Objective-C array literal,
536     // or it could be a C++ attribute specifier [[foo::bar]].
537     FormatToken *Left = CurrentToken->Previous;
538     Left->ParentBracket = Contexts.back().ContextKind;
539     FormatToken *Parent = Left->getPreviousNonComment();
540 
541     // Cases where '>' is followed by '['.
542     // In C++, this can happen either in array of templates (foo<int>[10])
543     // or when array is a nested template type (unique_ptr<type1<type2>[]>).
544     bool CppArrayTemplates =
545         Style.isCpp() && Parent && Parent->is(TT_TemplateCloser) &&
546         (Contexts.back().CanBeExpression || Contexts.back().IsExpression ||
547          Contexts.back().InTemplateArgument);
548 
549     bool IsCpp11AttributeSpecifier = isCpp11AttributeSpecifier(*Left) ||
550                                      Contexts.back().InCpp11AttributeSpecifier;
551 
552     // Treat C# Attributes [STAThread] much like C++ attributes [[...]].
553     bool IsCSharpAttributeSpecifier =
554         isCSharpAttributeSpecifier(*Left) ||
555         Contexts.back().InCSharpAttributeSpecifier;
556 
557     bool InsideInlineASM = Line.startsWith(tok::kw_asm);
558     bool IsCppStructuredBinding = Left->isCppStructuredBinding(Style);
559     bool StartsObjCMethodExpr =
560         !IsCppStructuredBinding && !InsideInlineASM && !CppArrayTemplates &&
561         Style.isCpp() && !IsCpp11AttributeSpecifier &&
562         !IsCSharpAttributeSpecifier && Contexts.back().CanBeExpression &&
563         Left->isNot(TT_LambdaLSquare) &&
564         !CurrentToken->isOneOf(tok::l_brace, tok::r_square) &&
565         (!Parent ||
566          Parent->isOneOf(tok::colon, tok::l_square, tok::l_paren,
567                          tok::kw_return, tok::kw_throw) ||
568          Parent->isUnaryOperator() ||
569          // FIXME(bug 36976): ObjC return types shouldn't use TT_CastRParen.
570          Parent->isOneOf(TT_ObjCForIn, TT_CastRParen) ||
571          (getBinOpPrecedence(Parent->Tok.getKind(), true, true) >
572           prec::Unknown));
573     bool ColonFound = false;
574 
575     unsigned BindingIncrease = 1;
576     if (IsCppStructuredBinding) {
577       Left->setType(TT_StructuredBindingLSquare);
578     } else if (Left->is(TT_Unknown)) {
579       if (StartsObjCMethodExpr) {
580         Left->setType(TT_ObjCMethodExpr);
581       } else if (InsideInlineASM) {
582         Left->setType(TT_InlineASMSymbolicNameLSquare);
583       } else if (IsCpp11AttributeSpecifier) {
584         Left->setType(TT_AttributeSquare);
585       } else if (Style.Language == FormatStyle::LK_JavaScript && Parent &&
586                  Contexts.back().ContextKind == tok::l_brace &&
587                  Parent->isOneOf(tok::l_brace, tok::comma)) {
588         Left->setType(TT_JsComputedPropertyName);
589       } else if (Style.isCpp() && Contexts.back().ContextKind == tok::l_brace &&
590                  Parent && Parent->isOneOf(tok::l_brace, tok::comma)) {
591         Left->setType(TT_DesignatedInitializerLSquare);
592       } else if (IsCSharpAttributeSpecifier) {
593         Left->setType(TT_AttributeSquare);
594       } else if (CurrentToken->is(tok::r_square) && Parent &&
595                  Parent->is(TT_TemplateCloser)) {
596         Left->setType(TT_ArraySubscriptLSquare);
597       } else if (Style.Language == FormatStyle::LK_Proto ||
598                  Style.Language == FormatStyle::LK_TextProto) {
599         // Square braces in LK_Proto can either be message field attributes:
600         //
601         // optional Aaa aaa = 1 [
602         //   (aaa) = aaa
603         // ];
604         //
605         // extensions 123 [
606         //   (aaa) = aaa
607         // ];
608         //
609         // or text proto extensions (in options):
610         //
611         // option (Aaa.options) = {
612         //   [type.type/type] {
613         //     key: value
614         //   }
615         // }
616         //
617         // or repeated fields (in options):
618         //
619         // option (Aaa.options) = {
620         //   keys: [ 1, 2, 3 ]
621         // }
622         //
623         // In the first and the third case we want to spread the contents inside
624         // the square braces; in the second we want to keep them inline.
625         Left->setType(TT_ArrayInitializerLSquare);
626         if (!Left->endsSequence(tok::l_square, tok::numeric_constant,
627                                 tok::equal) &&
628             !Left->endsSequence(tok::l_square, tok::numeric_constant,
629                                 tok::identifier) &&
630             !Left->endsSequence(tok::l_square, tok::colon, TT_SelectorName)) {
631           Left->setType(TT_ProtoExtensionLSquare);
632           BindingIncrease = 10;
633         }
634       } else if (!CppArrayTemplates && Parent &&
635                  Parent->isOneOf(TT_BinaryOperator, TT_TemplateCloser, tok::at,
636                                  tok::comma, tok::l_paren, tok::l_square,
637                                  tok::question, tok::colon, tok::kw_return,
638                                  // Should only be relevant to JavaScript:
639                                  tok::kw_default)) {
640         Left->setType(TT_ArrayInitializerLSquare);
641       } else {
642         BindingIncrease = 10;
643         Left->setType(TT_ArraySubscriptLSquare);
644       }
645     }
646 
647     ScopedContextCreator ContextCreator(*this, tok::l_square, BindingIncrease);
648     Contexts.back().IsExpression = true;
649     if (Style.Language == FormatStyle::LK_JavaScript && Parent &&
650         Parent->is(TT_JsTypeColon))
651       Contexts.back().IsExpression = false;
652 
653     Contexts.back().ColonIsObjCMethodExpr = StartsObjCMethodExpr;
654     Contexts.back().InCpp11AttributeSpecifier = IsCpp11AttributeSpecifier;
655     Contexts.back().InCSharpAttributeSpecifier = IsCSharpAttributeSpecifier;
656 
657     while (CurrentToken) {
658       if (CurrentToken->is(tok::r_square)) {
659         if (IsCpp11AttributeSpecifier)
660           CurrentToken->setType(TT_AttributeSquare);
661         if (IsCSharpAttributeSpecifier)
662           CurrentToken->setType(TT_AttributeSquare);
663         else if (((CurrentToken->Next &&
664                    CurrentToken->Next->is(tok::l_paren)) ||
665                   (CurrentToken->Previous &&
666                    CurrentToken->Previous->Previous == Left)) &&
667                  Left->is(TT_ObjCMethodExpr)) {
668           // An ObjC method call is rarely followed by an open parenthesis. It
669           // also can't be composed of just one token, unless it's a macro that
670           // will be expanded to more tokens.
671           // FIXME: Do we incorrectly label ":" with this?
672           StartsObjCMethodExpr = false;
673           Left->setType(TT_Unknown);
674         }
675         if (StartsObjCMethodExpr && CurrentToken->Previous != Left) {
676           CurrentToken->setType(TT_ObjCMethodExpr);
677           // If we haven't seen a colon yet, make sure the last identifier
678           // before the r_square is tagged as a selector name component.
679           if (!ColonFound && CurrentToken->Previous &&
680               CurrentToken->Previous->is(TT_Unknown) &&
681               canBeObjCSelectorComponent(*CurrentToken->Previous))
682             CurrentToken->Previous->setType(TT_SelectorName);
683           // determineStarAmpUsage() thinks that '*' '[' is allocating an
684           // array of pointers, but if '[' starts a selector then '*' is a
685           // binary operator.
686           if (Parent && Parent->is(TT_PointerOrReference))
687             Parent->setType(TT_BinaryOperator);
688         }
689         // An arrow after an ObjC method expression is not a lambda arrow.
690         if (CurrentToken->getType() == TT_ObjCMethodExpr &&
691             CurrentToken->Next && CurrentToken->Next->is(TT_LambdaArrow))
692           CurrentToken->Next->setType(TT_Unknown);
693         Left->MatchingParen = CurrentToken;
694         CurrentToken->MatchingParen = Left;
695         // FirstObjCSelectorName is set when a colon is found. This does
696         // not work, however, when the method has no parameters.
697         // Here, we set FirstObjCSelectorName when the end of the method call is
698         // reached, in case it was not set already.
699         if (!Contexts.back().FirstObjCSelectorName) {
700           FormatToken *Previous = CurrentToken->getPreviousNonComment();
701           if (Previous && Previous->is(TT_SelectorName)) {
702             Previous->ObjCSelectorNameParts = 1;
703             Contexts.back().FirstObjCSelectorName = Previous;
704           }
705         } else {
706           Left->ParameterCount =
707               Contexts.back().FirstObjCSelectorName->ObjCSelectorNameParts;
708         }
709         if (Contexts.back().FirstObjCSelectorName) {
710           Contexts.back().FirstObjCSelectorName->LongestObjCSelectorName =
711               Contexts.back().LongestObjCSelectorName;
712           if (Left->BlockParameterCount > 1)
713             Contexts.back().FirstObjCSelectorName->LongestObjCSelectorName = 0;
714         }
715         next();
716         return true;
717       }
718       if (CurrentToken->isOneOf(tok::r_paren, tok::r_brace))
719         return false;
720       if (CurrentToken->is(tok::colon)) {
721         if (IsCpp11AttributeSpecifier &&
722             CurrentToken->endsSequence(tok::colon, tok::identifier,
723                                        tok::kw_using)) {
724           // Remember that this is a [[using ns: foo]] C++ attribute, so we
725           // don't add a space before the colon (unlike other colons).
726           CurrentToken->setType(TT_AttributeColon);
727         } else if (Left->isOneOf(TT_ArraySubscriptLSquare,
728                                  TT_DesignatedInitializerLSquare)) {
729           Left->setType(TT_ObjCMethodExpr);
730           StartsObjCMethodExpr = true;
731           Contexts.back().ColonIsObjCMethodExpr = true;
732           if (Parent && Parent->is(tok::r_paren))
733             // FIXME(bug 36976): ObjC return types shouldn't use TT_CastRParen.
734             Parent->setType(TT_CastRParen);
735         }
736         ColonFound = true;
737       }
738       if (CurrentToken->is(tok::comma) && Left->is(TT_ObjCMethodExpr) &&
739           !ColonFound)
740         Left->setType(TT_ArrayInitializerLSquare);
741       FormatToken *Tok = CurrentToken;
742       if (!consumeToken())
743         return false;
744       updateParameterCount(Left, Tok);
745     }
746     return false;
747   }
748 
749   bool couldBeInStructArrayInitializer() const {
750     if (Contexts.size() < 2)
751       return false;
752     // We want to back up no more then 2 context levels i.e.
753     // . { { <-
754     const auto End = std::next(Contexts.rbegin(), 2);
755     auto Last = Contexts.rbegin();
756     unsigned Depth = 0;
757     for (; Last != End; ++Last) {
758       if (Last->ContextKind == tok::l_brace)
759         ++Depth;
760     }
761     return Depth == 2 && Last->ContextKind != tok::l_brace;
762   }
763 
764   bool parseBrace() {
765     if (CurrentToken) {
766       FormatToken *Left = CurrentToken->Previous;
767       Left->ParentBracket = Contexts.back().ContextKind;
768 
769       if (Contexts.back().CaretFound)
770         Left->setType(TT_ObjCBlockLBrace);
771       Contexts.back().CaretFound = false;
772 
773       ScopedContextCreator ContextCreator(*this, tok::l_brace, 1);
774       Contexts.back().ColonIsDictLiteral = true;
775       if (Left->is(BK_BracedInit))
776         Contexts.back().IsExpression = true;
777       if (Style.Language == FormatStyle::LK_JavaScript && Left->Previous &&
778           Left->Previous->is(TT_JsTypeColon))
779         Contexts.back().IsExpression = false;
780 
781       unsigned CommaCount = 0;
782       while (CurrentToken) {
783         if (CurrentToken->is(tok::r_brace)) {
784           Left->MatchingParen = CurrentToken;
785           CurrentToken->MatchingParen = Left;
786           if (Style.AlignArrayOfStructures != FormatStyle::AIAS_None) {
787             if (Left->ParentBracket == tok::l_brace &&
788                 couldBeInStructArrayInitializer() && CommaCount > 0) {
789               Contexts.back().InStructArrayInitializer = true;
790             }
791           }
792           next();
793           return true;
794         }
795         if (CurrentToken->isOneOf(tok::r_paren, tok::r_square))
796           return false;
797         updateParameterCount(Left, CurrentToken);
798         if (CurrentToken->isOneOf(tok::colon, tok::l_brace, tok::less)) {
799           FormatToken *Previous = CurrentToken->getPreviousNonComment();
800           if (Previous->is(TT_JsTypeOptionalQuestion))
801             Previous = Previous->getPreviousNonComment();
802           if ((CurrentToken->is(tok::colon) &&
803                (!Contexts.back().ColonIsDictLiteral || !Style.isCpp())) ||
804               Style.Language == FormatStyle::LK_Proto ||
805               Style.Language == FormatStyle::LK_TextProto) {
806             Left->setType(TT_DictLiteral);
807             if (Previous->Tok.getIdentifierInfo() ||
808                 Previous->is(tok::string_literal))
809               Previous->setType(TT_SelectorName);
810           }
811           if (CurrentToken->is(tok::colon) ||
812               Style.Language == FormatStyle::LK_JavaScript)
813             Left->setType(TT_DictLiteral);
814         }
815         if (CurrentToken->is(tok::comma)) {
816           if (Style.Language == FormatStyle::LK_JavaScript)
817             Left->setType(TT_DictLiteral);
818           ++CommaCount;
819         }
820         if (!consumeToken())
821           return false;
822       }
823     }
824     return true;
825   }
826 
827   void updateParameterCount(FormatToken *Left, FormatToken *Current) {
828     // For ObjC methods, the number of parameters is calculated differently as
829     // method declarations have a different structure (the parameters are not
830     // inside a bracket scope).
831     if (Current->is(tok::l_brace) && Current->is(BK_Block))
832       ++Left->BlockParameterCount;
833     if (Current->is(tok::comma)) {
834       ++Left->ParameterCount;
835       if (!Left->Role)
836         Left->Role.reset(new CommaSeparatedList(Style));
837       Left->Role->CommaFound(Current);
838     } else if (Left->ParameterCount == 0 && Current->isNot(tok::comment)) {
839       Left->ParameterCount = 1;
840     }
841   }
842 
843   bool parseConditional() {
844     while (CurrentToken) {
845       if (CurrentToken->is(tok::colon)) {
846         CurrentToken->setType(TT_ConditionalExpr);
847         next();
848         return true;
849       }
850       if (!consumeToken())
851         return false;
852     }
853     return false;
854   }
855 
856   bool parseTemplateDeclaration() {
857     if (CurrentToken && CurrentToken->is(tok::less)) {
858       CurrentToken->setType(TT_TemplateOpener);
859       next();
860       if (!parseAngle())
861         return false;
862       if (CurrentToken)
863         CurrentToken->Previous->ClosesTemplateDeclaration = true;
864       return true;
865     }
866     return false;
867   }
868 
869   bool consumeToken() {
870     FormatToken *Tok = CurrentToken;
871     next();
872     switch (Tok->Tok.getKind()) {
873     case tok::plus:
874     case tok::minus:
875       if (!Tok->Previous && Line.MustBeDeclaration)
876         Tok->setType(TT_ObjCMethodSpecifier);
877       break;
878     case tok::colon:
879       if (!Tok->Previous)
880         return false;
881       // Colons from ?: are handled in parseConditional().
882       if (Style.Language == FormatStyle::LK_JavaScript) {
883         if (Contexts.back().ColonIsForRangeExpr || // colon in for loop
884             (Contexts.size() == 1 &&               // switch/case labels
885              !Line.First->isOneOf(tok::kw_enum, tok::kw_case)) ||
886             Contexts.back().ContextKind == tok::l_paren ||  // function params
887             Contexts.back().ContextKind == tok::l_square || // array type
888             (!Contexts.back().IsExpression &&
889              Contexts.back().ContextKind == tok::l_brace) || // object type
890             (Contexts.size() == 1 &&
891              Line.MustBeDeclaration)) { // method/property declaration
892           Contexts.back().IsExpression = false;
893           Tok->setType(TT_JsTypeColon);
894           break;
895         }
896       } else if (Style.isCSharp()) {
897         if (Contexts.back().InCSharpAttributeSpecifier) {
898           Tok->setType(TT_AttributeColon);
899           break;
900         }
901         if (Contexts.back().ContextKind == tok::l_paren) {
902           Tok->setType(TT_CSharpNamedArgumentColon);
903           break;
904         }
905       }
906       if (Line.First->isOneOf(Keywords.kw_module, Keywords.kw_import) ||
907           Line.First->startsSequence(tok::kw_export, Keywords.kw_module) ||
908           Line.First->startsSequence(tok::kw_export, Keywords.kw_import)) {
909         Tok->setType(TT_ModulePartitionColon);
910       } else if (Contexts.back().ColonIsDictLiteral ||
911                  Style.Language == FormatStyle::LK_Proto ||
912                  Style.Language == FormatStyle::LK_TextProto) {
913         Tok->setType(TT_DictLiteral);
914         if (Style.Language == FormatStyle::LK_TextProto) {
915           if (FormatToken *Previous = Tok->getPreviousNonComment())
916             Previous->setType(TT_SelectorName);
917         }
918       } else if (Contexts.back().ColonIsObjCMethodExpr ||
919                  Line.startsWith(TT_ObjCMethodSpecifier)) {
920         Tok->setType(TT_ObjCMethodExpr);
921         const FormatToken *BeforePrevious = Tok->Previous->Previous;
922         // Ensure we tag all identifiers in method declarations as
923         // TT_SelectorName.
924         bool UnknownIdentifierInMethodDeclaration =
925             Line.startsWith(TT_ObjCMethodSpecifier) &&
926             Tok->Previous->is(tok::identifier) && Tok->Previous->is(TT_Unknown);
927         if (!BeforePrevious ||
928             // FIXME(bug 36976): ObjC return types shouldn't use TT_CastRParen.
929             !(BeforePrevious->is(TT_CastRParen) ||
930               (BeforePrevious->is(TT_ObjCMethodExpr) &&
931                BeforePrevious->is(tok::colon))) ||
932             BeforePrevious->is(tok::r_square) ||
933             Contexts.back().LongestObjCSelectorName == 0 ||
934             UnknownIdentifierInMethodDeclaration) {
935           Tok->Previous->setType(TT_SelectorName);
936           if (!Contexts.back().FirstObjCSelectorName)
937             Contexts.back().FirstObjCSelectorName = Tok->Previous;
938           else if (Tok->Previous->ColumnWidth >
939                    Contexts.back().LongestObjCSelectorName)
940             Contexts.back().LongestObjCSelectorName =
941                 Tok->Previous->ColumnWidth;
942           Tok->Previous->ParameterIndex =
943               Contexts.back().FirstObjCSelectorName->ObjCSelectorNameParts;
944           ++Contexts.back().FirstObjCSelectorName->ObjCSelectorNameParts;
945         }
946       } else if (Contexts.back().ColonIsForRangeExpr) {
947         Tok->setType(TT_RangeBasedForLoopColon);
948       } else if (CurrentToken && CurrentToken->is(tok::numeric_constant)) {
949         Tok->setType(TT_BitFieldColon);
950       } else if (Contexts.size() == 1 &&
951                  !Line.First->isOneOf(tok::kw_enum, tok::kw_case,
952                                       tok::kw_default)) {
953         FormatToken *Prev = Tok->getPreviousNonComment();
954         if (!Prev)
955           break;
956         if (Prev->isOneOf(tok::r_paren, tok::kw_noexcept))
957           Tok->setType(TT_CtorInitializerColon);
958         else if (Prev->is(tok::kw_try)) {
959           // Member initializer list within function try block.
960           FormatToken *PrevPrev = Prev->getPreviousNonComment();
961           if (!PrevPrev)
962             break;
963           if (PrevPrev && PrevPrev->isOneOf(tok::r_paren, tok::kw_noexcept))
964             Tok->setType(TT_CtorInitializerColon);
965         } else
966           Tok->setType(TT_InheritanceColon);
967       } else if (canBeObjCSelectorComponent(*Tok->Previous) && Tok->Next &&
968                  (Tok->Next->isOneOf(tok::r_paren, tok::comma) ||
969                   (canBeObjCSelectorComponent(*Tok->Next) && Tok->Next->Next &&
970                    Tok->Next->Next->is(tok::colon)))) {
971         // This handles a special macro in ObjC code where selectors including
972         // the colon are passed as macro arguments.
973         Tok->setType(TT_ObjCMethodExpr);
974       } else if (Contexts.back().ContextKind == tok::l_paren) {
975         Tok->setType(TT_InlineASMColon);
976       }
977       break;
978     case tok::pipe:
979     case tok::amp:
980       // | and & in declarations/type expressions represent union and
981       // intersection types, respectively.
982       if (Style.Language == FormatStyle::LK_JavaScript &&
983           !Contexts.back().IsExpression)
984         Tok->setType(TT_JsTypeOperator);
985       break;
986     case tok::kw_if:
987     case tok::kw_while:
988       if (Tok->is(tok::kw_if) && CurrentToken &&
989           CurrentToken->isOneOf(tok::kw_constexpr, tok::identifier))
990         next();
991       if (CurrentToken && CurrentToken->is(tok::l_paren)) {
992         next();
993         if (!parseParens(/*LookForDecls=*/true))
994           return false;
995       }
996       break;
997     case tok::kw_for:
998       if (Style.Language == FormatStyle::LK_JavaScript) {
999         // x.for and {for: ...}
1000         if ((Tok->Previous && Tok->Previous->is(tok::period)) ||
1001             (Tok->Next && Tok->Next->is(tok::colon)))
1002           break;
1003         // JS' for await ( ...
1004         if (CurrentToken && CurrentToken->is(Keywords.kw_await))
1005           next();
1006       }
1007       if (Style.isCpp() && CurrentToken && CurrentToken->is(tok::kw_co_await))
1008         next();
1009       Contexts.back().ColonIsForRangeExpr = true;
1010       next();
1011       if (!parseParens())
1012         return false;
1013       break;
1014     case tok::l_paren:
1015       // When faced with 'operator()()', the kw_operator handler incorrectly
1016       // marks the first l_paren as a OverloadedOperatorLParen. Here, we make
1017       // the first two parens OverloadedOperators and the second l_paren an
1018       // OverloadedOperatorLParen.
1019       if (Tok->Previous && Tok->Previous->is(tok::r_paren) &&
1020           Tok->Previous->MatchingParen &&
1021           Tok->Previous->MatchingParen->is(TT_OverloadedOperatorLParen)) {
1022         Tok->Previous->setType(TT_OverloadedOperator);
1023         Tok->Previous->MatchingParen->setType(TT_OverloadedOperator);
1024         Tok->setType(TT_OverloadedOperatorLParen);
1025       }
1026 
1027       if (!parseParens())
1028         return false;
1029       if (Line.MustBeDeclaration && Contexts.size() == 1 &&
1030           !Contexts.back().IsExpression && !Line.startsWith(TT_ObjCProperty) &&
1031           !Tok->is(TT_TypeDeclarationParen) &&
1032           (!Tok->Previous || !Tok->Previous->isOneOf(tok::kw___attribute,
1033                                                      TT_LeadingJavaAnnotation)))
1034         Line.MightBeFunctionDecl = true;
1035       break;
1036     case tok::l_square:
1037       if (!parseSquare())
1038         return false;
1039       break;
1040     case tok::l_brace:
1041       if (Style.Language == FormatStyle::LK_TextProto) {
1042         FormatToken *Previous = Tok->getPreviousNonComment();
1043         if (Previous && Previous->getType() != TT_DictLiteral)
1044           Previous->setType(TT_SelectorName);
1045       }
1046       if (!parseBrace())
1047         return false;
1048       break;
1049     case tok::less:
1050       if (parseAngle()) {
1051         Tok->setType(TT_TemplateOpener);
1052         // In TT_Proto, we must distignuish between:
1053         //   map<key, value>
1054         //   msg < item: data >
1055         //   msg: < item: data >
1056         // In TT_TextProto, map<key, value> does not occur.
1057         if (Style.Language == FormatStyle::LK_TextProto ||
1058             (Style.Language == FormatStyle::LK_Proto && Tok->Previous &&
1059              Tok->Previous->isOneOf(TT_SelectorName, TT_DictLiteral))) {
1060           Tok->setType(TT_DictLiteral);
1061           FormatToken *Previous = Tok->getPreviousNonComment();
1062           if (Previous && Previous->getType() != TT_DictLiteral)
1063             Previous->setType(TT_SelectorName);
1064         }
1065       } else {
1066         Tok->setType(TT_BinaryOperator);
1067         NonTemplateLess.insert(Tok);
1068         CurrentToken = Tok;
1069         next();
1070       }
1071       break;
1072     case tok::r_paren:
1073     case tok::r_square:
1074       return false;
1075     case tok::r_brace:
1076       // Lines can start with '}'.
1077       if (Tok->Previous)
1078         return false;
1079       break;
1080     case tok::greater:
1081       if (Style.Language != FormatStyle::LK_TextProto)
1082         Tok->setType(TT_BinaryOperator);
1083       if (Tok->Previous && Tok->Previous->is(TT_TemplateCloser))
1084         Tok->SpacesRequiredBefore = 1;
1085       break;
1086     case tok::kw_operator:
1087       if (Style.Language == FormatStyle::LK_TextProto ||
1088           Style.Language == FormatStyle::LK_Proto)
1089         break;
1090       while (CurrentToken &&
1091              !CurrentToken->isOneOf(tok::l_paren, tok::semi, tok::r_paren)) {
1092         if (CurrentToken->isOneOf(tok::star, tok::amp))
1093           CurrentToken->setType(TT_PointerOrReference);
1094         consumeToken();
1095         if (CurrentToken && CurrentToken->is(tok::comma) &&
1096             CurrentToken->Previous->isNot(tok::kw_operator))
1097           break;
1098         if (CurrentToken && CurrentToken->Previous->isOneOf(
1099                                 TT_BinaryOperator, TT_UnaryOperator, tok::comma,
1100                                 tok::star, tok::arrow, tok::amp, tok::ampamp))
1101           CurrentToken->Previous->setType(TT_OverloadedOperator);
1102       }
1103       if (CurrentToken && CurrentToken->is(tok::l_paren))
1104         CurrentToken->setType(TT_OverloadedOperatorLParen);
1105       if (CurrentToken && CurrentToken->Previous->is(TT_BinaryOperator))
1106         CurrentToken->Previous->setType(TT_OverloadedOperator);
1107       break;
1108     case tok::question:
1109       if (Style.Language == FormatStyle::LK_JavaScript && Tok->Next &&
1110           Tok->Next->isOneOf(tok::semi, tok::comma, tok::colon, tok::r_paren,
1111                              tok::r_brace)) {
1112         // Question marks before semicolons, colons, etc. indicate optional
1113         // types (fields, parameters), e.g.
1114         //   function(x?: string, y?) {...}
1115         //   class X { y?; }
1116         Tok->setType(TT_JsTypeOptionalQuestion);
1117         break;
1118       }
1119       // Declarations cannot be conditional expressions, this can only be part
1120       // of a type declaration.
1121       if (Line.MustBeDeclaration && !Contexts.back().IsExpression &&
1122           Style.Language == FormatStyle::LK_JavaScript)
1123         break;
1124       if (Style.isCSharp()) {
1125         // `Type?)`, `Type?>`, `Type? name;` and `Type? name =` can only be
1126         // nullable types.
1127         // Line.MustBeDeclaration will be true for `Type? name;`.
1128         if ((!Contexts.back().IsExpression && Line.MustBeDeclaration) ||
1129             (Tok->Next && Tok->Next->isOneOf(tok::r_paren, tok::greater)) ||
1130             (Tok->Next && Tok->Next->is(tok::identifier) && Tok->Next->Next &&
1131              Tok->Next->Next->is(tok::equal))) {
1132           Tok->setType(TT_CSharpNullable);
1133           break;
1134         }
1135       }
1136       parseConditional();
1137       break;
1138     case tok::kw_template:
1139       parseTemplateDeclaration();
1140       break;
1141     case tok::comma:
1142       if (Contexts.back().InCtorInitializer)
1143         Tok->setType(TT_CtorInitializerComma);
1144       else if (Contexts.back().InInheritanceList)
1145         Tok->setType(TT_InheritanceComma);
1146       else if (Contexts.back().FirstStartOfName &&
1147                (Contexts.size() == 1 || Line.startsWith(tok::kw_for))) {
1148         Contexts.back().FirstStartOfName->PartOfMultiVariableDeclStmt = true;
1149         Line.IsMultiVariableDeclStmt = true;
1150       }
1151       if (Contexts.back().IsForEachMacro)
1152         Contexts.back().IsExpression = true;
1153       break;
1154     case tok::identifier:
1155       if (Tok->isOneOf(Keywords.kw___has_include,
1156                        Keywords.kw___has_include_next)) {
1157         parseHasInclude();
1158       }
1159       if (Style.isCSharp() && Tok->is(Keywords.kw_where) && Tok->Next &&
1160           Tok->Next->isNot(tok::l_paren)) {
1161         Tok->setType(TT_CSharpGenericTypeConstraint);
1162         parseCSharpGenericTypeConstraint();
1163       }
1164       break;
1165     default:
1166       break;
1167     }
1168     return true;
1169   }
1170 
1171   void parseCSharpGenericTypeConstraint() {
1172     int OpenAngleBracketsCount = 0;
1173     while (CurrentToken) {
1174       if (CurrentToken->is(tok::less)) {
1175         // parseAngle is too greedy and will consume the whole line.
1176         CurrentToken->setType(TT_TemplateOpener);
1177         ++OpenAngleBracketsCount;
1178         next();
1179       } else if (CurrentToken->is(tok::greater)) {
1180         CurrentToken->setType(TT_TemplateCloser);
1181         --OpenAngleBracketsCount;
1182         next();
1183       } else if (CurrentToken->is(tok::comma) && OpenAngleBracketsCount == 0) {
1184         // We allow line breaks after GenericTypeConstraintComma's
1185         // so do not flag commas in Generics as GenericTypeConstraintComma's.
1186         CurrentToken->setType(TT_CSharpGenericTypeConstraintComma);
1187         next();
1188       } else if (CurrentToken->is(Keywords.kw_where)) {
1189         CurrentToken->setType(TT_CSharpGenericTypeConstraint);
1190         next();
1191       } else if (CurrentToken->is(tok::colon)) {
1192         CurrentToken->setType(TT_CSharpGenericTypeConstraintColon);
1193         next();
1194       } else {
1195         next();
1196       }
1197     }
1198   }
1199 
1200   void parseIncludeDirective() {
1201     if (CurrentToken && CurrentToken->is(tok::less)) {
1202       next();
1203       while (CurrentToken) {
1204         // Mark tokens up to the trailing line comments as implicit string
1205         // literals.
1206         if (CurrentToken->isNot(tok::comment) &&
1207             !CurrentToken->TokenText.startswith("//"))
1208           CurrentToken->setType(TT_ImplicitStringLiteral);
1209         next();
1210       }
1211     }
1212   }
1213 
1214   void parseWarningOrError() {
1215     next();
1216     // We still want to format the whitespace left of the first token of the
1217     // warning or error.
1218     next();
1219     while (CurrentToken) {
1220       CurrentToken->setType(TT_ImplicitStringLiteral);
1221       next();
1222     }
1223   }
1224 
1225   void parsePragma() {
1226     next(); // Consume "pragma".
1227     if (CurrentToken &&
1228         CurrentToken->isOneOf(Keywords.kw_mark, Keywords.kw_option)) {
1229       bool IsMark = CurrentToken->is(Keywords.kw_mark);
1230       next(); // Consume "mark".
1231       next(); // Consume first token (so we fix leading whitespace).
1232       while (CurrentToken) {
1233         if (IsMark || CurrentToken->Previous->is(TT_BinaryOperator))
1234           CurrentToken->setType(TT_ImplicitStringLiteral);
1235         next();
1236       }
1237     }
1238   }
1239 
1240   void parseHasInclude() {
1241     if (!CurrentToken || !CurrentToken->is(tok::l_paren))
1242       return;
1243     next(); // '('
1244     parseIncludeDirective();
1245     next(); // ')'
1246   }
1247 
1248   LineType parsePreprocessorDirective() {
1249     bool IsFirstToken = CurrentToken->IsFirst;
1250     LineType Type = LT_PreprocessorDirective;
1251     next();
1252     if (!CurrentToken)
1253       return Type;
1254 
1255     if (Style.Language == FormatStyle::LK_JavaScript && IsFirstToken) {
1256       // JavaScript files can contain shebang lines of the form:
1257       // #!/usr/bin/env node
1258       // Treat these like C++ #include directives.
1259       while (CurrentToken) {
1260         // Tokens cannot be comments here.
1261         CurrentToken->setType(TT_ImplicitStringLiteral);
1262         next();
1263       }
1264       return LT_ImportStatement;
1265     }
1266 
1267     if (CurrentToken->Tok.is(tok::numeric_constant)) {
1268       CurrentToken->SpacesRequiredBefore = 1;
1269       return Type;
1270     }
1271     // Hashes in the middle of a line can lead to any strange token
1272     // sequence.
1273     if (!CurrentToken->Tok.getIdentifierInfo())
1274       return Type;
1275     switch (CurrentToken->Tok.getIdentifierInfo()->getPPKeywordID()) {
1276     case tok::pp_include:
1277     case tok::pp_include_next:
1278     case tok::pp_import:
1279       next();
1280       parseIncludeDirective();
1281       Type = LT_ImportStatement;
1282       break;
1283     case tok::pp_error:
1284     case tok::pp_warning:
1285       parseWarningOrError();
1286       break;
1287     case tok::pp_pragma:
1288       parsePragma();
1289       break;
1290     case tok::pp_if:
1291     case tok::pp_elif:
1292       Contexts.back().IsExpression = true;
1293       next();
1294       parseLine();
1295       break;
1296     default:
1297       break;
1298     }
1299     while (CurrentToken) {
1300       FormatToken *Tok = CurrentToken;
1301       next();
1302       if (Tok->is(tok::l_paren))
1303         parseParens();
1304       else if (Tok->isOneOf(Keywords.kw___has_include,
1305                             Keywords.kw___has_include_next))
1306         parseHasInclude();
1307     }
1308     return Type;
1309   }
1310 
1311 public:
1312   LineType parseLine() {
1313     if (!CurrentToken)
1314       return LT_Invalid;
1315     NonTemplateLess.clear();
1316     if (CurrentToken->is(tok::hash))
1317       return parsePreprocessorDirective();
1318 
1319     // Directly allow to 'import <string-literal>' to support protocol buffer
1320     // definitions (github.com/google/protobuf) or missing "#" (either way we
1321     // should not break the line).
1322     IdentifierInfo *Info = CurrentToken->Tok.getIdentifierInfo();
1323     if ((Style.Language == FormatStyle::LK_Java &&
1324          CurrentToken->is(Keywords.kw_package)) ||
1325         (Info && Info->getPPKeywordID() == tok::pp_import &&
1326          CurrentToken->Next &&
1327          CurrentToken->Next->isOneOf(tok::string_literal, tok::identifier,
1328                                      tok::kw_static))) {
1329       next();
1330       parseIncludeDirective();
1331       return LT_ImportStatement;
1332     }
1333 
1334     // If this line starts and ends in '<' and '>', respectively, it is likely
1335     // part of "#define <a/b.h>".
1336     if (CurrentToken->is(tok::less) && Line.Last->is(tok::greater)) {
1337       parseIncludeDirective();
1338       return LT_ImportStatement;
1339     }
1340 
1341     // In .proto files, top-level options and package statements are very
1342     // similar to import statements and should not be line-wrapped.
1343     if (Style.Language == FormatStyle::LK_Proto && Line.Level == 0 &&
1344         CurrentToken->isOneOf(Keywords.kw_option, Keywords.kw_package)) {
1345       next();
1346       if (CurrentToken && CurrentToken->is(tok::identifier)) {
1347         while (CurrentToken)
1348           next();
1349         return LT_ImportStatement;
1350       }
1351     }
1352 
1353     bool KeywordVirtualFound = false;
1354     bool ImportStatement = false;
1355 
1356     // import {...} from '...';
1357     if (Style.Language == FormatStyle::LK_JavaScript &&
1358         CurrentToken->is(Keywords.kw_import))
1359       ImportStatement = true;
1360 
1361     while (CurrentToken) {
1362       if (CurrentToken->is(tok::kw_virtual))
1363         KeywordVirtualFound = true;
1364       if (Style.Language == FormatStyle::LK_JavaScript) {
1365         // export {...} from '...';
1366         // An export followed by "from 'some string';" is a re-export from
1367         // another module identified by a URI and is treated as a
1368         // LT_ImportStatement (i.e. prevent wraps on it for long URIs).
1369         // Just "export {...};" or "export class ..." should not be treated as
1370         // an import in this sense.
1371         if (Line.First->is(tok::kw_export) &&
1372             CurrentToken->is(Keywords.kw_from) && CurrentToken->Next &&
1373             CurrentToken->Next->isStringLiteral())
1374           ImportStatement = true;
1375         if (isClosureImportStatement(*CurrentToken))
1376           ImportStatement = true;
1377       }
1378       if (!consumeToken())
1379         return LT_Invalid;
1380     }
1381     if (KeywordVirtualFound)
1382       return LT_VirtualFunctionDecl;
1383     if (ImportStatement)
1384       return LT_ImportStatement;
1385 
1386     if (Line.startsWith(TT_ObjCMethodSpecifier)) {
1387       if (Contexts.back().FirstObjCSelectorName)
1388         Contexts.back().FirstObjCSelectorName->LongestObjCSelectorName =
1389             Contexts.back().LongestObjCSelectorName;
1390       return LT_ObjCMethodDecl;
1391     }
1392 
1393     for (const auto &ctx : Contexts) {
1394       if (ctx.InStructArrayInitializer) {
1395         return LT_ArrayOfStructInitializer;
1396       }
1397     }
1398 
1399     return LT_Other;
1400   }
1401 
1402 private:
1403   bool isClosureImportStatement(const FormatToken &Tok) {
1404     // FIXME: Closure-library specific stuff should not be hard-coded but be
1405     // configurable.
1406     return Tok.TokenText == "goog" && Tok.Next && Tok.Next->is(tok::period) &&
1407            Tok.Next->Next &&
1408            (Tok.Next->Next->TokenText == "module" ||
1409             Tok.Next->Next->TokenText == "provide" ||
1410             Tok.Next->Next->TokenText == "require" ||
1411             Tok.Next->Next->TokenText == "requireType" ||
1412             Tok.Next->Next->TokenText == "forwardDeclare") &&
1413            Tok.Next->Next->Next && Tok.Next->Next->Next->is(tok::l_paren);
1414   }
1415 
1416   void resetTokenMetadata(FormatToken *Token) {
1417     if (!Token)
1418       return;
1419 
1420     // Reset token type in case we have already looked at it and then
1421     // recovered from an error (e.g. failure to find the matching >).
1422     if (!CurrentToken->isOneOf(
1423             TT_LambdaLSquare, TT_LambdaLBrace, TT_AttributeMacro, TT_IfMacro,
1424             TT_ForEachMacro, TT_TypenameMacro, TT_FunctionLBrace,
1425             TT_ImplicitStringLiteral, TT_InlineASMBrace, TT_FatArrow,
1426             TT_LambdaArrow, TT_NamespaceMacro, TT_OverloadedOperator,
1427             TT_RegexLiteral, TT_TemplateString, TT_ObjCStringLiteral,
1428             TT_UntouchableMacroFunc, TT_ConstraintJunctions,
1429             TT_StatementAttributeLikeMacro))
1430       CurrentToken->setType(TT_Unknown);
1431     CurrentToken->Role.reset();
1432     CurrentToken->MatchingParen = nullptr;
1433     CurrentToken->FakeLParens.clear();
1434     CurrentToken->FakeRParens = 0;
1435   }
1436 
1437   void next() {
1438     if (CurrentToken) {
1439       CurrentToken->NestingLevel = Contexts.size() - 1;
1440       CurrentToken->BindingStrength = Contexts.back().BindingStrength;
1441       modifyContext(*CurrentToken);
1442       determineTokenType(*CurrentToken);
1443       CurrentToken = CurrentToken->Next;
1444     }
1445 
1446     resetTokenMetadata(CurrentToken);
1447   }
1448 
1449   /// A struct to hold information valid in a specific context, e.g.
1450   /// a pair of parenthesis.
1451   struct Context {
1452     Context(tok::TokenKind ContextKind, unsigned BindingStrength,
1453             bool IsExpression)
1454         : ContextKind(ContextKind), BindingStrength(BindingStrength),
1455           IsExpression(IsExpression) {}
1456 
1457     tok::TokenKind ContextKind;
1458     unsigned BindingStrength;
1459     bool IsExpression;
1460     unsigned LongestObjCSelectorName = 0;
1461     bool ColonIsForRangeExpr = false;
1462     bool ColonIsDictLiteral = false;
1463     bool ColonIsObjCMethodExpr = false;
1464     FormatToken *FirstObjCSelectorName = nullptr;
1465     FormatToken *FirstStartOfName = nullptr;
1466     bool CanBeExpression = true;
1467     bool InTemplateArgument = false;
1468     bool InCtorInitializer = false;
1469     bool InInheritanceList = false;
1470     bool CaretFound = false;
1471     bool IsForEachMacro = false;
1472     bool InCpp11AttributeSpecifier = false;
1473     bool InCSharpAttributeSpecifier = false;
1474     bool InStructArrayInitializer = false;
1475   };
1476 
1477   /// Puts a new \c Context onto the stack \c Contexts for the lifetime
1478   /// of each instance.
1479   struct ScopedContextCreator {
1480     AnnotatingParser &P;
1481 
1482     ScopedContextCreator(AnnotatingParser &P, tok::TokenKind ContextKind,
1483                          unsigned Increase)
1484         : P(P) {
1485       P.Contexts.push_back(Context(ContextKind,
1486                                    P.Contexts.back().BindingStrength + Increase,
1487                                    P.Contexts.back().IsExpression));
1488     }
1489 
1490     ~ScopedContextCreator() {
1491       if (P.Style.AlignArrayOfStructures != FormatStyle::AIAS_None) {
1492         if (P.Contexts.back().InStructArrayInitializer) {
1493           P.Contexts.pop_back();
1494           P.Contexts.back().InStructArrayInitializer = true;
1495           return;
1496         }
1497       }
1498       P.Contexts.pop_back();
1499     }
1500   };
1501 
1502   void modifyContext(const FormatToken &Current) {
1503     if (Current.getPrecedence() == prec::Assignment &&
1504         !Line.First->isOneOf(tok::kw_template, tok::kw_using, tok::kw_return) &&
1505         // Type aliases use `type X = ...;` in TypeScript and can be exported
1506         // using `export type ...`.
1507         !(Style.Language == FormatStyle::LK_JavaScript &&
1508           (Line.startsWith(Keywords.kw_type, tok::identifier) ||
1509            Line.startsWith(tok::kw_export, Keywords.kw_type,
1510                            tok::identifier))) &&
1511         (!Current.Previous || Current.Previous->isNot(tok::kw_operator))) {
1512       Contexts.back().IsExpression = true;
1513       if (!Line.startsWith(TT_UnaryOperator)) {
1514         for (FormatToken *Previous = Current.Previous;
1515              Previous && Previous->Previous &&
1516              !Previous->Previous->isOneOf(tok::comma, tok::semi);
1517              Previous = Previous->Previous) {
1518           if (Previous->isOneOf(tok::r_square, tok::r_paren)) {
1519             Previous = Previous->MatchingParen;
1520             if (!Previous)
1521               break;
1522           }
1523           if (Previous->opensScope())
1524             break;
1525           if (Previous->isOneOf(TT_BinaryOperator, TT_UnaryOperator) &&
1526               Previous->isOneOf(tok::star, tok::amp, tok::ampamp) &&
1527               Previous->Previous && Previous->Previous->isNot(tok::equal))
1528             Previous->setType(TT_PointerOrReference);
1529         }
1530       }
1531     } else if (Current.is(tok::lessless) &&
1532                (!Current.Previous || !Current.Previous->is(tok::kw_operator))) {
1533       Contexts.back().IsExpression = true;
1534     } else if (Current.isOneOf(tok::kw_return, tok::kw_throw)) {
1535       Contexts.back().IsExpression = true;
1536     } else if (Current.is(TT_TrailingReturnArrow)) {
1537       Contexts.back().IsExpression = false;
1538     } else if (Current.is(TT_LambdaArrow) || Current.is(Keywords.kw_assert)) {
1539       Contexts.back().IsExpression = Style.Language == FormatStyle::LK_Java;
1540     } else if (Current.Previous &&
1541                Current.Previous->is(TT_CtorInitializerColon)) {
1542       Contexts.back().IsExpression = true;
1543       Contexts.back().InCtorInitializer = true;
1544     } else if (Current.Previous && Current.Previous->is(TT_InheritanceColon)) {
1545       Contexts.back().InInheritanceList = true;
1546     } else if (Current.isOneOf(tok::r_paren, tok::greater, tok::comma)) {
1547       for (FormatToken *Previous = Current.Previous;
1548            Previous && Previous->isOneOf(tok::star, tok::amp);
1549            Previous = Previous->Previous)
1550         Previous->setType(TT_PointerOrReference);
1551       if (Line.MustBeDeclaration && !Contexts.front().InCtorInitializer)
1552         Contexts.back().IsExpression = false;
1553     } else if (Current.is(tok::kw_new)) {
1554       Contexts.back().CanBeExpression = false;
1555     } else if (Current.is(tok::semi) ||
1556                (Current.is(tok::exclaim) && Current.Previous &&
1557                 !Current.Previous->is(tok::kw_operator))) {
1558       // This should be the condition or increment in a for-loop.
1559       // But not operator !() (can't use TT_OverloadedOperator here as its not
1560       // been annotated yet).
1561       Contexts.back().IsExpression = true;
1562     }
1563   }
1564 
1565   static FormatToken *untilMatchingParen(FormatToken *Current) {
1566     // Used when `MatchingParen` is not yet established.
1567     int ParenLevel = 0;
1568     while (Current) {
1569       if (Current->is(tok::l_paren))
1570         ParenLevel++;
1571       if (Current->is(tok::r_paren))
1572         ParenLevel--;
1573       if (ParenLevel < 1)
1574         break;
1575       Current = Current->Next;
1576     }
1577     return Current;
1578   }
1579 
1580   static bool isDeductionGuide(FormatToken &Current) {
1581     // Look for a deduction guide template<T> A(...) -> A<...>;
1582     if (Current.Previous && Current.Previous->is(tok::r_paren) &&
1583         Current.startsSequence(tok::arrow, tok::identifier, tok::less)) {
1584       // Find the TemplateCloser.
1585       FormatToken *TemplateCloser = Current.Next->Next;
1586       int NestingLevel = 0;
1587       while (TemplateCloser) {
1588         // Skip over an expressions in parens  A<(3 < 2)>;
1589         if (TemplateCloser->is(tok::l_paren)) {
1590           // No Matching Paren yet so skip to matching paren
1591           TemplateCloser = untilMatchingParen(TemplateCloser);
1592           if (!TemplateCloser)
1593             break;
1594         }
1595         if (TemplateCloser->is(tok::less))
1596           NestingLevel++;
1597         if (TemplateCloser->is(tok::greater))
1598           NestingLevel--;
1599         if (NestingLevel < 1)
1600           break;
1601         TemplateCloser = TemplateCloser->Next;
1602       }
1603       // Assuming we have found the end of the template ensure its followed
1604       // with a semi-colon.
1605       if (TemplateCloser && TemplateCloser->Next &&
1606           TemplateCloser->Next->is(tok::semi) &&
1607           Current.Previous->MatchingParen) {
1608         // Determine if the identifier `A` prior to the A<..>; is the same as
1609         // prior to the A(..)
1610         FormatToken *LeadingIdentifier =
1611             Current.Previous->MatchingParen->Previous;
1612 
1613         // Differentiate a deduction guide by seeing the
1614         // > of the template prior to the leading identifier.
1615         if (LeadingIdentifier) {
1616           FormatToken *PriorLeadingIdentifier = LeadingIdentifier->Previous;
1617           // Skip back past explicit decoration
1618           if (PriorLeadingIdentifier &&
1619               PriorLeadingIdentifier->is(tok::kw_explicit))
1620             PriorLeadingIdentifier = PriorLeadingIdentifier->Previous;
1621 
1622           return (PriorLeadingIdentifier &&
1623                   PriorLeadingIdentifier->is(TT_TemplateCloser) &&
1624                   LeadingIdentifier->TokenText == Current.Next->TokenText);
1625         }
1626       }
1627     }
1628     return false;
1629   }
1630 
1631   void determineTokenType(FormatToken &Current) {
1632     if (!Current.is(TT_Unknown))
1633       // The token type is already known.
1634       return;
1635 
1636     if ((Style.Language == FormatStyle::LK_JavaScript || Style.isCSharp()) &&
1637         Current.is(tok::exclaim)) {
1638       if (Current.Previous) {
1639         bool IsIdentifier =
1640             Style.Language == FormatStyle::LK_JavaScript
1641                 ? Keywords.IsJavaScriptIdentifier(
1642                       *Current.Previous, /* AcceptIdentifierName= */ true)
1643                 : Current.Previous->is(tok::identifier);
1644         if (IsIdentifier ||
1645             Current.Previous->isOneOf(
1646                 tok::kw_namespace, tok::r_paren, tok::r_square, tok::r_brace,
1647                 tok::kw_false, tok::kw_true, Keywords.kw_type, Keywords.kw_get,
1648                 Keywords.kw_set) ||
1649             Current.Previous->Tok.isLiteral()) {
1650           Current.setType(TT_NonNullAssertion);
1651           return;
1652         }
1653       }
1654       if (Current.Next &&
1655           Current.Next->isOneOf(TT_BinaryOperator, Keywords.kw_as)) {
1656         Current.setType(TT_NonNullAssertion);
1657         return;
1658       }
1659     }
1660 
1661     // Line.MightBeFunctionDecl can only be true after the parentheses of a
1662     // function declaration have been found. In this case, 'Current' is a
1663     // trailing token of this declaration and thus cannot be a name.
1664     if (Current.is(Keywords.kw_instanceof)) {
1665       Current.setType(TT_BinaryOperator);
1666     } else if (isStartOfName(Current) &&
1667                (!Line.MightBeFunctionDecl || Current.NestingLevel != 0)) {
1668       Contexts.back().FirstStartOfName = &Current;
1669       Current.setType(TT_StartOfName);
1670     } else if (Current.is(tok::semi)) {
1671       // Reset FirstStartOfName after finding a semicolon so that a for loop
1672       // with multiple increment statements is not confused with a for loop
1673       // having multiple variable declarations.
1674       Contexts.back().FirstStartOfName = nullptr;
1675     } else if (Current.isOneOf(tok::kw_auto, tok::kw___auto_type)) {
1676       AutoFound = true;
1677     } else if (Current.is(tok::arrow) &&
1678                Style.Language == FormatStyle::LK_Java) {
1679       Current.setType(TT_LambdaArrow);
1680     } else if (Current.is(tok::arrow) && AutoFound && Line.MustBeDeclaration &&
1681                Current.NestingLevel == 0 &&
1682                !Current.Previous->is(tok::kw_operator)) {
1683       // not auto operator->() -> xxx;
1684       Current.setType(TT_TrailingReturnArrow);
1685     } else if (Current.is(tok::arrow) && Current.Previous &&
1686                Current.Previous->is(tok::r_brace)) {
1687       // Concept implicit conversion constraint needs to be treated like
1688       // a trailing return type  ... } -> <type>.
1689       Current.setType(TT_TrailingReturnArrow);
1690     } else if (isDeductionGuide(Current)) {
1691       // Deduction guides trailing arrow " A(...) -> A<T>;".
1692       Current.setType(TT_TrailingReturnArrow);
1693     } else if (Current.isOneOf(tok::star, tok::amp, tok::ampamp)) {
1694       Current.setType(determineStarAmpUsage(
1695           Current,
1696           Contexts.back().CanBeExpression && Contexts.back().IsExpression,
1697           Contexts.back().InTemplateArgument));
1698     } else if (Current.isOneOf(tok::minus, tok::plus, tok::caret)) {
1699       Current.setType(determinePlusMinusCaretUsage(Current));
1700       if (Current.is(TT_UnaryOperator) && Current.is(tok::caret))
1701         Contexts.back().CaretFound = true;
1702     } else if (Current.isOneOf(tok::minusminus, tok::plusplus)) {
1703       Current.setType(determineIncrementUsage(Current));
1704     } else if (Current.isOneOf(tok::exclaim, tok::tilde)) {
1705       Current.setType(TT_UnaryOperator);
1706     } else if (Current.is(tok::question)) {
1707       if (Style.Language == FormatStyle::LK_JavaScript &&
1708           Line.MustBeDeclaration && !Contexts.back().IsExpression) {
1709         // In JavaScript, `interface X { foo?(): bar; }` is an optional method
1710         // on the interface, not a ternary expression.
1711         Current.setType(TT_JsTypeOptionalQuestion);
1712       } else {
1713         Current.setType(TT_ConditionalExpr);
1714       }
1715     } else if (Current.isBinaryOperator() &&
1716                (!Current.Previous || Current.Previous->isNot(tok::l_square)) &&
1717                (!Current.is(tok::greater) &&
1718                 Style.Language != FormatStyle::LK_TextProto)) {
1719       Current.setType(TT_BinaryOperator);
1720     } else if (Current.is(tok::comment)) {
1721       if (Current.TokenText.startswith("/*")) {
1722         if (Current.TokenText.endswith("*/"))
1723           Current.setType(TT_BlockComment);
1724         else
1725           // The lexer has for some reason determined a comment here. But we
1726           // cannot really handle it, if it isn't properly terminated.
1727           Current.Tok.setKind(tok::unknown);
1728       } else {
1729         Current.setType(TT_LineComment);
1730       }
1731     } else if (Current.is(tok::r_paren)) {
1732       if (rParenEndsCast(Current))
1733         Current.setType(TT_CastRParen);
1734       if (Current.MatchingParen && Current.Next &&
1735           !Current.Next->isBinaryOperator() &&
1736           !Current.Next->isOneOf(tok::semi, tok::colon, tok::l_brace,
1737                                  tok::comma, tok::period, tok::arrow,
1738                                  tok::coloncolon))
1739         if (FormatToken *AfterParen = Current.MatchingParen->Next) {
1740           // Make sure this isn't the return type of an Obj-C block declaration
1741           if (AfterParen->Tok.isNot(tok::caret)) {
1742             if (FormatToken *BeforeParen = Current.MatchingParen->Previous)
1743               if (BeforeParen->is(tok::identifier) &&
1744                   !BeforeParen->is(TT_TypenameMacro) &&
1745                   BeforeParen->TokenText == BeforeParen->TokenText.upper() &&
1746                   (!BeforeParen->Previous ||
1747                    BeforeParen->Previous->ClosesTemplateDeclaration))
1748                 Current.setType(TT_FunctionAnnotationRParen);
1749           }
1750         }
1751     } else if (Current.is(tok::at) && Current.Next &&
1752                Style.Language != FormatStyle::LK_JavaScript &&
1753                Style.Language != FormatStyle::LK_Java) {
1754       // In Java & JavaScript, "@..." is a decorator or annotation. In ObjC, it
1755       // marks declarations and properties that need special formatting.
1756       switch (Current.Next->Tok.getObjCKeywordID()) {
1757       case tok::objc_interface:
1758       case tok::objc_implementation:
1759       case tok::objc_protocol:
1760         Current.setType(TT_ObjCDecl);
1761         break;
1762       case tok::objc_property:
1763         Current.setType(TT_ObjCProperty);
1764         break;
1765       default:
1766         break;
1767       }
1768     } else if (Current.is(tok::period)) {
1769       FormatToken *PreviousNoComment = Current.getPreviousNonComment();
1770       if (PreviousNoComment &&
1771           PreviousNoComment->isOneOf(tok::comma, tok::l_brace))
1772         Current.setType(TT_DesignatedInitializerPeriod);
1773       else if (Style.Language == FormatStyle::LK_Java && Current.Previous &&
1774                Current.Previous->isOneOf(TT_JavaAnnotation,
1775                                          TT_LeadingJavaAnnotation)) {
1776         Current.setType(Current.Previous->getType());
1777       }
1778     } else if (canBeObjCSelectorComponent(Current) &&
1779                // FIXME(bug 36976): ObjC return types shouldn't use
1780                // TT_CastRParen.
1781                Current.Previous && Current.Previous->is(TT_CastRParen) &&
1782                Current.Previous->MatchingParen &&
1783                Current.Previous->MatchingParen->Previous &&
1784                Current.Previous->MatchingParen->Previous->is(
1785                    TT_ObjCMethodSpecifier)) {
1786       // This is the first part of an Objective-C selector name. (If there's no
1787       // colon after this, this is the only place which annotates the identifier
1788       // as a selector.)
1789       Current.setType(TT_SelectorName);
1790     } else if (Current.isOneOf(tok::identifier, tok::kw_const, tok::kw_noexcept,
1791                                tok::kw_requires) &&
1792                Current.Previous &&
1793                !Current.Previous->isOneOf(tok::equal, tok::at) &&
1794                Line.MightBeFunctionDecl && Contexts.size() == 1) {
1795       // Line.MightBeFunctionDecl can only be true after the parentheses of a
1796       // function declaration have been found.
1797       Current.setType(TT_TrailingAnnotation);
1798     } else if ((Style.Language == FormatStyle::LK_Java ||
1799                 Style.Language == FormatStyle::LK_JavaScript) &&
1800                Current.Previous) {
1801       if (Current.Previous->is(tok::at) &&
1802           Current.isNot(Keywords.kw_interface)) {
1803         const FormatToken &AtToken = *Current.Previous;
1804         const FormatToken *Previous = AtToken.getPreviousNonComment();
1805         if (!Previous || Previous->is(TT_LeadingJavaAnnotation))
1806           Current.setType(TT_LeadingJavaAnnotation);
1807         else
1808           Current.setType(TT_JavaAnnotation);
1809       } else if (Current.Previous->is(tok::period) &&
1810                  Current.Previous->isOneOf(TT_JavaAnnotation,
1811                                            TT_LeadingJavaAnnotation)) {
1812         Current.setType(Current.Previous->getType());
1813       }
1814     }
1815   }
1816 
1817   /// Take a guess at whether \p Tok starts a name of a function or
1818   /// variable declaration.
1819   ///
1820   /// This is a heuristic based on whether \p Tok is an identifier following
1821   /// something that is likely a type.
1822   bool isStartOfName(const FormatToken &Tok) {
1823     if (Tok.isNot(tok::identifier) || !Tok.Previous)
1824       return false;
1825 
1826     if (Tok.Previous->isOneOf(TT_LeadingJavaAnnotation, Keywords.kw_instanceof,
1827                               Keywords.kw_as))
1828       return false;
1829     if (Style.Language == FormatStyle::LK_JavaScript &&
1830         Tok.Previous->is(Keywords.kw_in))
1831       return false;
1832 
1833     // Skip "const" as it does not have an influence on whether this is a name.
1834     FormatToken *PreviousNotConst = Tok.getPreviousNonComment();
1835     while (PreviousNotConst && PreviousNotConst->is(tok::kw_const))
1836       PreviousNotConst = PreviousNotConst->getPreviousNonComment();
1837 
1838     if (!PreviousNotConst)
1839       return false;
1840 
1841     bool IsPPKeyword = PreviousNotConst->is(tok::identifier) &&
1842                        PreviousNotConst->Previous &&
1843                        PreviousNotConst->Previous->is(tok::hash);
1844 
1845     if (PreviousNotConst->is(TT_TemplateCloser))
1846       return PreviousNotConst && PreviousNotConst->MatchingParen &&
1847              PreviousNotConst->MatchingParen->Previous &&
1848              PreviousNotConst->MatchingParen->Previous->isNot(tok::period) &&
1849              PreviousNotConst->MatchingParen->Previous->isNot(tok::kw_template);
1850 
1851     if (PreviousNotConst->is(tok::r_paren) &&
1852         PreviousNotConst->is(TT_TypeDeclarationParen))
1853       return true;
1854 
1855     return (!IsPPKeyword &&
1856             PreviousNotConst->isOneOf(tok::identifier, tok::kw_auto)) ||
1857            PreviousNotConst->is(TT_PointerOrReference) ||
1858            PreviousNotConst->isSimpleTypeSpecifier();
1859   }
1860 
1861   /// Determine whether ')' is ending a cast.
1862   bool rParenEndsCast(const FormatToken &Tok) {
1863     // C-style casts are only used in C++, C# and Java.
1864     if (!Style.isCSharp() && !Style.isCpp() &&
1865         Style.Language != FormatStyle::LK_Java)
1866       return false;
1867 
1868     // Empty parens aren't casts and there are no casts at the end of the line.
1869     if (Tok.Previous == Tok.MatchingParen || !Tok.Next || !Tok.MatchingParen)
1870       return false;
1871 
1872     FormatToken *LeftOfParens = Tok.MatchingParen->getPreviousNonComment();
1873     if (LeftOfParens) {
1874       // If there is a closing parenthesis left of the current parentheses,
1875       // look past it as these might be chained casts.
1876       if (LeftOfParens->is(tok::r_paren)) {
1877         if (!LeftOfParens->MatchingParen ||
1878             !LeftOfParens->MatchingParen->Previous)
1879           return false;
1880         LeftOfParens = LeftOfParens->MatchingParen->Previous;
1881       }
1882 
1883       // If there is an identifier (or with a few exceptions a keyword) right
1884       // before the parentheses, this is unlikely to be a cast.
1885       if (LeftOfParens->Tok.getIdentifierInfo() &&
1886           !LeftOfParens->isOneOf(Keywords.kw_in, tok::kw_return, tok::kw_case,
1887                                  tok::kw_delete))
1888         return false;
1889 
1890       // Certain other tokens right before the parentheses are also signals that
1891       // this cannot be a cast.
1892       if (LeftOfParens->isOneOf(tok::at, tok::r_square, TT_OverloadedOperator,
1893                                 TT_TemplateCloser, tok::ellipsis))
1894         return false;
1895     }
1896 
1897     if (Tok.Next->is(tok::question))
1898       return false;
1899 
1900     // `foreach((A a, B b) in someList)` should not be seen as a cast.
1901     if (Tok.Next->is(Keywords.kw_in) && Style.isCSharp())
1902       return false;
1903 
1904     // Functions which end with decorations like volatile, noexcept are unlikely
1905     // to be casts.
1906     if (Tok.Next->isOneOf(tok::kw_noexcept, tok::kw_volatile, tok::kw_const,
1907                           tok::kw_requires, tok::kw_throw, tok::arrow,
1908                           Keywords.kw_override, Keywords.kw_final) ||
1909         isCpp11AttributeSpecifier(*Tok.Next))
1910       return false;
1911 
1912     // As Java has no function types, a "(" after the ")" likely means that this
1913     // is a cast.
1914     if (Style.Language == FormatStyle::LK_Java && Tok.Next->is(tok::l_paren))
1915       return true;
1916 
1917     // If a (non-string) literal follows, this is likely a cast.
1918     if (Tok.Next->isNot(tok::string_literal) &&
1919         (Tok.Next->Tok.isLiteral() ||
1920          Tok.Next->isOneOf(tok::kw_sizeof, tok::kw_alignof)))
1921       return true;
1922 
1923     // Heuristically try to determine whether the parentheses contain a type.
1924     auto IsQualifiedPointerOrReference = [](FormatToken *T) {
1925       // This is used to handle cases such as x = (foo *const)&y;
1926       assert(!T->isSimpleTypeSpecifier() && "Should have already been checked");
1927       // Strip trailing qualifiers such as const or volatile when checking
1928       // whether the parens could be a cast to a pointer/reference type.
1929       while (T) {
1930         if (T->is(TT_AttributeParen)) {
1931           // Handle `x = (foo *__attribute__((foo)))&v;`:
1932           if (T->MatchingParen && T->MatchingParen->Previous &&
1933               T->MatchingParen->Previous->is(tok::kw___attribute)) {
1934             T = T->MatchingParen->Previous->Previous;
1935             continue;
1936           }
1937         } else if (T->is(TT_AttributeSquare)) {
1938           // Handle `x = (foo *[[clang::foo]])&v;`:
1939           if (T->MatchingParen && T->MatchingParen->Previous) {
1940             T = T->MatchingParen->Previous;
1941             continue;
1942           }
1943         } else if (T->canBePointerOrReferenceQualifier()) {
1944           T = T->Previous;
1945           continue;
1946         }
1947         break;
1948       }
1949       return T && T->is(TT_PointerOrReference);
1950     };
1951     bool ParensAreType =
1952         !Tok.Previous ||
1953         Tok.Previous->isOneOf(TT_TemplateCloser, TT_TypeDeclarationParen) ||
1954         Tok.Previous->isSimpleTypeSpecifier() ||
1955         IsQualifiedPointerOrReference(Tok.Previous);
1956     bool ParensCouldEndDecl =
1957         Tok.Next->isOneOf(tok::equal, tok::semi, tok::l_brace, tok::greater);
1958     if (ParensAreType && !ParensCouldEndDecl)
1959       return true;
1960 
1961     // At this point, we heuristically assume that there are no casts at the
1962     // start of the line. We assume that we have found most cases where there
1963     // are by the logic above, e.g. "(void)x;".
1964     if (!LeftOfParens)
1965       return false;
1966 
1967     // Certain token types inside the parentheses mean that this can't be a
1968     // cast.
1969     for (const FormatToken *Token = Tok.MatchingParen->Next; Token != &Tok;
1970          Token = Token->Next)
1971       if (Token->is(TT_BinaryOperator))
1972         return false;
1973 
1974     // If the following token is an identifier or 'this', this is a cast. All
1975     // cases where this can be something else are handled above.
1976     if (Tok.Next->isOneOf(tok::identifier, tok::kw_this))
1977       return true;
1978 
1979     // Look for a cast `( x ) (`.
1980     if (Tok.Next->is(tok::l_paren) && Tok.Previous && Tok.Previous->Previous) {
1981       if (Tok.Previous->is(tok::identifier) &&
1982           Tok.Previous->Previous->is(tok::l_paren))
1983         return true;
1984     }
1985 
1986     if (!Tok.Next->Next)
1987       return false;
1988 
1989     // If the next token after the parenthesis is a unary operator, assume
1990     // that this is cast, unless there are unexpected tokens inside the
1991     // parenthesis.
1992     bool NextIsUnary =
1993         Tok.Next->isUnaryOperator() || Tok.Next->isOneOf(tok::amp, tok::star);
1994     if (!NextIsUnary || Tok.Next->is(tok::plus) ||
1995         !Tok.Next->Next->isOneOf(tok::identifier, tok::numeric_constant))
1996       return false;
1997     // Search for unexpected tokens.
1998     for (FormatToken *Prev = Tok.Previous; Prev != Tok.MatchingParen;
1999          Prev = Prev->Previous) {
2000       if (!Prev->isOneOf(tok::kw_const, tok::identifier, tok::coloncolon))
2001         return false;
2002     }
2003     return true;
2004   }
2005 
2006   /// Return the type of the given token assuming it is * or &.
2007   TokenType determineStarAmpUsage(const FormatToken &Tok, bool IsExpression,
2008                                   bool InTemplateArgument) {
2009     if (Style.Language == FormatStyle::LK_JavaScript)
2010       return TT_BinaryOperator;
2011 
2012     // && in C# must be a binary operator.
2013     if (Style.isCSharp() && Tok.is(tok::ampamp))
2014       return TT_BinaryOperator;
2015 
2016     const FormatToken *PrevToken = Tok.getPreviousNonComment();
2017     if (!PrevToken)
2018       return TT_UnaryOperator;
2019 
2020     const FormatToken *NextToken = Tok.getNextNonComment();
2021     if (!NextToken ||
2022         NextToken->isOneOf(tok::arrow, tok::equal, tok::kw_noexcept) ||
2023         NextToken->canBePointerOrReferenceQualifier() ||
2024         (NextToken->is(tok::l_brace) && !NextToken->getNextNonComment()))
2025       return TT_PointerOrReference;
2026 
2027     if (PrevToken->is(tok::coloncolon))
2028       return TT_PointerOrReference;
2029 
2030     if (PrevToken->is(tok::r_paren) && PrevToken->is(TT_TypeDeclarationParen))
2031       return TT_PointerOrReference;
2032 
2033     if (PrevToken->isOneOf(tok::l_paren, tok::l_square, tok::l_brace,
2034                            tok::comma, tok::semi, tok::kw_return, tok::colon,
2035                            tok::kw_co_return, tok::kw_co_await,
2036                            tok::kw_co_yield, tok::equal, tok::kw_delete,
2037                            tok::kw_sizeof, tok::kw_throw, TT_BinaryOperator,
2038                            TT_ConditionalExpr, TT_UnaryOperator, TT_CastRParen))
2039       return TT_UnaryOperator;
2040 
2041     if (NextToken->is(tok::l_square) && NextToken->isNot(TT_LambdaLSquare))
2042       return TT_PointerOrReference;
2043     if (NextToken->is(tok::kw_operator) && !IsExpression)
2044       return TT_PointerOrReference;
2045     if (NextToken->isOneOf(tok::comma, tok::semi))
2046       return TT_PointerOrReference;
2047 
2048     if (PrevToken->Tok.isLiteral() ||
2049         PrevToken->isOneOf(tok::r_paren, tok::r_square, tok::kw_true,
2050                            tok::kw_false, tok::r_brace) ||
2051         NextToken->Tok.isLiteral() ||
2052         NextToken->isOneOf(tok::kw_true, tok::kw_false) ||
2053         NextToken->isUnaryOperator() ||
2054         // If we know we're in a template argument, there are no named
2055         // declarations. Thus, having an identifier on the right-hand side
2056         // indicates a binary operator.
2057         (InTemplateArgument && NextToken->Tok.isAnyIdentifier()))
2058       return TT_BinaryOperator;
2059 
2060     // "&&(" is quite unlikely to be two successive unary "&".
2061     if (Tok.is(tok::ampamp) && NextToken->is(tok::l_paren))
2062       return TT_BinaryOperator;
2063 
2064     // This catches some cases where evaluation order is used as control flow:
2065     //   aaa && aaa->f();
2066     if (NextToken->Tok.isAnyIdentifier()) {
2067       const FormatToken *NextNextToken = NextToken->getNextNonComment();
2068       if (NextNextToken && NextNextToken->is(tok::arrow))
2069         return TT_BinaryOperator;
2070     }
2071 
2072     // It is very unlikely that we are going to find a pointer or reference type
2073     // definition on the RHS of an assignment.
2074     if (IsExpression && !Contexts.back().CaretFound)
2075       return TT_BinaryOperator;
2076 
2077     return TT_PointerOrReference;
2078   }
2079 
2080   TokenType determinePlusMinusCaretUsage(const FormatToken &Tok) {
2081     const FormatToken *PrevToken = Tok.getPreviousNonComment();
2082     if (!PrevToken)
2083       return TT_UnaryOperator;
2084 
2085     if (PrevToken->isOneOf(TT_CastRParen, TT_UnaryOperator))
2086       // This must be a sequence of leading unary operators.
2087       return TT_UnaryOperator;
2088 
2089     // Use heuristics to recognize unary operators.
2090     if (PrevToken->isOneOf(tok::equal, tok::l_paren, tok::comma, tok::l_square,
2091                            tok::question, tok::colon, tok::kw_return,
2092                            tok::kw_case, tok::at, tok::l_brace, tok::kw_throw,
2093                            tok::kw_co_return, tok::kw_co_yield))
2094       return TT_UnaryOperator;
2095 
2096     // There can't be two consecutive binary operators.
2097     if (PrevToken->is(TT_BinaryOperator))
2098       return TT_UnaryOperator;
2099 
2100     // Fall back to marking the token as binary operator.
2101     return TT_BinaryOperator;
2102   }
2103 
2104   /// Determine whether ++/-- are pre- or post-increments/-decrements.
2105   TokenType determineIncrementUsage(const FormatToken &Tok) {
2106     const FormatToken *PrevToken = Tok.getPreviousNonComment();
2107     if (!PrevToken || PrevToken->is(TT_CastRParen))
2108       return TT_UnaryOperator;
2109     if (PrevToken->isOneOf(tok::r_paren, tok::r_square, tok::identifier))
2110       return TT_TrailingUnaryOperator;
2111 
2112     return TT_UnaryOperator;
2113   }
2114 
2115   SmallVector<Context, 8> Contexts;
2116 
2117   const FormatStyle &Style;
2118   AnnotatedLine &Line;
2119   FormatToken *CurrentToken;
2120   bool AutoFound;
2121   const AdditionalKeywords &Keywords;
2122 
2123   // Set of "<" tokens that do not open a template parameter list. If parseAngle
2124   // determines that a specific token can't be a template opener, it will make
2125   // same decision irrespective of the decisions for tokens leading up to it.
2126   // Store this information to prevent this from causing exponential runtime.
2127   llvm::SmallPtrSet<FormatToken *, 16> NonTemplateLess;
2128 };
2129 
2130 static const int PrecedenceUnaryOperator = prec::PointerToMember + 1;
2131 static const int PrecedenceArrowAndPeriod = prec::PointerToMember + 2;
2132 
2133 /// Parses binary expressions by inserting fake parenthesis based on
2134 /// operator precedence.
2135 class ExpressionParser {
2136 public:
2137   ExpressionParser(const FormatStyle &Style, const AdditionalKeywords &Keywords,
2138                    AnnotatedLine &Line)
2139       : Style(Style), Keywords(Keywords), Current(Line.First) {}
2140 
2141   /// Parse expressions with the given operator precedence.
2142   void parse(int Precedence = 0) {
2143     // Skip 'return' and ObjC selector colons as they are not part of a binary
2144     // expression.
2145     while (Current && (Current->is(tok::kw_return) ||
2146                        (Current->is(tok::colon) &&
2147                         Current->isOneOf(TT_ObjCMethodExpr, TT_DictLiteral))))
2148       next();
2149 
2150     if (!Current || Precedence > PrecedenceArrowAndPeriod)
2151       return;
2152 
2153     // Conditional expressions need to be parsed separately for proper nesting.
2154     if (Precedence == prec::Conditional) {
2155       parseConditionalExpr();
2156       return;
2157     }
2158 
2159     // Parse unary operators, which all have a higher precedence than binary
2160     // operators.
2161     if (Precedence == PrecedenceUnaryOperator) {
2162       parseUnaryOperator();
2163       return;
2164     }
2165 
2166     FormatToken *Start = Current;
2167     FormatToken *LatestOperator = nullptr;
2168     unsigned OperatorIndex = 0;
2169 
2170     while (Current) {
2171       // Consume operators with higher precedence.
2172       parse(Precedence + 1);
2173 
2174       int CurrentPrecedence = getCurrentPrecedence();
2175 
2176       if (Precedence == CurrentPrecedence && Current &&
2177           Current->is(TT_SelectorName)) {
2178         if (LatestOperator)
2179           addFakeParenthesis(Start, prec::Level(Precedence));
2180         Start = Current;
2181       }
2182 
2183       // At the end of the line or when an operator with higher precedence is
2184       // found, insert fake parenthesis and return.
2185       if (!Current ||
2186           (Current->closesScope() &&
2187            (Current->MatchingParen || Current->is(TT_TemplateString))) ||
2188           (CurrentPrecedence != -1 && CurrentPrecedence < Precedence) ||
2189           (CurrentPrecedence == prec::Conditional &&
2190            Precedence == prec::Assignment && Current->is(tok::colon))) {
2191         break;
2192       }
2193 
2194       // Consume scopes: (), [], <> and {}
2195       if (Current->opensScope()) {
2196         // In fragment of a JavaScript template string can look like '}..${' and
2197         // thus close a scope and open a new one at the same time.
2198         while (Current && (!Current->closesScope() || Current->opensScope())) {
2199           next();
2200           parse();
2201         }
2202         next();
2203       } else {
2204         // Operator found.
2205         if (CurrentPrecedence == Precedence) {
2206           if (LatestOperator)
2207             LatestOperator->NextOperator = Current;
2208           LatestOperator = Current;
2209           Current->OperatorIndex = OperatorIndex;
2210           ++OperatorIndex;
2211         }
2212         next(/*SkipPastLeadingComments=*/Precedence > 0);
2213       }
2214     }
2215 
2216     if (LatestOperator && (Current || Precedence > 0)) {
2217       // LatestOperator->LastOperator = true;
2218       if (Precedence == PrecedenceArrowAndPeriod) {
2219         // Call expressions don't have a binary operator precedence.
2220         addFakeParenthesis(Start, prec::Unknown);
2221       } else {
2222         addFakeParenthesis(Start, prec::Level(Precedence));
2223       }
2224     }
2225   }
2226 
2227 private:
2228   /// Gets the precedence (+1) of the given token for binary operators
2229   /// and other tokens that we treat like binary operators.
2230   int getCurrentPrecedence() {
2231     if (Current) {
2232       const FormatToken *NextNonComment = Current->getNextNonComment();
2233       if (Current->is(TT_ConditionalExpr))
2234         return prec::Conditional;
2235       if (NextNonComment && Current->is(TT_SelectorName) &&
2236           (NextNonComment->isOneOf(TT_DictLiteral, TT_JsTypeColon) ||
2237            ((Style.Language == FormatStyle::LK_Proto ||
2238              Style.Language == FormatStyle::LK_TextProto) &&
2239             NextNonComment->is(tok::less))))
2240         return prec::Assignment;
2241       if (Current->is(TT_JsComputedPropertyName))
2242         return prec::Assignment;
2243       if (Current->is(TT_LambdaArrow))
2244         return prec::Comma;
2245       if (Current->is(TT_FatArrow))
2246         return prec::Assignment;
2247       if (Current->isOneOf(tok::semi, TT_InlineASMColon, TT_SelectorName) ||
2248           (Current->is(tok::comment) && NextNonComment &&
2249            NextNonComment->is(TT_SelectorName)))
2250         return 0;
2251       if (Current->is(TT_RangeBasedForLoopColon))
2252         return prec::Comma;
2253       if ((Style.Language == FormatStyle::LK_Java ||
2254            Style.Language == FormatStyle::LK_JavaScript) &&
2255           Current->is(Keywords.kw_instanceof))
2256         return prec::Relational;
2257       if (Style.Language == FormatStyle::LK_JavaScript &&
2258           Current->isOneOf(Keywords.kw_in, Keywords.kw_as))
2259         return prec::Relational;
2260       if (Current->is(TT_BinaryOperator) || Current->is(tok::comma))
2261         return Current->getPrecedence();
2262       if (Current->isOneOf(tok::period, tok::arrow))
2263         return PrecedenceArrowAndPeriod;
2264       if ((Style.Language == FormatStyle::LK_Java ||
2265            Style.Language == FormatStyle::LK_JavaScript) &&
2266           Current->isOneOf(Keywords.kw_extends, Keywords.kw_implements,
2267                            Keywords.kw_throws))
2268         return 0;
2269     }
2270     return -1;
2271   }
2272 
2273   void addFakeParenthesis(FormatToken *Start, prec::Level Precedence) {
2274     Start->FakeLParens.push_back(Precedence);
2275     if (Precedence > prec::Unknown)
2276       Start->StartsBinaryExpression = true;
2277     if (Current) {
2278       FormatToken *Previous = Current->Previous;
2279       while (Previous->is(tok::comment) && Previous->Previous)
2280         Previous = Previous->Previous;
2281       ++Previous->FakeRParens;
2282       if (Precedence > prec::Unknown)
2283         Previous->EndsBinaryExpression = true;
2284     }
2285   }
2286 
2287   /// Parse unary operator expressions and surround them with fake
2288   /// parentheses if appropriate.
2289   void parseUnaryOperator() {
2290     llvm::SmallVector<FormatToken *, 2> Tokens;
2291     while (Current && Current->is(TT_UnaryOperator)) {
2292       Tokens.push_back(Current);
2293       next();
2294     }
2295     parse(PrecedenceArrowAndPeriod);
2296     for (FormatToken *Token : llvm::reverse(Tokens))
2297       // The actual precedence doesn't matter.
2298       addFakeParenthesis(Token, prec::Unknown);
2299   }
2300 
2301   void parseConditionalExpr() {
2302     while (Current && Current->isTrailingComment()) {
2303       next();
2304     }
2305     FormatToken *Start = Current;
2306     parse(prec::LogicalOr);
2307     if (!Current || !Current->is(tok::question))
2308       return;
2309     next();
2310     parse(prec::Assignment);
2311     if (!Current || Current->isNot(TT_ConditionalExpr))
2312       return;
2313     next();
2314     parse(prec::Assignment);
2315     addFakeParenthesis(Start, prec::Conditional);
2316   }
2317 
2318   void next(bool SkipPastLeadingComments = true) {
2319     if (Current)
2320       Current = Current->Next;
2321     while (Current &&
2322            (Current->NewlinesBefore == 0 || SkipPastLeadingComments) &&
2323            Current->isTrailingComment())
2324       Current = Current->Next;
2325   }
2326 
2327   const FormatStyle &Style;
2328   const AdditionalKeywords &Keywords;
2329   FormatToken *Current;
2330 };
2331 
2332 } // end anonymous namespace
2333 
2334 void TokenAnnotator::setCommentLineLevels(
2335     SmallVectorImpl<AnnotatedLine *> &Lines) {
2336   const AnnotatedLine *NextNonCommentLine = nullptr;
2337   for (AnnotatedLine *AL : llvm::reverse(Lines)) {
2338     bool CommentLine = true;
2339     for (const FormatToken *Tok = AL->First; Tok; Tok = Tok->Next) {
2340       if (!Tok->is(tok::comment)) {
2341         CommentLine = false;
2342         break;
2343       }
2344     }
2345 
2346     // If the comment is currently aligned with the line immediately following
2347     // it, that's probably intentional and we should keep it.
2348     if (NextNonCommentLine && CommentLine &&
2349         NextNonCommentLine->First->NewlinesBefore <= 1 &&
2350         NextNonCommentLine->First->OriginalColumn ==
2351             AL->First->OriginalColumn) {
2352       // Align comments for preprocessor lines with the # in column 0 if
2353       // preprocessor lines are not indented. Otherwise, align with the next
2354       // line.
2355       AL->Level = (Style.IndentPPDirectives != FormatStyle::PPDIS_BeforeHash &&
2356                    (NextNonCommentLine->Type == LT_PreprocessorDirective ||
2357                     NextNonCommentLine->Type == LT_ImportStatement))
2358                       ? 0
2359                       : NextNonCommentLine->Level;
2360     } else {
2361       NextNonCommentLine = AL->First->isNot(tok::r_brace) ? AL : nullptr;
2362     }
2363 
2364     setCommentLineLevels(AL->Children);
2365   }
2366 }
2367 
2368 static unsigned maxNestingDepth(const AnnotatedLine &Line) {
2369   unsigned Result = 0;
2370   for (const auto *Tok = Line.First; Tok != nullptr; Tok = Tok->Next)
2371     Result = std::max(Result, Tok->NestingLevel);
2372   return Result;
2373 }
2374 
2375 void TokenAnnotator::annotate(AnnotatedLine &Line) {
2376   for (auto &Child : Line.Children)
2377     annotate(*Child);
2378 
2379   AnnotatingParser Parser(Style, Line, Keywords);
2380   Line.Type = Parser.parseLine();
2381 
2382   // With very deep nesting, ExpressionParser uses lots of stack and the
2383   // formatting algorithm is very slow. We're not going to do a good job here
2384   // anyway - it's probably generated code being formatted by mistake.
2385   // Just skip the whole line.
2386   if (maxNestingDepth(Line) > 50)
2387     Line.Type = LT_Invalid;
2388 
2389   if (Line.Type == LT_Invalid)
2390     return;
2391 
2392   ExpressionParser ExprParser(Style, Keywords, Line);
2393   ExprParser.parse();
2394 
2395   if (Line.startsWith(TT_ObjCMethodSpecifier))
2396     Line.Type = LT_ObjCMethodDecl;
2397   else if (Line.startsWith(TT_ObjCDecl))
2398     Line.Type = LT_ObjCDecl;
2399   else if (Line.startsWith(TT_ObjCProperty))
2400     Line.Type = LT_ObjCProperty;
2401 
2402   Line.First->SpacesRequiredBefore = 1;
2403   Line.First->CanBreakBefore = Line.First->MustBreakBefore;
2404 }
2405 
2406 // This function heuristically determines whether 'Current' starts the name of a
2407 // function declaration.
2408 static bool isFunctionDeclarationName(bool IsCpp, const FormatToken &Current,
2409                                       const AnnotatedLine &Line) {
2410   auto skipOperatorName = [](const FormatToken *Next) -> const FormatToken * {
2411     for (; Next; Next = Next->Next) {
2412       if (Next->is(TT_OverloadedOperatorLParen))
2413         return Next;
2414       if (Next->is(TT_OverloadedOperator))
2415         continue;
2416       if (Next->isOneOf(tok::kw_new, tok::kw_delete)) {
2417         // For 'new[]' and 'delete[]'.
2418         if (Next->Next &&
2419             Next->Next->startsSequence(tok::l_square, tok::r_square))
2420           Next = Next->Next->Next;
2421         continue;
2422       }
2423       if (Next->startsSequence(tok::l_square, tok::r_square)) {
2424         // For operator[]().
2425         Next = Next->Next;
2426         continue;
2427       }
2428       if ((Next->isSimpleTypeSpecifier() || Next->is(tok::identifier)) &&
2429           Next->Next && Next->Next->isOneOf(tok::star, tok::amp, tok::ampamp)) {
2430         // For operator void*(), operator char*(), operator Foo*().
2431         Next = Next->Next;
2432         continue;
2433       }
2434       if (Next->is(TT_TemplateOpener) && Next->MatchingParen) {
2435         Next = Next->MatchingParen;
2436         continue;
2437       }
2438 
2439       break;
2440     }
2441     return nullptr;
2442   };
2443 
2444   // Find parentheses of parameter list.
2445   const FormatToken *Next = Current.Next;
2446   if (Current.is(tok::kw_operator)) {
2447     if (Current.Previous && Current.Previous->is(tok::coloncolon))
2448       return false;
2449     Next = skipOperatorName(Next);
2450   } else {
2451     if (!Current.is(TT_StartOfName) || Current.NestingLevel != 0)
2452       return false;
2453     for (; Next; Next = Next->Next) {
2454       if (Next->is(TT_TemplateOpener)) {
2455         Next = Next->MatchingParen;
2456       } else if (Next->is(tok::coloncolon)) {
2457         Next = Next->Next;
2458         if (!Next)
2459           return false;
2460         if (Next->is(tok::kw_operator)) {
2461           Next = skipOperatorName(Next->Next);
2462           break;
2463         }
2464         if (!Next->is(tok::identifier))
2465           return false;
2466       } else if (Next->is(tok::l_paren)) {
2467         break;
2468       } else {
2469         return false;
2470       }
2471     }
2472   }
2473 
2474   // Check whether parameter list can belong to a function declaration.
2475   if (!Next || !Next->is(tok::l_paren) || !Next->MatchingParen)
2476     return false;
2477   // If the lines ends with "{", this is likely a function definition.
2478   if (Line.Last->is(tok::l_brace))
2479     return true;
2480   if (Next->Next == Next->MatchingParen)
2481     return true; // Empty parentheses.
2482   // If there is an &/&& after the r_paren, this is likely a function.
2483   if (Next->MatchingParen->Next &&
2484       Next->MatchingParen->Next->is(TT_PointerOrReference))
2485     return true;
2486 
2487   // Check for K&R C function definitions (and C++ function definitions with
2488   // unnamed parameters), e.g.:
2489   //   int f(i)
2490   //   {
2491   //     return i + 1;
2492   //   }
2493   //   bool g(size_t = 0, bool b = false)
2494   //   {
2495   //     return !b;
2496   //   }
2497   if (IsCpp && Next->Next && Next->Next->is(tok::identifier) &&
2498       !Line.endsWith(tok::semi))
2499     return true;
2500 
2501   for (const FormatToken *Tok = Next->Next; Tok && Tok != Next->MatchingParen;
2502        Tok = Tok->Next) {
2503     if (Tok->is(TT_TypeDeclarationParen))
2504       return true;
2505     if (Tok->isOneOf(tok::l_paren, TT_TemplateOpener) && Tok->MatchingParen) {
2506       Tok = Tok->MatchingParen;
2507       continue;
2508     }
2509     if (Tok->is(tok::kw_const) || Tok->isSimpleTypeSpecifier() ||
2510         Tok->isOneOf(TT_PointerOrReference, TT_StartOfName, tok::ellipsis))
2511       return true;
2512     if (Tok->isOneOf(tok::l_brace, tok::string_literal, TT_ObjCMethodExpr) ||
2513         Tok->Tok.isLiteral())
2514       return false;
2515   }
2516   return false;
2517 }
2518 
2519 bool TokenAnnotator::mustBreakForReturnType(const AnnotatedLine &Line) const {
2520   assert(Line.MightBeFunctionDecl);
2521 
2522   if ((Style.AlwaysBreakAfterReturnType == FormatStyle::RTBS_TopLevel ||
2523        Style.AlwaysBreakAfterReturnType ==
2524            FormatStyle::RTBS_TopLevelDefinitions) &&
2525       Line.Level > 0)
2526     return false;
2527 
2528   switch (Style.AlwaysBreakAfterReturnType) {
2529   case FormatStyle::RTBS_None:
2530     return false;
2531   case FormatStyle::RTBS_All:
2532   case FormatStyle::RTBS_TopLevel:
2533     return true;
2534   case FormatStyle::RTBS_AllDefinitions:
2535   case FormatStyle::RTBS_TopLevelDefinitions:
2536     return Line.mightBeFunctionDefinition();
2537   }
2538 
2539   return false;
2540 }
2541 
2542 void TokenAnnotator::calculateFormattingInformation(AnnotatedLine &Line) {
2543   for (SmallVectorImpl<AnnotatedLine *>::iterator I = Line.Children.begin(),
2544                                                   E = Line.Children.end();
2545        I != E; ++I) {
2546     calculateFormattingInformation(**I);
2547   }
2548 
2549   Line.First->TotalLength =
2550       Line.First->IsMultiline ? Style.ColumnLimit
2551                               : Line.FirstStartColumn + Line.First->ColumnWidth;
2552   FormatToken *Current = Line.First->Next;
2553   bool InFunctionDecl = Line.MightBeFunctionDecl;
2554   bool AlignArrayOfStructures =
2555       (Style.AlignArrayOfStructures != FormatStyle::AIAS_None &&
2556        Line.Type == LT_ArrayOfStructInitializer);
2557   if (AlignArrayOfStructures)
2558     calculateArrayInitializerColumnList(Line);
2559 
2560   while (Current) {
2561     if (isFunctionDeclarationName(Style.isCpp(), *Current, Line))
2562       Current->setType(TT_FunctionDeclarationName);
2563     if (Current->is(TT_LineComment)) {
2564       if (Current->Previous->is(BK_BracedInit) &&
2565           Current->Previous->opensScope())
2566         Current->SpacesRequiredBefore =
2567             (Style.Cpp11BracedListStyle && !Style.SpacesInParentheses) ? 0 : 1;
2568       else
2569         Current->SpacesRequiredBefore = Style.SpacesBeforeTrailingComments;
2570 
2571       // If we find a trailing comment, iterate backwards to determine whether
2572       // it seems to relate to a specific parameter. If so, break before that
2573       // parameter to avoid changing the comment's meaning. E.g. don't move 'b'
2574       // to the previous line in:
2575       //   SomeFunction(a,
2576       //                b, // comment
2577       //                c);
2578       if (!Current->HasUnescapedNewline) {
2579         for (FormatToken *Parameter = Current->Previous; Parameter;
2580              Parameter = Parameter->Previous) {
2581           if (Parameter->isOneOf(tok::comment, tok::r_brace))
2582             break;
2583           if (Parameter->Previous && Parameter->Previous->is(tok::comma)) {
2584             if (!Parameter->Previous->is(TT_CtorInitializerComma) &&
2585                 Parameter->HasUnescapedNewline)
2586               Parameter->MustBreakBefore = true;
2587             break;
2588           }
2589         }
2590       }
2591     } else if (Current->SpacesRequiredBefore == 0 &&
2592                spaceRequiredBefore(Line, *Current)) {
2593       Current->SpacesRequiredBefore = 1;
2594     }
2595 
2596     Current->MustBreakBefore =
2597         Current->MustBreakBefore || mustBreakBefore(Line, *Current);
2598 
2599     if (!Current->MustBreakBefore && InFunctionDecl &&
2600         Current->is(TT_FunctionDeclarationName))
2601       Current->MustBreakBefore = mustBreakForReturnType(Line);
2602 
2603     Current->CanBreakBefore =
2604         Current->MustBreakBefore || canBreakBefore(Line, *Current);
2605     unsigned ChildSize = 0;
2606     if (Current->Previous->Children.size() == 1) {
2607       FormatToken &LastOfChild = *Current->Previous->Children[0]->Last;
2608       ChildSize = LastOfChild.isTrailingComment() ? Style.ColumnLimit
2609                                                   : LastOfChild.TotalLength + 1;
2610     }
2611     const FormatToken *Prev = Current->Previous;
2612     if (Current->MustBreakBefore || Prev->Children.size() > 1 ||
2613         (Prev->Children.size() == 1 &&
2614          Prev->Children[0]->First->MustBreakBefore) ||
2615         Current->IsMultiline)
2616       Current->TotalLength = Prev->TotalLength + Style.ColumnLimit;
2617     else
2618       Current->TotalLength = Prev->TotalLength + Current->ColumnWidth +
2619                              ChildSize + Current->SpacesRequiredBefore;
2620 
2621     if (Current->is(TT_CtorInitializerColon))
2622       InFunctionDecl = false;
2623 
2624     // FIXME: Only calculate this if CanBreakBefore is true once static
2625     // initializers etc. are sorted out.
2626     // FIXME: Move magic numbers to a better place.
2627 
2628     // Reduce penalty for aligning ObjC method arguments using the colon
2629     // alignment as this is the canonical way (still prefer fitting everything
2630     // into one line if possible). Trying to fit a whole expression into one
2631     // line should not force other line breaks (e.g. when ObjC method
2632     // expression is a part of other expression).
2633     Current->SplitPenalty = splitPenalty(Line, *Current, InFunctionDecl);
2634     if (Style.Language == FormatStyle::LK_ObjC &&
2635         Current->is(TT_SelectorName) && Current->ParameterIndex > 0) {
2636       if (Current->ParameterIndex == 1)
2637         Current->SplitPenalty += 5 * Current->BindingStrength;
2638     } else {
2639       Current->SplitPenalty += 20 * Current->BindingStrength;
2640     }
2641 
2642     Current = Current->Next;
2643   }
2644 
2645   calculateUnbreakableTailLengths(Line);
2646   unsigned IndentLevel = Line.Level;
2647   for (Current = Line.First; Current != nullptr; Current = Current->Next) {
2648     if (Current->Role)
2649       Current->Role->precomputeFormattingInfos(Current);
2650     if (Current->MatchingParen &&
2651         Current->MatchingParen->opensBlockOrBlockTypeList(Style) &&
2652         IndentLevel > 0) {
2653       --IndentLevel;
2654     }
2655     Current->IndentLevel = IndentLevel;
2656     if (Current->opensBlockOrBlockTypeList(Style))
2657       ++IndentLevel;
2658   }
2659 
2660   LLVM_DEBUG({ printDebugInfo(Line); });
2661 }
2662 
2663 void TokenAnnotator::calculateUnbreakableTailLengths(AnnotatedLine &Line) {
2664   unsigned UnbreakableTailLength = 0;
2665   FormatToken *Current = Line.Last;
2666   while (Current) {
2667     Current->UnbreakableTailLength = UnbreakableTailLength;
2668     if (Current->CanBreakBefore ||
2669         Current->isOneOf(tok::comment, tok::string_literal)) {
2670       UnbreakableTailLength = 0;
2671     } else {
2672       UnbreakableTailLength +=
2673           Current->ColumnWidth + Current->SpacesRequiredBefore;
2674     }
2675     Current = Current->Previous;
2676   }
2677 }
2678 
2679 void TokenAnnotator::calculateArrayInitializerColumnList(AnnotatedLine &Line) {
2680   if (Line.First == Line.Last) {
2681     return;
2682   }
2683   auto *CurrentToken = Line.First;
2684   CurrentToken->ArrayInitializerLineStart = true;
2685   unsigned Depth = 0;
2686   while (CurrentToken != nullptr && CurrentToken != Line.Last) {
2687     if (CurrentToken->is(tok::l_brace)) {
2688       CurrentToken->IsArrayInitializer = true;
2689       if (CurrentToken->Next != nullptr)
2690         CurrentToken->Next->MustBreakBefore = true;
2691       CurrentToken =
2692           calculateInitializerColumnList(Line, CurrentToken->Next, Depth + 1);
2693     } else {
2694       CurrentToken = CurrentToken->Next;
2695     }
2696   }
2697 }
2698 
2699 FormatToken *TokenAnnotator::calculateInitializerColumnList(
2700     AnnotatedLine &Line, FormatToken *CurrentToken, unsigned Depth) {
2701   while (CurrentToken != nullptr && CurrentToken != Line.Last) {
2702     if (CurrentToken->is(tok::l_brace))
2703       ++Depth;
2704     else if (CurrentToken->is(tok::r_brace))
2705       --Depth;
2706     if (Depth == 2 && CurrentToken->isOneOf(tok::l_brace, tok::comma)) {
2707       CurrentToken = CurrentToken->Next;
2708       if (CurrentToken == nullptr)
2709         break;
2710       CurrentToken->StartsColumn = true;
2711       CurrentToken = CurrentToken->Previous;
2712     }
2713     CurrentToken = CurrentToken->Next;
2714   }
2715   return CurrentToken;
2716 }
2717 
2718 unsigned TokenAnnotator::splitPenalty(const AnnotatedLine &Line,
2719                                       const FormatToken &Tok,
2720                                       bool InFunctionDecl) {
2721   const FormatToken &Left = *Tok.Previous;
2722   const FormatToken &Right = Tok;
2723 
2724   if (Left.is(tok::semi))
2725     return 0;
2726 
2727   if (Style.Language == FormatStyle::LK_Java) {
2728     if (Right.isOneOf(Keywords.kw_extends, Keywords.kw_throws))
2729       return 1;
2730     if (Right.is(Keywords.kw_implements))
2731       return 2;
2732     if (Left.is(tok::comma) && Left.NestingLevel == 0)
2733       return 3;
2734   } else if (Style.Language == FormatStyle::LK_JavaScript) {
2735     if (Right.is(Keywords.kw_function) && Left.isNot(tok::comma))
2736       return 100;
2737     if (Left.is(TT_JsTypeColon))
2738       return 35;
2739     if ((Left.is(TT_TemplateString) && Left.TokenText.endswith("${")) ||
2740         (Right.is(TT_TemplateString) && Right.TokenText.startswith("}")))
2741       return 100;
2742     // Prefer breaking call chains (".foo") over empty "{}", "[]" or "()".
2743     if (Left.opensScope() && Right.closesScope())
2744       return 200;
2745   }
2746 
2747   if (Right.is(tok::identifier) && Right.Next && Right.Next->is(TT_DictLiteral))
2748     return 1;
2749   if (Right.is(tok::l_square)) {
2750     if (Style.Language == FormatStyle::LK_Proto)
2751       return 1;
2752     if (Left.is(tok::r_square))
2753       return 200;
2754     // Slightly prefer formatting local lambda definitions like functions.
2755     if (Right.is(TT_LambdaLSquare) && Left.is(tok::equal))
2756       return 35;
2757     if (!Right.isOneOf(TT_ObjCMethodExpr, TT_LambdaLSquare,
2758                        TT_ArrayInitializerLSquare,
2759                        TT_DesignatedInitializerLSquare, TT_AttributeSquare))
2760       return 500;
2761   }
2762 
2763   if (Left.is(tok::coloncolon) ||
2764       (Right.is(tok::period) && Style.Language == FormatStyle::LK_Proto))
2765     return 500;
2766   if (Right.isOneOf(TT_StartOfName, TT_FunctionDeclarationName) ||
2767       Right.is(tok::kw_operator)) {
2768     if (Line.startsWith(tok::kw_for) && Right.PartOfMultiVariableDeclStmt)
2769       return 3;
2770     if (Left.is(TT_StartOfName))
2771       return 110;
2772     if (InFunctionDecl && Right.NestingLevel == 0)
2773       return Style.PenaltyReturnTypeOnItsOwnLine;
2774     return 200;
2775   }
2776   if (Right.is(TT_PointerOrReference))
2777     return 190;
2778   if (Right.is(TT_LambdaArrow))
2779     return 110;
2780   if (Left.is(tok::equal) && Right.is(tok::l_brace))
2781     return 160;
2782   if (Left.is(TT_CastRParen))
2783     return 100;
2784   if (Left.isOneOf(tok::kw_class, tok::kw_struct))
2785     return 5000;
2786   if (Left.is(tok::comment))
2787     return 1000;
2788 
2789   if (Left.isOneOf(TT_RangeBasedForLoopColon, TT_InheritanceColon,
2790                    TT_CtorInitializerColon))
2791     return 2;
2792 
2793   if (Right.isMemberAccess()) {
2794     // Breaking before the "./->" of a chained call/member access is reasonably
2795     // cheap, as formatting those with one call per line is generally
2796     // desirable. In particular, it should be cheaper to break before the call
2797     // than it is to break inside a call's parameters, which could lead to weird
2798     // "hanging" indents. The exception is the very last "./->" to support this
2799     // frequent pattern:
2800     //
2801     //   aaaaaaaa.aaaaaaaa.bbbbbbb().ccccccccccccccccccccc(
2802     //       dddddddd);
2803     //
2804     // which might otherwise be blown up onto many lines. Here, clang-format
2805     // won't produce "hanging" indents anyway as there is no other trailing
2806     // call.
2807     //
2808     // Also apply higher penalty is not a call as that might lead to a wrapping
2809     // like:
2810     //
2811     //   aaaaaaa
2812     //       .aaaaaaaaa.bbbbbbbb(cccccccc);
2813     return !Right.NextOperator || !Right.NextOperator->Previous->closesScope()
2814                ? 150
2815                : 35;
2816   }
2817 
2818   if (Right.is(TT_TrailingAnnotation) &&
2819       (!Right.Next || Right.Next->isNot(tok::l_paren))) {
2820     // Moving trailing annotations to the next line is fine for ObjC method
2821     // declarations.
2822     if (Line.startsWith(TT_ObjCMethodSpecifier))
2823       return 10;
2824     // Generally, breaking before a trailing annotation is bad unless it is
2825     // function-like. It seems to be especially preferable to keep standard
2826     // annotations (i.e. "const", "final" and "override") on the same line.
2827     // Use a slightly higher penalty after ")" so that annotations like
2828     // "const override" are kept together.
2829     bool is_short_annotation = Right.TokenText.size() < 10;
2830     return (Left.is(tok::r_paren) ? 100 : 120) + (is_short_annotation ? 50 : 0);
2831   }
2832 
2833   // In for-loops, prefer breaking at ',' and ';'.
2834   if (Line.startsWith(tok::kw_for) && Left.is(tok::equal))
2835     return 4;
2836 
2837   // In Objective-C method expressions, prefer breaking before "param:" over
2838   // breaking after it.
2839   if (Right.is(TT_SelectorName))
2840     return 0;
2841   if (Left.is(tok::colon) && Left.is(TT_ObjCMethodExpr))
2842     return Line.MightBeFunctionDecl ? 50 : 500;
2843 
2844   // In Objective-C type declarations, avoid breaking after the category's
2845   // open paren (we'll prefer breaking after the protocol list's opening
2846   // angle bracket, if present).
2847   if (Line.Type == LT_ObjCDecl && Left.is(tok::l_paren) && Left.Previous &&
2848       Left.Previous->isOneOf(tok::identifier, tok::greater))
2849     return 500;
2850 
2851   if (Left.is(tok::l_paren) && InFunctionDecl &&
2852       Style.AlignAfterOpenBracket != FormatStyle::BAS_DontAlign)
2853     return 100;
2854   if (Left.is(tok::l_paren) && Left.Previous &&
2855       (Left.Previous->is(tok::kw_for) || Left.Previous->isIf()))
2856     return 1000;
2857   if (Left.is(tok::equal) && InFunctionDecl)
2858     return 110;
2859   if (Right.is(tok::r_brace))
2860     return 1;
2861   if (Left.is(TT_TemplateOpener))
2862     return 100;
2863   if (Left.opensScope()) {
2864     // If we aren't aligning after opening parens/braces we can always break
2865     // here unless the style does not want us to place all arguments on the
2866     // next line.
2867     if (Style.AlignAfterOpenBracket == FormatStyle::BAS_DontAlign &&
2868         (Left.ParameterCount <= 1 || Style.AllowAllArgumentsOnNextLine))
2869       return 0;
2870     if (Left.is(tok::l_brace) && !Style.Cpp11BracedListStyle)
2871       return 19;
2872     return Left.ParameterCount > 1 ? Style.PenaltyBreakBeforeFirstCallParameter
2873                                    : 19;
2874   }
2875   if (Left.is(TT_JavaAnnotation))
2876     return 50;
2877 
2878   if (Left.is(TT_UnaryOperator))
2879     return 60;
2880   if (Left.isOneOf(tok::plus, tok::comma) && Left.Previous &&
2881       Left.Previous->isLabelString() &&
2882       (Left.NextOperator || Left.OperatorIndex != 0))
2883     return 50;
2884   if (Right.is(tok::plus) && Left.isLabelString() &&
2885       (Right.NextOperator || Right.OperatorIndex != 0))
2886     return 25;
2887   if (Left.is(tok::comma))
2888     return 1;
2889   if (Right.is(tok::lessless) && Left.isLabelString() &&
2890       (Right.NextOperator || Right.OperatorIndex != 1))
2891     return 25;
2892   if (Right.is(tok::lessless)) {
2893     // Breaking at a << is really cheap.
2894     if (!Left.is(tok::r_paren) || Right.OperatorIndex > 0)
2895       // Slightly prefer to break before the first one in log-like statements.
2896       return 2;
2897     return 1;
2898   }
2899   if (Left.ClosesTemplateDeclaration)
2900     return Style.PenaltyBreakTemplateDeclaration;
2901   if (Left.is(TT_ConditionalExpr))
2902     return prec::Conditional;
2903   prec::Level Level = Left.getPrecedence();
2904   if (Level == prec::Unknown)
2905     Level = Right.getPrecedence();
2906   if (Level == prec::Assignment)
2907     return Style.PenaltyBreakAssignment;
2908   if (Level != prec::Unknown)
2909     return Level;
2910 
2911   return 3;
2912 }
2913 
2914 bool TokenAnnotator::spaceRequiredBeforeParens(const FormatToken &Right) const {
2915   return Style.SpaceBeforeParens == FormatStyle::SBPO_Always ||
2916          (Style.SpaceBeforeParensOptions.BeforeNonEmptyParentheses &&
2917           Right.ParameterCount > 0);
2918 }
2919 
2920 bool TokenAnnotator::spaceRequiredBetween(const AnnotatedLine &Line,
2921                                           const FormatToken &Left,
2922                                           const FormatToken &Right) {
2923   if (Left.is(tok::kw_return) && Right.isNot(tok::semi))
2924     return true;
2925   if (Style.isJson() && Left.is(tok::string_literal) && Right.is(tok::colon))
2926     return false;
2927   if (Left.is(Keywords.kw_assert) && Style.Language == FormatStyle::LK_Java)
2928     return true;
2929   if (Style.ObjCSpaceAfterProperty && Line.Type == LT_ObjCProperty &&
2930       Left.Tok.getObjCKeywordID() == tok::objc_property)
2931     return true;
2932   if (Right.is(tok::hashhash))
2933     return Left.is(tok::hash);
2934   if (Left.isOneOf(tok::hashhash, tok::hash))
2935     return Right.is(tok::hash);
2936   if ((Left.is(tok::l_paren) && Right.is(tok::r_paren)) ||
2937       (Left.is(tok::l_brace) && Left.isNot(BK_Block) &&
2938        Right.is(tok::r_brace) && Right.isNot(BK_Block)))
2939     return Style.SpaceInEmptyParentheses;
2940   if (Style.SpacesInConditionalStatement) {
2941     if (Left.is(tok::l_paren) && Left.Previous &&
2942         isKeywordWithCondition(*Left.Previous))
2943       return true;
2944     if (Right.is(tok::r_paren) && Right.MatchingParen &&
2945         Right.MatchingParen->Previous &&
2946         isKeywordWithCondition(*Right.MatchingParen->Previous))
2947       return true;
2948   }
2949 
2950   // auto{x} auto(x)
2951   if (Left.is(tok::kw_auto) && Right.isOneOf(tok::l_paren, tok::l_brace))
2952     return false;
2953 
2954   // operator co_await(x)
2955   if (Right.is(tok::l_paren) && Left.is(tok::kw_co_await) && Left.Previous &&
2956       Left.Previous->is(tok::kw_operator))
2957     return false;
2958   // co_await (x), co_yield (x), co_return (x)
2959   if (Left.isOneOf(tok::kw_co_await, tok::kw_co_yield, tok::kw_co_return) &&
2960       Right.isNot(tok::semi))
2961     return true;
2962   // requires clause Concept1<T> && Concept2<T>
2963   if (Left.is(TT_ConstraintJunctions) && Right.is(tok::identifier))
2964     return true;
2965 
2966   if (Left.is(tok::l_paren) || Right.is(tok::r_paren))
2967     return (Right.is(TT_CastRParen) ||
2968             (Left.MatchingParen && Left.MatchingParen->is(TT_CastRParen)))
2969                ? Style.SpacesInCStyleCastParentheses
2970                : Style.SpacesInParentheses;
2971   if (Right.isOneOf(tok::semi, tok::comma))
2972     return false;
2973   if (Right.is(tok::less) && Line.Type == LT_ObjCDecl) {
2974     bool IsLightweightGeneric = Right.MatchingParen &&
2975                                 Right.MatchingParen->Next &&
2976                                 Right.MatchingParen->Next->is(tok::colon);
2977     return !IsLightweightGeneric && Style.ObjCSpaceBeforeProtocolList;
2978   }
2979   if (Right.is(tok::less) && Left.is(tok::kw_template))
2980     return Style.SpaceAfterTemplateKeyword;
2981   if (Left.isOneOf(tok::exclaim, tok::tilde))
2982     return false;
2983   if (Left.is(tok::at) &&
2984       Right.isOneOf(tok::identifier, tok::string_literal, tok::char_constant,
2985                     tok::numeric_constant, tok::l_paren, tok::l_brace,
2986                     tok::kw_true, tok::kw_false))
2987     return false;
2988   if (Left.is(tok::colon))
2989     return !Left.is(TT_ObjCMethodExpr);
2990   if (Left.is(tok::coloncolon))
2991     return false;
2992   if (Left.is(tok::less) || Right.isOneOf(tok::greater, tok::less)) {
2993     if (Style.Language == FormatStyle::LK_TextProto ||
2994         (Style.Language == FormatStyle::LK_Proto &&
2995          (Left.is(TT_DictLiteral) || Right.is(TT_DictLiteral)))) {
2996       // Format empty list as `<>`.
2997       if (Left.is(tok::less) && Right.is(tok::greater))
2998         return false;
2999       return !Style.Cpp11BracedListStyle;
3000     }
3001     return false;
3002   }
3003   if (Right.is(tok::ellipsis))
3004     return Left.Tok.isLiteral() || (Left.is(tok::identifier) && Left.Previous &&
3005                                     Left.Previous->is(tok::kw_case));
3006   if (Left.is(tok::l_square) && Right.is(tok::amp))
3007     return Style.SpacesInSquareBrackets;
3008   if (Right.is(TT_PointerOrReference)) {
3009     if (Left.is(tok::r_paren) && Line.MightBeFunctionDecl) {
3010       if (!Left.MatchingParen)
3011         return true;
3012       FormatToken *TokenBeforeMatchingParen =
3013           Left.MatchingParen->getPreviousNonComment();
3014       if (!TokenBeforeMatchingParen || !Left.is(TT_TypeDeclarationParen))
3015         return true;
3016     }
3017     // Add a space if the previous token is a pointer qualifier or the closing
3018     // parenthesis of __attribute__(()) expression and the style requires spaces
3019     // after pointer qualifiers.
3020     if ((Style.SpaceAroundPointerQualifiers == FormatStyle::SAPQ_After ||
3021          Style.SpaceAroundPointerQualifiers == FormatStyle::SAPQ_Both) &&
3022         (Left.is(TT_AttributeParen) || Left.canBePointerOrReferenceQualifier()))
3023       return true;
3024     return (
3025         Left.Tok.isLiteral() ||
3026         (!Left.isOneOf(TT_PointerOrReference, tok::l_paren) &&
3027          (getTokenPointerOrReferenceAlignment(Right) != FormatStyle::PAS_Left ||
3028           (Line.IsMultiVariableDeclStmt &&
3029            (Left.NestingLevel == 0 ||
3030             (Left.NestingLevel == 1 && Line.First->is(tok::kw_for)))))));
3031   }
3032   if (Right.is(TT_FunctionTypeLParen) && Left.isNot(tok::l_paren) &&
3033       (!Left.is(TT_PointerOrReference) ||
3034        (getTokenPointerOrReferenceAlignment(Left) != FormatStyle::PAS_Right &&
3035         !Line.IsMultiVariableDeclStmt)))
3036     return true;
3037   if (Left.is(TT_PointerOrReference)) {
3038     // Add a space if the next token is a pointer qualifier and the style
3039     // requires spaces before pointer qualifiers.
3040     if ((Style.SpaceAroundPointerQualifiers == FormatStyle::SAPQ_Before ||
3041          Style.SpaceAroundPointerQualifiers == FormatStyle::SAPQ_Both) &&
3042         Right.canBePointerOrReferenceQualifier())
3043       return true;
3044     return Right.Tok.isLiteral() || Right.is(TT_BlockComment) ||
3045            (Right.isOneOf(Keywords.kw_override, Keywords.kw_final) &&
3046             !Right.is(TT_StartOfName)) ||
3047            (Right.is(tok::l_brace) && Right.is(BK_Block)) ||
3048            (!Right.isOneOf(TT_PointerOrReference, TT_ArraySubscriptLSquare,
3049                            tok::l_paren) &&
3050             (getTokenPointerOrReferenceAlignment(Left) !=
3051                  FormatStyle::PAS_Right &&
3052              !Line.IsMultiVariableDeclStmt) &&
3053             Left.Previous &&
3054             !Left.Previous->isOneOf(tok::l_paren, tok::coloncolon,
3055                                     tok::l_square));
3056   }
3057   // Ensure right pointer alignment with ellipsis e.g. int *...P
3058   if (Left.is(tok::ellipsis) && Left.Previous &&
3059       Left.Previous->isOneOf(tok::star, tok::amp, tok::ampamp))
3060     return Style.PointerAlignment != FormatStyle::PAS_Right;
3061 
3062   if (Right.is(tok::star) && Left.is(tok::l_paren))
3063     return false;
3064   if (Left.is(tok::star) && Right.isOneOf(tok::star, tok::amp, tok::ampamp))
3065     return false;
3066   if (Right.isOneOf(tok::star, tok::amp, tok::ampamp)) {
3067     const FormatToken *Previous = &Left;
3068     while (Previous && !Previous->is(tok::kw_operator)) {
3069       if (Previous->is(tok::identifier) || Previous->isSimpleTypeSpecifier()) {
3070         Previous = Previous->getPreviousNonComment();
3071         continue;
3072       }
3073       if (Previous->is(TT_TemplateCloser) && Previous->MatchingParen) {
3074         Previous = Previous->MatchingParen->getPreviousNonComment();
3075         continue;
3076       }
3077       if (Previous->is(tok::coloncolon)) {
3078         Previous = Previous->getPreviousNonComment();
3079         continue;
3080       }
3081       break;
3082     }
3083     // Space between the type and the * in:
3084     //   operator void*()
3085     //   operator char*()
3086     //   operator void const*()
3087     //   operator void volatile*()
3088     //   operator /*comment*/ const char*()
3089     //   operator volatile /*comment*/ char*()
3090     //   operator Foo*()
3091     //   operator C<T>*()
3092     //   operator std::Foo*()
3093     //   operator C<T>::D<U>*()
3094     // dependent on PointerAlignment style.
3095     if (Previous) {
3096       if (Previous->endsSequence(tok::kw_operator))
3097         return (Style.PointerAlignment != FormatStyle::PAS_Left);
3098       if (Previous->is(tok::kw_const) || Previous->is(tok::kw_volatile))
3099         return (Style.PointerAlignment != FormatStyle::PAS_Left) ||
3100                (Style.SpaceAroundPointerQualifiers ==
3101                 FormatStyle::SAPQ_After) ||
3102                (Style.SpaceAroundPointerQualifiers == FormatStyle::SAPQ_Both);
3103     }
3104   }
3105   const auto SpaceRequiredForArrayInitializerLSquare =
3106       [](const FormatToken &LSquareTok, const FormatStyle &Style) {
3107         return Style.SpacesInContainerLiterals ||
3108                ((Style.Language == FormatStyle::LK_Proto ||
3109                  Style.Language == FormatStyle::LK_TextProto) &&
3110                 !Style.Cpp11BracedListStyle &&
3111                 LSquareTok.endsSequence(tok::l_square, tok::colon,
3112                                         TT_SelectorName));
3113       };
3114   if (Left.is(tok::l_square))
3115     return (Left.is(TT_ArrayInitializerLSquare) && Right.isNot(tok::r_square) &&
3116             SpaceRequiredForArrayInitializerLSquare(Left, Style)) ||
3117            (Left.isOneOf(TT_ArraySubscriptLSquare, TT_StructuredBindingLSquare,
3118                          TT_LambdaLSquare) &&
3119             Style.SpacesInSquareBrackets && Right.isNot(tok::r_square));
3120   if (Right.is(tok::r_square))
3121     return Right.MatchingParen &&
3122            ((Right.MatchingParen->is(TT_ArrayInitializerLSquare) &&
3123              SpaceRequiredForArrayInitializerLSquare(*Right.MatchingParen,
3124                                                      Style)) ||
3125             (Style.SpacesInSquareBrackets &&
3126              Right.MatchingParen->isOneOf(TT_ArraySubscriptLSquare,
3127                                           TT_StructuredBindingLSquare,
3128                                           TT_LambdaLSquare)) ||
3129             Right.MatchingParen->is(TT_AttributeParen));
3130   if (Right.is(tok::l_square) &&
3131       !Right.isOneOf(TT_ObjCMethodExpr, TT_LambdaLSquare,
3132                      TT_DesignatedInitializerLSquare,
3133                      TT_StructuredBindingLSquare, TT_AttributeSquare) &&
3134       !Left.isOneOf(tok::numeric_constant, TT_DictLiteral) &&
3135       !(!Left.is(tok::r_square) && Style.SpaceBeforeSquareBrackets &&
3136         Right.is(TT_ArraySubscriptLSquare)))
3137     return false;
3138   if (Left.is(tok::l_brace) && Right.is(tok::r_brace))
3139     return !Left.Children.empty(); // No spaces in "{}".
3140   if ((Left.is(tok::l_brace) && Left.isNot(BK_Block)) ||
3141       (Right.is(tok::r_brace) && Right.MatchingParen &&
3142        Right.MatchingParen->isNot(BK_Block)))
3143     return Style.Cpp11BracedListStyle ? Style.SpacesInParentheses : true;
3144   if (Left.is(TT_BlockComment))
3145     // No whitespace in x(/*foo=*/1), except for JavaScript.
3146     return Style.Language == FormatStyle::LK_JavaScript ||
3147            !Left.TokenText.endswith("=*/");
3148 
3149   // Space between template and attribute.
3150   // e.g. template <typename T> [[nodiscard]] ...
3151   if (Left.is(TT_TemplateCloser) && Right.is(TT_AttributeSquare))
3152     return true;
3153   // Space before parentheses common for all languages
3154   if (Right.is(tok::l_paren)) {
3155     if (Left.is(TT_TemplateCloser) && Right.isNot(TT_FunctionTypeLParen))
3156       return spaceRequiredBeforeParens(Right);
3157     if (Left.is(tok::kw_requires))
3158       return spaceRequiredBeforeParens(Right);
3159     if ((Left.is(tok::r_paren) && Left.is(TT_AttributeParen)) ||
3160         (Left.is(tok::r_square) && Left.is(TT_AttributeSquare)))
3161       return true;
3162     if (Left.is(TT_ForEachMacro))
3163       return (Style.SpaceBeforeParensOptions.AfterForeachMacros ||
3164               spaceRequiredBeforeParens(Right));
3165     if (Left.is(TT_IfMacro))
3166       return (Style.SpaceBeforeParensOptions.AfterIfMacros ||
3167               spaceRequiredBeforeParens(Right));
3168     if (Line.Type == LT_ObjCDecl)
3169       return true;
3170     if (Left.is(tok::semi))
3171       return true;
3172     if (Left.isOneOf(tok::pp_elif, tok::kw_for, tok::kw_while, tok::kw_switch,
3173                      tok::kw_case, TT_ForEachMacro, TT_ObjCForIn))
3174       return Style.SpaceBeforeParensOptions.AfterControlStatements ||
3175              spaceRequiredBeforeParens(Right);
3176     if (Left.isIf(Line.Type != LT_PreprocessorDirective))
3177       return Style.SpaceBeforeParensOptions.AfterControlStatements ||
3178              spaceRequiredBeforeParens(Right);
3179 
3180     // TODO add Operator overloading specific Options to
3181     // SpaceBeforeParensOptions
3182     if (Right.is(TT_OverloadedOperatorLParen))
3183       return spaceRequiredBeforeParens(Right);
3184     // Function declaration or definition
3185     if (Line.MightBeFunctionDecl && (Left.is(TT_FunctionDeclarationName))) {
3186       if (Line.mightBeFunctionDefinition())
3187         return Style.SpaceBeforeParensOptions.AfterFunctionDefinitionName ||
3188                spaceRequiredBeforeParens(Right);
3189       else
3190         return Style.SpaceBeforeParensOptions.AfterFunctionDeclarationName ||
3191                spaceRequiredBeforeParens(Right);
3192     }
3193     // Lambda
3194     if (Line.Type != LT_PreprocessorDirective && Left.is(tok::r_square) &&
3195         Left.MatchingParen && Left.MatchingParen->is(TT_LambdaLSquare))
3196       return Style.SpaceBeforeParensOptions.AfterFunctionDefinitionName ||
3197              spaceRequiredBeforeParens(Right);
3198     if (!Left.Previous || Left.Previous->isNot(tok::period)) {
3199       if (Left.isOneOf(tok::kw_try, Keywords.kw___except, tok::kw_catch))
3200         return Style.SpaceBeforeParensOptions.AfterControlStatements ||
3201                spaceRequiredBeforeParens(Right);
3202       if (Left.isOneOf(tok::kw_new, tok::kw_delete))
3203         return Style.SpaceBeforeParens != FormatStyle::SBPO_Never ||
3204                spaceRequiredBeforeParens(Right);
3205     }
3206     if (Line.Type != LT_PreprocessorDirective &&
3207         (Left.is(tok::identifier) || Left.isFunctionLikeKeyword() ||
3208          Left.is(tok::r_paren) || Left.isSimpleTypeSpecifier()))
3209       return spaceRequiredBeforeParens(Right);
3210     return false;
3211   }
3212   if (Left.is(tok::at) && Right.Tok.getObjCKeywordID() != tok::objc_not_keyword)
3213     return false;
3214   if (Right.is(TT_UnaryOperator))
3215     return !Left.isOneOf(tok::l_paren, tok::l_square, tok::at) &&
3216            (Left.isNot(tok::colon) || Left.isNot(TT_ObjCMethodExpr));
3217   if ((Left.isOneOf(tok::identifier, tok::greater, tok::r_square,
3218                     tok::r_paren) ||
3219        Left.isSimpleTypeSpecifier()) &&
3220       Right.is(tok::l_brace) && Right.getNextNonComment() &&
3221       Right.isNot(BK_Block))
3222     return false;
3223   if (Left.is(tok::period) || Right.is(tok::period))
3224     return false;
3225   if (Right.is(tok::hash) && Left.is(tok::identifier) && Left.TokenText == "L")
3226     return false;
3227   if (Left.is(TT_TemplateCloser) && Left.MatchingParen &&
3228       Left.MatchingParen->Previous &&
3229       (Left.MatchingParen->Previous->is(tok::period) ||
3230        Left.MatchingParen->Previous->is(tok::coloncolon)))
3231     // Java call to generic function with explicit type:
3232     // A.<B<C<...>>>DoSomething();
3233     // A::<B<C<...>>>DoSomething();  // With a Java 8 method reference.
3234     return false;
3235   if (Left.is(TT_TemplateCloser) && Right.is(tok::l_square))
3236     return false;
3237   if (Left.is(tok::l_brace) && Left.endsSequence(TT_DictLiteral, tok::at))
3238     // Objective-C dictionary literal -> no space after opening brace.
3239     return false;
3240   if (Right.is(tok::r_brace) && Right.MatchingParen &&
3241       Right.MatchingParen->endsSequence(TT_DictLiteral, tok::at))
3242     // Objective-C dictionary literal -> no space before closing brace.
3243     return false;
3244   if (Right.getType() == TT_TrailingAnnotation &&
3245       Right.isOneOf(tok::amp, tok::ampamp) &&
3246       Left.isOneOf(tok::kw_const, tok::kw_volatile) &&
3247       (!Right.Next || Right.Next->is(tok::semi)))
3248     // Match const and volatile ref-qualifiers without any additional
3249     // qualifiers such as
3250     // void Fn() const &;
3251     return getTokenReferenceAlignment(Right) != FormatStyle::PAS_Left;
3252 
3253   return true;
3254 }
3255 
3256 bool TokenAnnotator::spaceRequiredBefore(const AnnotatedLine &Line,
3257                                          const FormatToken &Right) {
3258   const FormatToken &Left = *Right.Previous;
3259   auto HasExistingWhitespace = [&Right]() {
3260     return Right.WhitespaceRange.getBegin() != Right.WhitespaceRange.getEnd();
3261   };
3262 
3263   if (Right.Tok.getIdentifierInfo() && Left.Tok.getIdentifierInfo())
3264     return true; // Never ever merge two identifiers.
3265 
3266   // Leave a space between * and /* to avoid C4138 `comment end` found outside
3267   // of comment.
3268   if (Left.is(tok::star) && Right.is(tok::comment))
3269     return true;
3270 
3271   if (Style.isCpp()) {
3272     // Space between import <iostream>.
3273     // or import .....;
3274     if (Left.is(Keywords.kw_import) && Right.isOneOf(tok::less, tok::ellipsis))
3275       return true;
3276     // No space between module :.
3277     if (Left.isOneOf(Keywords.kw_module, Keywords.kw_import) &&
3278         Right.is(TT_ModulePartitionColon))
3279       return true;
3280     // No space between import foo:bar but keep a space between import :bar;
3281     if (Left.is(tok::identifier) && Right.is(TT_ModulePartitionColon))
3282       return false;
3283     // No space between :bar;
3284     if (Left.is(TT_ModulePartitionColon) &&
3285         Right.isOneOf(tok::identifier, tok::kw_private))
3286       return false;
3287     if (Left.is(tok::ellipsis) && Right.is(tok::identifier) &&
3288         Line.First->is(Keywords.kw_import))
3289       return false;
3290 
3291     if (Left.is(tok::kw_operator))
3292       return Right.is(tok::coloncolon);
3293     if (Right.is(tok::l_brace) && Right.is(BK_BracedInit) &&
3294         !Left.opensScope() && Style.SpaceBeforeCpp11BracedList)
3295       return true;
3296   } else if (Style.Language == FormatStyle::LK_Proto ||
3297              Style.Language == FormatStyle::LK_TextProto) {
3298     if (Right.is(tok::period) &&
3299         Left.isOneOf(Keywords.kw_optional, Keywords.kw_required,
3300                      Keywords.kw_repeated, Keywords.kw_extend))
3301       return true;
3302     if (Right.is(tok::l_paren) &&
3303         Left.isOneOf(Keywords.kw_returns, Keywords.kw_option))
3304       return true;
3305     if (Right.isOneOf(tok::l_brace, tok::less) && Left.is(TT_SelectorName))
3306       return true;
3307     // Slashes occur in text protocol extension syntax: [type/type] { ... }.
3308     if (Left.is(tok::slash) || Right.is(tok::slash))
3309       return false;
3310     if (Left.MatchingParen &&
3311         Left.MatchingParen->is(TT_ProtoExtensionLSquare) &&
3312         Right.isOneOf(tok::l_brace, tok::less))
3313       return !Style.Cpp11BracedListStyle;
3314     // A percent is probably part of a formatting specification, such as %lld.
3315     if (Left.is(tok::percent))
3316       return false;
3317     // Preserve the existence of a space before a percent for cases like 0x%04x
3318     // and "%d %d"
3319     if (Left.is(tok::numeric_constant) && Right.is(tok::percent))
3320       return HasExistingWhitespace();
3321   } else if (Style.isJson()) {
3322     if (Right.is(tok::colon))
3323       return false;
3324   } else if (Style.isCSharp()) {
3325     // Require spaces around '{' and  before '}' unless they appear in
3326     // interpolated strings. Interpolated strings are merged into a single token
3327     // so cannot have spaces inserted by this function.
3328 
3329     // No space between 'this' and '['
3330     if (Left.is(tok::kw_this) && Right.is(tok::l_square))
3331       return false;
3332 
3333     // No space between 'new' and '('
3334     if (Left.is(tok::kw_new) && Right.is(tok::l_paren))
3335       return false;
3336 
3337     // Space before { (including space within '{ {').
3338     if (Right.is(tok::l_brace))
3339       return true;
3340 
3341     // Spaces inside braces.
3342     if (Left.is(tok::l_brace) && Right.isNot(tok::r_brace))
3343       return true;
3344 
3345     if (Left.isNot(tok::l_brace) && Right.is(tok::r_brace))
3346       return true;
3347 
3348     // Spaces around '=>'.
3349     if (Left.is(TT_FatArrow) || Right.is(TT_FatArrow))
3350       return true;
3351 
3352     // No spaces around attribute target colons
3353     if (Left.is(TT_AttributeColon) || Right.is(TT_AttributeColon))
3354       return false;
3355 
3356     // space between type and variable e.g. Dictionary<string,string> foo;
3357     if (Left.is(TT_TemplateCloser) && Right.is(TT_StartOfName))
3358       return true;
3359 
3360     // spaces inside square brackets.
3361     if (Left.is(tok::l_square) || Right.is(tok::r_square))
3362       return Style.SpacesInSquareBrackets;
3363 
3364     // No space before ? in nullable types.
3365     if (Right.is(TT_CSharpNullable))
3366       return false;
3367 
3368     // No space before null forgiving '!'.
3369     if (Right.is(TT_NonNullAssertion))
3370       return false;
3371 
3372     // No space between consecutive commas '[,,]'.
3373     if (Left.is(tok::comma) && Right.is(tok::comma))
3374       return false;
3375 
3376     // space after var in `var (key, value)`
3377     if (Left.is(Keywords.kw_var) && Right.is(tok::l_paren))
3378       return true;
3379 
3380     // space between keywords and paren e.g. "using ("
3381     if (Right.is(tok::l_paren))
3382       if (Left.isOneOf(tok::kw_using, Keywords.kw_async, Keywords.kw_when,
3383                        Keywords.kw_lock))
3384         return Style.SpaceBeforeParensOptions.AfterControlStatements ||
3385                spaceRequiredBeforeParens(Right);
3386 
3387     // space between method modifier and opening parenthesis of a tuple return
3388     // type
3389     if (Left.isOneOf(tok::kw_public, tok::kw_private, tok::kw_protected,
3390                      tok::kw_virtual, tok::kw_extern, tok::kw_static,
3391                      Keywords.kw_internal, Keywords.kw_abstract,
3392                      Keywords.kw_sealed, Keywords.kw_override,
3393                      Keywords.kw_async, Keywords.kw_unsafe) &&
3394         Right.is(tok::l_paren))
3395       return true;
3396   } else if (Style.Language == FormatStyle::LK_JavaScript) {
3397     if (Left.is(TT_FatArrow))
3398       return true;
3399     // for await ( ...
3400     if (Right.is(tok::l_paren) && Left.is(Keywords.kw_await) && Left.Previous &&
3401         Left.Previous->is(tok::kw_for))
3402       return true;
3403     if (Left.is(Keywords.kw_async) && Right.is(tok::l_paren) &&
3404         Right.MatchingParen) {
3405       const FormatToken *Next = Right.MatchingParen->getNextNonComment();
3406       // An async arrow function, for example: `x = async () => foo();`,
3407       // as opposed to calling a function called async: `x = async();`
3408       if (Next && Next->is(TT_FatArrow))
3409         return true;
3410     }
3411     if ((Left.is(TT_TemplateString) && Left.TokenText.endswith("${")) ||
3412         (Right.is(TT_TemplateString) && Right.TokenText.startswith("}")))
3413       return false;
3414     // In tagged template literals ("html`bar baz`"), there is no space between
3415     // the tag identifier and the template string.
3416     if (Keywords.IsJavaScriptIdentifier(Left,
3417                                         /* AcceptIdentifierName= */ false) &&
3418         Right.is(TT_TemplateString))
3419       return false;
3420     if (Right.is(tok::star) &&
3421         Left.isOneOf(Keywords.kw_function, Keywords.kw_yield))
3422       return false;
3423     if (Right.isOneOf(tok::l_brace, tok::l_square) &&
3424         Left.isOneOf(Keywords.kw_function, Keywords.kw_yield,
3425                      Keywords.kw_extends, Keywords.kw_implements))
3426       return true;
3427     if (Right.is(tok::l_paren)) {
3428       // JS methods can use some keywords as names (e.g. `delete()`).
3429       if (Line.MustBeDeclaration && Left.Tok.getIdentifierInfo())
3430         return false;
3431       // Valid JS method names can include keywords, e.g. `foo.delete()` or
3432       // `bar.instanceof()`. Recognize call positions by preceding period.
3433       if (Left.Previous && Left.Previous->is(tok::period) &&
3434           Left.Tok.getIdentifierInfo())
3435         return false;
3436       // Additional unary JavaScript operators that need a space after.
3437       if (Left.isOneOf(tok::kw_throw, Keywords.kw_await, Keywords.kw_typeof,
3438                        tok::kw_void))
3439         return true;
3440     }
3441     // `foo as const;` casts into a const type.
3442     if (Left.endsSequence(tok::kw_const, Keywords.kw_as)) {
3443       return false;
3444     }
3445     if ((Left.isOneOf(Keywords.kw_let, Keywords.kw_var, Keywords.kw_in,
3446                       tok::kw_const) ||
3447          // "of" is only a keyword if it appears after another identifier
3448          // (e.g. as "const x of y" in a for loop), or after a destructuring
3449          // operation (const [x, y] of z, const {a, b} of c).
3450          (Left.is(Keywords.kw_of) && Left.Previous &&
3451           (Left.Previous->Tok.is(tok::identifier) ||
3452            Left.Previous->isOneOf(tok::r_square, tok::r_brace)))) &&
3453         (!Left.Previous || !Left.Previous->is(tok::period)))
3454       return true;
3455     if (Left.isOneOf(tok::kw_for, Keywords.kw_as) && Left.Previous &&
3456         Left.Previous->is(tok::period) && Right.is(tok::l_paren))
3457       return false;
3458     if (Left.is(Keywords.kw_as) &&
3459         Right.isOneOf(tok::l_square, tok::l_brace, tok::l_paren))
3460       return true;
3461     if (Left.is(tok::kw_default) && Left.Previous &&
3462         Left.Previous->is(tok::kw_export))
3463       return true;
3464     if (Left.is(Keywords.kw_is) && Right.is(tok::l_brace))
3465       return true;
3466     if (Right.isOneOf(TT_JsTypeColon, TT_JsTypeOptionalQuestion))
3467       return false;
3468     if (Left.is(TT_JsTypeOperator) || Right.is(TT_JsTypeOperator))
3469       return false;
3470     if ((Left.is(tok::l_brace) || Right.is(tok::r_brace)) &&
3471         Line.First->isOneOf(Keywords.kw_import, tok::kw_export))
3472       return false;
3473     if (Left.is(tok::ellipsis))
3474       return false;
3475     if (Left.is(TT_TemplateCloser) &&
3476         !Right.isOneOf(tok::equal, tok::l_brace, tok::comma, tok::l_square,
3477                        Keywords.kw_implements, Keywords.kw_extends))
3478       // Type assertions ('<type>expr') are not followed by whitespace. Other
3479       // locations that should have whitespace following are identified by the
3480       // above set of follower tokens.
3481       return false;
3482     if (Right.is(TT_NonNullAssertion))
3483       return false;
3484     if (Left.is(TT_NonNullAssertion) &&
3485         Right.isOneOf(Keywords.kw_as, Keywords.kw_in))
3486       return true; // "x! as string", "x! in y"
3487   } else if (Style.Language == FormatStyle::LK_Java) {
3488     if (Left.is(tok::r_square) && Right.is(tok::l_brace))
3489       return true;
3490     if (Left.is(Keywords.kw_synchronized) && Right.is(tok::l_paren))
3491       return Style.SpaceBeforeParensOptions.AfterControlStatements ||
3492              spaceRequiredBeforeParens(Right);
3493     if ((Left.isOneOf(tok::kw_static, tok::kw_public, tok::kw_private,
3494                       tok::kw_protected) ||
3495          Left.isOneOf(Keywords.kw_final, Keywords.kw_abstract,
3496                       Keywords.kw_native)) &&
3497         Right.is(TT_TemplateOpener))
3498       return true;
3499   }
3500   if (Left.is(TT_ImplicitStringLiteral))
3501     return HasExistingWhitespace();
3502   if (Line.Type == LT_ObjCMethodDecl) {
3503     if (Left.is(TT_ObjCMethodSpecifier))
3504       return true;
3505     if (Left.is(tok::r_paren) && canBeObjCSelectorComponent(Right))
3506       // Don't space between ')' and <id> or ')' and 'new'. 'new' is not a
3507       // keyword in Objective-C, and '+ (instancetype)new;' is a standard class
3508       // method declaration.
3509       return false;
3510   }
3511   if (Line.Type == LT_ObjCProperty &&
3512       (Right.is(tok::equal) || Left.is(tok::equal)))
3513     return false;
3514 
3515   if (Right.isOneOf(TT_TrailingReturnArrow, TT_LambdaArrow) ||
3516       Left.isOneOf(TT_TrailingReturnArrow, TT_LambdaArrow))
3517     return true;
3518   if (Left.is(tok::comma) && !Right.is(TT_OverloadedOperatorLParen))
3519     return true;
3520   if (Right.is(tok::comma))
3521     return false;
3522   if (Right.is(TT_ObjCBlockLParen))
3523     return true;
3524   if (Right.is(TT_CtorInitializerColon))
3525     return Style.SpaceBeforeCtorInitializerColon;
3526   if (Right.is(TT_InheritanceColon) && !Style.SpaceBeforeInheritanceColon)
3527     return false;
3528   if (Right.is(TT_RangeBasedForLoopColon) &&
3529       !Style.SpaceBeforeRangeBasedForLoopColon)
3530     return false;
3531   if (Left.is(TT_BitFieldColon))
3532     return Style.BitFieldColonSpacing == FormatStyle::BFCS_Both ||
3533            Style.BitFieldColonSpacing == FormatStyle::BFCS_After;
3534   if (Right.is(tok::colon)) {
3535     if (Line.First->isOneOf(tok::kw_default, tok::kw_case))
3536       return Style.SpaceBeforeCaseColon;
3537     if (!Right.getNextNonComment() || Right.getNextNonComment()->is(tok::semi))
3538       return false;
3539     if (Right.is(TT_ObjCMethodExpr))
3540       return false;
3541     if (Left.is(tok::question))
3542       return false;
3543     if (Right.is(TT_InlineASMColon) && Left.is(tok::coloncolon))
3544       return false;
3545     if (Right.is(TT_DictLiteral))
3546       return Style.SpacesInContainerLiterals;
3547     if (Right.is(TT_AttributeColon))
3548       return false;
3549     if (Right.is(TT_CSharpNamedArgumentColon))
3550       return false;
3551     if (Right.is(TT_BitFieldColon))
3552       return Style.BitFieldColonSpacing == FormatStyle::BFCS_Both ||
3553              Style.BitFieldColonSpacing == FormatStyle::BFCS_Before;
3554     return true;
3555   }
3556   // Do not merge "- -" into "--".
3557   if ((Left.isOneOf(tok::minus, tok::minusminus) &&
3558        Right.isOneOf(tok::minus, tok::minusminus)) ||
3559       (Left.isOneOf(tok::plus, tok::plusplus) &&
3560        Right.isOneOf(tok::plus, tok::plusplus)))
3561     return true;
3562   if (Left.is(TT_UnaryOperator)) {
3563     if (!Right.is(tok::l_paren)) {
3564       // The alternative operators for ~ and ! are "compl" and "not".
3565       // If they are used instead, we do not want to combine them with
3566       // the token to the right, unless that is a left paren.
3567       if (Left.is(tok::exclaim) && Left.TokenText == "not")
3568         return true;
3569       if (Left.is(tok::tilde) && Left.TokenText == "compl")
3570         return true;
3571       // Lambda captures allow for a lone &, so "&]" needs to be properly
3572       // handled.
3573       if (Left.is(tok::amp) && Right.is(tok::r_square))
3574         return Style.SpacesInSquareBrackets;
3575     }
3576     return (Style.SpaceAfterLogicalNot && Left.is(tok::exclaim)) ||
3577            Right.is(TT_BinaryOperator);
3578   }
3579 
3580   // If the next token is a binary operator or a selector name, we have
3581   // incorrectly classified the parenthesis as a cast. FIXME: Detect correctly.
3582   if (Left.is(TT_CastRParen))
3583     return Style.SpaceAfterCStyleCast ||
3584            Right.isOneOf(TT_BinaryOperator, TT_SelectorName);
3585 
3586   auto ShouldAddSpacesInAngles = [this, &HasExistingWhitespace]() {
3587     if (this->Style.SpacesInAngles == FormatStyle::SIAS_Always)
3588       return true;
3589     if (this->Style.SpacesInAngles == FormatStyle::SIAS_Leave)
3590       return HasExistingWhitespace();
3591     return false;
3592   };
3593 
3594   if (Left.is(tok::greater) && Right.is(tok::greater)) {
3595     if (Style.Language == FormatStyle::LK_TextProto ||
3596         (Style.Language == FormatStyle::LK_Proto && Left.is(TT_DictLiteral)))
3597       return !Style.Cpp11BracedListStyle;
3598     return Right.is(TT_TemplateCloser) && Left.is(TT_TemplateCloser) &&
3599            ((Style.Standard < FormatStyle::LS_Cpp11) ||
3600             ShouldAddSpacesInAngles());
3601   }
3602   if (Right.isOneOf(tok::arrow, tok::arrowstar, tok::periodstar) ||
3603       Left.isOneOf(tok::arrow, tok::period, tok::arrowstar, tok::periodstar) ||
3604       (Right.is(tok::period) && Right.isNot(TT_DesignatedInitializerPeriod)))
3605     return false;
3606   if (!Style.SpaceBeforeAssignmentOperators && Left.isNot(TT_TemplateCloser) &&
3607       Right.getPrecedence() == prec::Assignment)
3608     return false;
3609   if (Style.Language == FormatStyle::LK_Java && Right.is(tok::coloncolon) &&
3610       (Left.is(tok::identifier) || Left.is(tok::kw_this)))
3611     return false;
3612   if (Right.is(tok::coloncolon) && Left.is(tok::identifier))
3613     // Generally don't remove existing spaces between an identifier and "::".
3614     // The identifier might actually be a macro name such as ALWAYS_INLINE. If
3615     // this turns out to be too lenient, add analysis of the identifier itself.
3616     return HasExistingWhitespace();
3617   if (Right.is(tok::coloncolon) &&
3618       !Left.isOneOf(tok::l_brace, tok::comment, tok::l_paren))
3619     // Put a space between < and :: in vector< ::std::string >
3620     return (Left.is(TT_TemplateOpener) &&
3621             ((Style.Standard < FormatStyle::LS_Cpp11) ||
3622              ShouldAddSpacesInAngles())) ||
3623            !(Left.isOneOf(tok::l_paren, tok::r_paren, tok::l_square,
3624                           tok::kw___super, TT_TemplateOpener,
3625                           TT_TemplateCloser)) ||
3626            (Left.is(tok::l_paren) && Style.SpacesInParentheses);
3627   if ((Left.is(TT_TemplateOpener)) != (Right.is(TT_TemplateCloser)))
3628     return ShouldAddSpacesInAngles();
3629   // Space before TT_StructuredBindingLSquare.
3630   if (Right.is(TT_StructuredBindingLSquare))
3631     return !Left.isOneOf(tok::amp, tok::ampamp) ||
3632            getTokenReferenceAlignment(Left) != FormatStyle::PAS_Right;
3633   // Space before & or && following a TT_StructuredBindingLSquare.
3634   if (Right.Next && Right.Next->is(TT_StructuredBindingLSquare) &&
3635       Right.isOneOf(tok::amp, tok::ampamp))
3636     return getTokenReferenceAlignment(Right) != FormatStyle::PAS_Left;
3637   if ((Right.is(TT_BinaryOperator) && !Left.is(tok::l_paren)) ||
3638       (Left.isOneOf(TT_BinaryOperator, TT_ConditionalExpr) &&
3639        !Right.is(tok::r_paren)))
3640     return true;
3641   if (Right.is(TT_TemplateOpener) && Left.is(tok::r_paren) &&
3642       Left.MatchingParen && Left.MatchingParen->is(TT_OverloadedOperatorLParen))
3643     return false;
3644   if (Right.is(tok::less) && Left.isNot(tok::l_paren) &&
3645       Line.startsWith(tok::hash))
3646     return true;
3647   if (Right.is(TT_TrailingUnaryOperator))
3648     return false;
3649   if (Left.is(TT_RegexLiteral))
3650     return false;
3651   return spaceRequiredBetween(Line, Left, Right);
3652 }
3653 
3654 // Returns 'true' if 'Tok' is a brace we'd want to break before in Allman style.
3655 static bool isAllmanBrace(const FormatToken &Tok) {
3656   return Tok.is(tok::l_brace) && Tok.is(BK_Block) &&
3657          !Tok.isOneOf(TT_ObjCBlockLBrace, TT_LambdaLBrace, TT_DictLiteral);
3658 }
3659 
3660 // Returns 'true' if 'Tok' is a function argument.
3661 static bool IsFunctionArgument(const FormatToken &Tok) {
3662   return Tok.MatchingParen && Tok.MatchingParen->Next &&
3663          Tok.MatchingParen->Next->isOneOf(tok::comma, tok::r_paren);
3664 }
3665 
3666 static bool
3667 isItAnEmptyLambdaAllowed(const FormatToken &Tok,
3668                          FormatStyle::ShortLambdaStyle ShortLambdaOption) {
3669   return Tok.Children.empty() && ShortLambdaOption != FormatStyle::SLS_None;
3670 }
3671 
3672 static bool isAllmanLambdaBrace(const FormatToken &Tok) {
3673   return (Tok.is(tok::l_brace) && Tok.is(BK_Block) &&
3674           !Tok.isOneOf(TT_ObjCBlockLBrace, TT_DictLiteral));
3675 }
3676 
3677 // Returns the first token on the line that is not a comment.
3678 static const FormatToken *getFirstNonComment(const AnnotatedLine &Line) {
3679   const FormatToken *Next = Line.First;
3680   if (!Next)
3681     return Next;
3682   if (Next->is(tok::comment))
3683     Next = Next->getNextNonComment();
3684   return Next;
3685 }
3686 
3687 bool TokenAnnotator::mustBreakBefore(const AnnotatedLine &Line,
3688                                      const FormatToken &Right) {
3689   const FormatToken &Left = *Right.Previous;
3690   if (Right.NewlinesBefore > 1 && Style.MaxEmptyLinesToKeep > 0)
3691     return true;
3692 
3693   if (Style.isCSharp()) {
3694     if (Right.is(TT_CSharpNamedArgumentColon) ||
3695         Left.is(TT_CSharpNamedArgumentColon))
3696       return false;
3697     if (Right.is(TT_CSharpGenericTypeConstraint))
3698       return true;
3699 
3700     // Break after C# [...] and before public/protected/private/internal.
3701     if (Left.is(TT_AttributeSquare) && Left.is(tok::r_square) &&
3702         (Right.isAccessSpecifier(/*ColonRequired=*/false) ||
3703          Right.is(Keywords.kw_internal)))
3704       return true;
3705     // Break between ] and [ but only when there are really 2 attributes.
3706     if (Left.is(TT_AttributeSquare) && Right.is(TT_AttributeSquare) &&
3707         Left.is(tok::r_square) && Right.is(tok::l_square))
3708       return true;
3709 
3710   } else if (Style.Language == FormatStyle::LK_JavaScript) {
3711     // FIXME: This might apply to other languages and token kinds.
3712     if (Right.is(tok::string_literal) && Left.is(tok::plus) && Left.Previous &&
3713         Left.Previous->is(tok::string_literal))
3714       return true;
3715     if (Left.is(TT_DictLiteral) && Left.is(tok::l_brace) && Line.Level == 0 &&
3716         Left.Previous && Left.Previous->is(tok::equal) &&
3717         Line.First->isOneOf(tok::identifier, Keywords.kw_import, tok::kw_export,
3718                             tok::kw_const) &&
3719         // kw_var/kw_let are pseudo-tokens that are tok::identifier, so match
3720         // above.
3721         !Line.First->isOneOf(Keywords.kw_var, Keywords.kw_let))
3722       // Object literals on the top level of a file are treated as "enum-style".
3723       // Each key/value pair is put on a separate line, instead of bin-packing.
3724       return true;
3725     if (Left.is(tok::l_brace) && Line.Level == 0 &&
3726         (Line.startsWith(tok::kw_enum) ||
3727          Line.startsWith(tok::kw_const, tok::kw_enum) ||
3728          Line.startsWith(tok::kw_export, tok::kw_enum) ||
3729          Line.startsWith(tok::kw_export, tok::kw_const, tok::kw_enum)))
3730       // JavaScript top-level enum key/value pairs are put on separate lines
3731       // instead of bin-packing.
3732       return true;
3733     if (Right.is(tok::r_brace) && Left.is(tok::l_brace) && Left.Previous &&
3734         Left.Previous->is(TT_FatArrow)) {
3735       // JS arrow function (=> {...}).
3736       switch (Style.AllowShortLambdasOnASingleLine) {
3737       case FormatStyle::SLS_All:
3738         return false;
3739       case FormatStyle::SLS_None:
3740         return true;
3741       case FormatStyle::SLS_Empty:
3742         return !Left.Children.empty();
3743       case FormatStyle::SLS_Inline:
3744         // allow one-lining inline (e.g. in function call args) and empty arrow
3745         // functions.
3746         return (Left.NestingLevel == 0 && Line.Level == 0) &&
3747                !Left.Children.empty();
3748       }
3749       llvm_unreachable("Unknown FormatStyle::ShortLambdaStyle enum");
3750     }
3751 
3752     if (Right.is(tok::r_brace) && Left.is(tok::l_brace) &&
3753         !Left.Children.empty())
3754       // Support AllowShortFunctionsOnASingleLine for JavaScript.
3755       return Style.AllowShortFunctionsOnASingleLine == FormatStyle::SFS_None ||
3756              Style.AllowShortFunctionsOnASingleLine == FormatStyle::SFS_Empty ||
3757              (Left.NestingLevel == 0 && Line.Level == 0 &&
3758               Style.AllowShortFunctionsOnASingleLine &
3759                   FormatStyle::SFS_InlineOnly);
3760   } else if (Style.Language == FormatStyle::LK_Java) {
3761     if (Right.is(tok::plus) && Left.is(tok::string_literal) && Right.Next &&
3762         Right.Next->is(tok::string_literal))
3763       return true;
3764   } else if (Style.Language == FormatStyle::LK_Cpp ||
3765              Style.Language == FormatStyle::LK_ObjC ||
3766              Style.Language == FormatStyle::LK_Proto ||
3767              Style.Language == FormatStyle::LK_TableGen ||
3768              Style.Language == FormatStyle::LK_TextProto) {
3769     if (Left.isStringLiteral() && Right.isStringLiteral())
3770       return true;
3771   }
3772 
3773   // Basic JSON newline processing.
3774   if (Style.isJson()) {
3775     // Always break after a JSON record opener.
3776     // {
3777     // }
3778     if (Left.is(TT_DictLiteral) && Left.is(tok::l_brace))
3779       return true;
3780     // Always break after a JSON array opener.
3781     // [
3782     // ]
3783     if (Left.is(TT_ArrayInitializerLSquare) && Left.is(tok::l_square) &&
3784         !Right.is(tok::r_square))
3785       return true;
3786     // Always break after successive entries.
3787     // 1,
3788     // 2
3789     if (Left.is(tok::comma))
3790       return true;
3791   }
3792 
3793   // If the last token before a '}', ']', or ')' is a comma or a trailing
3794   // comment, the intention is to insert a line break after it in order to make
3795   // shuffling around entries easier. Import statements, especially in
3796   // JavaScript, can be an exception to this rule.
3797   if (Style.JavaScriptWrapImports || Line.Type != LT_ImportStatement) {
3798     const FormatToken *BeforeClosingBrace = nullptr;
3799     if ((Left.isOneOf(tok::l_brace, TT_ArrayInitializerLSquare) ||
3800          (Style.Language == FormatStyle::LK_JavaScript &&
3801           Left.is(tok::l_paren))) &&
3802         Left.isNot(BK_Block) && Left.MatchingParen)
3803       BeforeClosingBrace = Left.MatchingParen->Previous;
3804     else if (Right.MatchingParen &&
3805              (Right.MatchingParen->isOneOf(tok::l_brace,
3806                                            TT_ArrayInitializerLSquare) ||
3807               (Style.Language == FormatStyle::LK_JavaScript &&
3808                Right.MatchingParen->is(tok::l_paren))))
3809       BeforeClosingBrace = &Left;
3810     if (BeforeClosingBrace && (BeforeClosingBrace->is(tok::comma) ||
3811                                BeforeClosingBrace->isTrailingComment()))
3812       return true;
3813   }
3814 
3815   if (Right.is(tok::comment))
3816     return Left.isNot(BK_BracedInit) && Left.isNot(TT_CtorInitializerColon) &&
3817            (Right.NewlinesBefore > 0 && Right.HasUnescapedNewline);
3818   if (Left.isTrailingComment())
3819     return true;
3820   if (Right.Previous->IsUnterminatedLiteral)
3821     return true;
3822   if (Right.is(tok::lessless) && Right.Next &&
3823       Right.Previous->is(tok::string_literal) &&
3824       Right.Next->is(tok::string_literal))
3825     return true;
3826   // Can break after template<> declaration
3827   if (Right.Previous->ClosesTemplateDeclaration &&
3828       Right.Previous->MatchingParen &&
3829       Right.Previous->MatchingParen->NestingLevel == 0) {
3830     // Put concepts on the next line e.g.
3831     // template<typename T>
3832     // concept ...
3833     if (Right.is(tok::kw_concept))
3834       return Style.BreakBeforeConceptDeclarations;
3835     return (Style.AlwaysBreakTemplateDeclarations == FormatStyle::BTDS_Yes);
3836   }
3837   if (Style.PackConstructorInitializers == FormatStyle::PCIS_Never) {
3838     if (Style.BreakConstructorInitializers == FormatStyle::BCIS_BeforeColon &&
3839         (Left.is(TT_CtorInitializerComma) || Right.is(TT_CtorInitializerColon)))
3840       return true;
3841 
3842     if (Style.BreakConstructorInitializers == FormatStyle::BCIS_AfterColon &&
3843         Left.isOneOf(TT_CtorInitializerColon, TT_CtorInitializerComma))
3844       return true;
3845   }
3846   if (Style.PackConstructorInitializers < FormatStyle::PCIS_CurrentLine &&
3847       Style.BreakConstructorInitializers == FormatStyle::BCIS_BeforeComma &&
3848       Right.isOneOf(TT_CtorInitializerComma, TT_CtorInitializerColon))
3849     return true;
3850   // Break only if we have multiple inheritance.
3851   if (Style.BreakInheritanceList == FormatStyle::BILS_BeforeComma &&
3852       Right.is(TT_InheritanceComma))
3853     return true;
3854   if (Style.BreakInheritanceList == FormatStyle::BILS_AfterComma &&
3855       Left.is(TT_InheritanceComma))
3856     return true;
3857   if (Right.is(tok::string_literal) && Right.TokenText.startswith("R\""))
3858     // Multiline raw string literals are special wrt. line breaks. The author
3859     // has made a deliberate choice and might have aligned the contents of the
3860     // string literal accordingly. Thus, we try keep existing line breaks.
3861     return Right.IsMultiline && Right.NewlinesBefore > 0;
3862   if ((Right.Previous->is(tok::l_brace) ||
3863        (Right.Previous->is(tok::less) && Right.Previous->Previous &&
3864         Right.Previous->Previous->is(tok::equal))) &&
3865       Right.NestingLevel == 1 && Style.Language == FormatStyle::LK_Proto) {
3866     // Don't put enums or option definitions onto single lines in protocol
3867     // buffers.
3868     return true;
3869   }
3870   if (Right.is(TT_InlineASMBrace))
3871     return Right.HasUnescapedNewline;
3872 
3873   if (isAllmanBrace(Left) || isAllmanBrace(Right)) {
3874     auto FirstNonComment = getFirstNonComment(Line);
3875     bool AccessSpecifier =
3876         FirstNonComment &&
3877         FirstNonComment->isOneOf(Keywords.kw_internal, tok::kw_public,
3878                                  tok::kw_private, tok::kw_protected);
3879 
3880     if (Style.BraceWrapping.AfterEnum) {
3881       if (Line.startsWith(tok::kw_enum) ||
3882           Line.startsWith(tok::kw_typedef, tok::kw_enum))
3883         return true;
3884       // Ensure BraceWrapping for `public enum A {`.
3885       if (AccessSpecifier && FirstNonComment->Next &&
3886           FirstNonComment->Next->is(tok::kw_enum))
3887         return true;
3888     }
3889 
3890     // Ensure BraceWrapping for `public interface A {`.
3891     if (Style.BraceWrapping.AfterClass &&
3892         ((AccessSpecifier && FirstNonComment->Next &&
3893           FirstNonComment->Next->is(Keywords.kw_interface)) ||
3894          Line.startsWith(Keywords.kw_interface)))
3895       return true;
3896 
3897     return (Line.startsWith(tok::kw_class) && Style.BraceWrapping.AfterClass) ||
3898            (Line.startsWith(tok::kw_struct) && Style.BraceWrapping.AfterStruct);
3899   }
3900 
3901   if (Left.is(TT_ObjCBlockLBrace) &&
3902       Style.AllowShortBlocksOnASingleLine == FormatStyle::SBS_Never)
3903     return true;
3904 
3905   // Ensure wrapping after __attribute__((XX)) and @interface etc.
3906   if (Left.is(TT_AttributeParen) && Right.is(TT_ObjCDecl))
3907     return true;
3908 
3909   if (Left.is(TT_LambdaLBrace)) {
3910     if (IsFunctionArgument(Left) &&
3911         Style.AllowShortLambdasOnASingleLine == FormatStyle::SLS_Inline)
3912       return false;
3913 
3914     if (Style.AllowShortLambdasOnASingleLine == FormatStyle::SLS_None ||
3915         Style.AllowShortLambdasOnASingleLine == FormatStyle::SLS_Inline ||
3916         (!Left.Children.empty() &&
3917          Style.AllowShortLambdasOnASingleLine == FormatStyle::SLS_Empty))
3918       return true;
3919   }
3920 
3921   if (Style.BraceWrapping.BeforeLambdaBody && Right.is(TT_LambdaLBrace) &&
3922       Left.isOneOf(tok::star, tok::amp, tok::ampamp, TT_TemplateCloser)) {
3923     return true;
3924   }
3925 
3926   // Put multiple Java annotation on a new line.
3927   if ((Style.Language == FormatStyle::LK_Java ||
3928        Style.Language == FormatStyle::LK_JavaScript) &&
3929       Left.is(TT_LeadingJavaAnnotation) &&
3930       Right.isNot(TT_LeadingJavaAnnotation) && Right.isNot(tok::l_paren) &&
3931       (Line.Last->is(tok::l_brace) || Style.BreakAfterJavaFieldAnnotations))
3932     return true;
3933 
3934   if (Right.is(TT_ProtoExtensionLSquare))
3935     return true;
3936 
3937   // In text proto instances if a submessage contains at least 2 entries and at
3938   // least one of them is a submessage, like A { ... B { ... } ... },
3939   // put all of the entries of A on separate lines by forcing the selector of
3940   // the submessage B to be put on a newline.
3941   //
3942   // Example: these can stay on one line:
3943   // a { scalar_1: 1 scalar_2: 2 }
3944   // a { b { key: value } }
3945   //
3946   // and these entries need to be on a new line even if putting them all in one
3947   // line is under the column limit:
3948   // a {
3949   //   scalar: 1
3950   //   b { key: value }
3951   // }
3952   //
3953   // We enforce this by breaking before a submessage field that has previous
3954   // siblings, *and* breaking before a field that follows a submessage field.
3955   //
3956   // Be careful to exclude the case  [proto.ext] { ... } since the `]` is
3957   // the TT_SelectorName there, but we don't want to break inside the brackets.
3958   //
3959   // Another edge case is @submessage { key: value }, which is a common
3960   // substitution placeholder. In this case we want to keep `@` and `submessage`
3961   // together.
3962   //
3963   // We ensure elsewhere that extensions are always on their own line.
3964   if ((Style.Language == FormatStyle::LK_Proto ||
3965        Style.Language == FormatStyle::LK_TextProto) &&
3966       Right.is(TT_SelectorName) && !Right.is(tok::r_square) && Right.Next) {
3967     // Keep `@submessage` together in:
3968     // @submessage { key: value }
3969     if (Right.Previous && Right.Previous->is(tok::at))
3970       return false;
3971     // Look for the scope opener after selector in cases like:
3972     // selector { ...
3973     // selector: { ...
3974     // selector: @base { ...
3975     FormatToken *LBrace = Right.Next;
3976     if (LBrace && LBrace->is(tok::colon)) {
3977       LBrace = LBrace->Next;
3978       if (LBrace && LBrace->is(tok::at)) {
3979         LBrace = LBrace->Next;
3980         if (LBrace)
3981           LBrace = LBrace->Next;
3982       }
3983     }
3984     if (LBrace &&
3985         // The scope opener is one of {, [, <:
3986         // selector { ... }
3987         // selector [ ... ]
3988         // selector < ... >
3989         //
3990         // In case of selector { ... }, the l_brace is TT_DictLiteral.
3991         // In case of an empty selector {}, the l_brace is not TT_DictLiteral,
3992         // so we check for immediately following r_brace.
3993         ((LBrace->is(tok::l_brace) &&
3994           (LBrace->is(TT_DictLiteral) ||
3995            (LBrace->Next && LBrace->Next->is(tok::r_brace)))) ||
3996          LBrace->is(TT_ArrayInitializerLSquare) || LBrace->is(tok::less))) {
3997       // If Left.ParameterCount is 0, then this submessage entry is not the
3998       // first in its parent submessage, and we want to break before this entry.
3999       // If Left.ParameterCount is greater than 0, then its parent submessage
4000       // might contain 1 or more entries and we want to break before this entry
4001       // if it contains at least 2 entries. We deal with this case later by
4002       // detecting and breaking before the next entry in the parent submessage.
4003       if (Left.ParameterCount == 0)
4004         return true;
4005       // However, if this submessage is the first entry in its parent
4006       // submessage, Left.ParameterCount might be 1 in some cases.
4007       // We deal with this case later by detecting an entry
4008       // following a closing paren of this submessage.
4009     }
4010 
4011     // If this is an entry immediately following a submessage, it will be
4012     // preceded by a closing paren of that submessage, like in:
4013     //     left---.  .---right
4014     //            v  v
4015     // sub: { ... } key: value
4016     // If there was a comment between `}` an `key` above, then `key` would be
4017     // put on a new line anyways.
4018     if (Left.isOneOf(tok::r_brace, tok::greater, tok::r_square))
4019       return true;
4020   }
4021 
4022   // Deal with lambda arguments in C++ - we want consistent line breaks whether
4023   // they happen to be at arg0, arg1 or argN. The selection is a bit nuanced
4024   // as aggressive line breaks are placed when the lambda is not the last arg.
4025   if ((Style.Language == FormatStyle::LK_Cpp ||
4026        Style.Language == FormatStyle::LK_ObjC) &&
4027       Left.is(tok::l_paren) && Left.BlockParameterCount > 0 &&
4028       !Right.isOneOf(tok::l_paren, TT_LambdaLSquare)) {
4029     // Multiple lambdas in the same function call force line breaks.
4030     if (Left.BlockParameterCount > 1)
4031       return true;
4032 
4033     // A lambda followed by another arg forces a line break.
4034     if (!Left.Role)
4035       return false;
4036     auto Comma = Left.Role->lastComma();
4037     if (!Comma)
4038       return false;
4039     auto Next = Comma->getNextNonComment();
4040     if (!Next)
4041       return false;
4042     if (!Next->isOneOf(TT_LambdaLSquare, tok::l_brace, tok::caret))
4043       return true;
4044   }
4045 
4046   return false;
4047 }
4048 
4049 bool TokenAnnotator::canBreakBefore(const AnnotatedLine &Line,
4050                                     const FormatToken &Right) {
4051   const FormatToken &Left = *Right.Previous;
4052   // Language-specific stuff.
4053   if (Style.isCSharp()) {
4054     if (Left.isOneOf(TT_CSharpNamedArgumentColon, TT_AttributeColon) ||
4055         Right.isOneOf(TT_CSharpNamedArgumentColon, TT_AttributeColon))
4056       return false;
4057     // Only break after commas for generic type constraints.
4058     if (Line.First->is(TT_CSharpGenericTypeConstraint))
4059       return Left.is(TT_CSharpGenericTypeConstraintComma);
4060     // Keep nullable operators attached to their identifiers.
4061     if (Right.is(TT_CSharpNullable)) {
4062       return false;
4063     }
4064   } else if (Style.Language == FormatStyle::LK_Java) {
4065     if (Left.isOneOf(Keywords.kw_throws, Keywords.kw_extends,
4066                      Keywords.kw_implements))
4067       return false;
4068     if (Right.isOneOf(Keywords.kw_throws, Keywords.kw_extends,
4069                       Keywords.kw_implements))
4070       return true;
4071   } else if (Style.Language == FormatStyle::LK_JavaScript) {
4072     const FormatToken *NonComment = Right.getPreviousNonComment();
4073     if (NonComment &&
4074         NonComment->isOneOf(
4075             tok::kw_return, Keywords.kw_yield, tok::kw_continue, tok::kw_break,
4076             tok::kw_throw, Keywords.kw_interface, Keywords.kw_type,
4077             tok::kw_static, tok::kw_public, tok::kw_private, tok::kw_protected,
4078             Keywords.kw_readonly, Keywords.kw_override, Keywords.kw_abstract,
4079             Keywords.kw_get, Keywords.kw_set, Keywords.kw_async,
4080             Keywords.kw_await))
4081       return false; // Otherwise automatic semicolon insertion would trigger.
4082     if (Right.NestingLevel == 0 &&
4083         (Left.Tok.getIdentifierInfo() ||
4084          Left.isOneOf(tok::r_square, tok::r_paren)) &&
4085         Right.isOneOf(tok::l_square, tok::l_paren))
4086       return false; // Otherwise automatic semicolon insertion would trigger.
4087     if (NonComment && NonComment->is(tok::identifier) &&
4088         NonComment->TokenText == "asserts")
4089       return false;
4090     if (Left.is(TT_FatArrow) && Right.is(tok::l_brace))
4091       return false;
4092     if (Left.is(TT_JsTypeColon))
4093       return true;
4094     // Don't wrap between ":" and "!" of a strict prop init ("field!: type;").
4095     if (Left.is(tok::exclaim) && Right.is(tok::colon))
4096       return false;
4097     // Look for is type annotations like:
4098     // function f(): a is B { ... }
4099     // Do not break before is in these cases.
4100     if (Right.is(Keywords.kw_is)) {
4101       const FormatToken *Next = Right.getNextNonComment();
4102       // If `is` is followed by a colon, it's likely that it's a dict key, so
4103       // ignore it for this check.
4104       // For example this is common in Polymer:
4105       // Polymer({
4106       //   is: 'name',
4107       //   ...
4108       // });
4109       if (!Next || !Next->is(tok::colon))
4110         return false;
4111     }
4112     if (Left.is(Keywords.kw_in))
4113       return Style.BreakBeforeBinaryOperators == FormatStyle::BOS_None;
4114     if (Right.is(Keywords.kw_in))
4115       return Style.BreakBeforeBinaryOperators != FormatStyle::BOS_None;
4116     if (Right.is(Keywords.kw_as))
4117       return false; // must not break before as in 'x as type' casts
4118     if (Right.isOneOf(Keywords.kw_extends, Keywords.kw_infer)) {
4119       // extends and infer can appear as keywords in conditional types:
4120       //   https://www.typescriptlang.org/docs/handbook/release-notes/typescript-2-8.html#conditional-types
4121       // do not break before them, as the expressions are subject to ASI.
4122       return false;
4123     }
4124     if (Left.is(Keywords.kw_as))
4125       return true;
4126     if (Left.is(TT_NonNullAssertion))
4127       return true;
4128     if (Left.is(Keywords.kw_declare) &&
4129         Right.isOneOf(Keywords.kw_module, tok::kw_namespace,
4130                       Keywords.kw_function, tok::kw_class, tok::kw_enum,
4131                       Keywords.kw_interface, Keywords.kw_type, Keywords.kw_var,
4132                       Keywords.kw_let, tok::kw_const))
4133       // See grammar for 'declare' statements at:
4134       // https://github.com/Microsoft/TypeScript/blob/main/doc/spec-ARCHIVED.md#A.10
4135       return false;
4136     if (Left.isOneOf(Keywords.kw_module, tok::kw_namespace) &&
4137         Right.isOneOf(tok::identifier, tok::string_literal))
4138       return false; // must not break in "module foo { ...}"
4139     if (Right.is(TT_TemplateString) && Right.closesScope())
4140       return false;
4141     // Don't split tagged template literal so there is a break between the tag
4142     // identifier and template string.
4143     if (Left.is(tok::identifier) && Right.is(TT_TemplateString)) {
4144       return false;
4145     }
4146     if (Left.is(TT_TemplateString) && Left.opensScope())
4147       return true;
4148   }
4149 
4150   if (Left.is(tok::at))
4151     return false;
4152   if (Left.Tok.getObjCKeywordID() == tok::objc_interface)
4153     return false;
4154   if (Left.isOneOf(TT_JavaAnnotation, TT_LeadingJavaAnnotation))
4155     return !Right.is(tok::l_paren);
4156   if (Right.is(TT_PointerOrReference))
4157     return Line.IsMultiVariableDeclStmt ||
4158            (getTokenPointerOrReferenceAlignment(Right) ==
4159                 FormatStyle::PAS_Right &&
4160             (!Right.Next || Right.Next->isNot(TT_FunctionDeclarationName)));
4161   if (Right.isOneOf(TT_StartOfName, TT_FunctionDeclarationName) ||
4162       Right.is(tok::kw_operator))
4163     return true;
4164   if (Left.is(TT_PointerOrReference))
4165     return false;
4166   if (Right.isTrailingComment())
4167     // We rely on MustBreakBefore being set correctly here as we should not
4168     // change the "binding" behavior of a comment.
4169     // The first comment in a braced lists is always interpreted as belonging to
4170     // the first list element. Otherwise, it should be placed outside of the
4171     // list.
4172     return Left.is(BK_BracedInit) ||
4173            (Left.is(TT_CtorInitializerColon) &&
4174             Style.BreakConstructorInitializers == FormatStyle::BCIS_AfterColon);
4175   if (Left.is(tok::question) && Right.is(tok::colon))
4176     return false;
4177   if (Right.is(TT_ConditionalExpr) || Right.is(tok::question))
4178     return Style.BreakBeforeTernaryOperators;
4179   if (Left.is(TT_ConditionalExpr) || Left.is(tok::question))
4180     return !Style.BreakBeforeTernaryOperators;
4181   if (Left.is(TT_InheritanceColon))
4182     return Style.BreakInheritanceList == FormatStyle::BILS_AfterColon;
4183   if (Right.is(TT_InheritanceColon))
4184     return Style.BreakInheritanceList != FormatStyle::BILS_AfterColon;
4185   if (Right.is(TT_ObjCMethodExpr) && !Right.is(tok::r_square) &&
4186       Left.isNot(TT_SelectorName))
4187     return true;
4188 
4189   if (Right.is(tok::colon) &&
4190       !Right.isOneOf(TT_CtorInitializerColon, TT_InlineASMColon))
4191     return false;
4192   if (Left.is(tok::colon) && Left.isOneOf(TT_DictLiteral, TT_ObjCMethodExpr)) {
4193     if (Style.Language == FormatStyle::LK_Proto ||
4194         Style.Language == FormatStyle::LK_TextProto) {
4195       if (!Style.AlwaysBreakBeforeMultilineStrings && Right.isStringLiteral())
4196         return false;
4197       // Prevent cases like:
4198       //
4199       // submessage:
4200       //     { key: valueeeeeeeeeeee }
4201       //
4202       // when the snippet does not fit into one line.
4203       // Prefer:
4204       //
4205       // submessage: {
4206       //   key: valueeeeeeeeeeee
4207       // }
4208       //
4209       // instead, even if it is longer by one line.
4210       //
4211       // Note that this allows allows the "{" to go over the column limit
4212       // when the column limit is just between ":" and "{", but that does
4213       // not happen too often and alternative formattings in this case are
4214       // not much better.
4215       //
4216       // The code covers the cases:
4217       //
4218       // submessage: { ... }
4219       // submessage: < ... >
4220       // repeated: [ ... ]
4221       if (((Right.is(tok::l_brace) || Right.is(tok::less)) &&
4222            Right.is(TT_DictLiteral)) ||
4223           Right.is(TT_ArrayInitializerLSquare))
4224         return false;
4225     }
4226     return true;
4227   }
4228   if (Right.is(tok::r_square) && Right.MatchingParen &&
4229       Right.MatchingParen->is(TT_ProtoExtensionLSquare))
4230     return false;
4231   if (Right.is(TT_SelectorName) || (Right.is(tok::identifier) && Right.Next &&
4232                                     Right.Next->is(TT_ObjCMethodExpr)))
4233     return Left.isNot(tok::period); // FIXME: Properly parse ObjC calls.
4234   if (Left.is(tok::r_paren) && Line.Type == LT_ObjCProperty)
4235     return true;
4236   if (Left.ClosesTemplateDeclaration || Left.is(TT_FunctionAnnotationRParen))
4237     return true;
4238   if (Right.isOneOf(TT_RangeBasedForLoopColon, TT_OverloadedOperatorLParen,
4239                     TT_OverloadedOperator))
4240     return false;
4241   if (Left.is(TT_RangeBasedForLoopColon))
4242     return true;
4243   if (Right.is(TT_RangeBasedForLoopColon))
4244     return false;
4245   if (Left.is(TT_TemplateCloser) && Right.is(TT_TemplateOpener))
4246     return true;
4247   if (Left.isOneOf(TT_TemplateCloser, TT_UnaryOperator) ||
4248       Left.is(tok::kw_operator))
4249     return false;
4250   if (Left.is(tok::equal) && !Right.isOneOf(tok::kw_default, tok::kw_delete) &&
4251       Line.Type == LT_VirtualFunctionDecl && Left.NestingLevel == 0)
4252     return false;
4253   if (Left.is(tok::equal) && Right.is(tok::l_brace) &&
4254       !Style.Cpp11BracedListStyle)
4255     return false;
4256   if (Left.is(tok::l_paren) &&
4257       Left.isOneOf(TT_AttributeParen, TT_TypeDeclarationParen))
4258     return false;
4259   if (Left.is(tok::l_paren) && Left.Previous &&
4260       (Left.Previous->isOneOf(TT_BinaryOperator, TT_CastRParen)))
4261     return false;
4262   if (Right.is(TT_ImplicitStringLiteral))
4263     return false;
4264 
4265   if (Right.is(tok::r_paren) || Right.is(TT_TemplateCloser))
4266     return false;
4267   if (Right.is(tok::r_square) && Right.MatchingParen &&
4268       Right.MatchingParen->is(TT_LambdaLSquare))
4269     return false;
4270 
4271   // We only break before r_brace if there was a corresponding break before
4272   // the l_brace, which is tracked by BreakBeforeClosingBrace.
4273   if (Right.is(tok::r_brace))
4274     return Right.MatchingParen && Right.MatchingParen->is(BK_Block);
4275 
4276   // Allow breaking after a trailing annotation, e.g. after a method
4277   // declaration.
4278   if (Left.is(TT_TrailingAnnotation))
4279     return !Right.isOneOf(tok::l_brace, tok::semi, tok::equal, tok::l_paren,
4280                           tok::less, tok::coloncolon);
4281 
4282   if (Right.is(tok::kw___attribute) ||
4283       (Right.is(tok::l_square) && Right.is(TT_AttributeSquare)))
4284     return !Left.is(TT_AttributeSquare);
4285 
4286   if (Left.is(tok::identifier) && Right.is(tok::string_literal))
4287     return true;
4288 
4289   if (Right.is(tok::identifier) && Right.Next && Right.Next->is(TT_DictLiteral))
4290     return true;
4291 
4292   if (Left.is(TT_CtorInitializerColon))
4293     return Style.BreakConstructorInitializers == FormatStyle::BCIS_AfterColon;
4294   if (Right.is(TT_CtorInitializerColon))
4295     return Style.BreakConstructorInitializers != FormatStyle::BCIS_AfterColon;
4296   if (Left.is(TT_CtorInitializerComma) &&
4297       Style.BreakConstructorInitializers == FormatStyle::BCIS_BeforeComma)
4298     return false;
4299   if (Right.is(TT_CtorInitializerComma) &&
4300       Style.BreakConstructorInitializers == FormatStyle::BCIS_BeforeComma)
4301     return true;
4302   if (Left.is(TT_InheritanceComma) &&
4303       Style.BreakInheritanceList == FormatStyle::BILS_BeforeComma)
4304     return false;
4305   if (Right.is(TT_InheritanceComma) &&
4306       Style.BreakInheritanceList == FormatStyle::BILS_BeforeComma)
4307     return true;
4308   if ((Left.is(tok::greater) && Right.is(tok::greater)) ||
4309       (Left.is(tok::less) && Right.is(tok::less)))
4310     return false;
4311   if (Right.is(TT_BinaryOperator) &&
4312       Style.BreakBeforeBinaryOperators != FormatStyle::BOS_None &&
4313       (Style.BreakBeforeBinaryOperators == FormatStyle::BOS_All ||
4314        Right.getPrecedence() != prec::Assignment))
4315     return true;
4316   if (Left.is(TT_ArrayInitializerLSquare))
4317     return true;
4318   if (Right.is(tok::kw_typename) && Left.isNot(tok::kw_const))
4319     return true;
4320   if ((Left.isBinaryOperator() || Left.is(TT_BinaryOperator)) &&
4321       !Left.isOneOf(tok::arrowstar, tok::lessless) &&
4322       Style.BreakBeforeBinaryOperators != FormatStyle::BOS_All &&
4323       (Style.BreakBeforeBinaryOperators == FormatStyle::BOS_None ||
4324        Left.getPrecedence() == prec::Assignment))
4325     return true;
4326   if ((Left.is(TT_AttributeSquare) && Right.is(tok::l_square)) ||
4327       (Left.is(tok::r_square) && Right.is(TT_AttributeSquare)))
4328     return false;
4329 
4330   auto ShortLambdaOption = Style.AllowShortLambdasOnASingleLine;
4331   if (Style.BraceWrapping.BeforeLambdaBody && Right.is(TT_LambdaLBrace)) {
4332     if (isAllmanLambdaBrace(Left))
4333       return !isItAnEmptyLambdaAllowed(Left, ShortLambdaOption);
4334     if (isAllmanLambdaBrace(Right))
4335       return !isItAnEmptyLambdaAllowed(Right, ShortLambdaOption);
4336   }
4337 
4338   return Left.isOneOf(tok::comma, tok::coloncolon, tok::semi, tok::l_brace,
4339                       tok::kw_class, tok::kw_struct, tok::comment) ||
4340          Right.isMemberAccess() ||
4341          Right.isOneOf(TT_TrailingReturnArrow, TT_LambdaArrow, tok::lessless,
4342                        tok::colon, tok::l_square, tok::at) ||
4343          (Left.is(tok::r_paren) &&
4344           Right.isOneOf(tok::identifier, tok::kw_const)) ||
4345          (Left.is(tok::l_paren) && !Right.is(tok::r_paren)) ||
4346          (Left.is(TT_TemplateOpener) && !Right.is(TT_TemplateCloser));
4347 }
4348 
4349 void TokenAnnotator::printDebugInfo(const AnnotatedLine &Line) {
4350   llvm::errs() << "AnnotatedTokens(L=" << Line.Level << "):\n";
4351   const FormatToken *Tok = Line.First;
4352   while (Tok) {
4353     llvm::errs() << " M=" << Tok->MustBreakBefore
4354                  << " C=" << Tok->CanBreakBefore
4355                  << " T=" << getTokenTypeName(Tok->getType())
4356                  << " S=" << Tok->SpacesRequiredBefore
4357                  << " F=" << Tok->Finalized << " B=" << Tok->BlockParameterCount
4358                  << " BK=" << Tok->getBlockKind() << " P=" << Tok->SplitPenalty
4359                  << " Name=" << Tok->Tok.getName() << " L=" << Tok->TotalLength
4360                  << " PPK=" << Tok->getPackingKind() << " FakeLParens=";
4361     for (unsigned i = 0, e = Tok->FakeLParens.size(); i != e; ++i)
4362       llvm::errs() << Tok->FakeLParens[i] << "/";
4363     llvm::errs() << " FakeRParens=" << Tok->FakeRParens;
4364     llvm::errs() << " II=" << Tok->Tok.getIdentifierInfo();
4365     llvm::errs() << " Text='" << Tok->TokenText << "'\n";
4366     if (!Tok->Next)
4367       assert(Tok == Line.Last);
4368     Tok = Tok->Next;
4369   }
4370   llvm::errs() << "----\n";
4371 }
4372 
4373 FormatStyle::PointerAlignmentStyle
4374 TokenAnnotator::getTokenReferenceAlignment(const FormatToken &Reference) {
4375   assert(Reference.isOneOf(tok::amp, tok::ampamp));
4376   switch (Style.ReferenceAlignment) {
4377   case FormatStyle::RAS_Pointer:
4378     return Style.PointerAlignment;
4379   case FormatStyle::RAS_Left:
4380     return FormatStyle::PAS_Left;
4381   case FormatStyle::RAS_Right:
4382     return FormatStyle::PAS_Right;
4383   case FormatStyle::RAS_Middle:
4384     return FormatStyle::PAS_Middle;
4385   }
4386   assert(0); //"Unhandled value of ReferenceAlignment"
4387   return Style.PointerAlignment;
4388 }
4389 
4390 FormatStyle::PointerAlignmentStyle
4391 TokenAnnotator::getTokenPointerOrReferenceAlignment(
4392     const FormatToken &PointerOrReference) {
4393   if (PointerOrReference.isOneOf(tok::amp, tok::ampamp)) {
4394     switch (Style.ReferenceAlignment) {
4395     case FormatStyle::RAS_Pointer:
4396       return Style.PointerAlignment;
4397     case FormatStyle::RAS_Left:
4398       return FormatStyle::PAS_Left;
4399     case FormatStyle::RAS_Right:
4400       return FormatStyle::PAS_Right;
4401     case FormatStyle::RAS_Middle:
4402       return FormatStyle::PAS_Middle;
4403     }
4404   }
4405   assert(PointerOrReference.is(tok::star));
4406   return Style.PointerAlignment;
4407 }
4408 
4409 } // namespace format
4410 } // namespace clang
4411