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 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276 1277 1278 1279 1280 1281 1282 1283 1284 1285 1286 1287 1288 1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299 1300 1301 1302 1303 1304 1305 1306 1307 1308 1309 1310 1311 1312 1313 1314 1315 1316 1317 1318 1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339 1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351 1352 1353 1354 1355 1356 1357 1358 1359 1360 1361 1362 1363 1364 1365 1366 1367 1368 1369 1370 1371 1372 1373 1374 1375 1376 1377 1378 1379 1380 1381 1382 1383 1384 1385 1386 1387 1388 1389 1390 1391 1392 1393 1394 1395 1396 1397 1398 1399 1400 1401 1402 1403 1404 1405 1406 1407 1408 1409 1410 1411 1412 1413 1414 1415 1416 1417 1418 1419 1420 1421 1422 1423 1424 1425 1426 1427 1428
|
//===--- SwiftASTManager.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 "SwiftASTManager.h"
#include "SwiftEditorDiagConsumer.h"
#include "SwiftInvocation.h"
#include "SwiftLangSupport.h"
#include "SourceKit/Core/Context.h"
#include "SourceKit/Support/Concurrency.h"
#include "SourceKit/Support/ImmutableTextBuffer.h"
#include "SourceKit/Support/Logging.h"
#include "SourceKit/Support/Tracing.h"
#include "swift/AST/PluginLoader.h"
#include "swift/Basic/Cache.h"
#include "swift/Driver/FrontendUtil.h"
#include "swift/Frontend/Frontend.h"
#include "swift/Frontend/PrintingDiagnosticConsumer.h"
#include "swift/IDETool/CompilerInvocation.h"
#include "swift/SILOptimizer/PassManager/Passes.h"
#include "swift/Strings.h"
#include "swift/Subsystems.h"
// This is included only for createLazyResolver(). Move to different header ?
#include "swift/Sema/IDETypeChecking.h"
#include "llvm/ADT/FoldingSet.h"
#include "llvm/Support/Chrono.h"
#include "llvm/Support/FileSystem.h"
#include "llvm/Support/MemoryBuffer.h"
#include "llvm/Support/Path.h"
using namespace SourceKit;
using namespace swift;
using namespace swift::sys;
void SwiftASTConsumer::failed(StringRef Error) { }
//===----------------------------------------------------------------------===//
// SwiftInvocation
//===----------------------------------------------------------------------===//
namespace {
struct InvocationOptions {
const std::vector<std::string> Args;
const std::string PrimaryFile;
const CompilerInvocation Invok;
InvocationOptions(ArrayRef<const char *> CArgs, StringRef PrimaryFile,
CompilerInvocation Invok)
: Args(_convertArgs(CArgs)),
PrimaryFile(PrimaryFile),
Invok(std::move(Invok)) {
// Assert invocation with a primary file. We want to avoid full typechecking
// for all files.
assert(!this->PrimaryFile.empty());
assert(this->Invok.getFrontendOptions()
.InputsAndOutputs.hasUniquePrimaryInput() &&
"Must have exactly one primary input for code completion, etc.");
}
void applyTo(CompilerInvocation &CompInvok) const;
void
applyToSubstitutingInputs(CompilerInvocation &CompInvok,
FrontendInputsAndOutputs &&InputsAndOutputs) const;
void profile(llvm::FoldingSetNodeID &ID) const;
void raw(std::vector<std::string> &Args, std::string &PrimaryFile) const;
private:
static std::vector<std::string> _convertArgs(ArrayRef<const char *> CArgs) {
std::vector<std::string> Args;
Args.reserve(CArgs.size());
for (auto Arg : CArgs)
Args.push_back(Arg);
return Args;
}
};
struct ASTKey {
llvm::FoldingSetNodeID FSID;
};
template <typename T>
size_t getVectorMemoryCost(const std::vector<T> &Vec) {
return Vec.capacity() * sizeof(T);
}
} // end anonymous namespace
struct SwiftInvocation::Implementation {
InvocationOptions Opts;
ASTKey Key;
explicit Implementation(InvocationOptions opts) : Opts(std::move(opts)) {
Opts.profile(Key.FSID);
}
};
SwiftInvocation::~SwiftInvocation() {
delete &Impl;
}
ArrayRef<std::string> SwiftInvocation::getArgs() const {
return ArrayRef(Impl.Opts.Args);
}
void SwiftInvocation::applyTo(swift::CompilerInvocation &CompInvok) const {
return Impl.Opts.applyTo(CompInvok);
}
void SwiftInvocation::raw(std::vector<std::string> &Args,
std::string &PrimaryFile) const {
return Impl.Opts.raw(Args, PrimaryFile);
}
void InvocationOptions::applyTo(CompilerInvocation &CompInvok) const {
CompInvok = this->Invok;
}
void InvocationOptions::applyToSubstitutingInputs(
CompilerInvocation &CompInvok,
FrontendInputsAndOutputs &&inputsAndOutputs) const {
CompInvok = this->Invok;
CompInvok.getFrontendOptions().InputsAndOutputs = inputsAndOutputs;
}
void InvocationOptions::raw(std::vector<std::string> &Args,
std::string &PrimaryFile) const {
Args.assign(this->Args.begin(), this->Args.end());
PrimaryFile = this->PrimaryFile;
}
void InvocationOptions::profile(llvm::FoldingSetNodeID &ID) const {
// FIXME: This ties ASTs to every argument and the exact order that they were
// provided, preventing much sharing of ASTs.
// Note though that previously we tried targeting specific options considered
// semantically relevant but it proved too fragile (very easy to miss some new
// compiler invocation option).
// Possibly have all compiler invocation options auto-generated from a
// tablegen definition file, thus forcing a decision for each option if it is
// ok to share ASTs with the option differing.
for (auto &Arg : Args)
ID.AddString(Arg);
ID.AddString(PrimaryFile);
}
//===----------------------------------------------------------------------===//
// SwiftASTManager
//===----------------------------------------------------------------------===//
namespace SourceKit {
struct ASTUnit::Implementation {
const uint64_t Generation;
std::shared_ptr<SwiftStatistics> Stats;
SmallVector<ImmutableTextSnapshotRef, 4> Snapshots;
EditorDiagConsumer CollectDiagConsumer;
CompilerInstance CompInst;
WorkQueue Queue{ WorkQueue::Dequeuing::Serial, "sourcekit.swift.ConsumeAST" };
Implementation(uint64_t Generation, std::shared_ptr<SwiftStatistics> Stats)
: Generation(Generation), Stats(Stats) {}
void consumeAsync(SwiftASTConsumerRef ASTConsumer, ASTUnitRef ASTRef);
};
void ASTUnit::Implementation::consumeAsync(SwiftASTConsumerRef ConsumerRef,
ASTUnitRef ASTRef) {
#if defined(_WIN32)
// Windows uses more up for stack space (why?) than macOS/Linux which
// causes stack overflows in a dispatch thread with 64k stack. Passing
// useDeepStack=true means it's given a _beginthreadex thread with an 8MB
// stack.
bool useDeepStack = true;
#else
bool useDeepStack = false;
#endif
Queue.dispatch([ASTRef, ConsumerRef]{
SwiftASTConsumer &ASTConsumer = *ConsumerRef;
CompilerInstance &CI = ASTRef->getCompilerInstance();
if (CI.getPrimarySourceFile()) {
ASTConsumer.handlePrimaryAST(ASTRef);
} else {
LOG_WARN_FUNC("did not find primary SourceFile");
ConsumerRef->failed("did not find primary SourceFile");
}
}, useDeepStack);
}
ASTUnit::ASTUnit(uint64_t Generation, std::shared_ptr<SwiftStatistics> Stats)
: Impl(*new Implementation(Generation, Stats)) {
auto numASTs = ++Stats->numASTsInMem;
Stats->maxASTsInMem.updateMax(numASTs);
}
ASTUnit::~ASTUnit() {
--Impl.Stats->numASTsInMem;
delete &Impl;
}
swift::CompilerInstance &ASTUnit::getCompilerInstance() const {
return Impl.CompInst;
}
uint64_t ASTUnit::getGeneration() const {
return Impl.Generation;
}
ArrayRef<ImmutableTextSnapshotRef> ASTUnit::getSnapshots() const {
return Impl.Snapshots;
}
SourceFile &ASTUnit::getPrimarySourceFile() const {
return *Impl.CompInst.getPrimarySourceFile();
}
EditorDiagConsumer &ASTUnit::getEditorDiagConsumer() const {
return Impl.CollectDiagConsumer;
}
void ASTUnit::performAsync(std::function<void()> Fn) {
Impl.Queue.dispatch(std::move(Fn));
}
} // namespace SourceKit
namespace {
typedef uint64_t BufferStamp;
struct FileContent {
ImmutableTextSnapshotRef Snapshot;
std::string Filename;
std::unique_ptr<llvm::MemoryBuffer> Buffer;
bool IsPrimary;
BufferStamp Stamp;
FileContent(ImmutableTextSnapshotRef Snapshot, std::string Filename,
std::unique_ptr<llvm::MemoryBuffer> Buffer, bool IsPrimary,
BufferStamp Stamp)
: Snapshot(std::move(Snapshot)), Filename(Filename),
Buffer(std::move(Buffer)), IsPrimary(IsPrimary), Stamp(Stamp) {}
explicit operator InputFile() const {
return InputFile(Filename, IsPrimary, Buffer.get());
}
size_t getMemoryCost() const {
return sizeof(*this) + Filename.size() + Buffer->getBufferSize();
}
};
/// An \c ASTBuildOperations builds an AST. Once the AST is built, it informs
/// a list of \c SwiftASTConsumers about the built AST.
/// It also supports cancellation with the following paradigm: If an \c
/// SwiftASTConsumer is no longer needed, it can be cancelled, which will remove
/// it from the \c ASTBuildOperation. If the \c ASTBuildOperation has no more
/// consumers attached to it, it will cancel the AST build at the next
/// opportunity.
class ASTBuildOperation
: public std::enable_shared_from_this<ASTBuildOperation> {
/// After the AST has been built, the corresponding result.
struct ASTBuildResult {
/// The AST that was created by the build operation.
ASTUnitRef AST;
/// An error message emitted by the creation of the AST. There might still
/// be an AST if an error occurred, but it's usefulness depends on the
/// severity of the error.
std::string Error;
/// Whether the build operation was cancelled. There might be an AST and
/// error but their usefulness depends on when the operation was cancelled.
bool Cancelled;
/// Whether the result contains any values, i.e. whether the operation has
/// produced a result yet.
bool HasValue;
ASTBuildResult() : HasValue(false) {}
void emplace(ASTUnitRef AST, std::string Error, bool Cancelled) {
assert(!HasValue && "Should only emplace a result once");
this->HasValue = true;
this->AST = AST;
this->Error = Error;
this->Cancelled = Cancelled;
}
operator bool() const { return HasValue; }
size_t getMemoryCost() {
size_t Cost = sizeof(*this) + Error.size();
if (AST) {
Cost += sizeof(*AST);
if (AST->getCompilerInstance().hasASTContext()) {
Cost += AST->Impl.CompInst.getASTContext().getTotalMemory();
}
}
return Cost;
}
};
/// Parameters necessary to build the AST.
const SwiftInvocationRef InvokRef;
const IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem;
/// The contents of all explicit input files of the compiler innovation, which
/// can be determined at construction time of the \c ASTBuildOperation.
const std::vector<FileContent> FileContents;
/// Guards \c DependencyStamps. This prevents reading from \c DependencyStamps
/// while it is being modified. It does not provide any ordering gurantees
/// that \c DependencyStamps have been computed in \c buildASTUnit before they
/// are accessed in \c matchesSourceState but that's fine (see comment on
/// \c DependencyStamps).
llvm::sys::Mutex DependencyStampsMtx;
/// \c DependencyStamps contains the stamps of all module dependencies needed
/// for the AST build. These stamps are only known after the AST is built.
/// Before the AST has been built, we thus assume that all dependency stamps
/// match. This seems to be a reasonable assumption since the dependencies
/// shouldn't change (much) in the time between an \c ASTBuildOperation is
/// created and until it produced an AST.
/// Must only be accessed if \c DependencyStampsMtx has been claimed.
SmallVector<std::pair<std::string, BufferStamp>, 8> DependencyStamps = {};
/// The ASTManager from which this operation got scheduled. Used to update
/// global stats and access the file system.
SwiftASTManagerRef ASTManager;
/// A flag to cancel the AST build. If this flag is set to \c true, the type
/// checker will cancel type checking at the next possible opportunity.
const std::shared_ptr<std::atomic<bool>> CancellationFlag =
std::make_shared<std::atomic<bool>>(false);
/// A callback that's called when the operation finishes. Used to remove it
/// from the \c ASTProducer that scheduled it.
const std::function<void(void)> DidFinishCallback;
/// The consumers and result are guarded by the same mutex to avoid
/// simultaneously adding a consumer and setting the result, which might cause
/// the consumer's callback to neither be called when it gets added to this
/// operation, nor when the operation finishes.
llvm::sys::Mutex ConsumersAndResultMtx;
/// The consumers that should be informed about this AST once it finishes
/// building. When this vector is empty, the AST build can be cancelled.
SmallVector<SwiftASTConsumerRef, 4> Consumers = {};
/// Once the build operation has finished, its result, which can be an AST, an
/// error or the fact that it has been cancelled.
ASTBuildResult Result;
enum class State { Created, Queued, Running, Finished };
/// The state the operation is in. Only used in assertions to verify no state
/// is skipped or executed twice.
State OperationState = State::Created;
/// Inform a consumer that the AST has been built or that the build failed
/// with an error.
void informConsumer(SwiftASTConsumerRef Consumer);
/// Actually build the AST unit, synchronously on the current thread. If an
/// error occurred during the build, \p Error will contain the message. In
/// case of an error, a non-null AST may still be returned. Its usefulness
/// depends on the severity of the error.
ASTUnitRef buildASTUnit(std::string &Error);
/// Transition the build operation to \p NewState, asserting that the current
/// state is \p ExpectedOldState.
void transitionToState(State NewState, State ExpectedOldState) {
assert(OperationState == ExpectedOldState);
OperationState = NewState;
}
/// Create a vector of \c FileContents containing all files explicitly
/// referenced by the compiler invocation.
std::vector<FileContent> fileContentsForFilesInCompilerInvocation();
public:
ASTBuildOperation(IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
SwiftInvocationRef InvokRef, SwiftASTManagerRef ASTManager,
std::function<void(void)> DidFinishCallback)
: InvokRef(InvokRef), FileSystem(FileSystem), ASTManager(ASTManager),
DidFinishCallback(DidFinishCallback) {
// const_cast is fine here. We just want to guard against modifying these
// fields later on. It's fine to set them in the constructor.
const_cast<std::vector<FileContent> &>(this->FileContents) =
fileContentsForFilesInCompilerInvocation();
}
~ASTBuildOperation() {
assert(OperationState == State::Finished &&
"ASTBuildOperations should only be destructed once they have "
"produced an AST or are finished. Otherwise, some consumers might "
"not receive their callback.");
}
ArrayRef<FileContent> getFileContents() const { return FileContents; }
/// Returns true if the build operation has finished.
bool isFinished() {
llvm::sys::ScopedLock L(ConsumersAndResultMtx);
return Result.HasValue;
}
bool isCancelled() {
llvm::sys::ScopedLock L(ConsumersAndResultMtx);
return (Result.HasValue && Result.Cancelled) ||
CancellationFlag->load(std::memory_order_relaxed);
}
size_t getMemoryCost() {
size_t Cost = sizeof(*this) + getVectorMemoryCost(FileContents) +
Result.getMemoryCost();
for (const FileContent &File : FileContents) {
Cost += File.getMemoryCost();
}
return Cost;
}
/// Schedule building this AST on the given \p Queue.
void schedule(WorkQueue Queue);
/// Inform the given \p Consumer when the AST has been built. If the build
/// operation has already built the AST, the consumer is directly informed.
/// Returns \c true if the \p Consumer was added. Returns \c false if the
/// operation has already been cancelled, in which case the consumer should be
/// scheduled on a different build operation. This ensures that we don't hit
/// a race condition when a build operation gets cancelled in between when it
/// gets selected as a viable candidate but before the consumer gets added to
/// it.
bool addConsumer(SwiftASTConsumerRef Consumer);
/// Determines whether the AST built from this build operation can be used for
/// the given source state. Note that before the AST is built, this does not
/// consider dependencies needed for the AST build that are not explicitly
/// listed in the input files. As such, this might be \c true before the AST
/// build and \c false after the AST has been built. See documentation on \c
/// DependencyStamps for more info.
bool matchesSourceState(IntrusiveRefCntPtr<llvm::vfs::FileSystem> fileSystem);
/// Called when a consumer is cancelled. This calls \c cancelled on the
/// consumer, removes it from the \c Consumers severed by this build operation
/// and, if no consumers are left, cancels the AST build of this operation.
void requestConsumerCancellation(SwiftASTConsumerRef Consumer);
/// Cancels all consumers for the given operation.
void cancelAllConsumers();
};
using ASTBuildOperationRef = std::shared_ptr<ASTBuildOperation>;
/// An \c ASTProducer produces ASTs for a given compiler invocation through
/// multiple \c ASTBuildOperations.
/// While \c ASTBuildOperations only build ASTs for a single snapshot, \c
/// ASTProducer also keeps track of ASTs built from different (older) snapshots.
/// It is thus able to serve an \c SwiftASTConsumer with an AST from an older
/// snapshot, should it accept it by returning \c true in \c
/// canUseASTWithSnapshots.
class ASTProducer : public std::enable_shared_from_this<ASTProducer> {
SwiftInvocationRef InvokRef;
/// The build operations that have been scheduled by this producer. Some of
/// these operations might already have finished, effectively caching an old
/// AST, one might currently be building an AST and some might be waiting to
/// execute. Operations are guaranteed to be in FIFO order, that is the first
/// one in the vector is the oldest build operation.
SmallVector<ASTBuildOperationRef, 4> BuildOperations = {};
WorkQueue BuildOperationsQueue = WorkQueue(
WorkQueue::Dequeuing::Serial, "ASTProducer.BuildOperationsQueue");
/// Erase all finished build operations with a result except for the latest
/// one which contains a successful results.
/// This cleans up all stale build operations (probably containing old ASTs),
/// but keeps the latest AST around, so that new consumers can be served from
/// it, if possible.
///
/// Must be executed on \c BuildOperationsQueue.
void cleanBuildOperations() {
auto ReverseOperations = llvm::reverse(BuildOperations);
auto LastOperationWithResultIt =
llvm::find_if(ReverseOperations, [](ASTBuildOperationRef BuildOp) {
return BuildOp->isFinished() && !BuildOp->isCancelled();
});
ASTBuildOperationRef LastOperationWithResult = nullptr;
if (LastOperationWithResultIt != ReverseOperations.end()) {
LastOperationWithResult = *LastOperationWithResultIt;
}
llvm::erase_if(BuildOperations, [LastOperationWithResult](
ASTBuildOperationRef BuildOp) {
return BuildOp->isFinished() && BuildOp != LastOperationWithResult;
});
}
/// Returns the latest build operation which can serve the \p Consumer or
/// \c nullptr if no such build operation exists.
///
/// Must be executed on \c BuildOperationsQueue.
ASTBuildOperationRef getBuildOperationForConsumer(
SwiftASTConsumerRef Consumer,
IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
SwiftASTManagerRef Mgr);
public:
explicit ASTProducer(SwiftInvocationRef InvokRef)
: InvokRef(std::move(InvokRef)) {}
/// Schedules the given \p Consumer to the latest suitable build operation.
/// Independently of what happens, the consumer will receive either a \c
/// cancelled, \c failed or \c handlePrimaryAST callback.
void enqueueConsumer(SwiftASTConsumerRef Consumer,
IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
SwiftASTManagerRef Mgr);
/// Cancel all currently running build operations.
void cancelAllBuilds();
size_t getMemoryCost() const {
size_t Cost = sizeof(*this);
for (auto &BuildOp : BuildOperations) {
Cost += BuildOp->getMemoryCost();
}
return Cost;
}
};
typedef std::shared_ptr<ASTProducer> ASTProducerRef;
} // end anonymous namespace
namespace swift {
namespace sys {
template <>
struct CacheValueCostInfo<ASTProducer> {
static size_t getCost(const ASTProducer &Unit) {
return Unit.getMemoryCost();
}
};
template <>
struct CacheKeyHashInfo<ASTKey> {
static uintptr_t getHashValue(const ASTKey &Key) {
return Key.FSID.ComputeHash();
}
static bool isEqual(void *LHS, void *RHS) {
return static_cast<ASTKey*>(LHS)->FSID == static_cast<ASTKey*>(RHS)->FSID;
}
};
} // namespace sys
} // namespace swift
struct SwiftASTManager::Implementation {
explicit Implementation(
std::shared_ptr<SwiftEditorDocumentFileMap> EditorDocs,
std::shared_ptr<GlobalConfig> Config,
std::shared_ptr<SwiftStatistics> Stats,
std::shared_ptr<RequestTracker> ReqTracker,
std::shared_ptr<PluginRegistry> Plugins, StringRef SwiftExecutablePath,
StringRef RuntimeResourcePath, StringRef DiagnosticDocumentationPath)
: EditorDocs(EditorDocs), Config(Config), Stats(Stats),
ReqTracker(ReqTracker), Plugins(Plugins),
SwiftExecutablePath(SwiftExecutablePath),
RuntimeResourcePath(RuntimeResourcePath),
DiagnosticDocumentationPath(DiagnosticDocumentationPath),
SessionTimestamp(llvm::sys::toTimeT(std::chrono::system_clock::now())) {
}
std::shared_ptr<SwiftEditorDocumentFileMap> EditorDocs;
std::shared_ptr<GlobalConfig> Config;
std::shared_ptr<SwiftStatistics> Stats;
std::shared_ptr<RequestTracker> ReqTracker;
std::shared_ptr<PluginRegistry> Plugins;
/// The path of the swift-frontend executable.
/// Used to find clang relative to it.
std::string SwiftExecutablePath;
std::string RuntimeResourcePath;
std::string DiagnosticDocumentationPath;
SourceManager SourceMgr;
Cache<ASTKey, ASTProducerRef> ASTCache{ "sourcekit.swift.ASTCache" };
llvm::sys::Mutex CacheMtx;
std::time_t SessionTimestamp;
/// A consumer that has been scheduled using \c processASTAsync.
/// The \c OncePerASTToken allows us to cancel previously scheduled consumers
/// if a new request/consumer with the same \c OncePerASTToken comes in.
/// Since we only keep a reference to the consumers to cancel them, the
/// reference to the consumer itself is weak - if it's already deallocated,
/// there is no need to cancel it anymore.
/// The \c CancellationToken that allows cancellation of this consumer.
/// Multiple consumers might share the same \c CancellationToken if they were
/// created from the same SourceKit request. E.g. a \c CursorInfoConsumer
/// might schedule a second \c CursorInfoConsumer if it discovers that the AST
/// that was used to serve the first request is not up-to-date enough.
/// If \c CancellationToken is \c nullptr, the consumer can't be cancelled
/// using a cancellation token.
struct ScheduledConsumer {
SwiftASTConsumerWeakRef Consumer;
const void *OncePerASTToken;
};
/// FIXME: Once we no longer support implicit cancellation using
/// OncePerASTToken, we can stop keeping track of ScheduledConsumers and
/// completely rely on RequestTracker for cancellation.
llvm::sys::Mutex ScheduledConsumersMtx;
std::vector<ScheduledConsumer> ScheduledConsumers;
/// Queue guaranteeing that only one \c ASTBuildOperation builds an AST at a
/// time.
WorkQueue ASTBuildQueue{ WorkQueue::Dequeuing::Serial,
"sourcekit.swift.ASTBuilding" };
/// Queue on which consumers may be notified about results and cancellation.
/// This is essentially just a background queue to which we can jump to inform
/// consumers while making sure that no locks are currently claimed.
WorkQueue ConsumerNotificationQueue{
WorkQueue::Dequeuing::Concurrent,
"SwiftASTManager::Implementation::ConsumerNotificationQueue"};
/// Remove all scheduled consumers that don't exist anymore. This is just a
/// garbage-collection operation to make sure the \c ScheduledConsumers vector
/// doesn't explode. One should never make assumptions that all consumers in
/// \c ScheduledConsumers are alive.
void cleanDeletedConsumers() {
llvm::sys::ScopedLock L(ScheduledConsumersMtx);
llvm::erase_if(ScheduledConsumers, [](ScheduledConsumer Consumer) {
return Consumer.Consumer.expired();
});
}
/// Retrieve the ASTProducer for a given invocation, creating one if needed.
ASTProducerRef getOrCreateASTProducer(SwiftInvocationRef InvokRef);
/// Retrieve the ASTProducer for a given invocation, returning \c nullopt if
/// not present.
std::optional<ASTProducerRef> getASTProducer(SwiftInvocationRef Invok);
/// Updates the cache entry to account for any changes to the ASTProducer
/// for the given invocation.
void updateASTProducer(SwiftInvocationRef Invok);
FileContent
getFileContent(StringRef FilePath, bool IsPrimary,
IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
std::string &Error) const;
BufferStamp
getBufferStamp(StringRef FilePath,
IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
bool CheckEditorDocs = true) const;
std::unique_ptr<llvm::MemoryBuffer>
getMemoryBuffer(StringRef Filename,
IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
std::string &Error) const;
};
SwiftASTManager::SwiftASTManager(
std::shared_ptr<SwiftEditorDocumentFileMap> EditorDocs,
std::shared_ptr<GlobalConfig> Config,
std::shared_ptr<SwiftStatistics> Stats,
std::shared_ptr<RequestTracker> ReqTracker,
std::shared_ptr<PluginRegistry> Plugins, StringRef SwiftExecutablePath,
StringRef RuntimeResourcePath, StringRef DiagnosticDocumentationPath)
: Impl(*new Implementation(EditorDocs, Config, Stats, ReqTracker, Plugins,
SwiftExecutablePath, RuntimeResourcePath,
DiagnosticDocumentationPath)) {}
SwiftASTManager::~SwiftASTManager() {
delete &Impl;
}
std::unique_ptr<llvm::MemoryBuffer> SwiftASTManager::getMemoryBuffer(
StringRef Filename,
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
std::string &Error) {
return Impl.getFileContent(Filename, /*IsPrimary=*/false, FileSystem, Error)
.Buffer;
}
static FrontendInputsAndOutputs
convertFileContentsToInputs(ArrayRef<FileContent> contents) {
FrontendInputsAndOutputs inputsAndOutputs;
for (const FileContent &content : contents)
inputsAndOutputs.addInput(InputFile(content));
return inputsAndOutputs;
}
bool SwiftASTManager::initCompilerInvocation(
CompilerInvocation &Invocation, ArrayRef<const char *> OrigArgs,
swift::FrontendOptions::ActionType Action, DiagnosticEngine &Diags,
StringRef UnresolvedPrimaryFile, std::string &Error) {
return initCompilerInvocation(Invocation, OrigArgs, Action, Diags,
UnresolvedPrimaryFile,
llvm::vfs::getRealFileSystem(), Error);
}
bool SwiftASTManager::initCompilerInvocation(
CompilerInvocation &Invocation, ArrayRef<const char *> OrigArgs,
FrontendOptions::ActionType Action, DiagnosticEngine &Diags,
StringRef UnresolvedPrimaryFile,
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
std::string &Error) {
return ide::initCompilerInvocation(
Invocation, OrigArgs, Action, Diags, UnresolvedPrimaryFile, FileSystem,
Impl.SwiftExecutablePath, Impl.RuntimeResourcePath,
Impl.DiagnosticDocumentationPath, Impl.SessionTimestamp, Error);
}
bool SwiftASTManager::initCompilerInvocation(
CompilerInvocation &CompInvok, ArrayRef<const char *> OrigArgs,
swift::FrontendOptions::ActionType Action, StringRef PrimaryFile,
std::string &Error) {
DiagnosticEngine Diagnostics(Impl.SourceMgr);
return initCompilerInvocation(CompInvok, OrigArgs, Action, Diagnostics,
PrimaryFile, Error);
}
bool SwiftASTManager::initCompilerInvocationNoInputs(
swift::CompilerInvocation &Invocation, ArrayRef<const char *> OrigArgs,
swift::FrontendOptions::ActionType Action, swift::DiagnosticEngine &Diags,
std::string &Error, bool AllowInputs) {
SmallVector<const char *, 16> Args(OrigArgs.begin(), OrigArgs.end());
// Use stdin as a .swift input to satisfy the driver.
Args.push_back("-");
if (initCompilerInvocation(Invocation, Args, Action, Diags, "", Error))
return true;
if (!AllowInputs &&
Invocation.getFrontendOptions().InputsAndOutputs.inputCount() > 1) {
Error = "unexpected input in compiler arguments";
return true;
}
// Clear the inputs.
Invocation.getFrontendOptions().InputsAndOutputs.clearInputs();
return false;
}
SwiftInvocationRef
SwiftASTManager::getTypecheckInvocation(ArrayRef<const char *> OrigArgs,
StringRef PrimaryFile,
std::string &Error) {
return getTypecheckInvocation(OrigArgs, PrimaryFile,
llvm::vfs::getRealFileSystem(), Error);
}
SwiftInvocationRef SwiftASTManager::getTypecheckInvocation(
ArrayRef<const char *> OrigArgs, StringRef PrimaryFile,
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
std::string &Error) {
assert(FileSystem);
DiagnosticEngine Diags(Impl.SourceMgr);
EditorDiagConsumer CollectDiagConsumer;
Diags.addConsumer(CollectDiagConsumer);
CompilerInvocation CompInvok;
if (initCompilerInvocation(CompInvok, OrigArgs,
FrontendOptions::ActionType::Typecheck, Diags,
PrimaryFile, FileSystem, Error)) {
// We create a traced operation here to represent the failure to parse
// arguments since we cannot reach `createAST` where that would normally
// happen.
trace::TracedOperation TracedOp(trace::OperationKind::PerformSema);
if (TracedOp.enabled()) {
trace::SwiftInvocation TraceInfo;
trace::initTraceInfo(TraceInfo, PrimaryFile, OrigArgs);
TracedOp.setDiagnosticProvider(
[&CollectDiagConsumer](SmallVectorImpl<DiagnosticEntryInfo> &diags) {
CollectDiagConsumer.getAllDiagnostics(diags);
});
TracedOp.start(TraceInfo);
}
return nullptr;
}
InvocationOptions Opts(OrigArgs, PrimaryFile, CompInvok);
return new SwiftInvocation(
*new SwiftInvocation::Implementation(std::move(Opts)));
}
void SwiftASTManager::processASTAsync(
SwiftInvocationRef InvokRef, SwiftASTConsumerRef ASTConsumer,
const void *OncePerASTToken, SourceKitCancellationToken CancellationToken,
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> fileSystem) {
assert(fileSystem);
ASTProducerRef Producer = Impl.getOrCreateASTProducer(InvokRef);
Impl.cleanDeletedConsumers();
{
llvm::sys::ScopedLock L(Impl.ScheduledConsumersMtx);
if (OncePerASTToken) {
// Cancel any consumers with the same OncePerASTToken.
for (auto ScheduledConsumer : Impl.ScheduledConsumers) {
if (ScheduledConsumer.OncePerASTToken == OncePerASTToken) {
Impl.ConsumerNotificationQueue.dispatch([ScheduledConsumer]() {
if (auto Consumer = ScheduledConsumer.Consumer.lock()) {
Consumer->requestCancellation();
}
});
}
}
}
Impl.ScheduledConsumers.push_back({ASTConsumer, OncePerASTToken});
}
Producer->enqueueConsumer(ASTConsumer, fileSystem, shared_from_this());
auto WeakConsumer = SwiftASTConsumerWeakRef(ASTConsumer);
auto WeakThis = std::weak_ptr<SwiftASTManager>(shared_from_this());
Impl.ReqTracker->setCancellationHandler(
CancellationToken, [WeakConsumer, WeakThis] {
if (auto This = WeakThis.lock()) {
This->Impl.ConsumerNotificationQueue.dispatch([WeakConsumer]() {
if (auto Consumer = WeakConsumer.lock()) {
Consumer->requestCancellation();
}
});
}
});
}
std::optional<ASTProducerRef>
SwiftASTManager::Implementation::getASTProducer(SwiftInvocationRef Invok) {
llvm::sys::ScopedLock L(CacheMtx);
return ASTCache.get(Invok->Impl.Key);
}
void SwiftASTManager::Implementation::updateASTProducer(
SwiftInvocationRef Invok) {
llvm::sys::ScopedLock L(CacheMtx);
// Get and set the producer to update its cost in the cache. If we don't
// have a value, then this is a race where we've removed the cached AST, but
// still have a build waiting to complete after cancellation, we don't need
// to do anything in that case.
if (auto Producer = ASTCache.get(Invok->Impl.Key))
ASTCache.set(Invok->Impl.Key, *Producer);
}
void SwiftASTManager::removeCachedAST(SwiftInvocationRef Invok) {
llvm::sys::ScopedLock L(Impl.CacheMtx);
Impl.ASTCache.remove(Invok->Impl.Key);
}
void SwiftASTManager::cancelBuildsForCachedAST(SwiftInvocationRef Invok) {
auto Result = Impl.getASTProducer(Invok);
if (!Result)
return;
(*Result)->cancelAllBuilds();
}
ASTProducerRef SwiftASTManager::Implementation::getOrCreateASTProducer(
SwiftInvocationRef InvokRef) {
llvm::sys::ScopedLock L(CacheMtx);
std::optional<ASTProducerRef> OptProducer = ASTCache.get(InvokRef->Impl.Key);
if (OptProducer.has_value())
return OptProducer.value();
ASTProducerRef Producer = std::make_shared<ASTProducer>(InvokRef);
ASTCache.set(InvokRef->Impl.Key, Producer);
return Producer;
}
static FileContent getFileContentFromSnap(ImmutableTextSnapshotRef Snap,
bool IsPrimary, StringRef FilePath) {
auto Buf = llvm::MemoryBuffer::getMemBufferCopy(
Snap->getBuffer()->getText(), FilePath);
return FileContent(Snap, FilePath.str(), std::move(Buf), IsPrimary,
Snap->getStamp());
}
FileContent SwiftASTManager::Implementation::getFileContent(
StringRef UnresolvedPath, bool IsPrimary,
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
std::string &Error) const {
std::string FilePath = SwiftLangSupport::resolvePathSymlinks(UnresolvedPath);
if (auto EditorDoc = EditorDocs->findByPath(FilePath, /*IsRealpath=*/true))
return getFileContentFromSnap(EditorDoc->getLatestSnapshot(), IsPrimary,
FilePath);
// FIXME: Is there a way to get timestamp and buffer for a file atomically ?
// No need to check EditorDocs again. We did so above.
auto Stamp = getBufferStamp(FilePath, FileSystem, /*CheckEditorDocs=*/false);
auto Buffer = getMemoryBuffer(FilePath, FileSystem, Error);
return FileContent(nullptr, UnresolvedPath.str(), std::move(Buffer),
IsPrimary, Stamp);
}
BufferStamp SwiftASTManager::Implementation::getBufferStamp(
StringRef FilePath,
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
bool CheckEditorDocs) const {
assert(FileSystem);
if (CheckEditorDocs) {
if (auto EditorDoc = EditorDocs->findByPath(FilePath)) {
return EditorDoc->getLatestSnapshot()->getStamp();
}
}
auto StatusOrErr = FileSystem->status(FilePath);
if (std::error_code Err = StatusOrErr.getError()) {
// Failure to read the file.
LOG_WARN_FUNC("failed to stat file: " << FilePath << " (" << Err.message()
<< ')');
return -1;
}
return StatusOrErr.get().getLastModificationTime().time_since_epoch().count();
}
std::unique_ptr<llvm::MemoryBuffer>
SwiftASTManager::Implementation::getMemoryBuffer(
StringRef Filename,
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
std::string &Error) const {
assert(FileSystem);
// Avoid memory-mapping as it could prevent the user from
// saving the file in the editor.
llvm::ErrorOr<std::unique_ptr<llvm::MemoryBuffer>> FileBufOrErr =
FileSystem->getBufferForFile(Filename, /*FileSize*/-1,
/*RequiresNullTerminator*/true, /*IsVolatile*/true);
if (FileBufOrErr)
return std::move(FileBufOrErr.get());
llvm::raw_string_ostream OSErr(Error);
OSErr << "error opening input file '" << Filename << "' ("
<< FileBufOrErr.getError().message() << ')';
return nullptr;
}
std::vector<FileContent>
ASTBuildOperation::fileContentsForFilesInCompilerInvocation() {
const InvocationOptions &Opts = InvokRef->Impl.Opts;
std::string Error; // is ignored
std::vector<FileContent> FileContents;
FileContents.reserve(
Opts.Invok.getFrontendOptions().InputsAndOutputs.inputCount());
// IMPORTANT: The computation of stamps must match the one in
// matchesSourceState.
for (const auto &input :
Opts.Invok.getFrontendOptions().InputsAndOutputs.getAllInputs()) {
const std::string &Filename = input.getFileName();
bool IsPrimary = input.isPrimary();
auto Content =
ASTManager->Impl.getFileContent(Filename, IsPrimary, FileSystem, Error);
if (!Content.Buffer) {
LOG_WARN_FUNC("failed getting file contents for " << Filename << ": "
<< Error);
// File may not exist, continue and recover as if it was empty.
Content.Buffer = llvm::WritableMemoryBuffer::getNewMemBuffer(0, Filename);
}
FileContents.push_back(std::move(Content));
}
assert(FileContents.size() ==
Opts.Invok.getFrontendOptions().InputsAndOutputs.inputCount());
return FileContents;
}
bool ASTBuildOperation::matchesSourceState(
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> OtherFileSystem) {
const InvocationOptions &Opts = InvokRef->Impl.Opts;
auto Inputs = Opts.Invok.getFrontendOptions().InputsAndOutputs.getAllInputs();
for (size_t I = 0; I < Inputs.size(); I++) {
if (getFileContents()[I].Stamp !=
ASTManager->Impl.getBufferStamp(Inputs[I].getFileName(),
OtherFileSystem)) {
return false;
}
}
llvm::sys::ScopedLock L(DependencyStampsMtx);
for (auto &Dependency : DependencyStamps) {
if (Dependency.second !=
ASTManager->Impl.getBufferStamp(Dependency.first, OtherFileSystem))
return false;
}
return true;
}
void ASTBuildOperation::requestConsumerCancellation(
SwiftASTConsumerRef Consumer) {
llvm::sys::ScopedLock L(ConsumersAndResultMtx);
// No need to check if we have already called the consumer here, because it
// is removed from `Consumers` if it's informed about a result from
// `schedule()`.
auto ConsumerIndex = llvm::find_if(
Consumers, [&Consumer](SwiftASTConsumerRef ConsumerInQueue) {
return ConsumerInQueue == Consumer;
});
if (ConsumerIndex == Consumers.end()) {
// Consumer no longer tracked by this build operation. Did it finish
// already?
return;
}
Consumers.erase(ConsumerIndex);
if (Consumers.empty()) {
// If there are no more consumers waiting for this result, cancel the AST
// build.
CancellationFlag->store(true, std::memory_order_relaxed);
}
ASTManager->Impl.ConsumerNotificationQueue.dispatch([Consumer] {
Consumer->cancelled();
});
}
void ASTBuildOperation::cancelAllConsumers() {
if (isFinished())
return;
llvm::sys::ScopedLock L(ConsumersAndResultMtx);
CancellationFlag->store(true, std::memory_order_relaxed);
// Take the consumers, and notify them of the cancellation.
decltype(this->Consumers) Consumers;
std::swap(Consumers, this->Consumers);
ASTManager->Impl.ConsumerNotificationQueue.dispatch(
[Consumers = std::move(Consumers)] {
for (auto &Consumer : Consumers)
Consumer->cancelled();
});
}
static void collectModuleDependencies(ModuleDecl *TopMod,
llvm::SmallPtrSetImpl<ModuleDecl *> &Visited,
SmallVectorImpl<std::string> &Filenames) {
if (!TopMod)
return;
auto ClangModuleLoader = TopMod->getASTContext().getClangModuleLoader();
ModuleDecl::ImportFilter ImportFilter = {
ModuleDecl::ImportFilterKind::Exported,
ModuleDecl::ImportFilterKind::Default};
if (Visited.empty()) {
// Only collect implementation-only dependencies from the main module.
ImportFilter |= ModuleDecl::ImportFilterKind::ImplementationOnly;
}
// FIXME: ImportFilterKind::ShadowedByCrossImportOverlay?
SmallVector<ImportedModule, 8> Imports;
TopMod->getImportedModules(Imports, ImportFilter);
for (auto Import : Imports) {
ModuleDecl *Mod = Import.importedModule;
if (Mod->isSystemModule())
continue;
// FIXME: Setup dependencies on the included headers.
if (ClangModuleLoader &&
Mod == ClangModuleLoader->getImportedHeaderModule())
continue;
bool NewVisit = Visited.insert(Mod).second;
if (!NewVisit)
continue;
// FIXME: Handle modules with multiple source files; these will fail on
// getModuleFilename() (by returning an empty path). Note that such modules
// may be heterogeneous.
{
std::string Path = Mod->getModuleFilename().str();
if (Path.empty() || Path == TopMod->getModuleFilename())
continue; // this is a submodule.
Filenames.push_back(std::move(Path));
}
bool IsClangModule = false;
for (auto File : Mod->getFiles()) {
if (File->getKind() == FileUnitKind::ClangModule) {
IsClangModule = true;
break;
}
}
if (IsClangModule) {
// No need to keep track of the clang module dependencies.
continue;
}
collectModuleDependencies(Mod, Visited, Filenames);
}
}
static std::atomic<uint64_t> ASTUnitGeneration{ 0 };
void ASTBuildOperation::informConsumer(SwiftASTConsumerRef Consumer) {
assert(Result &&
"Can't inform consumer about result if we don't have a result yet");
Consumer->removeCancellationRequestCallback();
if (Result.Cancelled) {
assert(false && "We should only cancel the build operation if there are no "
"more consumers attached to it and should not accept any "
"new consumers if the build operation was cancelled. Thus "
"this case should never happen.");
ASTManager->Impl.ConsumerNotificationQueue.dispatch([Consumer] {
Consumer->cancelled();
});
} else if (Result.AST) {
Result.AST->Impl.consumeAsync(Consumer, Result.AST);
} else {
ASTManager->Impl.ConsumerNotificationQueue.dispatch([Consumer, Error = Result.Error] {
Consumer->failed(Error);
});
}
}
ASTUnitRef ASTBuildOperation::buildASTUnit(std::string &Error) {
++ASTManager->Impl.Stats->numASTBuilds;
const InvocationOptions &Opts = InvokRef->Impl.Opts;
LOG_FUNC_SECTION(InfoHighPrio) {
Log->getOS() << "AST build: ";
Log->getOS() << Opts.Invok.getModuleName() << '/' << Opts.PrimaryFile;
}
ASTUnitRef ASTRef = new ASTUnit(++ASTUnitGeneration, ASTManager->Impl.Stats);
for (auto &Content : getFileContents()) {
if (Content.Snapshot)
ASTRef->Impl.Snapshots.push_back(Content.Snapshot);
}
auto &CompIns = ASTRef->Impl.CompInst;
auto &Consumer = ASTRef->Impl.CollectDiagConsumer;
// Display diagnostics to stderr.
CompIns.addDiagnosticConsumer(&Consumer);
trace::TracedOperation TracedOp(trace::OperationKind::PerformSema);
trace::SwiftInvocation TraceInfo;
if (TracedOp.enabled()) {
trace::initTraceInfo(TraceInfo, InvokRef->Impl.Opts.PrimaryFile,
InvokRef->Impl.Opts.Args);
TracedOp.setDiagnosticProvider(
[&Consumer](SmallVectorImpl<DiagnosticEntryInfo> &diags) {
Consumer.getAllDiagnostics(diags);
});
}
CompilerInvocation Invocation;
InvokRef->Impl.Opts.applyToSubstitutingInputs(
Invocation, convertFileContentsToInputs(getFileContents()));
Invocation.getLangOptions().CollectParsedToken = true;
if (FileSystem != llvm::vfs::getRealFileSystem()) {
CompIns.getSourceMgr().setFileSystem(FileSystem);
}
if (CompIns.setup(Invocation, Error)) {
LOG_WARN_FUNC("Compilation setup failed!!!");
if (Error.empty()) {
Error = "compilation setup failed";
}
return nullptr;
}
CompIns.getASTContext().getPluginLoader().setRegistry(
ASTManager->Impl.Plugins.get());
CompIns.getASTContext().CancellationFlag = CancellationFlag;
registerIDERequestFunctions(CompIns.getASTContext().evaluator);
if (TracedOp.enabled()) {
TracedOp.start(TraceInfo);
}
CloseClangModuleFiles scopedCloseFiles(
*CompIns.getASTContext().getClangModuleLoader());
CompIns.performSema();
llvm::SmallPtrSet<ModuleDecl *, 16> Visited;
SmallVector<std::string, 8> Filenames;
collectModuleDependencies(CompIns.getMainModule(), Visited, Filenames);
// FIXME: There exists a small window where the module file may have been
// modified after compilation finished and before we get its stamp.
{
llvm::sys::ScopedLock L(DependencyStampsMtx);
for (auto &Filename : Filenames) {
DependencyStamps.push_back(std::make_pair(
Filename, ASTManager->Impl.getBufferStamp(Filename, FileSystem)));
}
}
// Since we only typecheck the primary file (plus referenced constructs
// from other files), any error is likely to break SIL generation.
if (!Consumer.hadAnyError()) {
// FIXME: Any error anywhere in the SourceFile will switch off SIL
// diagnostics. This means that this can happen:
// - The user sees a SIL diagnostic in one function
// - The user edits another function in the same file and introduces a
// typechecking error.
// - The SIL diagnostic in the first function will be gone.
//
// Could we maybe selectively SILGen functions from the SourceFile, so
// that we avoid SILGen'ing the second function with the typecheck error
// but still allow SILGen'ing the first function ?
// Or try to keep track of SIL diagnostics emitted previously ?
// FIXME: We should run SIL diagnostics asynchronously after typechecking
// so that they don't delay reporting of typechecking diagnostics and they
// don't block any other AST processing for the same SwiftInvocation.
if (auto SF = CompIns.getPrimarySourceFile()) {
if (CancellationFlag->load(std::memory_order_relaxed)) {
return nullptr;
}
// Disable cancellation while performing SILGen. If the cancellation flag
// is set, type checking performed during SILGen checks the cancellation
// flag and might thus fail, which SILGen cannot handle.
llvm::SaveAndRestore<std::shared_ptr<std::atomic<bool>>> DisableCancellationDuringSILGen(CompIns.getASTContext().CancellationFlag, nullptr);
SILOptions SILOpts = Invocation.getSILOptions();
auto &TC = CompIns.getSILTypes();
std::unique_ptr<SILModule> SILMod = performASTLowering(*SF, TC, SILOpts);
if (CancellationFlag->load(std::memory_order_relaxed)) {
return nullptr;
}
runSILDiagnosticPasses(*SILMod);
}
}
return ASTRef;
}
void ASTBuildOperation::schedule(WorkQueue Queue) {
transitionToState(State::Queued, /*ExpectedOldState=*/State::Created);
auto SharedThis = shared_from_this();
// Capture `SharedThis` in the dispatched lambda to keep `this` alive.
// Capture `this` for a more convenient access of members.
Queue.dispatch(
[this, SharedThis] {
transitionToState(State::Running, /*ExpectedOldState=*/State::Queued);
SWIFT_DEFER {
transitionToState(State::Finished,
/*ExpectedOldState=*/State::Running);
};
SmallVector<SwiftASTConsumerRef, 4> ConsumersToCancel;
{
llvm::sys::ScopedLock L(ConsumersAndResultMtx);
if (Consumers.empty()) {
// There are no consumers - no point creating the AST anymore.
Result.emplace(/*AST=*/nullptr, /*Error=*/"", /*Cancelled=*/true);
return;
}
if (CancellationFlag->load(std::memory_order_relaxed)) {
assert(false && "We should only set the cancellation flag if there "
"are no more consumers");
ConsumersToCancel = Consumers;
}
}
for (auto &Consumer : ConsumersToCancel) {
Consumer->cancelled();
}
std::string Error;
assert(!Result && "We should only be producing a result once");
ASTUnitRef AST = buildASTUnit(Error);
SmallVector<SwiftASTConsumerRef, 4> ConsumersToInform;
{
llvm::sys::ScopedLock L(ConsumersAndResultMtx);
bool WasCancelled = CancellationFlag->load(std::memory_order_relaxed);
Result.emplace(AST, Error, WasCancelled);
ConsumersToInform = Consumers;
Consumers = {};
}
for (auto &Consumer : ConsumersToInform) {
informConsumer(Consumer);
}
DidFinishCallback();
},
/*isStackDeep=*/true);
}
bool ASTBuildOperation::addConsumer(SwiftASTConsumerRef Consumer) {
{
llvm::sys::ScopedLock L(ConsumersAndResultMtx);
if (isCancelled()) {
return false;
}
if (Result) {
informConsumer(Consumer);
return true;
}
assert(OperationState != State::Finished);
Consumers.push_back(Consumer);
}
auto WeakThis = std::weak_ptr<ASTBuildOperation>(shared_from_this());
Consumer->setCancellationRequestCallback(
[WeakThis](SwiftASTConsumerRef Consumer) {
if (auto This = WeakThis.lock()) {
This->requestConsumerCancellation(Consumer);
}
});
return true;
}
/// Returns a build operation that `Consumer` can use, in order of the
/// following:
/// 1. The latest finished build operation that either exactly matches, or
/// can be used with snapshots
/// 2. If none, the latest in-progress build operation with the same
/// conditions
/// 3. `nullptr` otherwise
ASTBuildOperationRef ASTProducer::getBuildOperationForConsumer(
SwiftASTConsumerRef Consumer,
IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
SwiftASTManagerRef Mgr) {
ASTBuildOperationRef LatestUsableOp;
Statistic *StatCount = nullptr;
for (auto &BuildOp : llvm::reverse(BuildOperations)) {
if (BuildOp->isCancelled())
continue;
// No point checking for a match, we already have one - we're just looking
// for a finished operation that can be used with the file contents of
// `BuildOp` at this point (which we will prefer over an incomplete
// operation, whether that exactly matches or not).
if (LatestUsableOp && !BuildOp->isFinished())
continue;
// Check for an exact match
if (BuildOp->matchesSourceState(FileSystem)) {
LatestUsableOp = BuildOp;
StatCount = &Mgr->Impl.Stats->numASTCacheHits;
if (BuildOp->isFinished())
break;
continue;
}
// Check for whether the operation can be used taking into account
// snapshots
std::vector<ImmutableTextSnapshotRef> Snapshots;
Snapshots.reserve(BuildOp->getFileContents().size());
for (auto &FileContent : BuildOp->getFileContents()) {
if (FileContent.Snapshot) {
Snapshots.push_back(FileContent.Snapshot);
}
}
if (Consumer->canUseASTWithSnapshots(Snapshots)) {
LatestUsableOp = BuildOp;
StatCount = &Mgr->Impl.Stats->numASTsUsedWithSnapshots;
if (BuildOp->isFinished())
break;
}
}
if (StatCount) {
++(*StatCount);
}
return LatestUsableOp;
}
void ASTProducer::cancelAllBuilds() {
// Cancel all build operations, cleanup will happen when each operation
// terminates.
BuildOperationsQueue.dispatch([This = shared_from_this()] {
for (auto &BuildOp : This->BuildOperations)
BuildOp->cancelAllConsumers();
});
}
void ASTProducer::enqueueConsumer(
SwiftASTConsumerRef Consumer,
IntrusiveRefCntPtr<llvm::vfs::FileSystem> FileSystem,
SwiftASTManagerRef Mgr) {
// Enqueue the consumer in the background because getBuildOperationForConsumer
// consults the file system and might be slow. Also, there's no need to do
// this synchronously since all results will be delivered async anyway.
auto This = shared_from_this();
BuildOperationsQueue.dispatch([Consumer, FileSystem, Mgr, This]() {
// The passed in filesystem does not have overlays resolved. Make sure to
// do so before performing any file operations.
llvm::IntrusiveRefCntPtr<llvm::vfs::FileSystem> FS = FileSystem;
const InvocationOptions &InvocOpts = This->InvokRef->Impl.Opts;
const CompilerInvocation &ActualInvoc = InvocOpts.Invok;
auto ExpectedOverlay =
ActualInvoc.getSearchPathOptions().makeOverlayFileSystem(FileSystem);
if (ExpectedOverlay) {
FS = std::move(ExpectedOverlay.get());
} else {
llvm::consumeError(ExpectedOverlay.takeError());
}
if (auto BuildOp =
This->getBuildOperationForConsumer(Consumer, FS, Mgr)) {
bool WasAdded = BuildOp->addConsumer(Consumer);
if (!WasAdded) {
// The build operation was cancelled after the call to
// getBuildOperationForConsumer but before the consumer could be
// added. This should be an absolute edge case. Let's just try
// again.
This->enqueueConsumer(Consumer, FS, Mgr);
}
} else {
auto WeakThis = std::weak_ptr<ASTProducer>(This);
auto DidFinishCallback = [WeakThis, Mgr]() {
if (auto This = WeakThis.lock()) {
This->BuildOperationsQueue.dispatchSync(
[This]() { This->cleanBuildOperations(); });
// Re-register the object with the cache to update its memory
// cost.
Mgr->Impl.updateASTProducer(This->InvokRef);
}
};
ASTBuildOperationRef NewBuildOp = std::make_shared<ASTBuildOperation>(
FS, This->InvokRef, Mgr, DidFinishCallback);
This->BuildOperations.push_back(NewBuildOp);
bool WasAdded = NewBuildOp->addConsumer(Consumer);
assert(WasAdded && "Consumer wasn't added to a new build operation "
"that can't have been cancelled yet?");
(void)WasAdded;
NewBuildOp->schedule(Mgr->Impl.ASTBuildQueue);
}
});
}
|