github.com/varialus/godfly@v0.0.0-20130904042352-1934f9f095ab/src/pkg/go/doc/reader.go (about)

     1  // Copyright 2009 The Go Authors. All rights reserved.
     2  // Use of this source code is governed by a BSD-style
     3  // license that can be found in the LICENSE file.
     4  
     5  package doc
     6  
     7  import (
     8  	"go/ast"
     9  	"go/token"
    10  	"regexp"
    11  	"sort"
    12  	"strconv"
    13  )
    14  
    15  // ----------------------------------------------------------------------------
    16  // function/method sets
    17  //
    18  // Internally, we treat functions like methods and collect them in method sets.
    19  
    20  // A methodSet describes a set of methods. Entries where Decl == nil are conflict
    21  // entries (more then one method with the same name at the same embedding level).
    22  //
    23  type methodSet map[string]*Func
    24  
    25  // recvString returns a string representation of recv of the
    26  // form "T", "*T", or "BADRECV" (if not a proper receiver type).
    27  //
    28  func recvString(recv ast.Expr) string {
    29  	switch t := recv.(type) {
    30  	case *ast.Ident:
    31  		return t.Name
    32  	case *ast.StarExpr:
    33  		return "*" + recvString(t.X)
    34  	}
    35  	return "BADRECV"
    36  }
    37  
    38  // set creates the corresponding Func for f and adds it to mset.
    39  // If there are multiple f's with the same name, set keeps the first
    40  // one with documentation; conflicts are ignored.
    41  //
    42  func (mset methodSet) set(f *ast.FuncDecl) {
    43  	name := f.Name.Name
    44  	if g := mset[name]; g != nil && g.Doc != "" {
    45  		// A function with the same name has already been registered;
    46  		// since it has documentation, assume f is simply another
    47  		// implementation and ignore it. This does not happen if the
    48  		// caller is using go/build.ScanDir to determine the list of
    49  		// files implementing a package.
    50  		return
    51  	}
    52  	// function doesn't exist or has no documentation; use f
    53  	recv := ""
    54  	if f.Recv != nil {
    55  		var typ ast.Expr
    56  		// be careful in case of incorrect ASTs
    57  		if list := f.Recv.List; len(list) == 1 {
    58  			typ = list[0].Type
    59  		}
    60  		recv = recvString(typ)
    61  	}
    62  	mset[name] = &Func{
    63  		Doc:  f.Doc.Text(),
    64  		Name: name,
    65  		Decl: f,
    66  		Recv: recv,
    67  		Orig: recv,
    68  	}
    69  	f.Doc = nil // doc consumed - remove from AST
    70  }
    71  
    72  // add adds method m to the method set; m is ignored if the method set
    73  // already contains a method with the same name at the same or a higher
    74  // level then m.
    75  //
    76  func (mset methodSet) add(m *Func) {
    77  	old := mset[m.Name]
    78  	if old == nil || m.Level < old.Level {
    79  		mset[m.Name] = m
    80  		return
    81  	}
    82  	if old != nil && m.Level == old.Level {
    83  		// conflict - mark it using a method with nil Decl
    84  		mset[m.Name] = &Func{
    85  			Name:  m.Name,
    86  			Level: m.Level,
    87  		}
    88  	}
    89  }
    90  
    91  // ----------------------------------------------------------------------------
    92  // Named types
    93  
    94  // baseTypeName returns the name of the base type of x (or "")
    95  // and whether the type is imported or not.
    96  //
    97  func baseTypeName(x ast.Expr) (name string, imported bool) {
    98  	switch t := x.(type) {
    99  	case *ast.Ident:
   100  		return t.Name, false
   101  	case *ast.SelectorExpr:
   102  		if _, ok := t.X.(*ast.Ident); ok {
   103  			// only possible for qualified type names;
   104  			// assume type is imported
   105  			return t.Sel.Name, true
   106  		}
   107  	case *ast.StarExpr:
   108  		return baseTypeName(t.X)
   109  	}
   110  	return
   111  }
   112  
   113  // An embeddedSet describes a set of embedded types.
   114  type embeddedSet map[*namedType]bool
   115  
   116  // A namedType represents a named unqualified (package local, or possibly
   117  // predeclared) type. The namedType for a type name is always found via
   118  // reader.lookupType.
   119  //
   120  type namedType struct {
   121  	doc  string       // doc comment for type
   122  	name string       // type name
   123  	decl *ast.GenDecl // nil if declaration hasn't been seen yet
   124  
   125  	isEmbedded bool        // true if this type is embedded
   126  	isStruct   bool        // true if this type is a struct
   127  	embedded   embeddedSet // true if the embedded type is a pointer
   128  
   129  	// associated declarations
   130  	values  []*Value // consts and vars
   131  	funcs   methodSet
   132  	methods methodSet
   133  }
   134  
   135  // ----------------------------------------------------------------------------
   136  // AST reader
   137  
   138  // reader accumulates documentation for a single package.
   139  // It modifies the AST: Comments (declaration documentation)
   140  // that have been collected by the reader are set to nil
   141  // in the respective AST nodes so that they are not printed
   142  // twice (once when printing the documentation and once when
   143  // printing the corresponding AST node).
   144  //
   145  type reader struct {
   146  	mode Mode
   147  
   148  	// package properties
   149  	doc       string // package documentation, if any
   150  	filenames []string
   151  	notes     map[string][]*Note
   152  
   153  	// declarations
   154  	imports map[string]int
   155  	values  []*Value // consts and vars
   156  	types   map[string]*namedType
   157  	funcs   methodSet
   158  
   159  	// support for package-local error type declarations
   160  	errorDecl bool                 // if set, type "error" was declared locally
   161  	fixlist   []*ast.InterfaceType // list of interfaces containing anonymous field "error"
   162  }
   163  
   164  func (r *reader) isVisible(name string) bool {
   165  	return r.mode&AllDecls != 0 || ast.IsExported(name)
   166  }
   167  
   168  // lookupType returns the base type with the given name.
   169  // If the base type has not been encountered yet, a new
   170  // type with the given name but no associated declaration
   171  // is added to the type map.
   172  //
   173  func (r *reader) lookupType(name string) *namedType {
   174  	if name == "" || name == "_" {
   175  		return nil // no type docs for anonymous types
   176  	}
   177  	if typ, found := r.types[name]; found {
   178  		return typ
   179  	}
   180  	// type not found - add one without declaration
   181  	typ := &namedType{
   182  		name:     name,
   183  		embedded: make(embeddedSet),
   184  		funcs:    make(methodSet),
   185  		methods:  make(methodSet),
   186  	}
   187  	r.types[name] = typ
   188  	return typ
   189  }
   190  
   191  // recordAnonymousField registers fieldType as the type of an
   192  // anonymous field in the parent type. If the field is imported
   193  // (qualified name) or the parent is nil, the field is ignored.
   194  // The function returns the field name.
   195  //
   196  func (r *reader) recordAnonymousField(parent *namedType, fieldType ast.Expr) (fname string) {
   197  	fname, imp := baseTypeName(fieldType)
   198  	if parent == nil || imp {
   199  		return
   200  	}
   201  	if ftype := r.lookupType(fname); ftype != nil {
   202  		ftype.isEmbedded = true
   203  		_, ptr := fieldType.(*ast.StarExpr)
   204  		parent.embedded[ftype] = ptr
   205  	}
   206  	return
   207  }
   208  
   209  func (r *reader) readDoc(comment *ast.CommentGroup) {
   210  	// By convention there should be only one package comment
   211  	// but collect all of them if there are more then one.
   212  	text := comment.Text()
   213  	if r.doc == "" {
   214  		r.doc = text
   215  		return
   216  	}
   217  	r.doc += "\n" + text
   218  }
   219  
   220  func (r *reader) remember(typ *ast.InterfaceType) {
   221  	r.fixlist = append(r.fixlist, typ)
   222  }
   223  
   224  func specNames(specs []ast.Spec) []string {
   225  	names := make([]string, 0, len(specs)) // reasonable estimate
   226  	for _, s := range specs {
   227  		// s guaranteed to be an *ast.ValueSpec by readValue
   228  		for _, ident := range s.(*ast.ValueSpec).Names {
   229  			names = append(names, ident.Name)
   230  		}
   231  	}
   232  	return names
   233  }
   234  
   235  // readValue processes a const or var declaration.
   236  //
   237  func (r *reader) readValue(decl *ast.GenDecl) {
   238  	// determine if decl should be associated with a type
   239  	// Heuristic: For each typed entry, determine the type name, if any.
   240  	//            If there is exactly one type name that is sufficiently
   241  	//            frequent, associate the decl with the respective type.
   242  	domName := ""
   243  	domFreq := 0
   244  	prev := ""
   245  	n := 0
   246  	for _, spec := range decl.Specs {
   247  		s, ok := spec.(*ast.ValueSpec)
   248  		if !ok {
   249  			continue // should not happen, but be conservative
   250  		}
   251  		name := ""
   252  		switch {
   253  		case s.Type != nil:
   254  			// a type is present; determine its name
   255  			if n, imp := baseTypeName(s.Type); !imp {
   256  				name = n
   257  			}
   258  		case decl.Tok == token.CONST:
   259  			// no type is present but we have a constant declaration;
   260  			// use the previous type name (w/o more type information
   261  			// we cannot handle the case of unnamed variables with
   262  			// initializer expressions except for some trivial cases)
   263  			name = prev
   264  		}
   265  		if name != "" {
   266  			// entry has a named type
   267  			if domName != "" && domName != name {
   268  				// more than one type name - do not associate
   269  				// with any type
   270  				domName = ""
   271  				break
   272  			}
   273  			domName = name
   274  			domFreq++
   275  		}
   276  		prev = name
   277  		n++
   278  	}
   279  
   280  	// nothing to do w/o a legal declaration
   281  	if n == 0 {
   282  		return
   283  	}
   284  
   285  	// determine values list with which to associate the Value for this decl
   286  	values := &r.values
   287  	const threshold = 0.75
   288  	if domName != "" && r.isVisible(domName) && domFreq >= int(float64(len(decl.Specs))*threshold) {
   289  		// typed entries are sufficiently frequent
   290  		if typ := r.lookupType(domName); typ != nil {
   291  			values = &typ.values // associate with that type
   292  		}
   293  	}
   294  
   295  	*values = append(*values, &Value{
   296  		Doc:   decl.Doc.Text(),
   297  		Names: specNames(decl.Specs),
   298  		Decl:  decl,
   299  		order: len(*values),
   300  	})
   301  	decl.Doc = nil // doc consumed - remove from AST
   302  }
   303  
   304  // fields returns a struct's fields or an interface's methods.
   305  //
   306  func fields(typ ast.Expr) (list []*ast.Field, isStruct bool) {
   307  	var fields *ast.FieldList
   308  	switch t := typ.(type) {
   309  	case *ast.StructType:
   310  		fields = t.Fields
   311  		isStruct = true
   312  	case *ast.InterfaceType:
   313  		fields = t.Methods
   314  	}
   315  	if fields != nil {
   316  		list = fields.List
   317  	}
   318  	return
   319  }
   320  
   321  // readType processes a type declaration.
   322  //
   323  func (r *reader) readType(decl *ast.GenDecl, spec *ast.TypeSpec) {
   324  	typ := r.lookupType(spec.Name.Name)
   325  	if typ == nil {
   326  		return // no name or blank name - ignore the type
   327  	}
   328  
   329  	// A type should be added at most once, so typ.decl
   330  	// should be nil - if it is not, simply overwrite it.
   331  	typ.decl = decl
   332  
   333  	// compute documentation
   334  	doc := spec.Doc
   335  	spec.Doc = nil // doc consumed - remove from AST
   336  	if doc == nil {
   337  		// no doc associated with the spec, use the declaration doc, if any
   338  		doc = decl.Doc
   339  	}
   340  	decl.Doc = nil // doc consumed - remove from AST
   341  	typ.doc = doc.Text()
   342  
   343  	// record anonymous fields (they may contribute methods)
   344  	// (some fields may have been recorded already when filtering
   345  	// exports, but that's ok)
   346  	var list []*ast.Field
   347  	list, typ.isStruct = fields(spec.Type)
   348  	for _, field := range list {
   349  		if len(field.Names) == 0 {
   350  			r.recordAnonymousField(typ, field.Type)
   351  		}
   352  	}
   353  }
   354  
   355  // readFunc processes a func or method declaration.
   356  //
   357  func (r *reader) readFunc(fun *ast.FuncDecl) {
   358  	// strip function body
   359  	fun.Body = nil
   360  
   361  	// associate methods with the receiver type, if any
   362  	if fun.Recv != nil {
   363  		// method
   364  		recvTypeName, imp := baseTypeName(fun.Recv.List[0].Type)
   365  		if imp {
   366  			// should not happen (incorrect AST);
   367  			// don't show this method
   368  			return
   369  		}
   370  		if typ := r.lookupType(recvTypeName); typ != nil {
   371  			typ.methods.set(fun)
   372  		}
   373  		// otherwise ignore the method
   374  		// TODO(gri): There may be exported methods of non-exported types
   375  		// that can be called because of exported values (consts, vars, or
   376  		// function results) of that type. Could determine if that is the
   377  		// case and then show those methods in an appropriate section.
   378  		return
   379  	}
   380  
   381  	// associate factory functions with the first visible result type, if any
   382  	if fun.Type.Results.NumFields() >= 1 {
   383  		res := fun.Type.Results.List[0]
   384  		if len(res.Names) <= 1 {
   385  			// exactly one (named or anonymous) result associated
   386  			// with the first type in result signature (there may
   387  			// be more than one result)
   388  			if n, imp := baseTypeName(res.Type); !imp && r.isVisible(n) {
   389  				if typ := r.lookupType(n); typ != nil {
   390  					// associate function with typ
   391  					typ.funcs.set(fun)
   392  					return
   393  				}
   394  			}
   395  		}
   396  	}
   397  
   398  	// just an ordinary function
   399  	r.funcs.set(fun)
   400  }
   401  
   402  var (
   403  	noteMarker    = `([A-Z][A-Z]+)\(([^)]+)\):?`                    // MARKER(uid), MARKER at least 2 chars, uid at least 1 char
   404  	noteMarkerRx  = regexp.MustCompile(`^[ \t]*` + noteMarker)      // MARKER(uid) at text start
   405  	noteCommentRx = regexp.MustCompile(`^/[/*][ \t]*` + noteMarker) // MARKER(uid) at comment start
   406  )
   407  
   408  // readNote collects a single note from a sequence of comments.
   409  //
   410  func (r *reader) readNote(list []*ast.Comment) {
   411  	text := (&ast.CommentGroup{List: list}).Text()
   412  	if m := noteMarkerRx.FindStringSubmatchIndex(text); m != nil {
   413  		// The note body starts after the marker.
   414  		// We remove any formatting so that we don't
   415  		// get spurious line breaks/indentation when
   416  		// showing the TODO body.
   417  		body := clean(text[m[1]:])
   418  		if body != "" {
   419  			marker := text[m[2]:m[3]]
   420  			r.notes[marker] = append(r.notes[marker], &Note{
   421  				Pos:  list[0].Pos(),
   422  				End:  list[len(list)-1].End(),
   423  				UID:  text[m[4]:m[5]],
   424  				Body: body,
   425  			})
   426  		}
   427  	}
   428  }
   429  
   430  // readNotes extracts notes from comments.
   431  // A note must start at the beginning of a comment with "MARKER(uid):"
   432  // and is followed by the note body (e.g., "// BUG(gri): fix this").
   433  // The note ends at the end of the comment group or at the start of
   434  // another note in the same comment group, whichever comes first.
   435  //
   436  func (r *reader) readNotes(comments []*ast.CommentGroup) {
   437  	for _, group := range comments {
   438  		i := -1 // comment index of most recent note start, valid if >= 0
   439  		list := group.List
   440  		for j, c := range list {
   441  			if noteCommentRx.MatchString(c.Text) {
   442  				if i >= 0 {
   443  					r.readNote(list[i:j])
   444  				}
   445  				i = j
   446  			}
   447  		}
   448  		if i >= 0 {
   449  			r.readNote(list[i:])
   450  		}
   451  	}
   452  }
   453  
   454  // readFile adds the AST for a source file to the reader.
   455  //
   456  func (r *reader) readFile(src *ast.File) {
   457  	// add package documentation
   458  	if src.Doc != nil {
   459  		r.readDoc(src.Doc)
   460  		src.Doc = nil // doc consumed - remove from AST
   461  	}
   462  
   463  	// add all declarations
   464  	for _, decl := range src.Decls {
   465  		switch d := decl.(type) {
   466  		case *ast.GenDecl:
   467  			switch d.Tok {
   468  			case token.IMPORT:
   469  				// imports are handled individually
   470  				for _, spec := range d.Specs {
   471  					if s, ok := spec.(*ast.ImportSpec); ok {
   472  						if import_, err := strconv.Unquote(s.Path.Value); err == nil {
   473  							r.imports[import_] = 1
   474  						}
   475  					}
   476  				}
   477  			case token.CONST, token.VAR:
   478  				// constants and variables are always handled as a group
   479  				r.readValue(d)
   480  			case token.TYPE:
   481  				// types are handled individually
   482  				if len(d.Specs) == 1 && !d.Lparen.IsValid() {
   483  					// common case: single declaration w/o parentheses
   484  					// (if a single declaration is parenthesized,
   485  					// create a new fake declaration below, so that
   486  					// go/doc type declarations always appear w/o
   487  					// parentheses)
   488  					if s, ok := d.Specs[0].(*ast.TypeSpec); ok {
   489  						r.readType(d, s)
   490  					}
   491  					break
   492  				}
   493  				for _, spec := range d.Specs {
   494  					if s, ok := spec.(*ast.TypeSpec); ok {
   495  						// use an individual (possibly fake) declaration
   496  						// for each type; this also ensures that each type
   497  						// gets to (re-)use the declaration documentation
   498  						// if there's none associated with the spec itself
   499  						fake := &ast.GenDecl{
   500  							Doc: d.Doc,
   501  							// don't use the existing TokPos because it
   502  							// will lead to the wrong selection range for
   503  							// the fake declaration if there are more
   504  							// than one type in the group (this affects
   505  							// src/cmd/godoc/godoc.go's posLink_urlFunc)
   506  							TokPos: s.Pos(),
   507  							Tok:    token.TYPE,
   508  							Specs:  []ast.Spec{s},
   509  						}
   510  						r.readType(fake, s)
   511  					}
   512  				}
   513  			}
   514  		case *ast.FuncDecl:
   515  			r.readFunc(d)
   516  		}
   517  	}
   518  
   519  	// collect MARKER(...): annotations
   520  	r.readNotes(src.Comments)
   521  	src.Comments = nil // consumed unassociated comments - remove from AST
   522  }
   523  
   524  func (r *reader) readPackage(pkg *ast.Package, mode Mode) {
   525  	// initialize reader
   526  	r.filenames = make([]string, len(pkg.Files))
   527  	r.imports = make(map[string]int)
   528  	r.mode = mode
   529  	r.types = make(map[string]*namedType)
   530  	r.funcs = make(methodSet)
   531  	r.notes = make(map[string][]*Note)
   532  
   533  	// sort package files before reading them so that the
   534  	// result does not depend on map iteration order
   535  	i := 0
   536  	for filename := range pkg.Files {
   537  		r.filenames[i] = filename
   538  		i++
   539  	}
   540  	sort.Strings(r.filenames)
   541  
   542  	// process files in sorted order
   543  	for _, filename := range r.filenames {
   544  		f := pkg.Files[filename]
   545  		if mode&AllDecls == 0 {
   546  			r.fileExports(f)
   547  		}
   548  		r.readFile(f)
   549  	}
   550  }
   551  
   552  // ----------------------------------------------------------------------------
   553  // Types
   554  
   555  func customizeRecv(f *Func, recvTypeName string, embeddedIsPtr bool, level int) *Func {
   556  	if f == nil || f.Decl == nil || f.Decl.Recv == nil || len(f.Decl.Recv.List) != 1 {
   557  		return f // shouldn't happen, but be safe
   558  	}
   559  
   560  	// copy existing receiver field and set new type
   561  	newField := *f.Decl.Recv.List[0]
   562  	origPos := newField.Type.Pos()
   563  	_, origRecvIsPtr := newField.Type.(*ast.StarExpr)
   564  	newIdent := &ast.Ident{NamePos: origPos, Name: recvTypeName}
   565  	var typ ast.Expr = newIdent
   566  	if !embeddedIsPtr && origRecvIsPtr {
   567  		newIdent.NamePos++ // '*' is one character
   568  		typ = &ast.StarExpr{Star: origPos, X: newIdent}
   569  	}
   570  	newField.Type = typ
   571  
   572  	// copy existing receiver field list and set new receiver field
   573  	newFieldList := *f.Decl.Recv
   574  	newFieldList.List = []*ast.Field{&newField}
   575  
   576  	// copy existing function declaration and set new receiver field list
   577  	newFuncDecl := *f.Decl
   578  	newFuncDecl.Recv = &newFieldList
   579  
   580  	// copy existing function documentation and set new declaration
   581  	newF := *f
   582  	newF.Decl = &newFuncDecl
   583  	newF.Recv = recvString(typ)
   584  	// the Orig field never changes
   585  	newF.Level = level
   586  
   587  	return &newF
   588  }
   589  
   590  // collectEmbeddedMethods collects the embedded methods of typ in mset.
   591  //
   592  func (r *reader) collectEmbeddedMethods(mset methodSet, typ *namedType, recvTypeName string, embeddedIsPtr bool, level int, visited embeddedSet) {
   593  	visited[typ] = true
   594  	for embedded, isPtr := range typ.embedded {
   595  		// Once an embedded type is embedded as a pointer type
   596  		// all embedded types in those types are treated like
   597  		// pointer types for the purpose of the receiver type
   598  		// computation; i.e., embeddedIsPtr is sticky for this
   599  		// embedding hierarchy.
   600  		thisEmbeddedIsPtr := embeddedIsPtr || isPtr
   601  		for _, m := range embedded.methods {
   602  			// only top-level methods are embedded
   603  			if m.Level == 0 {
   604  				mset.add(customizeRecv(m, recvTypeName, thisEmbeddedIsPtr, level))
   605  			}
   606  		}
   607  		if !visited[embedded] {
   608  			r.collectEmbeddedMethods(mset, embedded, recvTypeName, thisEmbeddedIsPtr, level+1, visited)
   609  		}
   610  	}
   611  	delete(visited, typ)
   612  }
   613  
   614  // computeMethodSets determines the actual method sets for each type encountered.
   615  //
   616  func (r *reader) computeMethodSets() {
   617  	for _, t := range r.types {
   618  		// collect embedded methods for t
   619  		if t.isStruct {
   620  			// struct
   621  			r.collectEmbeddedMethods(t.methods, t, t.name, false, 1, make(embeddedSet))
   622  		} else {
   623  			// interface
   624  			// TODO(gri) fix this
   625  		}
   626  	}
   627  
   628  	// if error was declared locally, don't treat it as exported field anymore
   629  	if r.errorDecl {
   630  		for _, ityp := range r.fixlist {
   631  			removeErrorField(ityp)
   632  		}
   633  	}
   634  }
   635  
   636  // cleanupTypes removes the association of functions and methods with
   637  // types that have no declaration. Instead, these functions and methods
   638  // are shown at the package level. It also removes types with missing
   639  // declarations or which are not visible.
   640  //
   641  func (r *reader) cleanupTypes() {
   642  	for _, t := range r.types {
   643  		visible := r.isVisible(t.name)
   644  		if t.decl == nil && (predeclaredTypes[t.name] || t.isEmbedded && visible) {
   645  			// t.name is a predeclared type (and was not redeclared in this package),
   646  			// or it was embedded somewhere but its declaration is missing (because
   647  			// the AST is incomplete): move any associated values, funcs, and methods
   648  			// back to the top-level so that they are not lost.
   649  			// 1) move values
   650  			r.values = append(r.values, t.values...)
   651  			// 2) move factory functions
   652  			for name, f := range t.funcs {
   653  				// in a correct AST, package-level function names
   654  				// are all different - no need to check for conflicts
   655  				r.funcs[name] = f
   656  			}
   657  			// 3) move methods
   658  			for name, m := range t.methods {
   659  				// don't overwrite functions with the same name - drop them
   660  				if _, found := r.funcs[name]; !found {
   661  					r.funcs[name] = m
   662  				}
   663  			}
   664  		}
   665  		// remove types w/o declaration or which are not visible
   666  		if t.decl == nil || !visible {
   667  			delete(r.types, t.name)
   668  		}
   669  	}
   670  }
   671  
   672  // ----------------------------------------------------------------------------
   673  // Sorting
   674  
   675  type data struct {
   676  	n    int
   677  	swap func(i, j int)
   678  	less func(i, j int) bool
   679  }
   680  
   681  func (d *data) Len() int           { return d.n }
   682  func (d *data) Swap(i, j int)      { d.swap(i, j) }
   683  func (d *data) Less(i, j int) bool { return d.less(i, j) }
   684  
   685  // sortBy is a helper function for sorting
   686  func sortBy(less func(i, j int) bool, swap func(i, j int), n int) {
   687  	sort.Sort(&data{n, swap, less})
   688  }
   689  
   690  func sortedKeys(m map[string]int) []string {
   691  	list := make([]string, len(m))
   692  	i := 0
   693  	for key := range m {
   694  		list[i] = key
   695  		i++
   696  	}
   697  	sort.Strings(list)
   698  	return list
   699  }
   700  
   701  // sortingName returns the name to use when sorting d into place.
   702  //
   703  func sortingName(d *ast.GenDecl) string {
   704  	if len(d.Specs) == 1 {
   705  		if s, ok := d.Specs[0].(*ast.ValueSpec); ok {
   706  			return s.Names[0].Name
   707  		}
   708  	}
   709  	return ""
   710  }
   711  
   712  func sortedValues(m []*Value, tok token.Token) []*Value {
   713  	list := make([]*Value, len(m)) // big enough in any case
   714  	i := 0
   715  	for _, val := range m {
   716  		if val.Decl.Tok == tok {
   717  			list[i] = val
   718  			i++
   719  		}
   720  	}
   721  	list = list[0:i]
   722  
   723  	sortBy(
   724  		func(i, j int) bool {
   725  			if ni, nj := sortingName(list[i].Decl), sortingName(list[j].Decl); ni != nj {
   726  				return ni < nj
   727  			}
   728  			return list[i].order < list[j].order
   729  		},
   730  		func(i, j int) { list[i], list[j] = list[j], list[i] },
   731  		len(list),
   732  	)
   733  
   734  	return list
   735  }
   736  
   737  func sortedTypes(m map[string]*namedType, allMethods bool) []*Type {
   738  	list := make([]*Type, len(m))
   739  	i := 0
   740  	for _, t := range m {
   741  		list[i] = &Type{
   742  			Doc:     t.doc,
   743  			Name:    t.name,
   744  			Decl:    t.decl,
   745  			Consts:  sortedValues(t.values, token.CONST),
   746  			Vars:    sortedValues(t.values, token.VAR),
   747  			Funcs:   sortedFuncs(t.funcs, true),
   748  			Methods: sortedFuncs(t.methods, allMethods),
   749  		}
   750  		i++
   751  	}
   752  
   753  	sortBy(
   754  		func(i, j int) bool { return list[i].Name < list[j].Name },
   755  		func(i, j int) { list[i], list[j] = list[j], list[i] },
   756  		len(list),
   757  	)
   758  
   759  	return list
   760  }
   761  
   762  func removeStar(s string) string {
   763  	if len(s) > 0 && s[0] == '*' {
   764  		return s[1:]
   765  	}
   766  	return s
   767  }
   768  
   769  func sortedFuncs(m methodSet, allMethods bool) []*Func {
   770  	list := make([]*Func, len(m))
   771  	i := 0
   772  	for _, m := range m {
   773  		// determine which methods to include
   774  		switch {
   775  		case m.Decl == nil:
   776  			// exclude conflict entry
   777  		case allMethods, m.Level == 0, !ast.IsExported(removeStar(m.Orig)):
   778  			// forced inclusion, method not embedded, or method
   779  			// embedded but original receiver type not exported
   780  			list[i] = m
   781  			i++
   782  		}
   783  	}
   784  	list = list[0:i]
   785  	sortBy(
   786  		func(i, j int) bool { return list[i].Name < list[j].Name },
   787  		func(i, j int) { list[i], list[j] = list[j], list[i] },
   788  		len(list),
   789  	)
   790  	return list
   791  }
   792  
   793  // noteBodies returns a list of note body strings given a list of notes.
   794  // This is only used to populate the deprecated Package.Bugs field.
   795  //
   796  func noteBodies(notes []*Note) []string {
   797  	var list []string
   798  	for _, n := range notes {
   799  		list = append(list, n.Body)
   800  	}
   801  	return list
   802  }
   803  
   804  // ----------------------------------------------------------------------------
   805  // Predeclared identifiers
   806  
   807  var predeclaredTypes = map[string]bool{
   808  	"bool":       true,
   809  	"byte":       true,
   810  	"complex64":  true,
   811  	"complex128": true,
   812  	"error":      true,
   813  	"float32":    true,
   814  	"float64":    true,
   815  	"int":        true,
   816  	"int8":       true,
   817  	"int16":      true,
   818  	"int32":      true,
   819  	"int64":      true,
   820  	"rune":       true,
   821  	"string":     true,
   822  	"uint":       true,
   823  	"uint8":      true,
   824  	"uint16":     true,
   825  	"uint32":     true,
   826  	"uint64":     true,
   827  	"uintptr":    true,
   828  }
   829  
   830  var predeclaredFuncs = map[string]bool{
   831  	"append":  true,
   832  	"cap":     true,
   833  	"close":   true,
   834  	"complex": true,
   835  	"copy":    true,
   836  	"delete":  true,
   837  	"imag":    true,
   838  	"len":     true,
   839  	"make":    true,
   840  	"new":     true,
   841  	"panic":   true,
   842  	"print":   true,
   843  	"println": true,
   844  	"real":    true,
   845  	"recover": true,
   846  }
   847  
   848  var predeclaredConstants = map[string]bool{
   849  	"false": true,
   850  	"iota":  true,
   851  	"nil":   true,
   852  	"true":  true,
   853  }