]> Cypherpunks.ru repositories - gostls13.git/blob - src/cmd/compile/internal/types2/resolver.go
[dev.typeparams] cmd/compile/internal/types2: don't crash if import path is missing
[gostls13.git] / src / cmd / compile / internal / types2 / resolver.go
1 // UNREVIEWED
2 // Copyright 2013 The Go Authors. All rights reserved.
3 // Use of this source code is governed by a BSD-style
4 // license that can be found in the LICENSE file.
5
6 package types2
7
8 import (
9         "cmd/compile/internal/syntax"
10         "fmt"
11         "go/constant"
12         "sort"
13         "strconv"
14         "strings"
15         "unicode"
16 )
17
18 // A declInfo describes a package-level const, type, var, or func declaration.
19 type declInfo struct {
20         file      *Scope           // scope of file containing this declaration
21         lhs       []*Var           // lhs of n:1 variable declarations, or nil
22         vtyp      syntax.Expr      // type, or nil (for const and var declarations only)
23         init      syntax.Expr      // init/orig expression, or nil (for const and var declarations only)
24         inherited bool             // if set, the init expression is inherited from a previous constant declaration
25         tdecl     *syntax.TypeDecl // type declaration, or nil
26         fdecl     *syntax.FuncDecl // func declaration, or nil
27
28         // The deps field tracks initialization expression dependencies.
29         deps map[Object]bool // lazily initialized
30 }
31
32 // hasInitializer reports whether the declared object has an initialization
33 // expression or function body.
34 func (d *declInfo) hasInitializer() bool {
35         return d.init != nil || d.fdecl != nil && d.fdecl.Body != nil
36 }
37
38 // addDep adds obj to the set of objects d's init expression depends on.
39 func (d *declInfo) addDep(obj Object) {
40         m := d.deps
41         if m == nil {
42                 m = make(map[Object]bool)
43                 d.deps = m
44         }
45         m[obj] = true
46 }
47
48 // arity checks that the lhs and rhs of a const or var decl
49 // have a matching number of names and initialization values.
50 // If inherited is set, the initialization values are from
51 // another (constant) declaration.
52 func (check *Checker) arity(pos syntax.Pos, names []*syntax.Name, inits []syntax.Expr, constDecl, inherited bool) {
53         l := len(names)
54         r := len(inits)
55
56         switch {
57         case l < r:
58                 n := inits[l]
59                 if inherited {
60                         check.errorf(pos, "extra init expr at %s", n.Pos())
61                 } else {
62                         check.errorf(n, "extra init expr %s", n)
63                 }
64         case l > r && (constDecl || r != 1): // if r == 1 it may be a multi-valued function and we can't say anything yet
65                 n := names[r]
66                 check.errorf(n, "missing init expr for %s", n.Value)
67         }
68 }
69
70 func validatedImportPath(path string) (string, error) {
71         s, err := strconv.Unquote(path)
72         if err != nil {
73                 return "", err
74         }
75         if s == "" {
76                 return "", fmt.Errorf("empty string")
77         }
78         const illegalChars = `!"#$%&'()*,:;<=>?[\]^{|}` + "`\uFFFD"
79         for _, r := range s {
80                 if !unicode.IsGraphic(r) || unicode.IsSpace(r) || strings.ContainsRune(illegalChars, r) {
81                         return s, fmt.Errorf("invalid character %#U", r)
82                 }
83         }
84         return s, nil
85 }
86
87 // declarePkgObj declares obj in the package scope, records its ident -> obj mapping,
88 // and updates check.objMap. The object must not be a function or method.
89 func (check *Checker) declarePkgObj(ident *syntax.Name, obj Object, d *declInfo) {
90         assert(ident.Value == obj.Name())
91
92         // spec: "A package-scope or file-scope identifier with name init
93         // may only be declared to be a function with this (func()) signature."
94         if ident.Value == "init" {
95                 check.errorf(ident, "cannot declare init - must be func")
96                 return
97         }
98
99         // spec: "The main package must have package name main and declare
100         // a function main that takes no arguments and returns no value."
101         if ident.Value == "main" && check.pkg.name == "main" {
102                 check.errorf(ident, "cannot declare main - must be func")
103                 return
104         }
105
106         check.declare(check.pkg.scope, ident, obj, nopos)
107         check.objMap[obj] = d
108         obj.setOrder(uint32(len(check.objMap)))
109 }
110
111 // filename returns a filename suitable for debugging output.
112 func (check *Checker) filename(fileNo int) string {
113         file := check.files[fileNo]
114         if pos := file.Pos(); pos.IsKnown() {
115                 // return check.fset.File(pos).Name()
116                 // TODO(gri) do we need the actual file name here?
117                 return pos.RelFilename()
118         }
119         return fmt.Sprintf("file[%d]", fileNo)
120 }
121
122 func (check *Checker) importPackage(pos syntax.Pos, path, dir string) *Package {
123         // If we already have a package for the given (path, dir)
124         // pair, use it instead of doing a full import.
125         // Checker.impMap only caches packages that are marked Complete
126         // or fake (dummy packages for failed imports). Incomplete but
127         // non-fake packages do require an import to complete them.
128         key := importKey{path, dir}
129         imp := check.impMap[key]
130         if imp != nil {
131                 return imp
132         }
133
134         // no package yet => import it
135         if path == "C" && (check.conf.FakeImportC || check.conf.go115UsesCgo) {
136                 imp = NewPackage("C", "C")
137                 imp.fake = true // package scope is not populated
138                 imp.cgo = check.conf.go115UsesCgo
139         } else {
140                 // ordinary import
141                 var err error
142                 if importer := check.conf.Importer; importer == nil {
143                         err = fmt.Errorf("Config.Importer not installed")
144                 } else if importerFrom, ok := importer.(ImporterFrom); ok {
145                         imp, err = importerFrom.ImportFrom(path, dir, 0)
146                         if imp == nil && err == nil {
147                                 err = fmt.Errorf("Config.Importer.ImportFrom(%s, %s, 0) returned nil but no error", path, dir)
148                         }
149                 } else {
150                         imp, err = importer.Import(path)
151                         if imp == nil && err == nil {
152                                 err = fmt.Errorf("Config.Importer.Import(%s) returned nil but no error", path)
153                         }
154                 }
155                 // make sure we have a valid package name
156                 // (errors here can only happen through manipulation of packages after creation)
157                 if err == nil && imp != nil && (imp.name == "_" || imp.name == "") {
158                         err = fmt.Errorf("invalid package name: %q", imp.name)
159                         imp = nil // create fake package below
160                 }
161                 if err != nil {
162                         check.errorf(pos, "could not import %s (%s)", path, err)
163                         if imp == nil {
164                                 // create a new fake package
165                                 // come up with a sensible package name (heuristic)
166                                 name := path
167                                 if i := len(name); i > 0 && name[i-1] == '/' {
168                                         name = name[:i-1]
169                                 }
170                                 if i := strings.LastIndex(name, "/"); i >= 0 {
171                                         name = name[i+1:]
172                                 }
173                                 imp = NewPackage(path, name)
174                         }
175                         // continue to use the package as best as we can
176                         imp.fake = true // avoid follow-up lookup failures
177                 }
178         }
179
180         // package should be complete or marked fake, but be cautious
181         if imp.complete || imp.fake {
182                 check.impMap[key] = imp
183                 check.pkgCnt[imp.name]++
184                 return imp
185         }
186
187         // something went wrong (importer may have returned incomplete package without error)
188         return nil
189 }
190
191 // collectObjects collects all file and package objects and inserts them
192 // into their respective scopes. It also performs imports and associates
193 // methods with receiver base type names.
194 func (check *Checker) collectObjects() {
195         pkg := check.pkg
196
197         // pkgImports is the set of packages already imported by any package file seen
198         // so far. Used to avoid duplicate entries in pkg.imports. Allocate and populate
199         // it (pkg.imports may not be empty if we are checking test files incrementally).
200         // Note that pkgImports is keyed by package (and thus package path), not by an
201         // importKey value. Two different importKey values may map to the same package
202         // which is why we cannot use the check.impMap here.
203         var pkgImports = make(map[*Package]bool)
204         for _, imp := range pkg.imports {
205                 pkgImports[imp] = true
206         }
207
208         type methodInfo struct {
209                 obj  *Func        // method
210                 ptr  bool         // true if pointer receiver
211                 recv *syntax.Name // receiver type name
212         }
213         var methods []methodInfo // collected methods with valid receivers and non-blank _ names
214         var fileScopes []*Scope
215         for fileNo, file := range check.files {
216                 // The package identifier denotes the current package,
217                 // but there is no corresponding package object.
218                 check.recordDef(file.PkgName, nil)
219
220                 fileScope := NewScope(check.pkg.scope, startPos(file), endPos(file), check.filename(fileNo))
221                 fileScopes = append(fileScopes, fileScope)
222                 check.recordScope(file, fileScope)
223
224                 // determine file directory, necessary to resolve imports
225                 // FileName may be "" (typically for tests) in which case
226                 // we get "." as the directory which is what we would want.
227                 fileDir := dir(file.PkgName.Pos().RelFilename()) // TODO(gri) should this be filename?
228
229                 first := -1                // index of first ConstDecl in the current group, or -1
230                 var last *syntax.ConstDecl // last ConstDecl with init expressions, or nil
231                 for index, decl := range file.DeclList {
232                         if _, ok := decl.(*syntax.ConstDecl); !ok {
233                                 first = -1 // we're not in a constant declaration
234                         }
235
236                         switch s := decl.(type) {
237                         case *syntax.ImportDecl:
238                                 // import package
239                                 if s.Path == nil || s.Path.Bad {
240                                         continue // error reported during parsing
241                                 }
242                                 path, err := validatedImportPath(s.Path.Value)
243                                 if err != nil {
244                                         check.errorf(s.Path, "invalid import path (%s)", err)
245                                         continue
246                                 }
247
248                                 imp := check.importPackage(s.Path.Pos(), path, fileDir)
249                                 if imp == nil {
250                                         continue
251                                 }
252
253                                 // add package to list of explicit imports
254                                 // (this functionality is provided as a convenience
255                                 // for clients; it is not needed for type-checking)
256                                 if !pkgImports[imp] {
257                                         pkgImports[imp] = true
258                                         pkg.imports = append(pkg.imports, imp)
259                                 }
260
261                                 // local name overrides imported package name
262                                 name := imp.name
263                                 if s.LocalPkgName != nil {
264                                         name = s.LocalPkgName.Value
265                                         if path == "C" {
266                                                 // match cmd/compile (not prescribed by spec)
267                                                 check.errorf(s.LocalPkgName, `cannot rename import "C"`)
268                                                 continue
269                                         }
270                                         if name == "init" {
271                                                 check.errorf(s.LocalPkgName, "cannot declare init - must be func")
272                                                 continue
273                                         }
274                                 }
275
276                                 obj := NewPkgName(s.Pos(), pkg, name, imp)
277                                 if s.LocalPkgName != nil {
278                                         // in a dot-import, the dot represents the package
279                                         check.recordDef(s.LocalPkgName, obj)
280                                 } else {
281                                         check.recordImplicit(s, obj)
282                                 }
283
284                                 if path == "C" {
285                                         // match cmd/compile (not prescribed by spec)
286                                         obj.used = true
287                                 }
288
289                                 // add import to file scope
290                                 if name == "." {
291                                         // merge imported scope with file scope
292                                         for _, obj := range imp.scope.elems {
293                                                 // A package scope may contain non-exported objects,
294                                                 // do not import them!
295                                                 if obj.Exported() {
296                                                         // declare dot-imported object
297                                                         // (Do not use check.declare because it modifies the object
298                                                         // via Object.setScopePos, which leads to a race condition;
299                                                         // the object may be imported into more than one file scope
300                                                         // concurrently. See issue #32154.)
301                                                         if alt := fileScope.Insert(obj); alt != nil {
302                                                                 check.errorf(s.LocalPkgName, "%s redeclared in this block", obj.Name())
303                                                                 check.reportAltDecl(alt)
304                                                         }
305                                                 }
306                                         }
307                                         // add position to set of dot-import positions for this file
308                                         // (this is only needed for "imported but not used" errors)
309                                         check.addUnusedDotImport(fileScope, imp, s.Pos())
310                                 } else {
311                                         // declare imported package object in file scope
312                                         // (no need to provide s.LocalPkgName since we called check.recordDef earlier)
313                                         check.declare(fileScope, nil, obj, nopos)
314                                 }
315
316                         case *syntax.ConstDecl:
317                                 // iota is the index of the current constDecl within the group
318                                 if first < 0 || file.DeclList[index-1].(*syntax.ConstDecl).Group != s.Group {
319                                         first = index
320                                         last = nil
321                                 }
322                                 iota := constant.MakeInt64(int64(index - first))
323
324                                 // determine which initialization expressions to use
325                                 inherited := true
326                                 switch {
327                                 case s.Type != nil || s.Values != nil:
328                                         last = s
329                                         inherited = false
330                                 case last == nil:
331                                         last = new(syntax.ConstDecl) // make sure last exists
332                                         inherited = false
333                                 }
334
335                                 // declare all constants
336                                 values := unpackExpr(last.Values)
337                                 for i, name := range s.NameList {
338                                         obj := NewConst(name.Pos(), pkg, name.Value, nil, iota)
339
340                                         var init syntax.Expr
341                                         if i < len(values) {
342                                                 init = values[i]
343                                         }
344
345                                         d := &declInfo{file: fileScope, vtyp: last.Type, init: init, inherited: inherited}
346                                         check.declarePkgObj(name, obj, d)
347                                 }
348
349                                 // Constants must always have init values.
350                                 check.arity(s.Pos(), s.NameList, values, true, inherited)
351
352                         case *syntax.VarDecl:
353                                 lhs := make([]*Var, len(s.NameList))
354                                 // If there's exactly one rhs initializer, use
355                                 // the same declInfo d1 for all lhs variables
356                                 // so that each lhs variable depends on the same
357                                 // rhs initializer (n:1 var declaration).
358                                 var d1 *declInfo
359                                 if _, ok := s.Values.(*syntax.ListExpr); !ok {
360                                         // The lhs elements are only set up after the for loop below,
361                                         // but that's ok because declarePkgObj only collects the declInfo
362                                         // for a later phase.
363                                         d1 = &declInfo{file: fileScope, lhs: lhs, vtyp: s.Type, init: s.Values}
364                                 }
365
366                                 // declare all variables
367                                 values := unpackExpr(s.Values)
368                                 for i, name := range s.NameList {
369                                         obj := NewVar(name.Pos(), pkg, name.Value, nil)
370                                         lhs[i] = obj
371
372                                         d := d1
373                                         if d == nil {
374                                                 // individual assignments
375                                                 var init syntax.Expr
376                                                 if i < len(values) {
377                                                         init = values[i]
378                                                 }
379                                                 d = &declInfo{file: fileScope, vtyp: s.Type, init: init}
380                                         }
381
382                                         check.declarePkgObj(name, obj, d)
383                                 }
384
385                                 // If we have no type, we must have values.
386                                 if s.Type == nil || values != nil {
387                                         check.arity(s.Pos(), s.NameList, values, false, false)
388                                 }
389
390                         case *syntax.TypeDecl:
391                                 obj := NewTypeName(s.Name.Pos(), pkg, s.Name.Value, nil)
392                                 check.declarePkgObj(s.Name, obj, &declInfo{file: fileScope, tdecl: s})
393
394                         case *syntax.FuncDecl:
395                                 d := s // TODO(gri) get rid of this
396                                 name := d.Name.Value
397                                 obj := NewFunc(d.Name.Pos(), pkg, name, nil)
398                                 if d.Recv == nil {
399                                         // regular function
400                                         if name == "init" {
401                                                 if d.TParamList != nil {
402                                                         //check.softErrorf(d.TParamList.Pos(), "func init must have no type parameters")
403                                                         check.softErrorf(d.Name, "func init must have no type parameters")
404                                                 }
405                                                 if t := d.Type; len(t.ParamList) != 0 || len(t.ResultList) != 0 {
406                                                         check.softErrorf(d, "func init must have no arguments and no return values")
407                                                 }
408                                                 // don't declare init functions in the package scope - they are invisible
409                                                 obj.parent = pkg.scope
410                                                 check.recordDef(d.Name, obj)
411                                                 // init functions must have a body
412                                                 if d.Body == nil {
413                                                         // TODO(gri) make this error message consistent with the others above
414                                                         check.softErrorf(obj.pos, "missing function body")
415                                                 }
416                                         } else {
417                                                 check.declare(pkg.scope, d.Name, obj, nopos)
418                                         }
419                                 } else {
420                                         // method
421                                         // d.Recv != nil
422                                         if !methodTypeParamsOk && len(d.TParamList) != 0 {
423                                                 //check.invalidASTf(d.TParamList.Pos(), "method must have no type parameters")
424                                                 check.invalidASTf(d, "method must have no type parameters")
425                                         }
426                                         ptr, recv, _ := check.unpackRecv(d.Recv.Type, false)
427                                         // (Methods with invalid receiver cannot be associated to a type, and
428                                         // methods with blank _ names are never found; no need to collect any
429                                         // of them. They will still be type-checked with all the other functions.)
430                                         if recv != nil && name != "_" {
431                                                 methods = append(methods, methodInfo{obj, ptr, recv})
432                                         }
433                                         check.recordDef(d.Name, obj)
434                                 }
435                                 info := &declInfo{file: fileScope, fdecl: d}
436                                 // Methods are not package-level objects but we still track them in the
437                                 // object map so that we can handle them like regular functions (if the
438                                 // receiver is invalid); also we need their fdecl info when associating
439                                 // them with their receiver base type, below.
440                                 check.objMap[obj] = info
441                                 obj.setOrder(uint32(len(check.objMap)))
442
443                         default:
444                                 check.invalidASTf(s, "unknown syntax.Decl node %T", s)
445                         }
446                 }
447         }
448
449         // verify that objects in package and file scopes have different names
450         for _, scope := range fileScopes {
451                 for _, obj := range scope.elems {
452                         if alt := pkg.scope.Lookup(obj.Name()); alt != nil {
453                                 if pkg, ok := obj.(*PkgName); ok {
454                                         check.errorf(alt, "%s already declared through import of %s", alt.Name(), pkg.Imported())
455                                         check.reportAltDecl(pkg)
456                                 } else {
457                                         check.errorf(alt, "%s already declared through dot-import of %s", alt.Name(), obj.Pkg())
458                                         // TODO(gri) dot-imported objects don't have a position; reportAltDecl won't print anything
459                                         check.reportAltDecl(obj)
460                                 }
461                         }
462                 }
463         }
464
465         // Now that we have all package scope objects and all methods,
466         // associate methods with receiver base type name where possible.
467         // Ignore methods that have an invalid receiver. They will be
468         // type-checked later, with regular functions.
469         if methods != nil {
470                 check.methods = make(map[*TypeName][]*Func)
471                 for i := range methods {
472                         m := &methods[i]
473                         // Determine the receiver base type and associate m with it.
474                         ptr, base := check.resolveBaseTypeName(m.ptr, m.recv)
475                         if base != nil {
476                                 m.obj.hasPtrRecv = ptr
477                                 check.methods[base] = append(check.methods[base], m.obj)
478                         }
479                 }
480         }
481 }
482
483 // unpackRecv unpacks a receiver type and returns its components: ptr indicates whether
484 // rtyp is a pointer receiver, rname is the receiver type name, and tparams are its
485 // type parameters, if any. The type parameters are only unpacked if unpackParams is
486 // set. If rname is nil, the receiver is unusable (i.e., the source has a bug which we
487 // cannot easily work around).
488 func (check *Checker) unpackRecv(rtyp syntax.Expr, unpackParams bool) (ptr bool, rname *syntax.Name, tparams []*syntax.Name) {
489 L: // unpack receiver type
490         // This accepts invalid receivers such as ***T and does not
491         // work for other invalid receivers, but we don't care. The
492         // validity of receiver expressions is checked elsewhere.
493         for {
494                 switch t := rtyp.(type) {
495                 case *syntax.ParenExpr:
496                         rtyp = t.X
497                 // case *ast.StarExpr:
498                 //      rtyp = t.X
499                 case *syntax.Operation:
500                         if t.Op != syntax.Mul || t.Y != nil {
501                                 break
502                         }
503                         rtyp = t.X
504                 default:
505                         break L
506                 }
507         }
508
509         // unpack type parameters, if any
510         if ptyp, _ := rtyp.(*syntax.IndexExpr); ptyp != nil {
511                 rtyp = ptyp.X
512                 if unpackParams {
513                         for _, arg := range unpackExpr(ptyp.Index) {
514                                 var par *syntax.Name
515                                 switch arg := arg.(type) {
516                                 case *syntax.Name:
517                                         par = arg
518                                 case *syntax.BadExpr:
519                                         // ignore - error already reported by parser
520                                 case nil:
521                                         check.invalidASTf(ptyp, "parameterized receiver contains nil parameters")
522                                 default:
523                                         check.errorf(arg, "receiver type parameter %s must be an identifier", arg)
524                                 }
525                                 if par == nil {
526                                         par = syntax.NewName(arg.Pos(), "_")
527                                 }
528                                 tparams = append(tparams, par)
529                         }
530
531                 }
532         }
533
534         // unpack receiver name
535         if name, _ := rtyp.(*syntax.Name); name != nil {
536                 rname = name
537         }
538
539         return
540 }
541
542 // resolveBaseTypeName returns the non-alias base type name for typ, and whether
543 // there was a pointer indirection to get to it. The base type name must be declared
544 // in package scope, and there can be at most one pointer indirection. If no such type
545 // name exists, the returned base is nil.
546 func (check *Checker) resolveBaseTypeName(seenPtr bool, typ syntax.Expr) (ptr bool, base *TypeName) {
547         // Algorithm: Starting from a type expression, which may be a name,
548         // we follow that type through alias declarations until we reach a
549         // non-alias type name. If we encounter anything but pointer types or
550         // parentheses we're done. If we encounter more than one pointer type
551         // we're done.
552         ptr = seenPtr
553         var seen map[*TypeName]bool
554         for {
555                 typ = unparen(typ)
556
557                 // check if we have a pointer type
558                 // if pexpr, _ := typ.(*ast.StarExpr); pexpr != nil {
559                 if pexpr, _ := typ.(*syntax.Operation); pexpr != nil && pexpr.Op == syntax.Mul && pexpr.Y == nil {
560                         // if we've already seen a pointer, we're done
561                         if ptr {
562                                 return false, nil
563                         }
564                         ptr = true
565                         typ = unparen(pexpr.X) // continue with pointer base type
566                 }
567
568                 // typ must be a name
569                 name, _ := typ.(*syntax.Name)
570                 if name == nil {
571                         return false, nil
572                 }
573
574                 // name must denote an object found in the current package scope
575                 // (note that dot-imported objects are not in the package scope!)
576                 obj := check.pkg.scope.Lookup(name.Value)
577                 if obj == nil {
578                         return false, nil
579                 }
580
581                 // the object must be a type name...
582                 tname, _ := obj.(*TypeName)
583                 if tname == nil {
584                         return false, nil
585                 }
586
587                 // ... which we have not seen before
588                 if seen[tname] {
589                         return false, nil
590                 }
591
592                 // we're done if tdecl defined tname as a new type
593                 // (rather than an alias)
594                 tdecl := check.objMap[tname].tdecl // must exist for objects in package scope
595                 if !tdecl.Alias {
596                         return ptr, tname
597                 }
598
599                 // otherwise, continue resolving
600                 typ = tdecl.Type
601                 if seen == nil {
602                         seen = make(map[*TypeName]bool)
603                 }
604                 seen[tname] = true
605         }
606 }
607
608 // packageObjects typechecks all package objects, but not function bodies.
609 func (check *Checker) packageObjects() {
610         // process package objects in source order for reproducible results
611         objList := make([]Object, len(check.objMap))
612         i := 0
613         for obj := range check.objMap {
614                 objList[i] = obj
615                 i++
616         }
617         sort.Sort(inSourceOrder(objList))
618
619         // add new methods to already type-checked types (from a prior Checker.Files call)
620         for _, obj := range objList {
621                 if obj, _ := obj.(*TypeName); obj != nil && obj.typ != nil {
622                         check.collectMethods(obj)
623                 }
624         }
625
626         // We process non-alias declarations first, in order to avoid situations where
627         // the type of an alias declaration is needed before it is available. In general
628         // this is still not enough, as it is possible to create sufficiently convoluted
629         // recursive type definitions that will cause a type alias to be needed before it
630         // is available (see issue #25838 for examples).
631         // As an aside, the cmd/compiler suffers from the same problem (#25838).
632         var aliasList []*TypeName
633         // phase 1
634         for _, obj := range objList {
635                 // If we have a type alias, collect it for the 2nd phase.
636                 if tname, _ := obj.(*TypeName); tname != nil && check.objMap[tname].tdecl.Alias {
637                         aliasList = append(aliasList, tname)
638                         continue
639                 }
640
641                 check.objDecl(obj, nil)
642         }
643         // phase 2
644         for _, obj := range aliasList {
645                 check.objDecl(obj, nil)
646         }
647
648         // At this point we may have a non-empty check.methods map; this means that not all
649         // entries were deleted at the end of typeDecl because the respective receiver base
650         // types were not found. In that case, an error was reported when declaring those
651         // methods. We can now safely discard this map.
652         check.methods = nil
653 }
654
655 // inSourceOrder implements the sort.Sort interface.
656 type inSourceOrder []Object
657
658 func (a inSourceOrder) Len() int           { return len(a) }
659 func (a inSourceOrder) Less(i, j int) bool { return a[i].order() < a[j].order() }
660 func (a inSourceOrder) Swap(i, j int)      { a[i], a[j] = a[j], a[i] }
661
662 // unusedImports checks for unused imports.
663 func (check *Checker) unusedImports() {
664         // if function bodies are not checked, packages' uses are likely missing - don't check
665         if check.conf.IgnoreFuncBodies {
666                 return
667         }
668
669         // spec: "It is illegal (...) to directly import a package without referring to
670         // any of its exported identifiers. To import a package solely for its side-effects
671         // (initialization), use the blank identifier as explicit package name."
672
673         // check use of regular imported packages
674         for _, scope := range check.pkg.scope.children /* file scopes */ {
675                 for _, obj := range scope.elems {
676                         if obj, ok := obj.(*PkgName); ok {
677                                 // Unused "blank imports" are automatically ignored
678                                 // since _ identifiers are not entered into scopes.
679                                 if !obj.used {
680                                         path := obj.imported.path
681                                         base := pkgName(path)
682                                         if obj.name == base {
683                                                 if check.conf.CompilerErrorMessages {
684                                                         check.softErrorf(obj.pos, "%q imported and not used", path)
685                                                 } else {
686                                                         check.softErrorf(obj.pos, "%q imported but not used", path)
687                                                 }
688                                         } else {
689                                                 if check.conf.CompilerErrorMessages {
690                                                         check.softErrorf(obj.pos, "%q imported and not used as %s", path, obj.name)
691                                                 } else {
692                                                         check.softErrorf(obj.pos, "%q imported but not used as %s", path, obj.name)
693                                                 }
694                                         }
695                                 }
696                         }
697                 }
698         }
699
700         // check use of dot-imported packages
701         for _, unusedDotImports := range check.unusedDotImports {
702                 for pkg, pos := range unusedDotImports {
703                         if check.conf.CompilerErrorMessages {
704                                 check.softErrorf(pos, "%q imported and not used", pkg.path)
705                         } else {
706                                 check.softErrorf(pos, "%q imported but not used", pkg.path)
707                         }
708                 }
709         }
710 }
711
712 // pkgName returns the package name (last element) of an import path.
713 func pkgName(path string) string {
714         if i := strings.LastIndex(path, "/"); i >= 0 {
715                 path = path[i+1:]
716         }
717         return path
718 }
719
720 // dir makes a good-faith attempt to return the directory
721 // portion of path. If path is empty, the result is ".".
722 // (Per the go/build package dependency tests, we cannot import
723 // path/filepath and simply use filepath.Dir.)
724 func dir(path string) string {
725         if i := strings.LastIndexAny(path, `/\`); i > 0 {
726                 return path[:i]
727         }
728         // i <= 0
729         return "."
730 }