]> Cypherpunks.ru repositories - gostls13.git/blob - src/cmd/compile/internal/types2/resolver.go
cmd/compile/internal/types2: better error reporting framework (starting point)
[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                                 // local name overrides imported package name
254                                 name := imp.name
255                                 if s.LocalPkgName != nil {
256                                         name = s.LocalPkgName.Value
257                                         if path == "C" {
258                                                 // match cmd/compile (not prescribed by spec)
259                                                 check.errorf(s.LocalPkgName, `cannot rename import "C"`)
260                                                 continue
261                                         }
262                                 }
263
264                                 if name == "init" {
265                                         check.errorf(s.LocalPkgName, "cannot import package as init - init must be a func")
266                                         continue
267                                 }
268
269                                 // add package to list of explicit imports
270                                 // (this functionality is provided as a convenience
271                                 // for clients; it is not needed for type-checking)
272                                 if !pkgImports[imp] {
273                                         pkgImports[imp] = true
274                                         pkg.imports = append(pkg.imports, imp)
275                                 }
276
277                                 pkgName := NewPkgName(s.Pos(), pkg, name, imp)
278                                 if s.LocalPkgName != nil {
279                                         // in a dot-import, the dot represents the package
280                                         check.recordDef(s.LocalPkgName, pkgName)
281                                 } else {
282                                         check.recordImplicit(s, pkgName)
283                                 }
284
285                                 if path == "C" {
286                                         // match cmd/compile (not prescribed by spec)
287                                         pkgName.used = true
288                                 }
289
290                                 // add import to file scope
291                                 check.imports = append(check.imports, pkgName)
292                                 if name == "." {
293                                         // dot-import
294                                         if check.dotImportMap == nil {
295                                                 check.dotImportMap = make(map[dotImportKey]*PkgName)
296                                         }
297                                         // merge imported scope with file scope
298                                         for _, obj := range imp.scope.elems {
299                                                 // A package scope may contain non-exported objects,
300                                                 // do not import them!
301                                                 if obj.Exported() {
302                                                         // declare dot-imported object
303                                                         // (Do not use check.declare because it modifies the object
304                                                         // via Object.setScopePos, which leads to a race condition;
305                                                         // the object may be imported into more than one file scope
306                                                         // concurrently. See issue #32154.)
307                                                         if alt := fileScope.Insert(obj); alt != nil {
308                                                                 var err error_
309                                                                 err.errorf(s.LocalPkgName, "%s redeclared in this block", obj.Name())
310                                                                 err.recordAltDecl(alt)
311                                                                 check.report(&err)
312                                                         } else {
313                                                                 check.dotImportMap[dotImportKey{fileScope, obj}] = pkgName
314                                                         }
315                                                 }
316                                         }
317                                 } else {
318                                         // declare imported package object in file scope
319                                         // (no need to provide s.LocalPkgName since we called check.recordDef earlier)
320                                         check.declare(fileScope, nil, pkgName, nopos)
321                                 }
322
323                         case *syntax.ConstDecl:
324                                 // iota is the index of the current constDecl within the group
325                                 if first < 0 || file.DeclList[index-1].(*syntax.ConstDecl).Group != s.Group {
326                                         first = index
327                                         last = nil
328                                 }
329                                 iota := constant.MakeInt64(int64(index - first))
330
331                                 // determine which initialization expressions to use
332                                 inherited := true
333                                 switch {
334                                 case s.Type != nil || s.Values != nil:
335                                         last = s
336                                         inherited = false
337                                 case last == nil:
338                                         last = new(syntax.ConstDecl) // make sure last exists
339                                         inherited = false
340                                 }
341
342                                 // declare all constants
343                                 values := unpackExpr(last.Values)
344                                 for i, name := range s.NameList {
345                                         obj := NewConst(name.Pos(), pkg, name.Value, nil, iota)
346
347                                         var init syntax.Expr
348                                         if i < len(values) {
349                                                 init = values[i]
350                                         }
351
352                                         d := &declInfo{file: fileScope, vtyp: last.Type, init: init, inherited: inherited}
353                                         check.declarePkgObj(name, obj, d)
354                                 }
355
356                                 // Constants must always have init values.
357                                 check.arity(s.Pos(), s.NameList, values, true, inherited)
358
359                         case *syntax.VarDecl:
360                                 lhs := make([]*Var, len(s.NameList))
361                                 // If there's exactly one rhs initializer, use
362                                 // the same declInfo d1 for all lhs variables
363                                 // so that each lhs variable depends on the same
364                                 // rhs initializer (n:1 var declaration).
365                                 var d1 *declInfo
366                                 if _, ok := s.Values.(*syntax.ListExpr); !ok {
367                                         // The lhs elements are only set up after the for loop below,
368                                         // but that's ok because declarePkgObj only collects the declInfo
369                                         // for a later phase.
370                                         d1 = &declInfo{file: fileScope, lhs: lhs, vtyp: s.Type, init: s.Values}
371                                 }
372
373                                 // declare all variables
374                                 values := unpackExpr(s.Values)
375                                 for i, name := range s.NameList {
376                                         obj := NewVar(name.Pos(), pkg, name.Value, nil)
377                                         lhs[i] = obj
378
379                                         d := d1
380                                         if d == nil {
381                                                 // individual assignments
382                                                 var init syntax.Expr
383                                                 if i < len(values) {
384                                                         init = values[i]
385                                                 }
386                                                 d = &declInfo{file: fileScope, vtyp: s.Type, init: init}
387                                         }
388
389                                         check.declarePkgObj(name, obj, d)
390                                 }
391
392                                 // If we have no type, we must have values.
393                                 if s.Type == nil || values != nil {
394                                         check.arity(s.Pos(), s.NameList, values, false, false)
395                                 }
396
397                         case *syntax.TypeDecl:
398                                 obj := NewTypeName(s.Name.Pos(), pkg, s.Name.Value, nil)
399                                 check.declarePkgObj(s.Name, obj, &declInfo{file: fileScope, tdecl: s})
400
401                         case *syntax.FuncDecl:
402                                 d := s // TODO(gri) get rid of this
403                                 name := d.Name.Value
404                                 obj := NewFunc(d.Name.Pos(), pkg, name, nil)
405                                 if d.Recv == nil {
406                                         // regular function
407                                         if name == "init" || name == "main" && pkg.name == "main" {
408                                                 if d.TParamList != nil {
409                                                         check.softErrorf(d, "func %s must have no type parameters", name)
410                                                 }
411                                                 if t := d.Type; len(t.ParamList) != 0 || len(t.ResultList) != 0 {
412                                                         check.softErrorf(d, "func %s must have no arguments and no return values", name)
413                                                 }
414                                         }
415                                         // don't declare init functions in the package scope - they are invisible
416                                         if name == "init" {
417                                                 obj.parent = pkg.scope
418                                                 check.recordDef(d.Name, obj)
419                                                 // init functions must have a body
420                                                 if d.Body == nil {
421                                                         // TODO(gri) make this error message consistent with the others above
422                                                         check.softErrorf(obj.pos, "missing function body")
423                                                 }
424                                         } else {
425                                                 check.declare(pkg.scope, d.Name, obj, nopos)
426                                         }
427                                 } else {
428                                         // method
429                                         // d.Recv != nil
430                                         if !methodTypeParamsOk && len(d.TParamList) != 0 {
431                                                 //check.invalidASTf(d.TParamList.Pos(), "method must have no type parameters")
432                                                 check.invalidASTf(d, "method must have no type parameters")
433                                         }
434                                         ptr, recv, _ := check.unpackRecv(d.Recv.Type, false)
435                                         // (Methods with invalid receiver cannot be associated to a type, and
436                                         // methods with blank _ names are never found; no need to collect any
437                                         // of them. They will still be type-checked with all the other functions.)
438                                         if recv != nil && name != "_" {
439                                                 methods = append(methods, methodInfo{obj, ptr, recv})
440                                         }
441                                         check.recordDef(d.Name, obj)
442                                 }
443                                 info := &declInfo{file: fileScope, fdecl: d}
444                                 // Methods are not package-level objects but we still track them in the
445                                 // object map so that we can handle them like regular functions (if the
446                                 // receiver is invalid); also we need their fdecl info when associating
447                                 // them with their receiver base type, below.
448                                 check.objMap[obj] = info
449                                 obj.setOrder(uint32(len(check.objMap)))
450
451                         default:
452                                 check.invalidASTf(s, "unknown syntax.Decl node %T", s)
453                         }
454                 }
455         }
456
457         // verify that objects in package and file scopes have different names
458         for _, scope := range fileScopes {
459                 for _, obj := range scope.elems {
460                         if alt := pkg.scope.Lookup(obj.Name()); alt != nil {
461                                 var err error_
462                                 if pkg, ok := obj.(*PkgName); ok {
463                                         err.errorf(alt, "%s already declared through import of %s", alt.Name(), pkg.Imported())
464                                         err.recordAltDecl(pkg)
465                                 } else {
466                                         err.errorf(alt, "%s already declared through dot-import of %s", alt.Name(), obj.Pkg())
467                                         // TODO(gri) dot-imported objects don't have a position; recordAltDecl won't print anything
468                                         err.recordAltDecl(obj)
469                                 }
470                                 check.report(&err)
471                         }
472                 }
473         }
474
475         // Now that we have all package scope objects and all methods,
476         // associate methods with receiver base type name where possible.
477         // Ignore methods that have an invalid receiver. They will be
478         // type-checked later, with regular functions.
479         if methods != nil {
480                 check.methods = make(map[*TypeName][]*Func)
481                 for i := range methods {
482                         m := &methods[i]
483                         // Determine the receiver base type and associate m with it.
484                         ptr, base := check.resolveBaseTypeName(m.ptr, m.recv)
485                         if base != nil {
486                                 m.obj.hasPtrRecv = ptr
487                                 check.methods[base] = append(check.methods[base], m.obj)
488                         }
489                 }
490         }
491 }
492
493 // unpackRecv unpacks a receiver type and returns its components: ptr indicates whether
494 // rtyp is a pointer receiver, rname is the receiver type name, and tparams are its
495 // type parameters, if any. The type parameters are only unpacked if unpackParams is
496 // set. If rname is nil, the receiver is unusable (i.e., the source has a bug which we
497 // cannot easily work around).
498 func (check *Checker) unpackRecv(rtyp syntax.Expr, unpackParams bool) (ptr bool, rname *syntax.Name, tparams []*syntax.Name) {
499 L: // unpack receiver type
500         // This accepts invalid receivers such as ***T and does not
501         // work for other invalid receivers, but we don't care. The
502         // validity of receiver expressions is checked elsewhere.
503         for {
504                 switch t := rtyp.(type) {
505                 case *syntax.ParenExpr:
506                         rtyp = t.X
507                 // case *ast.StarExpr:
508                 //      ptr = true
509                 //      rtyp = t.X
510                 case *syntax.Operation:
511                         if t.Op != syntax.Mul || t.Y != nil {
512                                 break
513                         }
514                         ptr = true
515                         rtyp = t.X
516                 default:
517                         break L
518                 }
519         }
520
521         // unpack type parameters, if any
522         if ptyp, _ := rtyp.(*syntax.IndexExpr); ptyp != nil {
523                 rtyp = ptyp.X
524                 if unpackParams {
525                         for _, arg := range unpackExpr(ptyp.Index) {
526                                 var par *syntax.Name
527                                 switch arg := arg.(type) {
528                                 case *syntax.Name:
529                                         par = arg
530                                 case *syntax.BadExpr:
531                                         // ignore - error already reported by parser
532                                 case nil:
533                                         check.invalidASTf(ptyp, "parameterized receiver contains nil parameters")
534                                 default:
535                                         check.errorf(arg, "receiver type parameter %s must be an identifier", arg)
536                                 }
537                                 if par == nil {
538                                         par = syntax.NewName(arg.Pos(), "_")
539                                 }
540                                 tparams = append(tparams, par)
541                         }
542
543                 }
544         }
545
546         // unpack receiver name
547         if name, _ := rtyp.(*syntax.Name); name != nil {
548                 rname = name
549         }
550
551         return
552 }
553
554 // resolveBaseTypeName returns the non-alias base type name for typ, and whether
555 // there was a pointer indirection to get to it. The base type name must be declared
556 // in package scope, and there can be at most one pointer indirection. If no such type
557 // name exists, the returned base is nil.
558 func (check *Checker) resolveBaseTypeName(seenPtr bool, typ syntax.Expr) (ptr bool, base *TypeName) {
559         // Algorithm: Starting from a type expression, which may be a name,
560         // we follow that type through alias declarations until we reach a
561         // non-alias type name. If we encounter anything but pointer types or
562         // parentheses we're done. If we encounter more than one pointer type
563         // we're done.
564         ptr = seenPtr
565         var seen map[*TypeName]bool
566         for {
567                 typ = unparen(typ)
568
569                 // check if we have a pointer type
570                 // if pexpr, _ := typ.(*ast.StarExpr); pexpr != nil {
571                 if pexpr, _ := typ.(*syntax.Operation); pexpr != nil && pexpr.Op == syntax.Mul && pexpr.Y == nil {
572                         // if we've already seen a pointer, we're done
573                         if ptr {
574                                 return false, nil
575                         }
576                         ptr = true
577                         typ = unparen(pexpr.X) // continue with pointer base type
578                 }
579
580                 // typ must be a name
581                 name, _ := typ.(*syntax.Name)
582                 if name == nil {
583                         return false, nil
584                 }
585
586                 // name must denote an object found in the current package scope
587                 // (note that dot-imported objects are not in the package scope!)
588                 obj := check.pkg.scope.Lookup(name.Value)
589                 if obj == nil {
590                         return false, nil
591                 }
592
593                 // the object must be a type name...
594                 tname, _ := obj.(*TypeName)
595                 if tname == nil {
596                         return false, nil
597                 }
598
599                 // ... which we have not seen before
600                 if seen[tname] {
601                         return false, nil
602                 }
603
604                 // we're done if tdecl defined tname as a new type
605                 // (rather than an alias)
606                 tdecl := check.objMap[tname].tdecl // must exist for objects in package scope
607                 if !tdecl.Alias {
608                         return ptr, tname
609                 }
610
611                 // otherwise, continue resolving
612                 typ = tdecl.Type
613                 if seen == nil {
614                         seen = make(map[*TypeName]bool)
615                 }
616                 seen[tname] = true
617         }
618 }
619
620 // packageObjects typechecks all package objects, but not function bodies.
621 func (check *Checker) packageObjects() {
622         // process package objects in source order for reproducible results
623         objList := make([]Object, len(check.objMap))
624         i := 0
625         for obj := range check.objMap {
626                 objList[i] = obj
627                 i++
628         }
629         sort.Sort(inSourceOrder(objList))
630
631         // add new methods to already type-checked types (from a prior Checker.Files call)
632         for _, obj := range objList {
633                 if obj, _ := obj.(*TypeName); obj != nil && obj.typ != nil {
634                         check.collectMethods(obj)
635                 }
636         }
637
638         // We process non-alias declarations first, in order to avoid situations where
639         // the type of an alias declaration is needed before it is available. In general
640         // this is still not enough, as it is possible to create sufficiently convoluted
641         // recursive type definitions that will cause a type alias to be needed before it
642         // is available (see issue #25838 for examples).
643         // As an aside, the cmd/compiler suffers from the same problem (#25838).
644         var aliasList []*TypeName
645         // phase 1
646         for _, obj := range objList {
647                 // If we have a type alias, collect it for the 2nd phase.
648                 if tname, _ := obj.(*TypeName); tname != nil && check.objMap[tname].tdecl.Alias {
649                         aliasList = append(aliasList, tname)
650                         continue
651                 }
652
653                 check.objDecl(obj, nil)
654         }
655         // phase 2
656         for _, obj := range aliasList {
657                 check.objDecl(obj, nil)
658         }
659
660         // At this point we may have a non-empty check.methods map; this means that not all
661         // entries were deleted at the end of typeDecl because the respective receiver base
662         // types were not found. In that case, an error was reported when declaring those
663         // methods. We can now safely discard this map.
664         check.methods = nil
665 }
666
667 // inSourceOrder implements the sort.Sort interface.
668 type inSourceOrder []Object
669
670 func (a inSourceOrder) Len() int           { return len(a) }
671 func (a inSourceOrder) Less(i, j int) bool { return a[i].order() < a[j].order() }
672 func (a inSourceOrder) Swap(i, j int)      { a[i], a[j] = a[j], a[i] }
673
674 // unusedImports checks for unused imports.
675 func (check *Checker) unusedImports() {
676         // if function bodies are not checked, packages' uses are likely missing - don't check
677         if check.conf.IgnoreFuncBodies {
678                 return
679         }
680
681         // spec: "It is illegal (...) to directly import a package without referring to
682         // any of its exported identifiers. To import a package solely for its side-effects
683         // (initialization), use the blank identifier as explicit package name."
684
685         for _, obj := range check.imports {
686                 if !obj.used && obj.name != "_" {
687                         check.errorUnusedPkg(obj)
688                 }
689         }
690 }
691
692 func (check *Checker) errorUnusedPkg(obj *PkgName) {
693         // If the package was imported with a name other than the final
694         // import path element, show it explicitly in the error message.
695         // Note that this handles both renamed imports and imports of
696         // packages containing unconventional package declarations.
697         // Note that this uses / always, even on Windows, because Go import
698         // paths always use forward slashes.
699         path := obj.imported.path
700         elem := path
701         if i := strings.LastIndex(elem, "/"); i >= 0 {
702                 elem = elem[i+1:]
703         }
704         if obj.name == "" || obj.name == "." || obj.name == elem {
705                 if check.conf.CompilerErrorMessages {
706                         check.softErrorf(obj, "imported and not used: %q", path)
707                 } else {
708                         check.softErrorf(obj, "%q imported but not used", path)
709                 }
710         } else {
711                 if check.conf.CompilerErrorMessages {
712                         check.softErrorf(obj, "imported and not used: %q as %s", path, obj.name)
713                 } else {
714                         check.softErrorf(obj, "%q imported but not used as %s", path, obj.name)
715                 }
716         }
717 }
718
719 // dir makes a good-faith attempt to return the directory
720 // portion of path. If path is empty, the result is ".".
721 // (Per the go/build package dependency tests, we cannot import
722 // path/filepath and simply use filepath.Dir.)
723 func dir(path string) string {
724         if i := strings.LastIndexAny(path, `/\`); i > 0 {
725                 return path[:i]
726         }
727         // i <= 0
728         return "."
729 }