Source file src/cmd/compile/internal/types2/typestring.go

     1  // Copyright 2013 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  // This file implements printing of types.
     6  
     7  package types2
     8  
     9  import (
    10  	"bytes"
    11  	"fmt"
    12  	"slices"
    13  	"strconv"
    14  	"strings"
    15  	"unicode/utf8"
    16  )
    17  
    18  // A Qualifier controls how named package-level objects are printed in
    19  // calls to [TypeString], [ObjectString], and [SelectionString].
    20  //
    21  // These three formatting routines call the Qualifier for each
    22  // package-level object O, and if the Qualifier returns a non-empty
    23  // string p, the object is printed in the form p.O.
    24  // If it returns an empty string, only the object name O is printed.
    25  //
    26  // Using a nil Qualifier is equivalent to using (*[Package]).Path: the
    27  // object is qualified by the import path, e.g., "encoding/json.Marshal".
    28  type Qualifier func(*Package) string
    29  
    30  // RelativeTo returns a [Qualifier] that fully qualifies members of
    31  // all packages other than pkg.
    32  func RelativeTo(pkg *Package) Qualifier {
    33  	if pkg == nil {
    34  		return nil
    35  	}
    36  	return func(other *Package) string {
    37  		if pkg == other {
    38  			return "" // same package; unqualified
    39  		}
    40  		return other.Path()
    41  	}
    42  }
    43  
    44  // TypeString returns the string representation of typ.
    45  // The [Qualifier] controls the printing of
    46  // package-level objects, and may be nil.
    47  func TypeString(typ Type, qf Qualifier) string {
    48  	var buf bytes.Buffer
    49  	WriteType(&buf, typ, qf)
    50  	return buf.String()
    51  }
    52  
    53  // WriteType writes the string representation of typ to buf.
    54  // The [Qualifier] controls the printing of
    55  // package-level objects, and may be nil.
    56  func WriteType(buf *bytes.Buffer, typ Type, qf Qualifier) {
    57  	newTypeWriter(buf, qf).typ(typ)
    58  }
    59  
    60  // WriteSignature writes the representation of the signature sig to buf,
    61  // without a leading "func" keyword. The [Qualifier] controls the printing
    62  // of package-level objects, and may be nil.
    63  func WriteSignature(buf *bytes.Buffer, sig *Signature, qf Qualifier) {
    64  	newTypeWriter(buf, qf).signature(sig)
    65  }
    66  
    67  type typeWriter struct {
    68  	buf          *bytes.Buffer
    69  	seen         map[Type]bool
    70  	qf           Qualifier
    71  	ctxt         *Context       // if non-nil, we are type hashing
    72  	tparams      *TypeParamList // local type parameters
    73  	paramNames   bool           // if set, write function parameter names, otherwise, write types only
    74  	tpSubscripts bool           // if set, write type parameter indices as subscripts
    75  	pkgInfo      bool           // package-annotate first unexported-type field to avoid confusing type description
    76  }
    77  
    78  func newTypeWriter(buf *bytes.Buffer, qf Qualifier) *typeWriter {
    79  	return &typeWriter{buf, make(map[Type]bool), qf, nil, nil, true, false, false}
    80  }
    81  
    82  func newTypeHasher(buf *bytes.Buffer, ctxt *Context) *typeWriter {
    83  	assert(ctxt != nil)
    84  	return &typeWriter{buf, make(map[Type]bool), nil, ctxt, nil, false, false, false}
    85  }
    86  
    87  func (w *typeWriter) byte(b byte) {
    88  	if w.ctxt != nil {
    89  		if b == ' ' {
    90  			b = '#'
    91  		}
    92  		w.buf.WriteByte(b)
    93  		return
    94  	}
    95  	w.buf.WriteByte(b)
    96  	if b == ',' || b == ';' {
    97  		w.buf.WriteByte(' ')
    98  	}
    99  }
   100  
   101  func (w *typeWriter) string(s string) {
   102  	w.buf.WriteString(s)
   103  }
   104  
   105  func (w *typeWriter) error(msg string) {
   106  	if w.ctxt != nil {
   107  		panic(msg)
   108  	}
   109  	w.buf.WriteString("<" + msg + ">")
   110  }
   111  
   112  func (w *typeWriter) typ(typ Type) {
   113  	if w.seen[typ] {
   114  		w.error("cycle to " + goTypeName(typ))
   115  		return
   116  	}
   117  	w.seen[typ] = true
   118  	defer delete(w.seen, typ)
   119  
   120  	switch t := typ.(type) {
   121  	case nil:
   122  		w.error("nil")
   123  
   124  	case *Basic:
   125  		// exported basic types go into package unsafe
   126  		// (currently this is just unsafe.Pointer)
   127  		if isExported(t.name) {
   128  			if obj, _ := Unsafe.scope.Lookup(t.name).(*TypeName); obj != nil {
   129  				w.typeName(obj)
   130  				break
   131  			}
   132  		}
   133  		w.string(t.name)
   134  
   135  	case *Array:
   136  		w.byte('[')
   137  		w.string(strconv.FormatInt(t.len, 10))
   138  		w.byte(']')
   139  		w.typ(t.elem)
   140  
   141  	case *Slice:
   142  		w.string("[]")
   143  		w.typ(t.elem)
   144  
   145  	case *Struct:
   146  		w.string("struct{")
   147  		for i, f := range t.fields {
   148  			if i > 0 {
   149  				w.byte(';')
   150  			}
   151  
   152  			// If disambiguating one struct for another, look for the first unexported field.
   153  			// Do this first in case of nested structs; tag the first-outermost field.
   154  			pkgAnnotate := false
   155  			if w.qf == nil && w.pkgInfo && !isExported(f.name) {
   156  				// note for embedded types, type name is field name, and "string" etc are lower case hence unexported.
   157  				pkgAnnotate = true
   158  				w.pkgInfo = false // only tag once
   159  			}
   160  
   161  			// This doesn't do the right thing for embedded type
   162  			// aliases where we should print the alias name, not
   163  			// the aliased type (see go.dev/issue/44410).
   164  			if !f.embedded {
   165  				w.string(f.name)
   166  				w.byte(' ')
   167  			}
   168  			w.typ(f.typ)
   169  			if pkgAnnotate {
   170  				w.string(" /* package ")
   171  				w.string(f.pkg.Path())
   172  				w.string(" */ ")
   173  			}
   174  			if tag := t.Tag(i); tag != "" {
   175  				w.byte(' ')
   176  				// TODO(gri) If tag contains blanks, replacing them with '#'
   177  				//           in Context.TypeHash may produce another tag
   178  				//           accidentally.
   179  				w.string(strconv.Quote(tag))
   180  			}
   181  		}
   182  		w.byte('}')
   183  
   184  	case *Pointer:
   185  		w.byte('*')
   186  		w.typ(t.base)
   187  
   188  	case *Tuple:
   189  		w.tuple(t, false)
   190  
   191  	case *Signature:
   192  		w.string("func")
   193  		w.signature(t)
   194  
   195  	case *Union:
   196  		// Unions only appear as (syntactic) embedded elements
   197  		// in interfaces and syntactically cannot be empty.
   198  		if t.Len() == 0 {
   199  			w.error("empty union")
   200  			break
   201  		}
   202  		for i, t := range t.terms {
   203  			if i > 0 {
   204  				w.string(termSep)
   205  			}
   206  			if t.tilde {
   207  				w.byte('~')
   208  			}
   209  			w.typ(t.typ)
   210  		}
   211  
   212  	case *Interface:
   213  		if w.ctxt == nil {
   214  			if t == asNamed(universeComparable.Type()).underlying {
   215  				w.string("interface{comparable}")
   216  				break
   217  			}
   218  		}
   219  		if t.implicit {
   220  			if len(t.methods) == 0 && len(t.embeddeds) == 1 {
   221  				w.typ(t.embeddeds[0])
   222  				break
   223  			}
   224  			// Something's wrong with the implicit interface.
   225  			// Print it as such and continue.
   226  			w.string("/* implicit */ ")
   227  		}
   228  		w.string("interface{")
   229  		first := true
   230  		if w.ctxt != nil {
   231  			w.typeSet(t.typeSet())
   232  		} else {
   233  			for _, m := range t.methods {
   234  				if !first {
   235  					w.byte(';')
   236  				}
   237  				first = false
   238  				w.string(m.name)
   239  				w.signature(m.typ.(*Signature))
   240  			}
   241  			for _, typ := range t.embeddeds {
   242  				if !first {
   243  					w.byte(';')
   244  				}
   245  				first = false
   246  				w.typ(typ)
   247  			}
   248  		}
   249  		w.byte('}')
   250  
   251  	case *Map:
   252  		w.string("map[")
   253  		w.typ(t.key)
   254  		w.byte(']')
   255  		w.typ(t.elem)
   256  
   257  	case *Chan:
   258  		var s string
   259  		var parens bool
   260  		switch t.dir {
   261  		case SendRecv:
   262  			s = "chan "
   263  			// chan (<-chan T) requires parentheses
   264  			if c, _ := t.elem.(*Chan); c != nil && c.dir == RecvOnly {
   265  				parens = true
   266  			}
   267  		case SendOnly:
   268  			s = "chan<- "
   269  		case RecvOnly:
   270  			s = "<-chan "
   271  		default:
   272  			w.error("unknown channel direction")
   273  		}
   274  		w.string(s)
   275  		if parens {
   276  			w.byte('(')
   277  		}
   278  		w.typ(t.elem)
   279  		if parens {
   280  			w.byte(')')
   281  		}
   282  
   283  	case *Named:
   284  		// If hashing, write a unique prefix for t to represent its identity, since
   285  		// named type identity is pointer identity.
   286  		if w.ctxt != nil {
   287  			w.string(strconv.Itoa(w.ctxt.getID(t)))
   288  		}
   289  		w.typeName(t.obj) // when hashing written for readability of the hash only
   290  		if t.inst != nil {
   291  			// instantiated type
   292  			w.typeList(t.inst.targs.list())
   293  		} else if w.ctxt == nil && t.TypeParams().Len() != 0 { // For type hashing, don't need to format the TypeParams
   294  			// parameterized type
   295  			w.tParamList(t.TypeParams().list())
   296  		}
   297  
   298  	case *TypeParam:
   299  		if t.obj == nil {
   300  			w.error("unnamed type parameter")
   301  			break
   302  		}
   303  		if i := slices.Index(w.tparams.list(), t); i >= 0 {
   304  			// The names of type parameters that are declared by the type being
   305  			// hashed are not part of the type identity. Replace them with a
   306  			// placeholder indicating their index.
   307  			w.string(fmt.Sprintf("$%d", i))
   308  		} else {
   309  			w.string(t.obj.name)
   310  			if w.tpSubscripts || w.ctxt != nil {
   311  				w.string(subscript(t.id))
   312  			}
   313  			// If the type parameter name is the same as a predeclared object
   314  			// (say int), point out where it is declared to avoid confusing
   315  			// error messages. This doesn't need to be super-elegant; we just
   316  			// need a clear indication that this is not a predeclared name.
   317  			if w.ctxt == nil && Universe.Lookup(t.obj.name) != nil {
   318  				if isTypes2 {
   319  					w.string(fmt.Sprintf(" /* with %s declared at %v */", t.obj.name, t.obj.Pos()))
   320  				} else {
   321  					// Can't print position information because
   322  					// we don't have a token.FileSet accessible.
   323  					w.string("/* type parameter */")
   324  				}
   325  			}
   326  		}
   327  
   328  	case *Alias:
   329  		w.typeName(t.obj)
   330  		if list := t.targs.list(); len(list) != 0 {
   331  			// instantiated type
   332  			w.typeList(list)
   333  		} else if w.ctxt == nil && t.TypeParams().Len() != 0 { // For type hashing, don't need to format the TypeParams
   334  			// parameterized type
   335  			w.tParamList(t.TypeParams().list())
   336  		}
   337  		if w.ctxt != nil {
   338  			// TODO(gri) do we need to print the alias type name, too?
   339  			w.typ(Unalias(t.obj.typ))
   340  		}
   341  
   342  	default:
   343  		// For externally defined implementations of Type.
   344  		// Note: In this case cycles won't be caught.
   345  		w.string(t.String())
   346  	}
   347  }
   348  
   349  // typeSet writes a canonical hash for an interface type set.
   350  func (w *typeWriter) typeSet(s *_TypeSet) {
   351  	assert(w.ctxt != nil)
   352  	first := true
   353  	for _, m := range s.methods {
   354  		if !first {
   355  			w.byte(';')
   356  		}
   357  		first = false
   358  		w.string(m.name)
   359  		w.signature(m.typ.(*Signature))
   360  	}
   361  	switch {
   362  	case s.terms.isAll():
   363  		// nothing to do
   364  	case s.terms.isEmpty():
   365  		w.string(s.terms.String())
   366  	default:
   367  		var termHashes []string
   368  		for _, term := range s.terms {
   369  			// terms are not canonically sorted, so we sort their hashes instead.
   370  			var buf bytes.Buffer
   371  			if term.tilde {
   372  				buf.WriteByte('~')
   373  			}
   374  			newTypeHasher(&buf, w.ctxt).typ(term.typ)
   375  			termHashes = append(termHashes, buf.String())
   376  		}
   377  		slices.Sort(termHashes)
   378  		if !first {
   379  			w.byte(';')
   380  		}
   381  		w.string(strings.Join(termHashes, "|"))
   382  	}
   383  }
   384  
   385  func (w *typeWriter) typeList(list []Type) {
   386  	w.byte('[')
   387  	for i, typ := range list {
   388  		if i > 0 {
   389  			w.byte(',')
   390  		}
   391  		w.typ(typ)
   392  	}
   393  	w.byte(']')
   394  }
   395  
   396  func (w *typeWriter) tParamList(list []*TypeParam) {
   397  	w.byte('[')
   398  	var prev Type
   399  	for i, tpar := range list {
   400  		// Determine the type parameter and its constraint.
   401  		// list is expected to hold type parameter names,
   402  		// but don't crash if that's not the case.
   403  		if tpar == nil {
   404  			w.error("nil type parameter")
   405  			continue
   406  		}
   407  		if i > 0 {
   408  			if tpar.bound != prev {
   409  				// bound changed - write previous one before advancing
   410  				w.byte(' ')
   411  				w.typ(prev)
   412  			}
   413  			w.byte(',')
   414  		}
   415  		prev = tpar.bound
   416  		w.typ(tpar)
   417  	}
   418  	if prev != nil {
   419  		w.byte(' ')
   420  		w.typ(prev)
   421  	}
   422  	w.byte(']')
   423  }
   424  
   425  func (w *typeWriter) typeName(obj *TypeName) {
   426  	w.string(packagePrefix(obj.pkg, w.qf))
   427  	w.string(obj.name)
   428  }
   429  
   430  func (w *typeWriter) tuple(tup *Tuple, variadic bool) {
   431  	w.byte('(')
   432  	if tup != nil {
   433  		for i, v := range tup.vars {
   434  			if i > 0 {
   435  				w.byte(',')
   436  			}
   437  			// parameter names are ignored for type identity and thus type hashes
   438  			if w.ctxt == nil && v.name != "" && w.paramNames {
   439  				w.string(v.name)
   440  				w.byte(' ')
   441  			}
   442  			typ := v.typ
   443  			if variadic && i == len(tup.vars)-1 {
   444  				if slice, ok := typ.(*Slice); ok {
   445  					w.string("...")
   446  					w.typ(slice.elem)
   447  				} else {
   448  					// append(slice, str...) entails various special
   449  					// cases, especially in conjunction with generics.
   450  					// str may be:
   451  					// - a string,
   452  					// - a TypeParam whose typeset includes string, or
   453  					// - a named []byte slice type B resulting from
   454  					//   a client instantiating append([]byte, T) at T=B.
   455  					// For such cases we use the irregular notation
   456  					// func([]byte, T...), with the dots after the type.
   457  					w.typ(typ)
   458  					w.string("...")
   459  				}
   460  			} else {
   461  				w.typ(typ)
   462  			}
   463  		}
   464  	}
   465  	w.byte(')')
   466  }
   467  
   468  func (w *typeWriter) signature(sig *Signature) {
   469  	if sig.TypeParams().Len() != 0 {
   470  		if w.ctxt != nil {
   471  			assert(w.tparams == nil)
   472  			w.tparams = sig.TypeParams()
   473  			defer func() {
   474  				w.tparams = nil
   475  			}()
   476  		}
   477  		w.tParamList(sig.TypeParams().list())
   478  	}
   479  
   480  	w.tuple(sig.params, sig.variadic)
   481  
   482  	n := sig.results.Len()
   483  	if n == 0 {
   484  		// no result
   485  		return
   486  	}
   487  
   488  	w.byte(' ')
   489  	if n == 1 && (w.ctxt != nil || sig.results.vars[0].name == "") {
   490  		// single unnamed result (if type hashing, name must be ignored)
   491  		w.typ(sig.results.vars[0].typ)
   492  		return
   493  	}
   494  
   495  	// multiple or named result(s)
   496  	w.tuple(sig.results, false)
   497  }
   498  
   499  // subscript returns the decimal (utf8) representation of x using subscript digits.
   500  func subscript(x uint64) string {
   501  	const w = len("₀") // all digits 0...9 have the same utf8 width
   502  	var buf [32 * w]byte
   503  	i := len(buf)
   504  	for {
   505  		i -= w
   506  		utf8.EncodeRune(buf[i:], '₀'+rune(x%10)) // '₀' == U+2080
   507  		x /= 10
   508  		if x == 0 {
   509  			break
   510  		}
   511  	}
   512  	return string(buf[i:])
   513  }
   514  

View as plain text