]> CyberLeo.Net >> Repos - FreeBSD/FreeBSD.git/blob - contrib/llvm/tools/clang/lib/Format/UnwrappedLineFormatter.cpp
Merge llvm, clang, lld, lldb, compiler-rt and libc++ r303571, and update
[FreeBSD/FreeBSD.git] / contrib / llvm / tools / clang / lib / Format / UnwrappedLineFormatter.cpp
1 //===--- UnwrappedLineFormatter.cpp - Format C++ code ---------------------===//
2 //
3 //                     The LLVM Compiler Infrastructure
4 //
5 // This file is distributed under the University of Illinois Open Source
6 // License. See LICENSE.TXT for details.
7 //
8 //===----------------------------------------------------------------------===//
9
10 #include "UnwrappedLineFormatter.h"
11 #include "WhitespaceManager.h"
12 #include "llvm/Support/Debug.h"
13 #include <queue>
14
15 #define DEBUG_TYPE "format-formatter"
16
17 namespace clang {
18 namespace format {
19
20 namespace {
21
22 bool startsExternCBlock(const AnnotatedLine &Line) {
23   const FormatToken *Next = Line.First->getNextNonComment();
24   const FormatToken *NextNext = Next ? Next->getNextNonComment() : nullptr;
25   return Line.startsWith(tok::kw_extern) && Next && Next->isStringLiteral() &&
26          NextNext && NextNext->is(tok::l_brace);
27 }
28
29 /// \brief Tracks the indent level of \c AnnotatedLines across levels.
30 ///
31 /// \c nextLine must be called for each \c AnnotatedLine, after which \c
32 /// getIndent() will return the indent for the last line \c nextLine was called
33 /// with.
34 /// If the line is not formatted (and thus the indent does not change), calling
35 /// \c adjustToUnmodifiedLine after the call to \c nextLine will cause
36 /// subsequent lines on the same level to be indented at the same level as the
37 /// given line.
38 class LevelIndentTracker {
39 public:
40   LevelIndentTracker(const FormatStyle &Style,
41                      const AdditionalKeywords &Keywords, unsigned StartLevel,
42                      int AdditionalIndent)
43       : Style(Style), Keywords(Keywords), AdditionalIndent(AdditionalIndent) {
44     for (unsigned i = 0; i != StartLevel; ++i)
45       IndentForLevel.push_back(Style.IndentWidth * i + AdditionalIndent);
46   }
47
48   /// \brief Returns the indent for the current line.
49   unsigned getIndent() const { return Indent; }
50
51   /// \brief Update the indent state given that \p Line is going to be formatted
52   /// next.
53   void nextLine(const AnnotatedLine &Line) {
54     Offset = getIndentOffset(*Line.First);
55     // Update the indent level cache size so that we can rely on it
56     // having the right size in adjustToUnmodifiedline.
57     while (IndentForLevel.size() <= Line.Level)
58       IndentForLevel.push_back(-1);
59     if (Line.InPPDirective) {
60       Indent = Line.Level * Style.IndentWidth + AdditionalIndent;
61     } else {
62       IndentForLevel.resize(Line.Level + 1);
63       Indent = getIndent(IndentForLevel, Line.Level);
64     }
65     if (static_cast<int>(Indent) + Offset >= 0)
66       Indent += Offset;
67   }
68
69   /// \brief Update the level indent to adapt to the given \p Line.
70   ///
71   /// When a line is not formatted, we move the subsequent lines on the same
72   /// level to the same indent.
73   /// Note that \c nextLine must have been called before this method.
74   void adjustToUnmodifiedLine(const AnnotatedLine &Line) {
75     unsigned LevelIndent = Line.First->OriginalColumn;
76     if (static_cast<int>(LevelIndent) - Offset >= 0)
77       LevelIndent -= Offset;
78     if ((!Line.First->is(tok::comment) || IndentForLevel[Line.Level] == -1) &&
79         !Line.InPPDirective)
80       IndentForLevel[Line.Level] = LevelIndent;
81   }
82
83 private:
84   /// \brief Get the offset of the line relatively to the level.
85   ///
86   /// For example, 'public:' labels in classes are offset by 1 or 2
87   /// characters to the left from their level.
88   int getIndentOffset(const FormatToken &RootToken) {
89     if (Style.Language == FormatStyle::LK_Java ||
90         Style.Language == FormatStyle::LK_JavaScript)
91       return 0;
92     if (RootToken.isAccessSpecifier(false) ||
93         RootToken.isObjCAccessSpecifier() ||
94         (RootToken.isOneOf(Keywords.kw_signals, Keywords.kw_qsignals) &&
95          RootToken.Next && RootToken.Next->is(tok::colon)))
96       return Style.AccessModifierOffset;
97     return 0;
98   }
99
100   /// \brief Get the indent of \p Level from \p IndentForLevel.
101   ///
102   /// \p IndentForLevel must contain the indent for the level \c l
103   /// at \p IndentForLevel[l], or a value < 0 if the indent for
104   /// that level is unknown.
105   unsigned getIndent(ArrayRef<int> IndentForLevel, unsigned Level) {
106     if (IndentForLevel[Level] != -1)
107       return IndentForLevel[Level];
108     if (Level == 0)
109       return 0;
110     return getIndent(IndentForLevel, Level - 1) + Style.IndentWidth;
111   }
112
113   const FormatStyle &Style;
114   const AdditionalKeywords &Keywords;
115   const unsigned AdditionalIndent;
116
117   /// \brief The indent in characters for each level.
118   std::vector<int> IndentForLevel;
119
120   /// \brief Offset of the current line relative to the indent level.
121   ///
122   /// For example, the 'public' keywords is often indented with a negative
123   /// offset.
124   int Offset = 0;
125
126   /// \brief The current line's indent.
127   unsigned Indent = 0;
128 };
129
130 class LineJoiner {
131 public:
132   LineJoiner(const FormatStyle &Style, const AdditionalKeywords &Keywords,
133              const SmallVectorImpl<AnnotatedLine *> &Lines)
134       : Style(Style), Keywords(Keywords), End(Lines.end()),
135         Next(Lines.begin()) {}
136
137   /// \brief Returns the next line, merging multiple lines into one if possible.
138   const AnnotatedLine *getNextMergedLine(bool DryRun,
139                                          LevelIndentTracker &IndentTracker) {
140     if (Next == End)
141       return nullptr;
142     const AnnotatedLine *Current = *Next;
143     IndentTracker.nextLine(*Current);
144     unsigned MergedLines =
145         tryFitMultipleLinesInOne(IndentTracker.getIndent(), Next, End);
146     if (MergedLines > 0 && Style.ColumnLimit == 0)
147       // Disallow line merging if there is a break at the start of one of the
148       // input lines.
149       for (unsigned i = 0; i < MergedLines; ++i)
150         if (Next[i + 1]->First->NewlinesBefore > 0)
151           MergedLines = 0;
152     if (!DryRun)
153       for (unsigned i = 0; i < MergedLines; ++i)
154         join(*Next[0], *Next[i + 1]);
155     Next = Next + MergedLines + 1;
156     return Current;
157   }
158
159 private:
160   /// \brief Calculates how many lines can be merged into 1 starting at \p I.
161   unsigned
162   tryFitMultipleLinesInOne(unsigned Indent,
163                            SmallVectorImpl<AnnotatedLine *>::const_iterator I,
164                            SmallVectorImpl<AnnotatedLine *>::const_iterator E) {
165     // Can't join the last line with anything.
166     if (I + 1 == E)
167       return 0;
168     // We can never merge stuff if there are trailing line comments.
169     const AnnotatedLine *TheLine = *I;
170     if (TheLine->Last->is(TT_LineComment))
171       return 0;
172     if (I[1]->Type == LT_Invalid || I[1]->First->MustBreakBefore)
173       return 0;
174     if (TheLine->InPPDirective &&
175         (!I[1]->InPPDirective || I[1]->First->HasUnescapedNewline))
176       return 0;
177
178     if (Style.ColumnLimit > 0 && Indent > Style.ColumnLimit)
179       return 0;
180
181     unsigned Limit =
182         Style.ColumnLimit == 0 ? UINT_MAX : Style.ColumnLimit - Indent;
183     // If we already exceed the column limit, we set 'Limit' to 0. The different
184     // tryMerge..() functions can then decide whether to still do merging.
185     Limit = TheLine->Last->TotalLength > Limit
186                 ? 0
187                 : Limit - TheLine->Last->TotalLength;
188
189     // FIXME: TheLine->Level != 0 might or might not be the right check to do.
190     // If necessary, change to something smarter.
191     bool MergeShortFunctions =
192         Style.AllowShortFunctionsOnASingleLine == FormatStyle::SFS_All ||
193         (Style.AllowShortFunctionsOnASingleLine >= FormatStyle::SFS_Empty &&
194          I[1]->First->is(tok::r_brace)) ||
195         (Style.AllowShortFunctionsOnASingleLine == FormatStyle::SFS_Inline &&
196          TheLine->Level != 0);
197
198     if (TheLine->Last->is(TT_FunctionLBrace) &&
199         TheLine->First != TheLine->Last) {
200       return MergeShortFunctions ? tryMergeSimpleBlock(I, E, Limit) : 0;
201     }
202     if (TheLine->Last->is(tok::l_brace)) {
203       return !Style.BraceWrapping.AfterFunction
204                  ? tryMergeSimpleBlock(I, E, Limit)
205                  : 0;
206     }
207     if (I[1]->First->is(TT_FunctionLBrace) &&
208         Style.BraceWrapping.AfterFunction) {
209       if (I[1]->Last->is(TT_LineComment))
210         return 0;
211
212       // Check for Limit <= 2 to account for the " {".
213       if (Limit <= 2 || (Style.ColumnLimit == 0 && containsMustBreak(TheLine)))
214         return 0;
215       Limit -= 2;
216
217       unsigned MergedLines = 0;
218       if (MergeShortFunctions) {
219         MergedLines = tryMergeSimpleBlock(I + 1, E, Limit);
220         // If we managed to merge the block, count the function header, which is
221         // on a separate line.
222         if (MergedLines > 0)
223           ++MergedLines;
224       }
225       return MergedLines;
226     }
227     if (TheLine->First->is(tok::kw_if)) {
228       return Style.AllowShortIfStatementsOnASingleLine
229                  ? tryMergeSimpleControlStatement(I, E, Limit)
230                  : 0;
231     }
232     if (TheLine->First->isOneOf(tok::kw_for, tok::kw_while)) {
233       return Style.AllowShortLoopsOnASingleLine
234                  ? tryMergeSimpleControlStatement(I, E, Limit)
235                  : 0;
236     }
237     if (TheLine->First->isOneOf(tok::kw_case, tok::kw_default)) {
238       return Style.AllowShortCaseLabelsOnASingleLine
239                  ? tryMergeShortCaseLabels(I, E, Limit)
240                  : 0;
241     }
242     if (TheLine->InPPDirective &&
243         (TheLine->First->HasUnescapedNewline || TheLine->First->IsFirst)) {
244       return tryMergeSimplePPDirective(I, E, Limit);
245     }
246     return 0;
247   }
248
249   unsigned
250   tryMergeSimplePPDirective(SmallVectorImpl<AnnotatedLine *>::const_iterator I,
251                             SmallVectorImpl<AnnotatedLine *>::const_iterator E,
252                             unsigned Limit) {
253     if (Limit == 0)
254       return 0;
255     if (I + 2 != E && I[2]->InPPDirective && !I[2]->First->HasUnescapedNewline)
256       return 0;
257     if (1 + I[1]->Last->TotalLength > Limit)
258       return 0;
259     return 1;
260   }
261
262   unsigned tryMergeSimpleControlStatement(
263       SmallVectorImpl<AnnotatedLine *>::const_iterator I,
264       SmallVectorImpl<AnnotatedLine *>::const_iterator E, unsigned Limit) {
265     if (Limit == 0)
266       return 0;
267     if (Style.BraceWrapping.AfterControlStatement &&
268         (I[1]->First->is(tok::l_brace) && !Style.AllowShortBlocksOnASingleLine))
269       return 0;
270     if (I[1]->InPPDirective != (*I)->InPPDirective ||
271         (I[1]->InPPDirective && I[1]->First->HasUnescapedNewline))
272       return 0;
273     Limit = limitConsideringMacros(I + 1, E, Limit);
274     AnnotatedLine &Line = **I;
275     if (Line.Last->isNot(tok::r_paren))
276       return 0;
277     if (1 + I[1]->Last->TotalLength > Limit)
278       return 0;
279     if (I[1]->First->isOneOf(tok::semi, tok::kw_if, tok::kw_for, tok::kw_while,
280                              TT_LineComment))
281       return 0;
282     // Only inline simple if's (no nested if or else).
283     if (I + 2 != E && Line.startsWith(tok::kw_if) &&
284         I[2]->First->is(tok::kw_else))
285       return 0;
286     return 1;
287   }
288
289   unsigned
290   tryMergeShortCaseLabels(SmallVectorImpl<AnnotatedLine *>::const_iterator I,
291                           SmallVectorImpl<AnnotatedLine *>::const_iterator E,
292                           unsigned Limit) {
293     if (Limit == 0 || I + 1 == E ||
294         I[1]->First->isOneOf(tok::kw_case, tok::kw_default))
295       return 0;
296     unsigned NumStmts = 0;
297     unsigned Length = 0;
298     bool InPPDirective = I[0]->InPPDirective;
299     for (; NumStmts < 3; ++NumStmts) {
300       if (I + 1 + NumStmts == E)
301         break;
302       const AnnotatedLine *Line = I[1 + NumStmts];
303       if (Line->InPPDirective != InPPDirective)
304         break;
305       if (Line->First->isOneOf(tok::kw_case, tok::kw_default, tok::r_brace))
306         break;
307       if (Line->First->isOneOf(tok::kw_if, tok::kw_for, tok::kw_switch,
308                                tok::kw_while, tok::comment) ||
309           Line->Last->is(tok::comment))
310         return 0;
311       Length += I[1 + NumStmts]->Last->TotalLength + 1; // 1 for the space.
312     }
313     if (NumStmts == 0 || NumStmts == 3 || Length > Limit)
314       return 0;
315     return NumStmts;
316   }
317
318   unsigned
319   tryMergeSimpleBlock(SmallVectorImpl<AnnotatedLine *>::const_iterator I,
320                       SmallVectorImpl<AnnotatedLine *>::const_iterator E,
321                       unsigned Limit) {
322     AnnotatedLine &Line = **I;
323
324     // Don't merge ObjC @ keywords and methods.
325     // FIXME: If an option to allow short exception handling clauses on a single
326     // line is added, change this to not return for @try and friends.
327     if (Style.Language != FormatStyle::LK_Java &&
328         Line.First->isOneOf(tok::at, tok::minus, tok::plus))
329       return 0;
330
331     // Check that the current line allows merging. This depends on whether we
332     // are in a control flow statements as well as several style flags.
333     if (Line.First->isOneOf(tok::kw_else, tok::kw_case) ||
334         (Line.First->Next && Line.First->Next->is(tok::kw_else)))
335       return 0;
336     if (Line.First->isOneOf(tok::kw_if, tok::kw_while, tok::kw_do, tok::kw_try,
337                             tok::kw___try, tok::kw_catch, tok::kw___finally,
338                             tok::kw_for, tok::r_brace, Keywords.kw___except)) {
339       if (!Style.AllowShortBlocksOnASingleLine)
340         return 0;
341       if (!Style.AllowShortIfStatementsOnASingleLine &&
342           Line.startsWith(tok::kw_if))
343         return 0;
344       if (!Style.AllowShortLoopsOnASingleLine &&
345           Line.First->isOneOf(tok::kw_while, tok::kw_do, tok::kw_for))
346         return 0;
347       // FIXME: Consider an option to allow short exception handling clauses on
348       // a single line.
349       // FIXME: This isn't covered by tests.
350       // FIXME: For catch, __except, __finally the first token on the line
351       // is '}', so this isn't correct here.
352       if (Line.First->isOneOf(tok::kw_try, tok::kw___try, tok::kw_catch,
353                               Keywords.kw___except, tok::kw___finally))
354         return 0;
355     }
356
357     FormatToken *Tok = I[1]->First;
358     if (Tok->is(tok::r_brace) && !Tok->MustBreakBefore &&
359         (Tok->getNextNonComment() == nullptr ||
360          Tok->getNextNonComment()->is(tok::semi))) {
361       // We merge empty blocks even if the line exceeds the column limit.
362       Tok->SpacesRequiredBefore = 0;
363       Tok->CanBreakBefore = true;
364       return 1;
365     } else if (Limit != 0 && !Line.startsWith(tok::kw_namespace) &&
366                !startsExternCBlock(Line)) {
367       // We don't merge short records.
368       if (Line.First->isOneOf(tok::kw_class, tok::kw_union, tok::kw_struct,
369                               Keywords.kw_interface))
370         return 0;
371
372       // Check that we still have three lines and they fit into the limit.
373       if (I + 2 == E || I[2]->Type == LT_Invalid)
374         return 0;
375       Limit = limitConsideringMacros(I + 2, E, Limit);
376
377       if (!nextTwoLinesFitInto(I, Limit))
378         return 0;
379
380       // Second, check that the next line does not contain any braces - if it
381       // does, readability declines when putting it into a single line.
382       if (I[1]->Last->is(TT_LineComment))
383         return 0;
384       do {
385         if (Tok->is(tok::l_brace) && Tok->BlockKind != BK_BracedInit)
386           return 0;
387         Tok = Tok->Next;
388       } while (Tok);
389
390       // Last, check that the third line starts with a closing brace.
391       Tok = I[2]->First;
392       if (Tok->isNot(tok::r_brace))
393         return 0;
394
395       // Don't merge "if (a) { .. } else {".
396       if (Tok->Next && Tok->Next->is(tok::kw_else))
397         return 0;
398
399       return 2;
400     }
401     return 0;
402   }
403
404   /// Returns the modified column limit for \p I if it is inside a macro and
405   /// needs a trailing '\'.
406   unsigned
407   limitConsideringMacros(SmallVectorImpl<AnnotatedLine *>::const_iterator I,
408                          SmallVectorImpl<AnnotatedLine *>::const_iterator E,
409                          unsigned Limit) {
410     if (I[0]->InPPDirective && I + 1 != E &&
411         !I[1]->First->HasUnescapedNewline && !I[1]->First->is(tok::eof)) {
412       return Limit < 2 ? 0 : Limit - 2;
413     }
414     return Limit;
415   }
416
417   bool nextTwoLinesFitInto(SmallVectorImpl<AnnotatedLine *>::const_iterator I,
418                            unsigned Limit) {
419     if (I[1]->First->MustBreakBefore || I[2]->First->MustBreakBefore)
420       return false;
421     return 1 + I[1]->Last->TotalLength + 1 + I[2]->Last->TotalLength <= Limit;
422   }
423
424   bool containsMustBreak(const AnnotatedLine *Line) {
425     for (const FormatToken *Tok = Line->First; Tok; Tok = Tok->Next) {
426       if (Tok->MustBreakBefore)
427         return true;
428     }
429     return false;
430   }
431
432   void join(AnnotatedLine &A, const AnnotatedLine &B) {
433     assert(!A.Last->Next);
434     assert(!B.First->Previous);
435     if (B.Affected)
436       A.Affected = true;
437     A.Last->Next = B.First;
438     B.First->Previous = A.Last;
439     B.First->CanBreakBefore = true;
440     unsigned LengthA = A.Last->TotalLength + B.First->SpacesRequiredBefore;
441     for (FormatToken *Tok = B.First; Tok; Tok = Tok->Next) {
442       Tok->TotalLength += LengthA;
443       A.Last = Tok;
444     }
445   }
446
447   const FormatStyle &Style;
448   const AdditionalKeywords &Keywords;
449   const SmallVectorImpl<AnnotatedLine *>::const_iterator End;
450
451   SmallVectorImpl<AnnotatedLine *>::const_iterator Next;
452 };
453
454 static void markFinalized(FormatToken *Tok) {
455   for (; Tok; Tok = Tok->Next) {
456     Tok->Finalized = true;
457     for (AnnotatedLine *Child : Tok->Children)
458       markFinalized(Child->First);
459   }
460 }
461
462 #ifndef NDEBUG
463 static void printLineState(const LineState &State) {
464   llvm::dbgs() << "State: ";
465   for (const ParenState &P : State.Stack) {
466     llvm::dbgs() << P.Indent << "|" << P.LastSpace << "|" << P.NestedBlockIndent
467                  << " ";
468   }
469   llvm::dbgs() << State.NextToken->TokenText << "\n";
470 }
471 #endif
472
473 /// \brief Base class for classes that format one \c AnnotatedLine.
474 class LineFormatter {
475 public:
476   LineFormatter(ContinuationIndenter *Indenter, WhitespaceManager *Whitespaces,
477                 const FormatStyle &Style,
478                 UnwrappedLineFormatter *BlockFormatter)
479       : Indenter(Indenter), Whitespaces(Whitespaces), Style(Style),
480         BlockFormatter(BlockFormatter) {}
481   virtual ~LineFormatter() {}
482
483   /// \brief Formats an \c AnnotatedLine and returns the penalty.
484   ///
485   /// If \p DryRun is \c false, directly applies the changes.
486   virtual unsigned formatLine(const AnnotatedLine &Line, unsigned FirstIndent,
487                               bool DryRun) = 0;
488
489 protected:
490   /// \brief If the \p State's next token is an r_brace closing a nested block,
491   /// format the nested block before it.
492   ///
493   /// Returns \c true if all children could be placed successfully and adapts
494   /// \p Penalty as well as \p State. If \p DryRun is false, also directly
495   /// creates changes using \c Whitespaces.
496   ///
497   /// The crucial idea here is that children always get formatted upon
498   /// encountering the closing brace right after the nested block. Now, if we
499   /// are currently trying to keep the "}" on the same line (i.e. \p NewLine is
500   /// \c false), the entire block has to be kept on the same line (which is only
501   /// possible if it fits on the line, only contains a single statement, etc.
502   ///
503   /// If \p NewLine is true, we format the nested block on separate lines, i.e.
504   /// break after the "{", format all lines with correct indentation and the put
505   /// the closing "}" on yet another new line.
506   ///
507   /// This enables us to keep the simple structure of the
508   /// \c UnwrappedLineFormatter, where we only have two options for each token:
509   /// break or don't break.
510   bool formatChildren(LineState &State, bool NewLine, bool DryRun,
511                       unsigned &Penalty) {
512     const FormatToken *LBrace = State.NextToken->getPreviousNonComment();
513     FormatToken &Previous = *State.NextToken->Previous;
514     if (!LBrace || LBrace->isNot(tok::l_brace) ||
515         LBrace->BlockKind != BK_Block || Previous.Children.size() == 0)
516       // The previous token does not open a block. Nothing to do. We don't
517       // assert so that we can simply call this function for all tokens.
518       return true;
519
520     if (NewLine) {
521       int AdditionalIndent = State.Stack.back().Indent -
522                              Previous.Children[0]->Level * Style.IndentWidth;
523
524       Penalty +=
525           BlockFormatter->format(Previous.Children, DryRun, AdditionalIndent,
526                                  /*FixBadIndentation=*/true);
527       return true;
528     }
529
530     if (Previous.Children[0]->First->MustBreakBefore)
531       return false;
532
533     // Cannot merge into one line if this line ends on a comment.
534     if (Previous.is(tok::comment))
535       return false;
536
537     // Cannot merge multiple statements into a single line.
538     if (Previous.Children.size() > 1)
539       return false;
540
541     const AnnotatedLine *Child = Previous.Children[0];
542     // We can't put the closing "}" on a line with a trailing comment.
543     if (Child->Last->isTrailingComment())
544       return false;
545
546     // If the child line exceeds the column limit, we wouldn't want to merge it.
547     // We add +2 for the trailing " }".
548     if (Style.ColumnLimit > 0 &&
549         Child->Last->TotalLength + State.Column + 2 > Style.ColumnLimit)
550       return false;
551
552     if (!DryRun) {
553       Whitespaces->replaceWhitespace(
554           *Child->First, /*Newlines=*/0, /*Spaces=*/1,
555           /*StartOfTokenColumn=*/State.Column, State.Line->InPPDirective);
556     }
557     Penalty += formatLine(*Child, State.Column + 1, DryRun);
558
559     State.Column += 1 + Child->Last->TotalLength;
560     return true;
561   }
562
563   ContinuationIndenter *Indenter;
564
565 private:
566   WhitespaceManager *Whitespaces;
567   const FormatStyle &Style;
568   UnwrappedLineFormatter *BlockFormatter;
569 };
570
571 /// \brief Formatter that keeps the existing line breaks.
572 class NoColumnLimitLineFormatter : public LineFormatter {
573 public:
574   NoColumnLimitLineFormatter(ContinuationIndenter *Indenter,
575                              WhitespaceManager *Whitespaces,
576                              const FormatStyle &Style,
577                              UnwrappedLineFormatter *BlockFormatter)
578       : LineFormatter(Indenter, Whitespaces, Style, BlockFormatter) {}
579
580   /// \brief Formats the line, simply keeping all of the input's line breaking
581   /// decisions.
582   unsigned formatLine(const AnnotatedLine &Line, unsigned FirstIndent,
583                       bool DryRun) override {
584     assert(!DryRun);
585     LineState State =
586         Indenter->getInitialState(FirstIndent, &Line, /*DryRun=*/false);
587     while (State.NextToken) {
588       bool Newline =
589           Indenter->mustBreak(State) ||
590           (Indenter->canBreak(State) && State.NextToken->NewlinesBefore > 0);
591       unsigned Penalty = 0;
592       formatChildren(State, Newline, /*DryRun=*/false, Penalty);
593       Indenter->addTokenToState(State, Newline, /*DryRun=*/false);
594     }
595     return 0;
596   }
597 };
598
599 /// \brief Formatter that puts all tokens into a single line without breaks.
600 class NoLineBreakFormatter : public LineFormatter {
601 public:
602   NoLineBreakFormatter(ContinuationIndenter *Indenter,
603                        WhitespaceManager *Whitespaces, const FormatStyle &Style,
604                        UnwrappedLineFormatter *BlockFormatter)
605       : LineFormatter(Indenter, Whitespaces, Style, BlockFormatter) {}
606
607   /// \brief Puts all tokens into a single line.
608   unsigned formatLine(const AnnotatedLine &Line, unsigned FirstIndent,
609                       bool DryRun) override {
610     unsigned Penalty = 0;
611     LineState State = Indenter->getInitialState(FirstIndent, &Line, DryRun);
612     while (State.NextToken) {
613       formatChildren(State, /*Newline=*/false, DryRun, Penalty);
614       Indenter->addTokenToState(
615           State, /*Newline=*/State.NextToken->MustBreakBefore, DryRun);
616     }
617     return Penalty;
618   }
619 };
620
621 /// \brief Finds the best way to break lines.
622 class OptimizingLineFormatter : public LineFormatter {
623 public:
624   OptimizingLineFormatter(ContinuationIndenter *Indenter,
625                           WhitespaceManager *Whitespaces,
626                           const FormatStyle &Style,
627                           UnwrappedLineFormatter *BlockFormatter)
628       : LineFormatter(Indenter, Whitespaces, Style, BlockFormatter) {}
629
630   /// \brief Formats the line by finding the best line breaks with line lengths
631   /// below the column limit.
632   unsigned formatLine(const AnnotatedLine &Line, unsigned FirstIndent,
633                       bool DryRun) override {
634     LineState State = Indenter->getInitialState(FirstIndent, &Line, DryRun);
635
636     // If the ObjC method declaration does not fit on a line, we should format
637     // it with one arg per line.
638     if (State.Line->Type == LT_ObjCMethodDecl)
639       State.Stack.back().BreakBeforeParameter = true;
640
641     // Find best solution in solution space.
642     return analyzeSolutionSpace(State, DryRun);
643   }
644
645 private:
646   struct CompareLineStatePointers {
647     bool operator()(LineState *obj1, LineState *obj2) const {
648       return *obj1 < *obj2;
649     }
650   };
651
652   /// \brief A pair of <penalty, count> that is used to prioritize the BFS on.
653   ///
654   /// In case of equal penalties, we want to prefer states that were inserted
655   /// first. During state generation we make sure that we insert states first
656   /// that break the line as late as possible.
657   typedef std::pair<unsigned, unsigned> OrderedPenalty;
658
659   /// \brief An edge in the solution space from \c Previous->State to \c State,
660   /// inserting a newline dependent on the \c NewLine.
661   struct StateNode {
662     StateNode(const LineState &State, bool NewLine, StateNode *Previous)
663         : State(State), NewLine(NewLine), Previous(Previous) {}
664     LineState State;
665     bool NewLine;
666     StateNode *Previous;
667   };
668
669   /// \brief An item in the prioritized BFS search queue. The \c StateNode's
670   /// \c State has the given \c OrderedPenalty.
671   typedef std::pair<OrderedPenalty, StateNode *> QueueItem;
672
673   /// \brief The BFS queue type.
674   typedef std::priority_queue<QueueItem, std::vector<QueueItem>,
675                               std::greater<QueueItem>> QueueType;
676
677   /// \brief Analyze the entire solution space starting from \p InitialState.
678   ///
679   /// This implements a variant of Dijkstra's algorithm on the graph that spans
680   /// the solution space (\c LineStates are the nodes). The algorithm tries to
681   /// find the shortest path (the one with lowest penalty) from \p InitialState
682   /// to a state where all tokens are placed. Returns the penalty.
683   ///
684   /// If \p DryRun is \c false, directly applies the changes.
685   unsigned analyzeSolutionSpace(LineState &InitialState, bool DryRun) {
686     std::set<LineState *, CompareLineStatePointers> Seen;
687
688     // Increasing count of \c StateNode items we have created. This is used to
689     // create a deterministic order independent of the container.
690     unsigned Count = 0;
691     QueueType Queue;
692
693     // Insert start element into queue.
694     StateNode *Node =
695         new (Allocator.Allocate()) StateNode(InitialState, false, nullptr);
696     Queue.push(QueueItem(OrderedPenalty(0, Count), Node));
697     ++Count;
698
699     unsigned Penalty = 0;
700
701     // While not empty, take first element and follow edges.
702     while (!Queue.empty()) {
703       Penalty = Queue.top().first.first;
704       StateNode *Node = Queue.top().second;
705       if (!Node->State.NextToken) {
706         DEBUG(llvm::dbgs() << "\n---\nPenalty for line: " << Penalty << "\n");
707         break;
708       }
709       Queue.pop();
710
711       // Cut off the analysis of certain solutions if the analysis gets too
712       // complex. See description of IgnoreStackForComparison.
713       if (Count > 50000)
714         Node->State.IgnoreStackForComparison = true;
715
716       if (!Seen.insert(&Node->State).second)
717         // State already examined with lower penalty.
718         continue;
719
720       FormatDecision LastFormat = Node->State.NextToken->Decision;
721       if (LastFormat == FD_Unformatted || LastFormat == FD_Continue)
722         addNextStateToQueue(Penalty, Node, /*NewLine=*/false, &Count, &Queue);
723       if (LastFormat == FD_Unformatted || LastFormat == FD_Break)
724         addNextStateToQueue(Penalty, Node, /*NewLine=*/true, &Count, &Queue);
725     }
726
727     if (Queue.empty()) {
728       // We were unable to find a solution, do nothing.
729       // FIXME: Add diagnostic?
730       DEBUG(llvm::dbgs() << "Could not find a solution.\n");
731       return 0;
732     }
733
734     // Reconstruct the solution.
735     if (!DryRun)
736       reconstructPath(InitialState, Queue.top().second);
737
738     DEBUG(llvm::dbgs() << "Total number of analyzed states: " << Count << "\n");
739     DEBUG(llvm::dbgs() << "---\n");
740
741     return Penalty;
742   }
743
744   /// \brief Add the following state to the analysis queue \c Queue.
745   ///
746   /// Assume the current state is \p PreviousNode and has been reached with a
747   /// penalty of \p Penalty. Insert a line break if \p NewLine is \c true.
748   void addNextStateToQueue(unsigned Penalty, StateNode *PreviousNode,
749                            bool NewLine, unsigned *Count, QueueType *Queue) {
750     if (NewLine && !Indenter->canBreak(PreviousNode->State))
751       return;
752     if (!NewLine && Indenter->mustBreak(PreviousNode->State))
753       return;
754
755     StateNode *Node = new (Allocator.Allocate())
756         StateNode(PreviousNode->State, NewLine, PreviousNode);
757     if (!formatChildren(Node->State, NewLine, /*DryRun=*/true, Penalty))
758       return;
759
760     Penalty += Indenter->addTokenToState(Node->State, NewLine, true);
761
762     Queue->push(QueueItem(OrderedPenalty(Penalty, *Count), Node));
763     ++(*Count);
764   }
765
766   /// \brief Applies the best formatting by reconstructing the path in the
767   /// solution space that leads to \c Best.
768   void reconstructPath(LineState &State, StateNode *Best) {
769     std::deque<StateNode *> Path;
770     // We do not need a break before the initial token.
771     while (Best->Previous) {
772       Path.push_front(Best);
773       Best = Best->Previous;
774     }
775     for (std::deque<StateNode *>::iterator I = Path.begin(), E = Path.end();
776          I != E; ++I) {
777       unsigned Penalty = 0;
778       formatChildren(State, (*I)->NewLine, /*DryRun=*/false, Penalty);
779       Penalty += Indenter->addTokenToState(State, (*I)->NewLine, false);
780
781       DEBUG({
782         printLineState((*I)->Previous->State);
783         if ((*I)->NewLine) {
784           llvm::dbgs() << "Penalty for placing "
785                        << (*I)->Previous->State.NextToken->Tok.getName() << ": "
786                        << Penalty << "\n";
787         }
788       });
789     }
790   }
791
792   llvm::SpecificBumpPtrAllocator<StateNode> Allocator;
793 };
794
795 } // anonymous namespace
796
797 unsigned
798 UnwrappedLineFormatter::format(const SmallVectorImpl<AnnotatedLine *> &Lines,
799                                bool DryRun, int AdditionalIndent,
800                                bool FixBadIndentation) {
801   LineJoiner Joiner(Style, Keywords, Lines);
802
803   // Try to look up already computed penalty in DryRun-mode.
804   std::pair<const SmallVectorImpl<AnnotatedLine *> *, unsigned> CacheKey(
805       &Lines, AdditionalIndent);
806   auto CacheIt = PenaltyCache.find(CacheKey);
807   if (DryRun && CacheIt != PenaltyCache.end())
808     return CacheIt->second;
809
810   assert(!Lines.empty());
811   unsigned Penalty = 0;
812   LevelIndentTracker IndentTracker(Style, Keywords, Lines[0]->Level,
813                                    AdditionalIndent);
814   const AnnotatedLine *PreviousLine = nullptr;
815   const AnnotatedLine *NextLine = nullptr;
816
817   // The minimum level of consecutive lines that have been formatted.
818   unsigned RangeMinLevel = UINT_MAX;
819
820   for (const AnnotatedLine *Line =
821            Joiner.getNextMergedLine(DryRun, IndentTracker);
822        Line; Line = NextLine) {
823     const AnnotatedLine &TheLine = *Line;
824     unsigned Indent = IndentTracker.getIndent();
825
826     // We continue formatting unchanged lines to adjust their indent, e.g. if a
827     // scope was added. However, we need to carefully stop doing this when we
828     // exit the scope of affected lines to prevent indenting a the entire
829     // remaining file if it currently missing a closing brace.
830     bool ContinueFormatting =
831         TheLine.Level > RangeMinLevel ||
832         (TheLine.Level == RangeMinLevel && !TheLine.startsWith(tok::r_brace));
833
834     bool FixIndentation = (FixBadIndentation || ContinueFormatting) &&
835                           Indent != TheLine.First->OriginalColumn;
836     bool ShouldFormat = TheLine.Affected || FixIndentation;
837     // We cannot format this line; if the reason is that the line had a
838     // parsing error, remember that.
839     if (ShouldFormat && TheLine.Type == LT_Invalid && Status) {
840       Status->FormatComplete = false;
841       Status->Line =
842           SourceMgr.getSpellingLineNumber(TheLine.First->Tok.getLocation());
843     }
844
845     if (ShouldFormat && TheLine.Type != LT_Invalid) {
846       if (!DryRun)
847         formatFirstToken(TheLine, PreviousLine, Indent);
848
849       NextLine = Joiner.getNextMergedLine(DryRun, IndentTracker);
850       unsigned ColumnLimit = getColumnLimit(TheLine.InPPDirective, NextLine);
851       bool FitsIntoOneLine =
852           TheLine.Last->TotalLength + Indent <= ColumnLimit ||
853           (TheLine.Type == LT_ImportStatement &&
854            (Style.Language != FormatStyle::LK_JavaScript ||
855             !Style.JavaScriptWrapImports));
856
857       if (Style.ColumnLimit == 0)
858         NoColumnLimitLineFormatter(Indenter, Whitespaces, Style, this)
859             .formatLine(TheLine, Indent, DryRun);
860       else if (FitsIntoOneLine)
861         Penalty += NoLineBreakFormatter(Indenter, Whitespaces, Style, this)
862                        .formatLine(TheLine, Indent, DryRun);
863       else
864         Penalty += OptimizingLineFormatter(Indenter, Whitespaces, Style, this)
865                        .formatLine(TheLine, Indent, DryRun);
866       RangeMinLevel = std::min(RangeMinLevel, TheLine.Level);
867     } else {
868       // If no token in the current line is affected, we still need to format
869       // affected children.
870       if (TheLine.ChildrenAffected)
871         for (const FormatToken *Tok = TheLine.First; Tok; Tok = Tok->Next)
872           if (!Tok->Children.empty())
873             format(Tok->Children, DryRun);
874
875       // Adapt following lines on the current indent level to the same level
876       // unless the current \c AnnotatedLine is not at the beginning of a line.
877       bool StartsNewLine =
878           TheLine.First->NewlinesBefore > 0 || TheLine.First->IsFirst;
879       if (StartsNewLine)
880         IndentTracker.adjustToUnmodifiedLine(TheLine);
881       if (!DryRun) {
882         bool ReformatLeadingWhitespace =
883             StartsNewLine && ((PreviousLine && PreviousLine->Affected) ||
884                               TheLine.LeadingEmptyLinesAffected);
885         // Format the first token.
886         if (ReformatLeadingWhitespace)
887           formatFirstToken(TheLine, PreviousLine,
888                            TheLine.First->OriginalColumn);
889         else
890           Whitespaces->addUntouchableToken(*TheLine.First,
891                                            TheLine.InPPDirective);
892
893         // Notify the WhitespaceManager about the unchanged whitespace.
894         for (FormatToken *Tok = TheLine.First->Next; Tok; Tok = Tok->Next)
895           Whitespaces->addUntouchableToken(*Tok, TheLine.InPPDirective);
896       }
897       NextLine = Joiner.getNextMergedLine(DryRun, IndentTracker);
898       RangeMinLevel = UINT_MAX;
899     }
900     if (!DryRun)
901       markFinalized(TheLine.First);
902     PreviousLine = &TheLine;
903   }
904   PenaltyCache[CacheKey] = Penalty;
905   return Penalty;
906 }
907
908 void UnwrappedLineFormatter::formatFirstToken(const AnnotatedLine &Line,
909                                               const AnnotatedLine *PreviousLine,
910                                               unsigned Indent) {
911   FormatToken& RootToken = *Line.First;
912   if (RootToken.is(tok::eof)) {
913     unsigned Newlines = std::min(RootToken.NewlinesBefore, 1u);
914     Whitespaces->replaceWhitespace(RootToken, Newlines, /*Spaces=*/0,
915                                    /*StartOfTokenColumn=*/0);
916     return;
917   }
918   unsigned Newlines =
919       std::min(RootToken.NewlinesBefore, Style.MaxEmptyLinesToKeep + 1);
920   // Remove empty lines before "}" where applicable.
921   if (RootToken.is(tok::r_brace) &&
922       (!RootToken.Next ||
923        (RootToken.Next->is(tok::semi) && !RootToken.Next->Next)))
924     Newlines = std::min(Newlines, 1u);
925   if (Newlines == 0 && !RootToken.IsFirst)
926     Newlines = 1;
927   if (RootToken.IsFirst && !RootToken.HasUnescapedNewline)
928     Newlines = 0;
929
930   // Remove empty lines after "{".
931   if (!Style.KeepEmptyLinesAtTheStartOfBlocks && PreviousLine &&
932       PreviousLine->Last->is(tok::l_brace) &&
933       PreviousLine->First->isNot(tok::kw_namespace) &&
934       !startsExternCBlock(*PreviousLine))
935     Newlines = 1;
936
937   // Insert extra new line before access specifiers.
938   if (PreviousLine && PreviousLine->Last->isOneOf(tok::semi, tok::r_brace) &&
939       RootToken.isAccessSpecifier() && RootToken.NewlinesBefore == 1)
940     ++Newlines;
941
942   // Remove empty lines after access specifiers.
943   if (PreviousLine && PreviousLine->First->isAccessSpecifier() &&
944       (!PreviousLine->InPPDirective || !RootToken.HasUnescapedNewline))
945     Newlines = std::min(1u, Newlines);
946
947   Whitespaces->replaceWhitespace(RootToken, Newlines, Indent, Indent,
948                                  Line.InPPDirective &&
949                                      !RootToken.HasUnescapedNewline);
950 }
951
952 unsigned
953 UnwrappedLineFormatter::getColumnLimit(bool InPPDirective,
954                                        const AnnotatedLine *NextLine) const {
955   // In preprocessor directives reserve two chars for trailing " \" if the
956   // next line continues the preprocessor directive.
957   bool ContinuesPPDirective =
958       InPPDirective &&
959       // If there is no next line, this is likely a child line and the parent
960       // continues the preprocessor directive.
961       (!NextLine ||
962        (NextLine->InPPDirective &&
963         // If there is an unescaped newline between this line and the next, the
964         // next line starts a new preprocessor directive.
965         !NextLine->First->HasUnescapedNewline));
966   return Style.ColumnLimit - (ContinuesPPDirective ? 2 : 0);
967 }
968
969 } // namespace format
970 } // namespace clang