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