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