forked from swiftlang/swift
-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathTypeCheckType.cpp
3519 lines (3016 loc) · 127 KB
/
TypeCheckType.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
//===--- TypeCheckType.cpp - Type Validation ------------------------------===//
//
// This source file is part of the Swift.org open source project
//
// Copyright (c) 2014 - 2015 Apple Inc. and the Swift project authors
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See http://swift.org/LICENSE.txt for license information
// See http://swift.org/CONTRIBUTORS.txt for the list of Swift project authors
//
//===----------------------------------------------------------------------===//
//
// This file implements validation for Swift types, emitting semantic errors as
// appropriate and checking default initializer values.
//
//===----------------------------------------------------------------------===//
#include "TypeChecker.h"
#include "GenericTypeResolver.h"
#include "swift/Strings.h"
#include "swift/AST/ASTVisitor.h"
#include "swift/AST/ASTWalker.h"
#include "swift/AST/ExprHandle.h"
#include "swift/AST/ForeignErrorConvention.h"
#include "swift/AST/NameLookup.h"
#include "swift/AST/PrettyStackTrace.h"
#include "swift/AST/TypeLoc.h"
#include "swift/Basic/SourceManager.h"
#include "swift/Basic/StringExtras.h"
#include "swift/ClangImporter/ClangImporter.h"
#include "llvm/ADT/APInt.h"
#include "llvm/ADT/SmallString.h"
#include "llvm/ADT/StringSwitch.h"
#include "llvm/ADT/Twine.h"
using namespace swift;
GenericTypeResolver::~GenericTypeResolver() { }
Type TypeChecker::getArraySliceType(SourceLoc loc, Type elementType) {
if (!Context.getArrayDecl()) {
diagnose(loc, diag::sugar_type_not_found, 0);
return Type();
}
return ArraySliceType::get(elementType);
}
Type TypeChecker::getDictionaryType(SourceLoc loc, Type keyType,
Type valueType) {
if (!Context.getDictionaryDecl()) {
diagnose(loc, diag::sugar_type_not_found, 3);
return Type();
}
return DictionaryType::get(keyType, valueType);
}
Type TypeChecker::getOptionalType(SourceLoc loc, Type elementType) {
if (!Context.getOptionalDecl()) {
diagnose(loc, diag::sugar_type_not_found, 1);
return Type();
}
return OptionalType::get(elementType);
}
Type TypeChecker::getImplicitlyUnwrappedOptionalType(SourceLoc loc, Type elementType) {
if (!Context.getImplicitlyUnwrappedOptionalDecl()) {
diagnose(loc, diag::sugar_type_not_found, 2);
return Type();
}
return ImplicitlyUnwrappedOptionalType::get(elementType);
}
static Type getStdlibType(TypeChecker &TC, Type &cached, DeclContext *dc,
StringRef name) {
if (cached.isNull()) {
Module *stdlib = TC.Context.getStdlibModule();
LookupTypeResult lookup = TC.lookupMemberType(dc, ModuleType::get(stdlib),
TC.Context.getIdentifier(
name));
if (lookup)
cached = lookup.back().second;
}
return cached;
}
Type TypeChecker::getStringType(DeclContext *dc) {
return ::getStdlibType(*this, StringType, dc, "String");
}
Type TypeChecker::getInt8Type(DeclContext *dc) {
return ::getStdlibType(*this, Int8Type, dc, "Int8");
}
Type TypeChecker::getUInt8Type(DeclContext *dc) {
return ::getStdlibType(*this, UInt8Type, dc, "UInt8");
}
/// Find the standard type of exceptions.
///
/// We call this the "exception type" to try to avoid confusion with
/// the AST's ErrorType node.
Type TypeChecker::getExceptionType(DeclContext *dc, SourceLoc loc) {
if (NominalTypeDecl *decl = Context.getExceptionTypeDecl())
return decl->getDeclaredType();
// Not really sugar, but the actual diagnostic text is fine.
diagnose(loc, diag::sugar_type_not_found, 4);
return Type();
}
static Type getObjectiveCClassType(TypeChecker &TC,
Type &cache,
Identifier ModuleName,
Identifier TypeName,
DeclContext *dc) {
if (cache)
return cache;
auto &Context = TC.Context;
// FIXME: Does not respect visibility of the module.
Module *module = Context.getLoadedModule(ModuleName);
if (!module)
return nullptr;
NameLookupOptions lookupOptions
= defaultMemberLookupOptions | NameLookupFlags::KnownPrivate;
if (auto result = TC.lookupMember(dc, ModuleType::get(module), TypeName,
lookupOptions)) {
for (auto decl : result) {
if (auto nominal = dyn_cast<NominalTypeDecl>(decl.Decl)) {
cache = nominal->getDeclaredType();
return cache;
}
}
}
return nullptr;
}
Type TypeChecker::getNSObjectType(DeclContext *dc) {
return getObjectiveCClassType(*this, NSObjectType, Context.Id_ObjectiveC,
Context.Id_NSObject, dc);
}
Type TypeChecker::getNSErrorType(DeclContext *dc) {
return getObjectiveCClassType(*this, NSObjectType, Context.Id_Foundation,
Context.Id_NSError, dc);
}
Type TypeChecker::getBridgedToObjC(const DeclContext *dc, Type type) {
if (auto bridged = Context.getBridgedToObjC(dc, type, this))
return *bridged;
return nullptr;
}
Type
TypeChecker::getDynamicBridgedThroughObjCClass(DeclContext *dc,
Type dynamicType,
Type valueType) {
// We can only bridge from class or Objective-C existential types.
if (!dynamicType->isObjCExistentialType() &&
!dynamicType->getClassOrBoundGenericClass())
return Type();
// If the value type cannot be bridged, we're done.
if (!valueType->isPotentiallyBridgedValueType())
return Type();
return getBridgedToObjC(dc, valueType);
}
void TypeChecker::forceExternalDeclMembers(NominalTypeDecl *nominalDecl) {
// Force any delayed members added to the nominal type declaration.
if (nominalDecl->hasDelayedMemberDecls()) {
nominalDecl->forceDelayed();
}
if (nominalDecl->hasDelayedMembers()) {
this->handleExternalDecl(nominalDecl);
nominalDecl->setHasDelayedMembers(false);
}
}
Type TypeChecker::resolveTypeInContext(
TypeDecl *typeDecl,
DeclContext *fromDC,
TypeResolutionOptions options,
bool isSpecialized,
GenericTypeResolver *resolver,
UnsatisfiedDependency *unsatisfiedDependency) {
PartialGenericTypeToArchetypeResolver defaultResolver(*this);
if (!resolver)
resolver = &defaultResolver;
// If we have a callback to report dependencies, do so.
if (unsatisfiedDependency &&
(*unsatisfiedDependency)(requestResolveTypeDecl(typeDecl)))
return nullptr;
// If we found a generic parameter, map to the archetype if there is one.
if (auto genericParam = dyn_cast<GenericTypeParamDecl>(typeDecl)) {
return resolver->resolveGenericTypeParamType(
genericParam->getDeclaredType()->castTo<GenericTypeParamType>());
}
// If we are referring to a type within its own context, and we have either
// a generic type with no generic arguments or a non-generic type, use the
// type within the context.
if (auto nominal = dyn_cast<NominalTypeDecl>(typeDecl)) {
this->forceExternalDeclMembers(nominal);
if (!nominal->getGenericParams() || !isSpecialized) {
for (DeclContext *dc = fromDC; dc; dc = dc->getParent()) {
switch (dc->getContextKind()) {
case DeclContextKind::Module:
case DeclContextKind::FileUnit:
case DeclContextKind::TopLevelCodeDecl:
case DeclContextKind::Initializer:
break;
case DeclContextKind::NominalTypeDecl:
// If this is our nominal type, return its type within its context.
// FIXME: Just produce the type structure when TR_ResolveStructure.
if (cast<NominalTypeDecl>(dc) == nominal)
return resolver->resolveTypeOfContext(nominal);
continue;
case DeclContextKind::ExtensionDecl:
// If this is an extension of our nominal type, return the type
// within the context of its extension.
// FIXME: Just produce the type structure when TR_ResolveStructure.
if (cast<ExtensionDecl>(dc)->getExtendedType()->getAnyNominal()
== nominal)
return resolver->resolveTypeOfContext(dc);
continue;
case DeclContextKind::AbstractClosureExpr:
case DeclContextKind::AbstractFunctionDecl:
continue;
case DeclContextKind::SerializedLocal:
llvm_unreachable("should not be typechecking deserialized things");
}
break;
}
}
}
// If the type declaration itself is in a non-type context, no type
// substitution is needed.
DeclContext *ownerDC = typeDecl->getDeclContext();
if (!ownerDC->isTypeContext()) {
// FIXME: Just produce the type structure when TR_ResolveStructure.
return typeDecl->getDeclaredType();
}
// Find the nearest enclosing type context around the context from which
// we started our search.
while (!fromDC->isTypeContext()) {
fromDC = fromDC->getParent();
assert(!fromDC->isModuleContext());
}
// If we found an associated type in an inherited protocol, the base
// for our reference to this associated type is our own 'Self'.
auto assocType = dyn_cast<AssociatedTypeDecl>(typeDecl);
if (assocType) {
// If we found an associated type from within its protocol, resolve it
// as a dependent member relative to Self if Self is still dependent.
if (fromDC->isProtocolOrProtocolExtensionContext()) {
auto selfTy = fromDC->getProtocolSelf()->getDeclaredType()
->castTo<GenericTypeParamType>();
auto baseTy = resolver->resolveGenericTypeParamType(selfTy);
if (baseTy->isTypeParameter()) {
return resolver->resolveSelfAssociatedType(baseTy, fromDC, assocType);
}
}
if (typeDecl->getDeclContext() != fromDC) {
if (fromDC->isProtocolOrProtocolExtensionContext()) {
return substMemberTypeWithBase(fromDC->getParentModule(),
typeDecl,
fromDC->getProtocolSelf()
->getArchetype(),
/*isTypeReference=*/true);
}
}
}
// Walk up through the type scopes to find the context where the type
// declaration was found. When we find it, substitute the appropriate base
// type.
auto ownerNominal = ownerDC->isNominalTypeOrNominalTypeExtensionContext();
assert(ownerNominal && "Owner must be a nominal type");
for (auto parentDC = fromDC; !parentDC->isModuleContext();
parentDC = parentDC->getParent()) {
// Skip non-type contexts.
if (!parentDC->isTypeContext())
continue;
// Search the type of this context and its supertypes.
for (auto fromType = resolver->resolveTypeOfContext(parentDC);
fromType;
fromType = getSuperClassOf(fromType)) {
// If the nominal type declaration of the context type we're looking at
// matches the owner's nominal type declaration, this is how we found
// the member type declaration. Substitute the type we're coming from as
// the base of the member type to produce the projected type result.
if (fromType->getAnyNominal() == ownerNominal) {
// If we are referring into a protocol or extension thereof,
// the base type is the 'Self'.
if (ownerDC->isProtocolOrProtocolExtensionContext()) {
auto selfTy = ownerDC->getProtocolSelf()->getDeclaredType()
->castTo<GenericTypeParamType>();
fromType = resolver->resolveGenericTypeParamType(selfTy);
}
// Perform the substitution.
return substMemberTypeWithBase(parentDC->getParentModule(), typeDecl,
fromType, /*isTypeReference=*/true);
}
ProtocolConformance *conformance = nullptr;
if (assocType &&
!options.contains(TR_InheritanceClause) &&
conformsToProtocol(fromType,
cast<ProtocolDecl>(assocType->getDeclContext()),
parentDC, ConformanceCheckFlags::Used,
&conformance) &&
conformance) {
return conformance->getTypeWitness(assocType, this).getReplacement();
}
}
}
// Substitute in the appropriate type for 'Self'.
// FIXME: We shouldn't have to guess here; the caller should tell us.
Type fromType;
if (fromDC->isProtocolOrProtocolExtensionContext())
fromType = fromDC->getProtocolSelf()->getArchetype();
else
fromType = resolver->resolveTypeOfContext(fromDC);
// Perform the substitution.
return substMemberTypeWithBase(fromDC->getParentModule(), typeDecl,
fromType, /*isTypeReference=*/true);
}
/// Apply generic arguments to the given type.
Type TypeChecker::applyGenericArguments(Type type,
SourceLoc loc,
DeclContext *dc,
MutableArrayRef<TypeLoc> genericArgs,
bool isGenericSignature,
GenericTypeResolver *resolver) {
// Make sure we always have a resolver to use.
PartialGenericTypeToArchetypeResolver defaultResolver(*this);
if (!resolver)
resolver = &defaultResolver;
auto unbound = type->getAs<UnboundGenericType>();
if (!unbound) {
// FIXME: Highlight generic arguments and introduce a Fix-It to remove
// them.
if (!type->is<ErrorType>()) {
diagnose(loc, diag::not_a_generic_type, type);
}
// Just return the type; this provides better recovery anyway.
return type;
}
// Make sure we have the right number of generic arguments.
// FIXME: If we have fewer arguments than we need, that might be okay, if
// we're allowed to deduce the remaining arguments from context.
auto genericParams = unbound->getDecl()->getGenericParams();
if (genericParams->size() != genericArgs.size()) {
// FIXME: Highlight <...>.
diagnose(loc, diag::type_parameter_count_mismatch,
unbound->getDecl()->getName(),
genericParams->size(), genericArgs.size(),
genericArgs.size() < genericParams->size());
diagnose(unbound->getDecl(), diag::generic_type_declared_here,
unbound->getDecl()->getName());
return nullptr;
}
TypeResolutionOptions options;
if (isGenericSignature)
options |= TR_GenericSignature;
// Validate the generic arguments and capture just the types.
SmallVector<Type, 4> genericArgTypes;
for (auto &genericArg : genericArgs) {
// Validate the generic argument.
if (validateType(genericArg, dc, options, resolver))
return nullptr;
genericArgTypes.push_back(genericArg.getType());
}
// Form the bound generic type
BoundGenericType *BGT = BoundGenericType::get(unbound->getDecl(),
unbound->getParent(),
genericArgTypes);
// Check protocol conformance.
if (!BGT->hasTypeParameter()) {
SourceLoc noteLoc = unbound->getDecl()->getLoc();
if (noteLoc.isInvalid())
noteLoc = loc;
// FIXME: Record that we're checking substitutions, so we can't end up
// with infinite recursion.
// Collect the complete set of generic arguments.
SmallVector<Type, 4> scratch;
ArrayRef<Type> allGenericArgs = BGT->getAllGenericArgs(scratch);
// Check the generic arguments against the generic signature.
auto genericSig = unbound->getDecl()->getGenericSignature();
if (unbound->getDecl()->IsValidatingGenericSignature()) {
diagnose(loc, diag::recursive_requirement_reference);
return BGT;
}
assert(genericSig != nullptr);
if (checkGenericArguments(dc, loc, noteLoc, unbound, genericSig,
allGenericArgs))
return nullptr;
}
return BGT;
}
static Type applyGenericTypeReprArgs(TypeChecker &TC, Type type, SourceLoc loc,
DeclContext *dc,
ArrayRef<TypeRepr *> genericArgs,
bool isGenericSignature,
GenericTypeResolver *resolver) {
SmallVector<TypeLoc, 8> args;
for (auto tyR : genericArgs)
args.push_back(tyR);
Type ty = TC.applyGenericArguments(type, loc, dc, args,
isGenericSignature, resolver);
if (!ty)
return ErrorType::get(TC.Context);
return ty;
}
/// \brief Diagnose a use of an unbound generic type.
static void diagnoseUnboundGenericType(TypeChecker &tc, Type ty,SourceLoc loc) {
tc.diagnose(loc, diag::generic_type_requires_arguments, ty);
auto unbound = ty->castTo<UnboundGenericType>();
tc.diagnose(unbound->getDecl()->getLoc(), diag::generic_type_declared_here,
unbound->getDecl()->getName());
}
/// \brief Returns a valid type or ErrorType in case of an error.
static Type resolveTypeDecl(TypeChecker &TC, TypeDecl *typeDecl, SourceLoc loc,
DeclContext *dc,
ArrayRef<TypeRepr *> genericArgs,
TypeResolutionOptions options,
GenericTypeResolver *resolver,
UnsatisfiedDependency *unsatisfiedDependency) {
assert(dc && "No declaration context for type resolution?");
// If we have a callback to report dependencies, do so.
if (unsatisfiedDependency) {
if ((*unsatisfiedDependency)(requestResolveTypeDecl(typeDecl)))
return nullptr;
} else {
// Validate the declaration.
TC.validateDecl(typeDecl);
}
// Resolve the type declaration to a specific type. How this occurs
// depends on the current context and where the type was found.
Type type = TC.resolveTypeInContext(typeDecl, dc, options,
!genericArgs.empty(), resolver);
// FIXME: Defensive check that shouldn't be needed, but prevents a
// huge number of crashes on ill-formed code.
if (!type)
return ErrorType::get(TC.Context);
if (type->is<UnboundGenericType>() && genericArgs.empty() &&
!options.contains(TR_AllowUnboundGenerics) &&
!options.contains(TR_ResolveStructure)) {
diagnoseUnboundGenericType(TC, type, loc);
return ErrorType::get(TC.Context);
}
// If we found a generic parameter, try to resolve it.
// FIXME: Jump through hoops to maintain syntactic sugar. We shouldn't care
// about this, because we shouldn't have to do this at all.
if (auto genericParam = type->getAs<GenericTypeParamType>()) {
auto resolvedGP = resolver->resolveGenericTypeParamType(genericParam);
if (auto substituted = dyn_cast<SubstitutedType>(type.getPointer())) {
type = SubstitutedType::get(substituted->getOriginal(), resolvedGP,
TC.Context);
} else {
type = resolvedGP;
}
}
if (!genericArgs.empty() && !options.contains(TR_ResolveStructure)) {
// Apply the generic arguments to the type.
type = applyGenericTypeReprArgs(TC, type, loc, dc, genericArgs,
options.contains(TR_GenericSignature),
resolver);
}
assert(type);
return type;
}
/// Retrieve the nearest enclosing nominal type context.
static NominalTypeDecl *getEnclosingNominalContext(DeclContext *dc) {
while (dc->isLocalContext())
dc = dc->getParent();
if (auto nominal = dc->isNominalTypeOrNominalTypeExtensionContext())
return nominal;
return nullptr;
}
/// Diagnose a reference to an unknown type.
///
/// This routine diagnoses a reference to an unknown type, and
/// attempts to fix the reference via various means.
///
/// \param tc The type checker through which we should emit the diagnostic.
/// \param dc The context in which name lookup occurred.
///
/// \returns either the corrected type, if possible, or an error type to
/// that correction failed.
static Type diagnoseUnknownType(TypeChecker &tc, DeclContext *dc,
Type parentType,
SourceRange parentRange,
ComponentIdentTypeRepr *comp,
TypeResolutionOptions options,
GenericTypeResolver *resolver,
UnsatisfiedDependency *unsatisfiedDependency) {
// Unqualified lookup case.
if (parentType.isNull()) {
// Attempt to refer to 'Self' within a non-protocol nominal
// type. Fix this by replacing 'Self' with the nominal type name.
NominalTypeDecl *nominal = nullptr;
if (comp->getIdentifier() == tc.Context.Id_Self &&
!isa<GenericIdentTypeRepr>(comp) &&
(nominal = getEnclosingNominalContext(dc))) {
// Retrieve the nominal type and resolve it within this context.
assert(!isa<ProtocolDecl>(nominal) && "Cannot be a protocol");
auto type = resolveTypeDecl(tc, nominal, comp->getIdLoc(), dc, { },
options, resolver, unsatisfiedDependency);
if (type->is<ErrorType>())
return type;
// Produce a Fix-It replacing 'Self' with the nominal type name.
tc.diagnose(comp->getIdLoc(), diag::self_in_nominal, nominal->getName())
.fixItReplace(comp->getIdLoc(), nominal->getName().str());
comp->overwriteIdentifier(nominal->getName());
comp->setValue(nominal);
return type;
}
// Fallback.
SourceLoc L = comp->getIdLoc();
SourceRange R = SourceRange(comp->getIdLoc());
// Check if the unknown type is in the type remappings.
auto &Remapped = tc.Context.RemappedTypes;
auto TypeName = comp->getIdentifier().str();
auto I = Remapped.find(TypeName);
if (I != Remapped.end()) {
auto RemappedTy = I->second->getString();
tc.diagnose(L, diag::use_undeclared_type_did_you_mean,
comp->getIdentifier(), RemappedTy)
.highlight(R)
.fixItReplace(R, RemappedTy);
// Replace the computed type with the suggested type.
comp->overwriteIdentifier(tc.Context.getIdentifier(RemappedTy));
// HACK: 'NSUInteger' suggests both 'UInt' and 'Int'.
if (TypeName == "NSUInteger") {
tc.diagnose(L, diag::note_remapped_type, "UInt")
.fixItReplace(R, "UInt");
}
return I->second;
}
tc.diagnose(L, diag::use_undeclared_type,
comp->getIdentifier())
.highlight(R);
return ErrorType::get(tc.Context);
}
// Qualified lookup case.
// FIXME: Typo correction!
// Lookup into a type.
if (auto moduleType = parentType->getAs<ModuleType>()) {
tc.diagnose(comp->getIdLoc(), diag::no_module_type,
comp->getIdentifier(), moduleType->getModule()->getName());
} else {
tc.diagnose(comp->getIdLoc(), diag::invalid_member_type,
comp->getIdentifier(), parentType)
.highlight(parentRange);
}
return ErrorType::get(tc.Context);
}
/// Resolve the given identifier type representation as an unqualified type,
/// returning the type it references.
///
/// \returns Either the resolved type or a null type, the latter of
/// which indicates that some dependencies were unsatisfied.
static Type
resolveTopLevelIdentTypeComponent(TypeChecker &TC, DeclContext *DC,
ComponentIdentTypeRepr *comp,
TypeResolutionOptions options,
bool diagnoseErrors,
GenericTypeResolver *resolver,
UnsatisfiedDependency *unsatisfiedDependency){
// Short-circuiting.
if (comp->isInvalid()) return ErrorType::get(TC.Context);
// If the component has already been bound to a declaration, handle
// that now.
if (ValueDecl *VD = comp->getBoundDecl()) {
// Diagnose non-type declarations.
auto typeDecl = dyn_cast<TypeDecl>(VD);
if (!typeDecl) {
if (diagnoseErrors) {
TC.diagnose(comp->getIdLoc(), diag::use_non_type_value, VD->getName());
TC.diagnose(VD, diag::use_non_type_value_prev, VD->getName());
}
comp->setInvalid();
return ErrorType::get(TC.Context);
}
// Retrieve the generic arguments, if there are any.
ArrayRef<TypeRepr *> genericArgs;
if (auto genComp = dyn_cast<GenericIdentTypeRepr>(comp))
genericArgs = genComp->getGenericArgs();
// Resolve the type declaration within this context.
return resolveTypeDecl(TC, typeDecl, comp->getIdLoc(), DC,
genericArgs, options, resolver,
unsatisfiedDependency);
}
// Resolve the first component, which is the only one that requires
// unqualified name lookup.
DeclContext *lookupDC = DC;
// Dynamic 'Self' in the result type of a function body.
if (options.contains(TR_DynamicSelfResult) &&
comp->getIdentifier() == TC.Context.Id_Self) {
auto func = cast<FuncDecl>(DC);
assert(func->hasDynamicSelf() && "Not marked as having dynamic Self?");
return func->getDynamicSelf();
}
// For lookups within the generic signature, look at the generic
// parameters (only), then move up to the enclosing context.
if (options.contains(TR_GenericSignature)) {
GenericParamList *genericParams;
if (auto *nominal = dyn_cast<NominalTypeDecl>(DC)) {
genericParams = nominal->getGenericParams();
} else if (auto *ext = dyn_cast<ExtensionDecl>(DC)) {
genericParams = ext->getGenericParams();
} else {
genericParams = cast<AbstractFunctionDecl>(DC)->getGenericParams();
}
if (genericParams) {
auto matchingParam =
std::find_if(genericParams->begin(), genericParams->end(),
[comp](const GenericTypeParamDecl *param) {
return param->getFullName().matchesRef(comp->getIdentifier());
});
if (matchingParam != genericParams->end()) {
comp->setValue(*matchingParam);
return resolveTopLevelIdentTypeComponent(TC, DC, comp, options,
diagnoseErrors, resolver,
unsatisfiedDependency);
}
}
// If the lookup occurs from within a trailing 'where' clause of
// a constrained extension, also look for associated types.
if (genericParams && genericParams->hasTrailingWhereClause() &&
isa<ExtensionDecl>(DC) && comp->getIdLoc().isValid() &&
TC.Context.SourceMgr.rangeContainsTokenLoc(
genericParams->getTrailingWhereClauseSourceRange(),
comp->getIdLoc())) {
// We need to be able to perform qualified lookup into the given
// declaration context.
if (unsatisfiedDependency &&
(*unsatisfiedDependency)(
requestQualifiedLookupInDeclContext({ DC, comp->getIdentifier(),
comp->getIdLoc() })))
return nullptr;
auto nominal = DC->isNominalTypeOrNominalTypeExtensionContext();
SmallVector<ValueDecl *, 4> decls;
if (DC->lookupQualified(nominal->getDeclaredInterfaceType(),
comp->getIdentifier(),
NL_QualifiedDefault|NL_ProtocolMembers,
&TC,
decls)) {
for (const auto decl : decls) {
// FIXME: Better ambiguity handling.
if (auto assocType = dyn_cast<AssociatedTypeDecl>(decl)) {
comp->setValue(assocType);
return resolveTopLevelIdentTypeComponent(TC, DC, comp, options,
diagnoseErrors, resolver,
unsatisfiedDependency);
}
}
}
}
if (!DC->isCascadingContextForLookup(/*excludeFunctions*/true))
options |= TR_KnownNonCascadingDependency;
// The remaining lookups will be in the parent context.
lookupDC = DC->getParent();
}
// We need to be able to perform unqualified lookup into the given
// declaration context.
if (unsatisfiedDependency &&
(*unsatisfiedDependency)(
requestUnqualifiedLookupInDeclContext({ lookupDC,
comp->getIdentifier(),
comp->getIdLoc() })))
return nullptr;
NameLookupOptions lookupOptions = defaultUnqualifiedLookupOptions;
lookupOptions |= NameLookupFlags::OnlyTypes;
if (options.contains(TR_KnownNonCascadingDependency))
lookupOptions |= NameLookupFlags::KnownPrivate;
// FIXME: Eliminate this once we can handle finding protocol members
// in resolveTypeInContext.
lookupOptions -= NameLookupFlags::ProtocolMembers;
LookupResult globals = TC.lookupUnqualified(lookupDC, comp->getIdentifier(),
comp->getIdLoc(), lookupOptions);
// Process the names we found.
Type current;
TypeDecl *currentDecl = nullptr;
bool isAmbiguous = false;
for (const auto &result : globals) {
// Ignore non-type declarations.
auto typeDecl = dyn_cast<TypeDecl>(result.Decl);
if (!typeDecl)
continue;
// If necessary, add delayed members to the declaration.
if (auto nomDecl = dyn_cast<NominalTypeDecl>(typeDecl)) {
TC.forceExternalDeclMembers(nomDecl);
}
ArrayRef<TypeRepr *> genericArgs;
if (auto genComp = dyn_cast<GenericIdentTypeRepr>(comp))
genericArgs = genComp->getGenericArgs();
Type type = resolveTypeDecl(TC, typeDecl, comp->getIdLoc(),
DC, genericArgs, options, resolver,
unsatisfiedDependency);
if (!type || type->is<ErrorType>())
return type;
// If this is the first result we found, record it.
if (current.isNull()) {
current = type;
currentDecl = typeDecl;
continue;
}
// Otherwise, check for an ambiguity.
if (!current->isEqual(type)) {
isAmbiguous = true;
break;
}
// We have a found multiple type aliases that refer to the same thing.
// Ignore the duplicate.
}
// Complain about any ambiguities we detected.
// FIXME: We could recover by looking at later components.
if (isAmbiguous) {
if (diagnoseErrors) {
TC.diagnose(comp->getIdLoc(), diag::ambiguous_type_base,
comp->getIdentifier())
.highlight(comp->getIdLoc());
for (auto result : globals) {
TC.diagnose(result.Decl, diag::found_candidate);
}
}
comp->setInvalid();
return ErrorType::get(TC.Context);
}
// If we found nothing, complain and give ourselves a chance to recover.
if (current.isNull()) {
// If we're not allowed to complain or we couldn't fix the
// source, bail out.
if (!diagnoseErrors)
return ErrorType::get(TC.Context);
return diagnoseUnknownType(TC, DC, nullptr, SourceRange(), comp, options,
resolver, unsatisfiedDependency);
}
comp->setValue(currentDecl);
return current;
}
/// Resolve the given identifier type representation as a qualified
/// lookup within the given parent type, returning the type it
/// references.
static Type resolveNestedIdentTypeComponent(
TypeChecker &TC, DeclContext *DC,
Type parentTy,
SourceRange parentRange,
ComponentIdentTypeRepr *comp,
TypeResolutionOptions options,
bool diagnoseErrors,
GenericTypeResolver *resolver,
UnsatisfiedDependency *unsatisfiedDependency) {
// Short-circuiting.
if (comp->isInvalid()) return ErrorType::get(TC.Context);
// If a declaration has already been bound, use it.
if (ValueDecl *decl = comp->getBoundDecl()) {
// Make sure we have a type declaration.
auto typeDecl = dyn_cast<TypeDecl>(decl);
if (!typeDecl) {
if (diagnoseErrors) {
TC.diagnose(comp->getIdLoc(), diag::use_non_type_value,
decl->getName());
TC.diagnose(decl, diag::use_non_type_value_prev,
decl->getName());
}
comp->setInvalid();
return ErrorType::get(TC.Context);
}
Type memberType;
if (parentTy->isTypeParameter()) {
// If the parent is a type parameter, the member is a dependent member.
// FIXME: We either have an associated type here or a member of
// some member of the superclass bound (or its superclasses),
// which should allow us to skip much of the work in
// resolveDependentMemberType.
// Try to resolve the dependent member type to a specific associated
// type.
memberType = resolver->resolveDependentMemberType(parentTy, DC,
parentRange, comp);
assert(memberType && "Received null dependent member type");
} else if (isa<AssociatedTypeDecl>(typeDecl) &&
!parentTy->is<ArchetypeType>() &&
!parentTy->isExistentialType()) {
auto assocType = cast<AssociatedTypeDecl>(typeDecl);
// Find the conformance and dig out the type witness.
ConformanceCheckOptions conformanceOptions;
if (options.contains(TR_InExpression))
conformanceOptions |= ConformanceCheckFlags::InExpression;
auto *protocol = cast<ProtocolDecl>(assocType->getDeclContext());
ProtocolConformance *conformance = nullptr;
if (!TC.conformsToProtocol(parentTy, protocol, DC, conformanceOptions,
&conformance) ||
!conformance) {
return nullptr;
}
// FIXME: Establish that we need a type witness.
return conformance->getTypeWitness(assocType, &TC).getReplacement();
} else {
// Otherwise, simply substitute the parent type into the member.
memberType = TC.substMemberTypeWithBase(DC->getParentModule(), typeDecl,
parentTy,
/*isTypeReference=*/true);
}
// Propagate failure.
if (!memberType || memberType->is<ErrorType>()) return memberType;
// If there are generic arguments, apply them now.
if (auto genComp = dyn_cast<GenericIdentTypeRepr>(comp)) {
memberType = applyGenericTypeReprArgs(
TC, memberType, comp->getIdLoc(), DC,
genComp->getGenericArgs(),
options.contains(TR_GenericSignature),
resolver);
// Propagate failure.
if (!memberType || memberType->is<ErrorType>()) return memberType;
}
// We're done.
return memberType;
}
// If the parent is a dependent type, the member is a dependent member.
if (parentTy->isTypeParameter()) {
// Try to resolve the dependent member type to a specific associated
// type.
Type memberType = resolver->resolveDependentMemberType(parentTy, DC,
parentRange,
comp);
assert(memberType && "Received null dependent member type");
if (isa<GenericIdentTypeRepr>(comp) && !memberType->is<ErrorType>()) {
// FIXME: Highlight generic arguments and introduce a Fix-It to
// remove them.
if (diagnoseErrors)
TC.diagnose(comp->getIdLoc(), diag::not_a_generic_type, memberType);
// Drop the arguments.
}
// If we know what type declaration we're referencing, store it.
if (auto typeDecl = memberType->getDirectlyReferencedTypeDecl()) {
comp->setValue(typeDecl);
}
return memberType;
}
// Look for member types with the given name.
bool isKnownNonCascading = options.contains(TR_KnownNonCascadingDependency);
if (!isKnownNonCascading && options.contains(TR_InExpression)) {
// Expressions cannot affect a function's signature.
isKnownNonCascading = isa<AbstractFunctionDecl>(DC);
}
// We need to be able to perform qualified lookup into the given type.
if (unsatisfiedDependency) {
DeclContext *dc;
if (auto parentNominal = parentTy->getAnyNominal())
dc = parentNominal;
else if (auto parentModule = parentTy->getAs<ModuleType>())
dc = parentModule->getModule();
else
dc = nullptr;
if (dc &&
(*unsatisfiedDependency)(
requestQualifiedLookupInDeclContext({ dc, comp->getIdentifier(),
comp->getIdLoc() })))
return nullptr;
}
NameLookupOptions lookupOptions = defaultMemberLookupOptions;
if (isKnownNonCascading)
lookupOptions |= NameLookupFlags::KnownPrivate;
if (options.contains(TR_ExtensionBinding))
lookupOptions -= NameLookupFlags::ProtocolMembers;
auto memberTypes = TC.lookupMemberType(DC, parentTy, comp->getIdentifier(),
lookupOptions);
// Name lookup was ambiguous. Complain.
// FIXME: Could try to apply generic arguments first, and see whether
// that resolves things. But do we really want that to succeed?
if (memberTypes.size() > 1) {
if (diagnoseErrors)
TC.diagnoseAmbiguousMemberType(parentTy, parentRange,
comp->getIdentifier(), comp->getIdLoc(),
memberTypes);
return ErrorType::get(TC.Context);
}
// If we didn't find anything, complain.
bool recovered = false;
Type memberType;
TypeDecl *member = nullptr;