-
Notifications
You must be signed in to change notification settings - Fork 10.4k
/
Copy pathFormatting.cpp
3066 lines (2669 loc) · 108 KB
/
Formatting.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
//===--- Formatting.cpp ---------------------------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2017 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See https://swift.org/LICENSE.txt for license information
// See https://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
#include "swift/AST/ASTWalker.h"
#include "swift/AST/GenericParamList.h"
#include "swift/AST/TypeRepr.h"
#include "swift/IDE/SourceEntityWalker.h"
#include "swift/Parse/Parser.h"
#include "swift/Frontend/Frontend.h"
#include "swift/Basic/SourceManager.h"
#include "swift/IDE/Indenting.h"
#include "swift/Subsystems.h"
using namespace swift;
using namespace ide;
namespace {
using StringBuilder = llvm::SmallString<64>;
static bool isOnSameLine(SourceManager &SM, SourceLoc L, SourceLoc R) {
return Lexer::getLocForStartOfLine(SM, L) ==
Lexer::getLocForStartOfLine(SM, R);
}
static void widenOrSet(SourceRange &First, SourceRange Second) {
if (Second.isInvalid())
return;
if (First.isValid()) {
First.widen(Second);
} else {
First = Second;
}
}
/// \returns true if \c Loc is the location of the first non-comment token on
/// its line.
static bool isFirstTokenOnLine(SourceManager &SM, SourceLoc Loc) {
assert(Loc.isValid());
SourceLoc LineStart = Lexer::getLocForStartOfLine(SM, Loc);
CommentRetentionMode SkipComments = CommentRetentionMode::None;
Token First = Lexer::getTokenAtLocation(SM, LineStart, SkipComments);
return First.getLoc() == Loc;
}
/// \returns the location of the first non-whitespace character on the line
/// containing \c Loc.
static SourceLoc
getLocForContentStartOnSameLine(SourceManager &SM, SourceLoc Loc) {
assert(Loc.isValid());
SourceLoc LineStart = Lexer::getLocForStartOfLine(SM, Loc);
StringRef Indentation = Lexer::getIndentationForLine(SM, LineStart);
return LineStart.getAdvancedLoc(Indentation.size());
}
/// \returns true if the line at \c Loc is either empty or only contains whitespace
static bool isLineAtLocEmpty(SourceManager &SM, SourceLoc Loc) {
SourceLoc LineStart = Lexer::getLocForStartOfLine(SM, Loc);
SourceLoc Next = Lexer::getTokenAtLocation(SM, LineStart, CommentRetentionMode::ReturnAsTokens).getLoc();
return Next.isInvalid() || !isOnSameLine(SM, Loc, Next);
}
/// \returns the first token after the token at \c Loc.
static llvm::Optional<Token>
getTokenAfter(SourceManager &SM, SourceLoc Loc, bool SkipComments = true) {
assert(Loc.isValid());
CommentRetentionMode Mode = SkipComments
? CommentRetentionMode::None
: CommentRetentionMode::ReturnAsTokens;
assert(Lexer::getTokenAtLocation(SM, Loc, Mode).getLoc() == Loc);
SourceLoc End = Lexer::getLocForEndOfToken(SM, Loc);
Token Next = Lexer::getTokenAtLocation(SM, End, Mode);
if (Next.getKind() == tok::NUM_TOKENS)
return llvm::None;
return Next;
}
/// \returns the last token of the given kind in the open range between \c From
/// and \c To.
static llvm::Optional<Token>
getLastTokenOfKindInOpenRange(SourceManager &SM, tok Kind,
SourceLoc From, SourceLoc To) {
llvm::Optional<Token> Match;
while (auto Next = getTokenAfter(SM, From)) {
if (!Next || !SM.isBeforeInBuffer(Next->getLoc(), To))
break;
if (Next->getKind() == Kind)
Match = Next;
From = Next->getLoc();
}
return Match;
}
/// \returns true if the token at \c Loc is one of the given \c Kinds.
static bool locIsKind(SourceManager &SM, SourceLoc Loc, ArrayRef<tok> Kinds) {
Token Tok = Lexer::getTokenAtLocation(SM, Loc);
return Tok.getLoc() == Loc &&
std::find(Kinds.begin(), Kinds.end(), Tok.getKind()) != Kinds.end();
}
/// \returns the given \c Loc if there is a token at that location that is one
/// of the given \c Kinds and an invalid \c SourceLocation otherwise.
static SourceLoc getLocIfKind(SourceManager &SM, SourceLoc Loc,
ArrayRef<tok> Kinds) {
if (!locIsKind(SM, Loc, Kinds))
return SourceLoc();
return Loc;
}
/// \returns the given \c Loc if there is a token at that location that is
/// spelled with the given \c Text and an invalid \c SourceLocation otherwise.
static SourceLoc
getLocIfTokenTextMatches(SourceManager &SM, SourceLoc Loc, StringRef Text) {
Token Tok = Lexer::getTokenAtLocation(SM, Loc);
if (Tok.getLoc() != Loc || Tok.getKind() == tok::NUM_TOKENS ||
Tok.getRawText() != Text)
return SourceLoc();
return Loc;
}
/// \returns true if the given \c VarDecl has grouping accessor braces containing
/// one or more explicit accessors.
static bool hasExplicitAccessors(VarDecl *VD) {
auto Getter = VD->getParsedAccessor(AccessorKind::Get);
SourceRange Braces = VD->getBracesRange();
return Braces.isValid() && (!Getter ||
Getter->getAccessorKeywordLoc().isValid());
}
static ClosureExpr *findTrailingClosureFromArgument(Expr *arg) {
if (auto TC = dyn_cast_or_null<ClosureExpr>(arg))
return TC;
if (auto TCL = dyn_cast_or_null<CaptureListExpr>(arg))
return dyn_cast_or_null<ClosureExpr>(TCL->getClosureBody());
return nullptr;
}
static size_t calcVisibleWhitespacePrefix(StringRef Line,
CodeFormatOptions Options) {
size_t Indent = 0;
for (auto Char : Line) {
if (Char == '\t') {
Indent += Options.TabWidth;
} else if (Char == ' ' || Char == '\v' || Char == '\f') {
Indent++;
} else {
break;
}
}
return Indent;
}
/// An indentation context of the target location
struct IndentContext {
enum ContextKind { Exact, LineStart };
/// The location to indent relative to.
SourceLoc ContextLoc;
/// Indicates whether to indent relative to the extact column of ContextLoc
/// (Exact) or to the start of the content of the line it appears on (LineStart).
ContextKind Kind;
/// The number of levels to indent by.
unsigned IndentLevel;
IndentContext(SourceLoc Context, bool AddsIndent,
ContextKind Kind = LineStart)
: ContextLoc(Context), Kind(Kind), IndentLevel(AddsIndent ? 1 : 0) {
assert(Context.isValid());
}
};
/// A helper class used to optionally override the ContextLoc and Kind of an
/// IndentContext.
class ContextOverride {
struct Override {
/// The overriding ContextLoc.
SourceLoc ContextLoc;
/// The overriding Kind.
IndentContext::ContextKind Kind;
/// The location after which this override takes effect.
SourceLoc ApplicableFrom;
};
/// The current override, if set.
llvm::Optional<Override> Value;
public:
/// Clears this override.
void clear() { Value = llvm::None; }
/// Sets this override to make an IndentContext indent relative to the exact
/// column of AlignLoc if the IndentContext's ContextLoc is >= AlignLoc and
/// on the same line.
void setExact(SourceManager &SM, SourceLoc AlignLoc) {
Value = {AlignLoc, IndentContext::Exact, AlignLoc};
}
/// Sets this override to propagate the given ContextLoc and Kind along to any
/// IndentContext with a ContextLoc >= L and on the same line. If this
/// override's existing value applies to the provided ContextLoc, its
/// ContextLoc and Kind are propagated instead.
///
/// This propagation is necessary for cases like the trailing closure of 'bar'
/// in the example below. It's direct ContextLoc is 'bar', but we want
/// it to be 'foo' (the ContextLoc of its parent tuple expression):
///
/// \code
/// foo(a: 1,
/// b: 2)(45, bar(c: 1,
/// d: 2) {
/// fatalError()
/// })
/// \endcode
SourceLoc propagateContext(SourceManager &SM, SourceLoc ContextLoc,
IndentContext::ContextKind Kind,
SourceLoc L, SourceLoc R) {
// If the range ends on the same line as it starts, we know up front that
// no child range can span multiple lines, so there's no need to propagate
// ContextLoc via this override.
if (R.isValid() && isOnSameLine(SM, L, R))
return ContextLoc;
// Similarly if the ContextLoc and L are on the same line, there's no need
// to propagate. Overrides applicable to ContextLoc will already apply
// to child ranges on the same line as L.
if (isOnSameLine(SM, ContextLoc, L))
return ContextLoc;
applyIfNeeded(SM, ContextLoc, Kind);
Value = {ContextLoc, Kind, L};
return ContextLoc;
}
/// Applies the overriding ContextLoc and Kind to the given IndentContext if it
/// starts after ApplicableFrom and on the same line.
void applyIfNeeded(SourceManager &SM, IndentContext &Ctx) {
// Exactly aligned indent contexts should always set a matching exact
// alignment context override so child braces/parens/brackets are indented
// correctly. If the given innermost indent context is Exact and the
// override doesn't match its Kind and ContextLoc, something is wrong.
assert((Ctx.Kind != IndentContext::Exact ||
(Value && Value->Kind == IndentContext::Exact &&
Value->ContextLoc == Ctx.ContextLoc)) &&
"didn't set override ctx when exact innermost context was set?");
applyIfNeeded(SM, Ctx.ContextLoc, Ctx.Kind);
}
/// Applies the overriding ContextLoc and Kind to the given Override if its
/// ContextLoc starts after ApplicableFrom and on the same line.
void applyIfNeeded(SourceManager &SM, SourceLoc &ContextLoc,
IndentContext::ContextKind &Kind) {
if (!isApplicableTo(SM, ContextLoc))
return;
ContextLoc = Value->ContextLoc;
Kind = Value->Kind;
}
private:
bool isApplicableTo(SourceManager &SM, SourceLoc Loc) const {
return Value && isOnSameLine(SM, Loc, Value->ApplicableFrom) &&
!SM.isBeforeInBuffer(Loc, Value->ApplicableFrom);
}
};
class FormatContext {
SourceManager &SM;
llvm::Optional<IndentContext> InnermostCtx;
bool InDocCommentBlock;
bool InCommentLine;
public:
FormatContext(SourceManager &SM,
llvm::Optional<IndentContext> IndentCtx,
bool InDocCommentBlock = false,
bool InCommentLine = false)
:SM(SM), InnermostCtx(IndentCtx), InDocCommentBlock(InDocCommentBlock),
InCommentLine(InCommentLine) { }
bool IsInDocCommentBlock() {
return InDocCommentBlock;
}
bool IsInCommentLine() {
return InCommentLine;
}
void padToExactColumn(StringBuilder &Builder,
const CodeFormatOptions &FmtOptions) {
assert(isExact() && "Context is not exact?");
SourceLoc AlignLoc = InnermostCtx->ContextLoc;
CharSourceRange Range(SM, Lexer::getLocForStartOfLine(SM, AlignLoc),
AlignLoc);
unsigned SpaceLength = 0;
unsigned TabLength = 0;
// Calculating space length
for (auto C: Range.str())
SpaceLength += C == '\t' ? FmtOptions.TabWidth : 1;
SpaceLength += InnermostCtx->IndentLevel * FmtOptions.TabWidth;
// If we're indenting past the exact column, round down to the next tab.
if (InnermostCtx->IndentLevel)
SpaceLength -= SpaceLength % FmtOptions.TabWidth;
// If we are using tabs, calculating the number of tabs and spaces we need
// to insert.
if (FmtOptions.UseTabs) {
TabLength = SpaceLength / FmtOptions.TabWidth;
SpaceLength = SpaceLength % FmtOptions.TabWidth;
}
Builder.append(TabLength, '\t');
Builder.append(SpaceLength, ' ');
}
bool isExact() {
return InnermostCtx.has_value() &&
InnermostCtx->Kind == IndentContext::Exact;
}
std::pair<unsigned, unsigned> indentLineAndColumn() {
if (InnermostCtx)
return SM.getLineAndColumnInBuffer(InnermostCtx->ContextLoc);
return std::make_pair(0, 0);
}
bool shouldAddIndentForLine() const {
return InnermostCtx.has_value() && InnermostCtx->IndentLevel > 0;
}
unsigned numIndentLevels() const {
if (InnermostCtx)
return InnermostCtx->IndentLevel;
return 0;
}
};
/// Recursively strips any trailing arguments, subscripts, generic
/// specializations, or optional bindings from the given expression.
static Expr *getContextExprOf(SourceManager &SM, Expr *E) {
assert(E);
if (auto *USE = dyn_cast<UnresolvedSpecializeExpr>(E)) {
if (auto *Sub = USE->getSubExpr())
return getContextExprOf(SM, Sub);
} else if (auto *CE = dyn_cast<CallExpr>(E)) {
if (auto *Fn = CE->getFn())
return getContextExprOf(SM, Fn);
} else if (auto *SE = dyn_cast<SubscriptExpr>(E)) {
if (auto *B = SE->getBase())
return getContextExprOf(SM, B);
} else if (auto *OBE = dyn_cast<BindOptionalExpr>(E)) {
if (auto *B = OBE->getSubExpr())
return getContextExprOf(SM, B);
} else if (auto *PUE = dyn_cast<PostfixUnaryExpr>(E)) {
if (auto *B = PUE->getOperand())
return getContextExprOf(SM, B);
}
return E;
}
/// Finds the ContextLoc to use for the argument of the given SubscriptExpr,
/// ApplyExpr, or UnresolvedSpecializeExpr. This is needed as the ContextLoc to
/// align their arguments with (including trailing closures) may be neither the
/// start or end of their function or base expression, as in the SubscriptExpr
/// in the example below, where 'select' is the desired ContextLoc to use.
///
/// \code
/// Base()
/// .select(x: 10
/// y: 20)[10] {
/// print($0)
/// }
/// .count
/// \endcode
static SourceLoc getContextLocForArgs(SourceManager &SM, Expr *E) {
assert(E->getArgs() || isa<UnresolvedSpecializeExpr>(E));
Expr *Base = getContextExprOf(SM, E);
if (auto *UDE = dyn_cast<UnresolvedDotExpr>(Base))
return UDE->getDotLoc();
if (auto *UDRE = dyn_cast<UnresolvedDeclRefExpr>(Base))
return UDRE->getLoc();
return Base->getStartLoc();
}
/// This is a helper class intended to report every pair of matching parens,
/// braces, angle brackets, and square brackets in a given AST node, along with their ContextLoc.
class RangeWalker: protected ASTWalker {
protected:
SourceManager &SM;
public:
explicit RangeWalker(SourceManager &SM) : SM(SM) {}
/// Called for every range bounded by a pair of parens, braces, square
/// brackets, or angle brackets.
///
/// \returns true to continue walking.
virtual bool handleRange(SourceLoc L, SourceLoc R, SourceLoc ContextLoc) = 0;
/// Called for ranges that have a separate ContextLoc but no bounding tokens.
virtual void handleImplicitRange(SourceRange Range, SourceLoc ContextLoc) = 0;
private:
bool handleBraces(SourceLoc L, SourceLoc R, SourceLoc ContextLoc) {
L = getLocIfKind(SM, L, tok::l_brace);
R = getLocIfKind(SM, R, tok::r_brace);
return L.isInvalid() || handleRange(L, R, ContextLoc);
}
bool handleBraces(SourceRange Braces, SourceLoc ContextLoc) {
return handleBraces(Braces.Start, Braces.End, ContextLoc);
}
bool handleParens(SourceLoc L, SourceLoc R, SourceLoc ContextLoc) {
L = getLocIfKind(SM, L, tok::l_paren);
R = getLocIfKind(SM, R, tok::r_paren);
return L.isInvalid() || handleRange(L, R, ContextLoc);
}
bool handleSquares(SourceLoc L, SourceLoc R, SourceLoc ContextLoc) {
L = getLocIfKind(SM, L, tok::l_square);
R = getLocIfKind(SM, R, tok::r_square);
return L.isInvalid() || handleRange(L, R, ContextLoc);
}
bool handleAngles(SourceLoc L, SourceLoc R, SourceLoc ContextLoc) {
L = getLocIfTokenTextMatches(SM, L, "<");
R = getLocIfTokenTextMatches(SM, R, ">");
return L.isInvalid() || handleRange(L, R, ContextLoc);
}
bool handleBraceStmt(Stmt *S, SourceLoc ContextLoc) {
if (auto *BS = dyn_cast_or_null<BraceStmt>(S))
return handleBraces({BS->getLBraceLoc(), BS->getRBraceLoc()}, ContextLoc);
return true;
}
bool walkCustomAttributes(Decl *D) {
// CustomAttrs of non-param VarDecls are handled when this method is called
// on their containing PatternBindingDecls (below).
if (isa<VarDecl>(D) && !isa<ParamDecl>(D))
return true;
if (auto *PBD = dyn_cast<PatternBindingDecl>(D)) {
if (auto *SingleVar = PBD->getSingleVar()) {
D = SingleVar;
} else {
return true;
}
}
for (auto *customAttr : D->getOriginalAttrs().getAttributes<CustomAttr, true>()) {
if (auto *Repr = customAttr->getTypeRepr()) {
if (!Repr->walk(*this))
return false;
}
if (auto *Args = customAttr->getArgs()) {
if (!Args->walk(*this))
return false;
}
}
return true;
}
MacroWalking getMacroWalkingBehavior() const override {
return MacroWalking::Arguments;
}
PreWalkAction walkToDeclPre(Decl *D) override {
if (!walkCustomAttributes(D))
return Action::SkipChildren();
if (D->isImplicit())
return Action::Continue();
// Walk into inactive config regions.
if (auto *ICD = dyn_cast<IfConfigDecl>(D)) {
for (auto Clause : ICD->getClauses()) {
for (auto Member : Clause.Elements)
Member.walk(*this);
}
return Action::SkipChildren();
}
SourceLoc ContextLoc = D->getStartLoc();
if (auto *GC = D->getAsGenericContext()) {
// Asking for generic parameters on decls where they are computed, rather
// than explicitly defined will trigger an assertion when semantic queries
// and name lookup are disabled.
bool SafeToAskForGenerics = !isa<ExtensionDecl>(D) &&
!isa<ProtocolDecl>(D);
if (SafeToAskForGenerics) {
if (auto *GP = GC->getParsedGenericParams()) {
if (!handleAngles(GP->getLAngleLoc(), GP->getRAngleLoc(), ContextLoc))
return Action::Stop();
}
}
}
if (auto *NTD = dyn_cast<NominalTypeDecl>(D)) {
if (!handleBraces(NTD->getBraces(), ContextLoc))
return Action::Stop();
} else if (auto *ED = dyn_cast<ExtensionDecl>(D)) {
if (!handleBraces(ED->getBraces(), ContextLoc))
return Action::Stop();
} else if (auto *VD = dyn_cast<VarDecl>(D)) {
if (!handleBraces(VD->getBracesRange(), VD->getNameLoc()))
return Action::Stop();
} else if (isa<AbstractFunctionDecl>(D) || isa<SubscriptDecl>(D)) {
if (isa<SubscriptDecl>(D)) {
if (!handleBraces(cast<SubscriptDecl>(D)->getBracesRange(), ContextLoc))
return Action::Stop();
}
auto *PL = getParameterList(cast<ValueDecl>(D));
if (!handleParens(PL->getLParenLoc(), PL->getRParenLoc(), ContextLoc))
return Action::Stop();
} else if (auto *PGD = dyn_cast<PrecedenceGroupDecl>(D)) {
SourceRange Braces(PGD->getLBraceLoc(), PGD->getRBraceLoc());
if (!handleBraces(Braces, ContextLoc))
return Action::Stop();
} else if (auto *PDD = dyn_cast<PoundDiagnosticDecl>(D)) {
// TODO: add paren locations to PoundDiagnosticDecl
}
return Action::Continue();
}
PreWalkResult<Stmt *> walkToStmtPre(Stmt *S) override {
if (S->isImplicit())
return Action::Continue(S);
if (auto *LCS = dyn_cast<LabeledConditionalStmt>(S)) {
for (auto &Elem: LCS->getCond()) {
if (Elem.getKind() == StmtConditionElement::CK_Availability) {
PoundAvailableInfo *PA = Elem.getAvailability();
if (!handleParens(PA->getLParenLoc(), PA->getRParenLoc(),
PA->getStartLoc()))
return Action::Stop();
}
}
}
SourceLoc ContextLoc = S->getStartLoc();
if (auto *BS = dyn_cast<BraceStmt>(S)) {
if (!handleBraceStmt(BS, ContextLoc))
return Action::Stop();
} else if (auto *IS = dyn_cast<IfStmt>(S)) {
if (!handleBraceStmt(IS->getThenStmt(), IS->getIfLoc()))
return Action::Stop();
} else if (auto *GS = dyn_cast<GuardStmt>(S)) {
if (!handleBraceStmt(GS->getBody(), GS->getGuardLoc()))
return Action::Stop();
} else if (auto *FS = dyn_cast<ForEachStmt>(S)) {
if (!handleBraceStmt(FS->getBody(), FS->getForLoc()))
return Action::Stop();
} else if (auto *SS = dyn_cast<SwitchStmt>(S)) {
SourceRange Braces(SS->getLBraceLoc(), SS->getRBraceLoc());
if (!handleBraces(Braces, SS->getSwitchLoc()))
return Action::Stop();
} else if (auto *DS = dyn_cast<DoStmt>(S)) {
if (!handleBraceStmt(DS->getBody(), DS->getDoLoc()))
return Action::Stop();
} else if (auto *DCS = dyn_cast<DoCatchStmt>(S)) {
if (!handleBraceStmt(DCS->getBody(), DCS->getDoLoc()))
return Action::Stop();
} else if (isa<CaseStmt>(S) &&
cast<CaseStmt>(S)->getParentKind() == CaseParentKind::DoCatch) {
auto CS = cast<CaseStmt>(S);
if (!handleBraceStmt(CS->getBody(), CS->getLoc()))
return Action::Stop();
} else if (auto *RWS = dyn_cast<RepeatWhileStmt>(S)) {
if (!handleBraceStmt(RWS->getBody(), RWS->getRepeatLoc()))
return Action::Stop();
} else if (auto *WS = dyn_cast<WhileStmt>(S)) {
if (!handleBraceStmt(WS->getBody(), WS->getWhileLoc()))
return Action::Stop();
} else if (auto *PAS = dyn_cast<PoundAssertStmt>(S)) {
// TODO: add paren locations to PoundAssertStmt
}
return Action::Continue(S);
}
PreWalkResult<Expr *> walkToExprPre(Expr *E) override {
// Walk through error expressions.
if (auto *EE = dyn_cast<ErrorExpr>(E)) {
if (auto *OE = EE->getOriginalExpr()) {
llvm::SaveAndRestore<ASTWalker::ParentTy>(Parent, EE);
OE->walk(*this);
}
return Action::Continue(E);
}
if (E->isImplicit())
return Action::Continue(E);
SourceLoc ContextLoc = E->getStartLoc();
if (auto *PE = dyn_cast<ParenExpr>(E)) {
SourceLoc L = getLocIfKind(SM, PE->getLParenLoc(),
{tok::l_paren, tok::l_square});
SourceLoc R = getLocIfKind(SM, PE->getRParenLoc(),
{tok::r_paren, tok::r_square});
if (L.isValid() && !handleRange(L, R, ContextLoc))
return Action::Stop();
} else if (auto *TE = dyn_cast<TupleExpr>(E)) {
SourceLoc L = getLocIfKind(SM, TE->getLParenLoc(),
{tok::l_paren, tok::l_square});
SourceLoc R = getLocIfKind(SM, TE->getRParenLoc(),
{tok::r_paren, tok::r_square});
if (L.isValid() && !handleRange(L, R, ContextLoc))
return Action::Stop();
} else if (auto *CE = dyn_cast<CollectionExpr>(E)) {
if (!handleSquares(CE->getLBracketLoc(), CE->getRBracketLoc(),
ContextLoc))
return Action::Stop();
} else if (auto *CE = dyn_cast<ClosureExpr>(E)) {
if (!handleBraceStmt(CE->getBody(), ContextLoc))
return Action::Stop();
SourceRange Capture = CE->getBracketRange();
if (!handleSquares(Capture.Start, Capture.End, Capture.Start))
return Action::Stop();
if (auto *PL = CE->getParameters()) {
if (!handleParens(PL->getLParenLoc(), PL->getRParenLoc(),
PL->getStartLoc()))
return Action::Stop();
}
} else if (auto *USE = dyn_cast<UnresolvedSpecializeExpr>(E)) {
SourceLoc ContextLoc = getContextLocForArgs(SM, E);
if (!handleAngles(USE->getLAngleLoc(), USE->getRAngleLoc(), ContextLoc))
return Action::Stop();
} else if (isa<CallExpr>(E) || isa<SubscriptExpr>(E)) {
SourceLoc ContextLoc = getContextLocForArgs(SM, E);
auto *Args = E->getArgs();
auto lParenLoc = Args->getLParenLoc();
auto rParenLoc = Args->getRParenLoc();
if (isa<SubscriptExpr>(E)) {
if (!handleSquares(lParenLoc, rParenLoc, ContextLoc))
return Action::Stop();
} else {
if (!handleParens(lParenLoc, rParenLoc, ContextLoc))
return Action::Stop();
}
if (Args->hasAnyTrailingClosures()) {
if (auto *unaryArg = Args->getUnaryExpr()) {
if (auto CE = findTrailingClosureFromArgument(unaryArg)) {
if (!handleBraceStmt(CE->getBody(), ContextLoc))
return Action::Stop();
}
} else {
handleImplicitRange(Args->getOriginalArgs()->getTrailingSourceRange(),
ContextLoc);
}
}
}
return Action::Continue(E);
}
PreWalkResult<Pattern *> walkToPatternPre(Pattern *P) override {
if (P->isImplicit())
return Action::Continue(P);
if (isa<TuplePattern>(P) || isa<ParenPattern>(P)) {
if (!handleParens(P->getStartLoc(), P->getEndLoc(), P->getStartLoc()))
return Action::Stop();
}
return Action::Continue(P);
}
PreWalkAction walkToTypeReprPre(TypeRepr *T) override {
if (auto *TT = dyn_cast<TupleTypeRepr>(T)) {
SourceRange Parens = TT->getParens();
if (!handleParens(Parens.Start, Parens.End, Parens.Start))
return Action::Stop();
} else if (isa<ArrayTypeRepr>(T) || isa<DictionaryTypeRepr>(T)) {
if (!handleSquares(T->getStartLoc(), T->getEndLoc(), T->getStartLoc()))
return Action::Stop();
} else if (auto *GI = dyn_cast<GenericIdentTypeRepr>(T)) {
SourceLoc ContextLoc = GI->getNameLoc().getBaseNameLoc();
SourceRange Brackets = GI->getAngleBrackets();
if (!handleAngles(Brackets.Start, Brackets.End, ContextLoc))
return Action::Stop();
}
return Action::Continue();
}
bool shouldWalkIntoGenericParams() override { return true; }
};
/// Indicates whether a range is an open or closed range.
enum class RangeKind {Closed, Open};
/// A helper class that determines whether a given node, or subrage of a node
/// should indent or not when it spans multiple lines.
class OutdentChecker: protected RangeWalker {
SourceRange CheckRange; ///< The source range to consider.
RangeKind CheckRangeKind; ///< Whether \c CheckRange is open or closed.
bool IsOutdenting = false; ///< Tracks whether a seen range prevents indenting.
llvm::DenseMap<SourceLoc, ContextOverride> LineStartToOverride;
explicit OutdentChecker(SourceManager &SM,
SourceRange CheckRange, RangeKind CheckRangeKind)
: RangeWalker(SM), CheckRange(CheckRange), CheckRangeKind(CheckRangeKind) {
assert(CheckRange.isValid());
}
void handleImplicitRange(SourceRange Range, SourceLoc ContextLoc) override {
assert(Range.isValid() && ContextLoc.isValid());
// Ignore ranges outside of the open/closed check range.
if (!isInCheckRange(Range.Start, Range.End))
return;
propagateContextLocs(ContextLoc, Range.Start, Range.End);
}
bool handleRange(SourceLoc L, SourceLoc R, SourceLoc ContextLoc) override {
assert(L.isValid() && ContextLoc.isValid());
// Ignore parens/braces/brackets outside of the open/closed check range.
if (!isInCheckRange(L, R))
return true;
// The CheckRange is made outdenting by any parens/braces/brackets with:
// 1) a ContextLoc starts on the same line as the start of CheckRange, and
// 2) either:
// a) an R token that starts its containing line, or
// b) an L token that isn't the ContextLoc and starts its containing line.
//
// E.g. for an open CheckRange covering the contents of an array literal
// with various line bresk positions:
//
// // This doesn't outdent because:
// [ // The array brackets are outside the open CheckRange so ignored.
// (1, (2, 3)), // both parens fail conditions 1 and 2.
// (4, (5, 6)) // both parens fail conditions 1 and 2.
// ]
//
// // This doesn't outdent because:
// [(1, (2, 3)), // both parens fail condition 2.
// ( // these parens fail condition 1.
// 4, (5, 6) // these parens fail conditions 1 and 2.
// )]
//
// This outdents because:
// [( // These parens meet conditions 1 and 2a.
// 1, (2, 3)
// ), (
// 4, (5, 6)
// )]
//
// This outdents because:
// [(1, ( // The inner parens meet conditions 1 and 2a.
// 2, 3
// ), (4, (5, 6)]
//
// This outdents because:
// [(1, (2, 3), ( // The inner parens meet conditions 1 and 2a.
// 4, (5, 6)
// )]
//
// For a closed CheckRange covering the variable declaration below:
//
// This doesn't outdent because:
// var x = foo(1) { // The parens and braces fail condition 2
// return 42 }
//
// This outdents because:
// var x = foo(1) { // These braces meet conditions 1 and 2a.
// return 42
// }
//
// This outdents because:
// var x = foo(1)
// { // These braces meet conditions 1 and 2b (their ContextLoc is 'foo').
// return 42
// }
//
// And for a closed CheckRange covering the call expression below:
//
// This doesn't outdent because:
// foo(1, // These parens fail condition 2.
// 2, 3) { return 42 } // These braces fail condition 1 and 2.
//
// This outdents because:
// foo(1, 2, 3)
// { // These braces meet conditions 1 and 2b (their ContextLoc is 'foo').
// return 42
// }
// The above conditions are not sufficient to handle cases like the below,
// which we would like to be considered outdenting:
// foo(a: 1,
// b: 2)[x: bar { // These braces fail condition 1.
// return 42
// }]
// To handle them, we propagate the ContextLoc of each parent range down to
// any child ranges that start on the same line as the parent. The braces
// above then 'inherit' the ContextLoc of their parent brackets ('foo'), and
// pass condition 1.
ContextLoc = propagateContextLocs(ContextLoc, L, R);
// Ignore parens/braces/brackets that fail Condition 1.
if (!isOnSameLine(SM, ContextLoc, CheckRange.Start))
return true;
// Ignore parens/braces/brackets that can't meet Condition 2.
if (R.isValid() && isOnSameLine(SM, ContextLoc, R))
return true;
// Check condition 2b.
if (ContextLoc != L && isFirstTokenOnLine(SM, L)) {
IsOutdenting = true;
} else if (R.isValid()) {
// Check condition 2a.
SourceLoc LineStart = Lexer::getLocForStartOfLine(SM, R);
Token First = Lexer::getTokenAtLocation(SM, LineStart,
CommentRetentionMode::None);
IsOutdenting |= First.getLoc() == R;
}
// We only need to continue checking if it's not already outdenting.
return !IsOutdenting;
}
SourceLoc propagateContextLocs(SourceLoc ContextLoc, SourceLoc L, SourceLoc R) {
bool HasSeparateContext = !isOnSameLine(SM, L, ContextLoc);
// Update ContextLoc for the currently active override on its line.
ContextOverride &Upstream = getOverrideForLineContaining(ContextLoc);
IndentContext::ContextKind Kind = IndentContext::LineStart;
Upstream.applyIfNeeded(SM, ContextLoc, Kind);
// If the original ContextLoc and L were on the same line, there's no need
// to propagate anything. Child ranges later on the same line will pick up
// whatever override we picked up above anyway, and if there wasn't
// one, their normal ContextLoc should already be correct.
if (!HasSeparateContext)
return ContextLoc;
// Set an override to propagate the context loc onto the line of L.
ContextOverride &Downstream = getOverrideForLineContaining(L);
ContextLoc = Downstream.propagateContext(SM, ContextLoc,
Kind, L, R);
return ContextLoc;
}
bool isInCheckRange(SourceLoc L, SourceLoc R) const {
switch (CheckRangeKind) {
case RangeKind::Open:
return SM.isBeforeInBuffer(CheckRange.Start, L) &&
(R.isInvalid() || SM.isBeforeInBuffer(R, CheckRange.End));
case RangeKind::Closed:
return !SM.isBeforeInBuffer(L, CheckRange.Start) &&
(R.isInvalid() || !SM.isBeforeInBuffer(CheckRange.End, R));
}
llvm_unreachable("invalid range kind");
}
public:
/// Checks if a source range shouldn't indent when it crosses multiple lines.
///
/// \param SM
/// The SourceManager managing the given source range.
/// \param Range
/// The range to check.
/// \param WalkableParent
/// A parent AST node that when walked covers all relevant nodes in the
/// given source range.
/// \param RangeKind
/// Whether the given range to check is closed (the default) or open.
template <typename T>
static bool hasOutdent(SourceManager &SM, SourceRange Range, T *WalkableParent,
RangeKind RangeKind = RangeKind::Closed) {
assert(Range.isValid());
if (isOnSameLine(SM, Range.Start, Range.End))
return false;
OutdentChecker Checker(SM, Range, RangeKind);
WalkableParent->walk(Checker);
return Checker.IsOutdenting;
}
/// Checks if an AST node shouldn't indent when it crosses multiple lines.
///
/// \param SM
/// The SourceManager managing the given source range.
/// \param WalkableNode
/// The AST node to check.
/// \param RangeKind
/// Whether to check the source range of \c WalkableNode as a closed (the
/// default) or open range.
template <typename T>
static bool hasOutdent(SourceManager &SM, T *WalkableNode,
RangeKind RangeKind = RangeKind::Closed) {
return hasOutdent(SM, WalkableNode->getSourceRange(), WalkableNode,
RangeKind);
}
private:
ContextOverride &getOverrideForLineContaining(SourceLoc Loc) {
SourceLoc LineStart = Lexer::getLocForStartOfLine(SM, Loc);
auto Ret = LineStartToOverride.insert({LineStart, ContextOverride()});
return Ret.first->getSecond();
}
};
/// Information about an indent target that immediately follows a node being walked by
/// a \c FormatWalker instance, or optionally, that follows a trailing comma
/// after such a node.
class TrailingInfo {
llvm::Optional<Token> TrailingToken;
TrailingInfo(llvm::Optional<Token> TrailingToken) : TrailingToken(TrailingToken) {}
public:
/// Whether the trailing target is on an empty line.
bool isEmpty() const { return !TrailingToken.has_value(); }
/// Whether the trailing target is a token with one of the given kinds.
bool hasKind(ArrayRef<tok> Kinds) const {
if (TrailingToken) {
tok Kind = TrailingToken->getKind();
return std::find(Kinds.begin(), Kinds.end(), Kind) != Kinds.end();
}
return false;
}
/// Checks if the target location immediately follows the provided \p EndLoc,
/// optionally allowing for a single comma in between.
static llvm::Optional<TrailingInfo>
find(SourceManager &SM, SourceLoc EndLoc, SourceLoc TargetLoc,
bool LookPastTrailingComma = true) {
// If the target is before the end of the end token, it's not trailing.
SourceLoc TokenEndLoc = Lexer::getLocForEndOfToken(SM, EndLoc);
if (SM.isBeforeInBuffer(TargetLoc, TokenEndLoc))
return llvm::None;
// If there is no next token, the target directly trails the end token.
auto Next = getTokenAfter(SM, EndLoc, /*SkipComments=*/false);
if (!Next)
return TrailingInfo {llvm::None};
// If the target is before or at the next token's locations, it directly
// trails the end token.
SourceLoc NextTokLoc = Next->getLoc();
if (NextTokLoc == TargetLoc)
return TrailingInfo {Next};
if (SM.isBeforeInBuffer(TargetLoc, Next->getLoc()))
return TrailingInfo {llvm::None};
// The target does not directly trail the end token. If we should look past
// trailing commas, do so.
if (LookPastTrailingComma && Next->getKind() == tok::comma)
return find(SM, Next->getLoc(), TargetLoc, false);
return llvm::None;
}
};
/// A helper class for aligning list elements and their bounding tokens.
class ListAligner {
SourceManager &SM;
SourceLoc TargetLoc; ///< The indent location.
SourceLoc ContextLoc; ///< The owning indent context's location.
SourceLoc IntroducerLoc; ///< The opening token before the first list element.
SourceLoc CloseLoc; ///< The token that closes the list (optional).
bool CloseRequired; ///< Whether a closing token is expected.
bool AllowsTrailingSeparator; ///< Whether a final trailing comma is legal.
bool ElementExpected; ///<Whether at least one element is expected.
SourceLoc AlignLoc;
SourceLoc LastEndLoc;
bool HasOutdent = false;
bool BreakAlignment = false;
public:
/// Don't column-align if any element starts on the same line as IntroducerLoc
/// but ends on a later line.
bool BreakAlignmentIfSpanning = false;
/// Constructs a new \c ListAligner for a list bounded by separate opening and