1
2
3
4
5 package modload
6
7 import (
8 "context"
9 "errors"
10 "fmt"
11 "os"
12 "path/filepath"
13 "strings"
14 "sync"
15 "unicode"
16
17 "cmd/go/internal/base"
18 "cmd/go/internal/cfg"
19 "cmd/go/internal/fsys"
20 "cmd/go/internal/gover"
21 "cmd/go/internal/lockedfile"
22 "cmd/go/internal/modfetch"
23 "cmd/go/internal/trace"
24 "cmd/internal/par"
25
26 "golang.org/x/mod/modfile"
27 "golang.org/x/mod/module"
28 )
29
30
31
32 func ReadModFile(gomod string, fix modfile.VersionFixer) (data []byte, f *modfile.File, err error) {
33 if fsys.Replaced(gomod) {
34
35
36
37 data, err = os.ReadFile(fsys.Actual(gomod))
38 } else {
39 data, err = lockedfile.Read(gomod)
40 }
41 if err != nil {
42 return nil, nil, err
43 }
44
45 f, err = modfile.Parse(gomod, data, fix)
46 if err != nil {
47 f, laxErr := modfile.ParseLax(gomod, data, fix)
48 if laxErr == nil {
49 if f.Go != nil && gover.Compare(f.Go.Version, gover.Local()) > 0 {
50 toolchain := ""
51 if f.Toolchain != nil {
52 toolchain = f.Toolchain.Name
53 }
54 return nil, nil, &gover.TooNewError{What: base.ShortPath(gomod), GoVersion: f.Go.Version, Toolchain: toolchain}
55 }
56 }
57
58
59 return nil, nil, fmt.Errorf("errors parsing %s:\n%w", base.ShortPath(gomod), shortPathErrorList(err))
60 }
61 if f.Go != nil && gover.Compare(f.Go.Version, gover.Local()) > 0 {
62 toolchain := ""
63 if f.Toolchain != nil {
64 toolchain = f.Toolchain.Name
65 }
66 return nil, nil, &gover.TooNewError{What: base.ShortPath(gomod), GoVersion: f.Go.Version, Toolchain: toolchain}
67 }
68 if f.Module == nil {
69
70 return nil, nil, fmt.Errorf("error reading %s: missing module declaration. To specify the module path:\n\tgo mod edit -module=example.com/mod", base.ShortPath(gomod))
71 }
72
73 return data, f, err
74 }
75
76 func shortPathErrorList(err error) error {
77 var el modfile.ErrorList
78 if errors.As(err, &el) {
79 for i := range el {
80 el[i].Filename = base.ShortPath(el[i].Filename)
81 }
82 }
83 return err
84 }
85
86
87
88 type modFileIndex struct {
89 data []byte
90 dataNeedsFix bool
91 module module.Version
92 goVersion string
93 toolchain string
94 require map[module.Version]requireMeta
95 replace map[module.Version]module.Version
96 exclude map[module.Version]bool
97 }
98
99 type requireMeta struct {
100 indirect bool
101 }
102
103
104
105
106 type modPruning uint8
107
108 const (
109 pruned modPruning = iota
110 unpruned
111 workspace
112 )
113
114 func (p modPruning) String() string {
115 switch p {
116 case pruned:
117 return "pruned"
118 case unpruned:
119 return "unpruned"
120 case workspace:
121 return "workspace"
122 default:
123 return fmt.Sprintf("%T(%d)", p, p)
124 }
125 }
126
127 func pruningForGoVersion(goVersion string) modPruning {
128 if gover.Compare(goVersion, gover.ExplicitIndirectVersion) < 0 {
129
130
131 return unpruned
132 }
133 return pruned
134 }
135
136
137
138
139 func CheckAllowed(ctx context.Context, m module.Version) error {
140 if err := CheckExclusions(ctx, m); err != nil {
141 return err
142 }
143 if err := CheckRetractions(ctx, m); err != nil {
144 return err
145 }
146 return nil
147 }
148
149
150
151 var ErrDisallowed = errors.New("disallowed module version")
152
153
154
155 func CheckExclusions(ctx context.Context, m module.Version) error {
156 for _, mainModule := range MainModules.Versions() {
157 if index := MainModules.Index(mainModule); index != nil && index.exclude[m] {
158 return module.VersionError(m, errExcluded)
159 }
160 }
161 return nil
162 }
163
164 var errExcluded = &excludedError{}
165
166 type excludedError struct{}
167
168 func (e *excludedError) Error() string { return "excluded by go.mod" }
169 func (e *excludedError) Is(err error) bool { return err == ErrDisallowed }
170
171
172
173 func CheckRetractions(ctx context.Context, m module.Version) (err error) {
174 defer func() {
175 if retractErr := (*ModuleRetractedError)(nil); err == nil || errors.As(err, &retractErr) {
176 return
177 }
178
179
180 if mErr := (*module.ModuleError)(nil); errors.As(err, &mErr) {
181 err = mErr.Err
182 }
183 err = &retractionLoadingError{m: m, err: err}
184 }()
185
186 if m.Version == "" {
187
188
189 return nil
190 }
191 if repl := Replacement(module.Version{Path: m.Path}); repl.Path != "" {
192
193
194 return nil
195 }
196
197
198
199
200
201
202
203
204
205
206
207
208 rm, err := queryLatestVersionIgnoringRetractions(ctx, m.Path)
209 if err != nil {
210 return err
211 }
212 summary, err := rawGoModSummary(rm)
213 if err != nil && !errors.Is(err, gover.ErrTooNew) {
214 return err
215 }
216
217 var rationale []string
218 isRetracted := false
219 for _, r := range summary.retract {
220 if gover.ModCompare(m.Path, r.Low, m.Version) <= 0 && gover.ModCompare(m.Path, m.Version, r.High) <= 0 {
221 isRetracted = true
222 if r.Rationale != "" {
223 rationale = append(rationale, r.Rationale)
224 }
225 }
226 }
227 if isRetracted {
228 return module.VersionError(m, &ModuleRetractedError{Rationale: rationale})
229 }
230 return nil
231 }
232
233 type ModuleRetractedError struct {
234 Rationale []string
235 }
236
237 func (e *ModuleRetractedError) Error() string {
238 msg := "retracted by module author"
239 if len(e.Rationale) > 0 {
240
241
242 msg += ": " + ShortMessage(e.Rationale[0], "retracted by module author")
243 }
244 return msg
245 }
246
247 func (e *ModuleRetractedError) Is(err error) bool {
248 return err == ErrDisallowed
249 }
250
251 type retractionLoadingError struct {
252 m module.Version
253 err error
254 }
255
256 func (e *retractionLoadingError) Error() string {
257 return fmt.Sprintf("loading module retractions for %v: %v", e.m, e.err)
258 }
259
260 func (e *retractionLoadingError) Unwrap() error {
261 return e.err
262 }
263
264
265
266
267
268
269
270 func ShortMessage(message, emptyDefault string) string {
271 const maxLen = 500
272 if i := strings.Index(message, "\n"); i >= 0 {
273 message = message[:i]
274 }
275 message = strings.TrimSpace(message)
276 if message == "" {
277 return emptyDefault
278 }
279 if len(message) > maxLen {
280 return "(message omitted: too long)"
281 }
282 for _, r := range message {
283 if !unicode.IsGraphic(r) && !unicode.IsSpace(r) {
284 return "(message omitted: contains non-printable characters)"
285 }
286 }
287
288 return message
289 }
290
291
292
293
294
295
296
297
298 func CheckDeprecation(ctx context.Context, m module.Version) (deprecation string, err error) {
299 defer func() {
300 if err != nil {
301 err = fmt.Errorf("loading deprecation for %s: %w", m.Path, err)
302 }
303 }()
304
305 if m.Version == "" {
306
307
308 return "", nil
309 }
310 if repl := Replacement(module.Version{Path: m.Path}); repl.Path != "" {
311
312
313 return "", nil
314 }
315
316 latest, err := queryLatestVersionIgnoringRetractions(ctx, m.Path)
317 if err != nil {
318 return "", err
319 }
320 summary, err := rawGoModSummary(latest)
321 if err != nil && !errors.Is(err, gover.ErrTooNew) {
322 return "", err
323 }
324 return summary.deprecated, nil
325 }
326
327 func replacement(mod module.Version, replace map[module.Version]module.Version) (fromVersion string, to module.Version, ok bool) {
328 if r, ok := replace[mod]; ok {
329 return mod.Version, r, true
330 }
331 if r, ok := replace[module.Version{Path: mod.Path}]; ok {
332 return "", r, true
333 }
334 return "", module.Version{}, false
335 }
336
337
338
339
340 func Replacement(mod module.Version) module.Version {
341 r, foundModRoot, _ := replacementFrom(mod)
342 return canonicalizeReplacePath(r, foundModRoot)
343 }
344
345
346
347 func replacementFrom(mod module.Version) (r module.Version, modroot string, fromFile string) {
348 foundFrom, found, foundModRoot := "", module.Version{}, ""
349 if MainModules == nil {
350 return module.Version{}, "", ""
351 } else if MainModules.Contains(mod.Path) && mod.Version == "" {
352
353 return module.Version{}, "", ""
354 }
355 if _, r, ok := replacement(mod, MainModules.WorkFileReplaceMap()); ok {
356 return r, "", workFilePath
357 }
358 for _, v := range MainModules.Versions() {
359 if index := MainModules.Index(v); index != nil {
360 if from, r, ok := replacement(mod, index.replace); ok {
361 modRoot := MainModules.ModRoot(v)
362 if foundModRoot != "" && foundFrom != from && found != r {
363 base.Errorf("conflicting replacements found for %v in workspace modules defined by %v and %v",
364 mod, modFilePath(foundModRoot), modFilePath(modRoot))
365 return found, foundModRoot, modFilePath(foundModRoot)
366 }
367 found, foundModRoot = r, modRoot
368 }
369 }
370 }
371 return found, foundModRoot, modFilePath(foundModRoot)
372 }
373
374 func replaceRelativeTo() string {
375 if workFilePath := WorkFilePath(); workFilePath != "" {
376 return filepath.Dir(workFilePath)
377 }
378 return MainModules.ModRoot(MainModules.mustGetSingleMainModule())
379 }
380
381
382
383
384 func canonicalizeReplacePath(r module.Version, modRoot string) module.Version {
385 if filepath.IsAbs(r.Path) || r.Version != "" || modRoot == "" {
386 return r
387 }
388 workFilePath := WorkFilePath()
389 if workFilePath == "" {
390 return r
391 }
392 abs := filepath.Join(modRoot, r.Path)
393 if rel, err := filepath.Rel(filepath.Dir(workFilePath), abs); err == nil {
394 return module.Version{Path: ToDirectoryPath(rel), Version: r.Version}
395 }
396
397
398 return module.Version{Path: ToDirectoryPath(abs), Version: r.Version}
399 }
400
401
402
403
404
405 func resolveReplacement(m module.Version) module.Version {
406 if r := Replacement(m); r.Path != "" {
407 return r
408 }
409 return m
410 }
411
412 func toReplaceMap(replacements []*modfile.Replace) map[module.Version]module.Version {
413 replaceMap := make(map[module.Version]module.Version, len(replacements))
414 for _, r := range replacements {
415 if prev, dup := replaceMap[r.Old]; dup && prev != r.New {
416 base.Fatalf("go: conflicting replacements for %v:\n\t%v\n\t%v", r.Old, prev, r.New)
417 }
418 replaceMap[r.Old] = r.New
419 }
420 return replaceMap
421 }
422
423
424
425
426 func indexModFile(data []byte, modFile *modfile.File, mod module.Version, needsFix bool) *modFileIndex {
427 i := new(modFileIndex)
428 i.data = data
429 i.dataNeedsFix = needsFix
430
431 i.module = module.Version{}
432 if modFile.Module != nil {
433 i.module = modFile.Module.Mod
434 }
435
436 i.goVersion = ""
437 if modFile.Go == nil {
438 rawGoVersion.Store(mod, "")
439 } else {
440 i.goVersion = modFile.Go.Version
441 rawGoVersion.Store(mod, modFile.Go.Version)
442 }
443 if modFile.Toolchain != nil {
444 i.toolchain = modFile.Toolchain.Name
445 }
446
447 i.require = make(map[module.Version]requireMeta, len(modFile.Require))
448 for _, r := range modFile.Require {
449 i.require[r.Mod] = requireMeta{indirect: r.Indirect}
450 }
451
452 i.replace = toReplaceMap(modFile.Replace)
453
454 i.exclude = make(map[module.Version]bool, len(modFile.Exclude))
455 for _, x := range modFile.Exclude {
456 i.exclude[x.Mod] = true
457 }
458
459 return i
460 }
461
462
463
464
465
466 func (i *modFileIndex) modFileIsDirty(modFile *modfile.File) bool {
467 if i == nil {
468 return modFile != nil
469 }
470
471 if i.dataNeedsFix {
472 return true
473 }
474
475 if modFile.Module == nil {
476 if i.module != (module.Version{}) {
477 return true
478 }
479 } else if modFile.Module.Mod != i.module {
480 return true
481 }
482
483 var goV, toolchain string
484 if modFile.Go != nil {
485 goV = modFile.Go.Version
486 }
487 if modFile.Toolchain != nil {
488 toolchain = modFile.Toolchain.Name
489 }
490
491 if goV != i.goVersion ||
492 toolchain != i.toolchain ||
493 len(modFile.Require) != len(i.require) ||
494 len(modFile.Replace) != len(i.replace) ||
495 len(modFile.Exclude) != len(i.exclude) {
496 return true
497 }
498
499 for _, r := range modFile.Require {
500 if meta, ok := i.require[r.Mod]; !ok {
501 return true
502 } else if r.Indirect != meta.indirect {
503 if cfg.BuildMod == "readonly" {
504
505
506
507
508 } else {
509 return true
510 }
511 }
512 }
513
514 for _, r := range modFile.Replace {
515 if r.New != i.replace[r.Old] {
516 return true
517 }
518 }
519
520 for _, x := range modFile.Exclude {
521 if !i.exclude[x.Mod] {
522 return true
523 }
524 }
525
526 return false
527 }
528
529
530
531
532
533 var rawGoVersion sync.Map
534
535
536
537
538 type modFileSummary struct {
539 module module.Version
540 goVersion string
541 toolchain string
542 pruning modPruning
543 require []module.Version
544 retract []retraction
545 deprecated string
546 }
547
548
549
550 type retraction struct {
551 modfile.VersionInterval
552 Rationale string
553 }
554
555
556
557
558
559
560
561
562
563
564
565
566 func goModSummary(m module.Version) (*modFileSummary, error) {
567 if m.Version == "" && !inWorkspaceMode() && MainModules.Contains(m.Path) {
568 panic("internal error: goModSummary called on a main module")
569 }
570 if gover.IsToolchain(m.Path) {
571 return rawGoModSummary(m)
572 }
573
574 if cfg.BuildMod == "vendor" {
575 summary := &modFileSummary{
576 module: module.Version{Path: m.Path},
577 }
578
579 readVendorList(VendorDir())
580 if vendorVersion[m.Path] != m.Version {
581
582
583 return summary, nil
584 }
585
586
587
588
589
590 summary.require = vendorList
591 return summary, nil
592 }
593
594 actual := resolveReplacement(m)
595 if mustHaveSums() && actual.Version != "" {
596 key := module.Version{Path: actual.Path, Version: actual.Version + "/go.mod"}
597 if !modfetch.HaveSum(key) {
598 suggestion := fmt.Sprintf(" for go.mod file; to add it:\n\tgo mod download %s", m.Path)
599 return nil, module.VersionError(actual, &sumMissingError{suggestion: suggestion})
600 }
601 }
602 summary, err := rawGoModSummary(actual)
603 if err != nil {
604 return nil, err
605 }
606
607 if actual.Version == "" {
608
609
610
611
612
613
614 } else {
615 if summary.module.Path == "" {
616 return nil, module.VersionError(actual, errors.New("parsing go.mod: missing module line"))
617 }
618
619
620
621
622
623
624
625
626 if mpath := summary.module.Path; mpath != m.Path && mpath != actual.Path {
627 return nil, module.VersionError(actual,
628 fmt.Errorf("parsing go.mod:\n"+
629 "\tmodule declares its path as: %s\n"+
630 "\t but was required as: %s", mpath, m.Path))
631 }
632 }
633
634 for _, mainModule := range MainModules.Versions() {
635 if index := MainModules.Index(mainModule); index != nil && len(index.exclude) > 0 {
636
637
638
639 haveExcludedReqs := false
640 for _, r := range summary.require {
641 if index.exclude[r] {
642 haveExcludedReqs = true
643 break
644 }
645 }
646 if haveExcludedReqs {
647 s := new(modFileSummary)
648 *s = *summary
649 s.require = make([]module.Version, 0, len(summary.require))
650 for _, r := range summary.require {
651 if !index.exclude[r] {
652 s.require = append(s.require, r)
653 }
654 }
655 summary = s
656 }
657 }
658 }
659 return summary, nil
660 }
661
662
663
664
665
666
667
668
669 func rawGoModSummary(m module.Version) (*modFileSummary, error) {
670 if gover.IsToolchain(m.Path) {
671 if m.Path == "go" && gover.Compare(m.Version, gover.GoStrictVersion) >= 0 {
672
673
674
675 return &modFileSummary{module: m, require: []module.Version{{Path: "toolchain", Version: "go" + m.Version}}}, nil
676 }
677 return &modFileSummary{module: m}, nil
678 }
679 if m.Version == "" && !inWorkspaceMode() && MainModules.Contains(m.Path) {
680
681
682
683
684
685 panic("internal error: rawGoModSummary called on a main module")
686 }
687 if m.Version == "" && inWorkspaceMode() && m.Path == "command-line-arguments" {
688
689
690
691 return &modFileSummary{module: m}, nil
692 }
693 return rawGoModSummaryCache.Do(m, func() (*modFileSummary, error) {
694 summary := new(modFileSummary)
695 name, data, err := rawGoModData(m)
696 if err != nil {
697 return nil, err
698 }
699 f, err := modfile.ParseLax(name, data, nil)
700 if err != nil {
701 return nil, module.VersionError(m, fmt.Errorf("parsing %s: %v", base.ShortPath(name), err))
702 }
703 if f.Module != nil {
704 summary.module = f.Module.Mod
705 summary.deprecated = f.Module.Deprecated
706 }
707 if f.Go != nil {
708 rawGoVersion.LoadOrStore(m, f.Go.Version)
709 summary.goVersion = f.Go.Version
710 summary.pruning = pruningForGoVersion(f.Go.Version)
711 } else {
712 summary.pruning = unpruned
713 }
714 if f.Toolchain != nil {
715 summary.toolchain = f.Toolchain.Name
716 }
717 if len(f.Require) > 0 {
718 summary.require = make([]module.Version, 0, len(f.Require)+1)
719 for _, req := range f.Require {
720 summary.require = append(summary.require, req.Mod)
721 }
722 }
723
724 if len(f.Retract) > 0 {
725 summary.retract = make([]retraction, 0, len(f.Retract))
726 for _, ret := range f.Retract {
727 summary.retract = append(summary.retract, retraction{
728 VersionInterval: ret.VersionInterval,
729 Rationale: ret.Rationale,
730 })
731 }
732 }
733
734
735
736
737 if summary.goVersion != "" && gover.Compare(summary.goVersion, gover.GoStrictVersion) >= 0 {
738 summary.require = append(summary.require, module.Version{Path: "go", Version: summary.goVersion})
739 if gover.Compare(summary.goVersion, gover.Local()) > 0 {
740 return summary, &gover.TooNewError{What: "module " + m.String(), GoVersion: summary.goVersion}
741 }
742 }
743
744 return summary, nil
745 })
746 }
747
748 var rawGoModSummaryCache par.ErrCache[module.Version, *modFileSummary]
749
750
751
752
753
754
755
756
757 func rawGoModData(m module.Version) (name string, data []byte, err error) {
758 if m.Version == "" {
759 dir := m.Path
760 if !filepath.IsAbs(dir) {
761 if inWorkspaceMode() && MainModules.Contains(m.Path) {
762 dir = MainModules.ModRoot(m)
763 } else {
764
765 dir = filepath.Join(replaceRelativeTo(), dir)
766 }
767 }
768 name = filepath.Join(dir, "go.mod")
769 if fsys.Replaced(name) {
770
771
772
773 data, err = os.ReadFile(fsys.Actual(name))
774 } else {
775 data, err = lockedfile.Read(name)
776 }
777 if err != nil {
778 return "", nil, module.VersionError(m, fmt.Errorf("reading %s: %v", base.ShortPath(name), err))
779 }
780 } else {
781 if !gover.ModIsValid(m.Path, m.Version) {
782
783 base.Fatalf("go: internal error: %s@%s: unexpected invalid semantic version", m.Path, m.Version)
784 }
785 name = "go.mod"
786 data, err = modfetch.GoMod(context.TODO(), m.Path, m.Version)
787 }
788 return name, data, err
789 }
790
791
792
793
794
795
796
797
798
799
800
801 func queryLatestVersionIgnoringRetractions(ctx context.Context, path string) (latest module.Version, err error) {
802 return latestVersionIgnoringRetractionsCache.Do(path, func() (module.Version, error) {
803 ctx, span := trace.StartSpan(ctx, "queryLatestVersionIgnoringRetractions "+path)
804 defer span.Done()
805
806 if repl := Replacement(module.Version{Path: path}); repl.Path != "" {
807
808
809 return repl, nil
810 }
811
812
813
814 const ignoreSelected = ""
815 var allowAll AllowedFunc
816 rev, err := Query(ctx, path, "latest", ignoreSelected, allowAll)
817 if err != nil {
818 return module.Version{}, err
819 }
820 latest := module.Version{Path: path, Version: rev.Version}
821 if repl := resolveReplacement(latest); repl.Path != "" {
822 latest = repl
823 }
824 return latest, nil
825 })
826 }
827
828 var latestVersionIgnoringRetractionsCache par.ErrCache[string, module.Version]
829
830
831
832
833 func ToDirectoryPath(path string) string {
834 if modfile.IsDirectoryPath(path) {
835 return path
836 }
837
838
839 return "./" + filepath.ToSlash(filepath.Clean(path))
840 }
841
View as plain text