godoc

package
v0.1.4 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Aug 22, 2021 License: BSD-3-Clause Imports: 42 Imported by: 0

README

godoc

This directory contains most of the code for running a godoc server. The executable lives at golang.org/x/tools/cmd/godoc.

Development mode

In production, CSS/JS/template assets need to be compiled into the godoc binary. It can be tedious to recompile assets every time, but you can pass a flag to load CSS/JS/templates from disk every time a page loads:

godoc -templates=$GOPATH/src/golang.org/x/tools/godoc/static -http=:6060

Recompiling static assets

The files that live at static/style.css, static/jquery.js and so on are not present in the final binary. They are placed into static/static.go by running go generate. So to compile a change and test it in your browser:

  1. Make changes to e.g. static/style.css.

  2. Run go generate golang.org/x/tools/godoc/static so static/static.go picks up the change.

  3. Run go install golang.org/x/tools/cmd/godoc so the compiled godoc binary picks up the change.

  4. Run godoc -http=:6060 and view your changes in the browser. You may need to disable your browser's cache to avoid reloading a stale file.

Documentation

Overview

Package godoc is a work-in-progress (2013-07-17) package to begin splitting up the godoc binary into multiple pieces.

This package comment will evolve over time as this package splits into smaller pieces.

Index

Constants

This section is empty.

Variables

View Source
var ErrFileIndexVersion = errors.New("file index version out of date")

Functions

func FormatSelections

func FormatSelections(w io.Writer, text []byte, lw LinkWriter, links Selection, sw SegmentWriter, selections ...Selection)

FormatSelections takes a text and writes it to w using link and segment writers lw and sw as follows: lw is invoked for consecutive segment starts and ends as specified through the links selection, and sw is invoked for consecutive segments of text overlapped by the same selections as specified by selections. The link writer lw may be nil, in which case the links Selection is ignored.

func FormatText

func FormatText(w io.Writer, text []byte, line int, goSource bool, pattern string, selection Selection)

FormatText HTML-escapes text and writes it to w. Consecutive text segments are wrapped in HTML spans (with tags as defined by startTags and endTag) as follows:

  • if line >= 0, line number (ln) spans are inserted before each line, starting with the value of line
  • if the text is Go source, comments get the "comment" span class
  • each occurrence of the regular expression pattern gets the "highlight" span class
  • text segments covered by selection get the "selection" span class

Comments, highlights, and selections may overlap arbitrarily; the respective HTML span classes are specified in the startTags variable.

func Linkify

func Linkify(out io.Writer, src []byte)

func LinkifyText

func LinkifyText(w io.Writer, text []byte, n ast.Node)

LinkifyText HTML-escapes source text and writes it to w. Identifiers that are in a "use" position (i.e., that are not being declared), are wrapped with HTML links pointing to the respective declaration, if possible. Comments are formatted the same way as with FormatText.

Types

type AltWords

type AltWords struct {
	Canon string   // canonical word spelling (all lowercase)
	Alts  []string // alternative spelling for the same word
}

An AltWords describes a list of alternative spellings for a canonical (all lowercase) spelling of a word.

type Corpus

type Corpus struct {

	// Verbose logging.
	Verbose bool

	// IndexEnabled controls whether indexing is enabled.
	IndexEnabled bool

	// IndexFiles specifies a glob pattern specifying index files.
	// If not empty, the index is read from these files in sorted
	// order.
	IndexFiles string

	// IndexThrottle specifies the indexing throttle value
	// between 0.0 and 1.0. At 0.0, the indexer always sleeps.
	// At 1.0, the indexer never sleeps. Because 0.0 is useless
	// and redundant with setting IndexEnabled to false, the
	// zero value for IndexThrottle means 0.9.
	IndexThrottle float64

	// IndexInterval specifies the time to sleep between reindexing
	// all the sources.
	// If zero, a default is used. If negative, the index is only
	// built once.
	IndexInterval time.Duration

	// IndexDocs enables indexing of Go documentation.
	// This will produce search results for exported types, functions,
	// methods, variables, and constants, and will link to the godoc
	// documentation for those identifiers.
	IndexDocs bool

	// IndexGoCode enables indexing of Go source code.
	// This will produce search results for internal and external identifiers
	// and will link to both declarations and uses of those identifiers in
	// source code.
	IndexGoCode bool

	// IndexFullText enables full-text indexing.
	// This will provide search results for any matching text in any file that
	// is indexed, including non-Go files (see whitelisted in index.go).
	// Regexp searching is supported via full-text indexing.
	IndexFullText bool

	// MaxResults optionally specifies the maximum results for indexing.
	MaxResults int

	// SummarizePackage optionally specifies a function to
	// summarize a package. It exists as an optimization to
	// avoid reading files to parse package comments.
	//
	// If SummarizePackage returns false for ok, the caller
	// ignores all return values and parses the files in the package
	// as if SummarizePackage were nil.
	//
	// If showList is false, the package is hidden from the
	// package listing.
	SummarizePackage func(pkg string) (summary string, showList, ok bool)

	// IndexDirectory optionally specifies a function to determine
	// whether the provided directory should be indexed.  The dir
	// will be of the form "/src/cmd/6a", "/doc/play",
	// "/src/io", etc.
	// If nil, all directories are indexed if indexing is enabled.
	IndexDirectory func(dir string) bool

	// Analysis is the result of type and pointer analysis.
	Analysis analysis.Result
	// contains filtered or unexported fields
}

A Corpus holds all the state related to serving and indexing a collection of Go code.

Construct a new Corpus with NewCorpus, then modify options, then call its Init method.

func NewCorpus

func NewCorpus(fs vfs.FileSystem) *Corpus

NewCorpus returns a new Corpus from a filesystem. The returned corpus has all indexing enabled and MaxResults set to 1000. Change or set any options on Corpus before calling the Corpus.Init method.

func (*Corpus) CurrentIndex

func (c *Corpus) CurrentIndex() (*Index, time.Time)

func (*Corpus) FSModifiedTime

func (c *Corpus) FSModifiedTime() time.Time

func (*Corpus) Init

func (c *Corpus) Init() error

Init initializes Corpus, once options on Corpus are set. It must be called before any subsequent method calls.

func (*Corpus) InitVersionInfo

func (c *Corpus) InitVersionInfo()

InitVersionInfo parses the $GOROOT/api/go*.txt API definition files to discover which API features were added in which Go releases.

func (*Corpus) Lookup

func (c *Corpus) Lookup(query string) SearchResult

func (*Corpus) MetadataFor

func (c *Corpus) MetadataFor(relpath string) *Metadata

MetadataFor returns the *Metadata for a given relative path or nil if none exists.

func (*Corpus) NewIndex

func (c *Corpus) NewIndex() *Index

NewIndex creates a new index for the .go files provided by the corpus.

func (*Corpus) ReadIndexFrom

func (c *Corpus) ReadIndexFrom(r io.Reader) error

ReadIndexFrom sets the current index from the serialized version found in r.

func (*Corpus) RunIndexer

func (c *Corpus) RunIndexer()

RunIndexer runs forever, indexing.

func (*Corpus) UpdateIndex

func (c *Corpus) UpdateIndex()

type DirEntry

type DirEntry struct {
	Depth    int          // >= 0
	Height   int          // = DirList.MaxHeight - Depth, > 0
	Path     string       // directory path; includes Name, relative to DirList root
	Name     string       // directory name
	HasPkg   bool         // true if the directory contains at least one package
	Synopsis string       // package documentation, if any
	RootType vfs.RootType // root type of the filesystem containing the direntry
}

DirEntry describes a directory entry. The Depth and Height values are useful for presenting an entry in an indented fashion.

type DirList

type DirList struct {
	MaxHeight int // directory tree height, > 0
	List      []DirEntry
}

type Directory

type Directory struct {
	Depth    int
	Path     string       // directory path; includes Name
	Name     string       // directory name
	HasPkg   bool         // true if the directory contains at least one package
	Synopsis string       // package documentation, if any
	RootType vfs.RootType // root type of the filesystem containing the directory
	Dirs     []*Directory // subdirectories
}

type File

type File struct {
	Name string // directory-local file name
	Pak  *Pak   // the package to which the file belongs
}

A File describes a Go file.

func (*File) Path

func (f *File) Path() string

Path returns the file path of f.

type FileLines

type FileLines struct {
	Filename string
	Lines    []int
}

A FileLines value specifies a file and line numbers within that file.

type FileRun

type FileRun struct {
	File   *File
	Groups []KindRun
}

A FileRun is a list of KindRuns belonging to the same file.

type HitList

type HitList []*PakRun

A HitList describes a list of PakRuns.

type Ident

type Ident struct {
	Path    string // e.g. "net/http"
	Package string // e.g. "http"
	Name    string // e.g. "NewRequest"
	Doc     string // e.g. "NewRequest returns a new Request..."
}

Ident stores information about external identifiers in order to create links to package documentation.

type Index

type Index struct {
	// contains filtered or unexported fields
}

func (*Index) CompatibleWith

func (x *Index) CompatibleWith(c *Corpus) bool

CompatibleWith reports whether the Index x is compatible with the corpus indexing options set in c.

func (*Index) Exports

func (x *Index) Exports() map[string]map[string]SpotKind

Exports returns a map from full package path to exported symbol name to its type.

func (*Index) Idents

func (x *Index) Idents() map[SpotKind]map[string][]Ident

Idents returns a map from identifier type to exported symbol name to the list of identifiers matching that name.

func (*Index) ImportCount

func (x *Index) ImportCount() map[string]int

ImportCount returns a map from import paths to how many times they were seen.

func (*Index) Lookup

func (x *Index) Lookup(query string) (*SearchResult, error)

For a given query, which is either a single identifier or a qualified identifier, Lookup returns a SearchResult containing packages, a LookupResult, a list of alternative spellings, and identifiers, if any. Any and all results may be nil. If the query syntax is wrong, an error is reported.

func (*Index) LookupRegexp

func (x *Index) LookupRegexp(r *regexp.Regexp, n int) (found int, result []FileLines)

LookupRegexp returns the number of matches and the matches where a regular expression r is found in the full text index. At most n matches are returned (thus found <= n).

func (*Index) PackagePath

func (x *Index) PackagePath() map[string]map[string]bool

PackagePath returns a map from short package name to a set of full package path names that use that short package name.

func (*Index) ReadFrom

func (x *Index) ReadFrom(r io.Reader) (n int64, err error)

ReadFrom reads the index from r into x; x must not be nil. If r does not also implement io.ByteReader, it will be wrapped in a bufio.Reader. If the index is from an old version, the error is ErrFileIndexVersion.

func (*Index) Snippet

func (x *Index) Snippet(i int) *Snippet

func (*Index) Stats

func (x *Index) Stats() Statistics

Stats returns index statistics.

func (*Index) WriteTo

func (x *Index) WriteTo(w io.Writer) (n int64, err error)

WriteTo writes the index x to w.

type IndexResult

type IndexResult struct {
	Decls  RunList // package-level declarations (with snippets)
	Others RunList // all other occurrences
}

type Indexer

type Indexer struct {
	// contains filtered or unexported fields
}

An Indexer maintains the data structures and provides the machinery for indexing .go files under a file tree. It implements the path.Visitor interface for walking file trees, and the ast.Visitor interface for walking Go ASTs.

func (*Indexer) Visit

func (x *Indexer) Visit(node ast.Node) ast.Visitor

type KindRun

type KindRun []SpotInfo

A KindRun is a run of SpotInfos of the same kind in a given file. The kind (3 bits) is stored in each SpotInfo element; to find the kind of a KindRun, look at any of its elements.

func (KindRun) Len

func (k KindRun) Len() int

KindRuns are sorted by line number or index. Since the isIndex bit is always the same for all infos in one list we can compare lori's.

func (KindRun) Less

func (k KindRun) Less(i, j int) bool

func (KindRun) Swap

func (k KindRun) Swap(i, j int)

type LinkWriter

type LinkWriter func(w io.Writer, offs int, start bool)

A LinkWriter writes some start or end "tag" to w for the text offset offs. It is called by FormatSelections at the start or end of each link segment.

type LookupResult

type LookupResult struct {
	Decls  HitList // package-level declarations (with snippets)
	Others HitList // all other occurrences
}

type Metadata

type Metadata struct {
	// These fields can be set in the JSON header at the top of a doc.
	Title    string
	Subtitle string
	Template bool     // execute as template
	Path     string   // canonical path for this page
	AltPaths []string // redirect these other paths to this page
	// contains filtered or unexported fields
}

func (*Metadata) FilePath

func (m *Metadata) FilePath() string

type Page

type Page struct {
	Title    string
	Tabtitle string
	Subtitle string
	SrcPath  string
	Query    string
	Body     []byte
	TreeView bool // page needs to contain treeview related js and css

	// filled in by ServePage
	SearchBox       bool
	Playground      bool
	Version         string
	GoogleAnalytics string
}

Page describes the contents of the top-level godoc webpage.

type PageInfo

type PageInfo struct {
	Dirname string // directory containing the package
	Err     error  // error or nil

	Mode PageInfoMode // display metadata from query string

	// package info
	FSet       *token.FileSet         // nil if no package documentation
	PDoc       *doc.Package           // nil if no package documentation
	Examples   []*doc.Example         // nil if no example code
	Notes      map[string][]*doc.Note // nil if no package Notes
	PAst       map[string]*ast.File   // nil if no AST with package exports
	IsMain     bool                   // true for package main
	IsFiltered bool                   // true if results were filtered

	// analysis info
	TypeInfoIndex  map[string]int  // index of JSON datum for type T (if -analysis=type)
	AnalysisData   htmltemplate.JS // array of TypeInfoJSON values
	CallGraph      htmltemplate.JS // array of PCGNodeJSON values    (if -analysis=pointer)
	CallGraphIndex map[string]int  // maps func name to index in CallGraph

	// directory info
	Dirs    *DirList  // nil if no directory information
	DirTime time.Time // directory time stamp
	DirFlat bool      // if set, show directory in a flat (non-indented) manner
}

func (*PageInfo) IsEmpty

func (info *PageInfo) IsEmpty() bool

type PageInfoMode

type PageInfoMode uint
const (
	PageInfoModeQueryString = "m" // query string where PageInfoMode is stored

	NoFiltering PageInfoMode = 1 << iota // do not filter exports
	AllMethods                           // show all embedded methods
	ShowSource                           // show source code, do not extract documentation
	FlatDir                              // show directory in a flat (non-indented) manner
	NoTypeAssoc                          // don't associate consts, vars, and factory functions with types (not exposed via ?m= query parameter, used for package builtin, see issue 6645)
)

type Pak

type Pak struct {
	Path string // path of directory containing the package
	Name string // package name as declared by package clause
}

A Pak describes a Go package.

type PakRun

type PakRun struct {
	Pak   *Pak
	Files []*FileRun
}

A PakRun describes a run of *FileRuns of a package.

func (*PakRun) Len

func (p *PakRun) Len() int

Sorting support for files within a PakRun.

func (*PakRun) Less

func (p *PakRun) Less(i, j int) bool

func (*PakRun) Swap

func (p *PakRun) Swap(i, j int)

type Presentation

type Presentation struct {
	Corpus *Corpus

	CallGraphHTML,
	DirlistHTML,
	ErrorHTML,
	ExampleHTML,
	GodocHTML,
	ImplementsHTML,
	MethodSetHTML,
	PackageHTML,
	PackageRootHTML,
	SearchHTML,
	SearchDocHTML,
	SearchCodeHTML,
	SearchTxtHTML,
	SearchDescXML *template.Template // If not nil, register a /opensearch.xml handler with this template.

	// TabWidth optionally specifies the tab width.
	TabWidth int

	ShowTimestamps bool
	ShowPlayground bool
	DeclLinks      bool

	// NotesRx optionally specifies a regexp to match
	// notes to render in the output.
	NotesRx *regexp.Regexp

	// AdjustPageInfoMode optionally specifies a function to
	// modify the PageInfoMode of a request. The default chosen
	// value is provided.
	AdjustPageInfoMode func(req *http.Request, mode PageInfoMode) PageInfoMode

	// URLForSrc optionally specifies a function that takes a source file and
	// returns a URL for it.
	// The source file argument has the form /src/<path>/<filename>.
	URLForSrc func(src string) string

	// URLForSrcPos optionally specifies a function to create a URL given a
	// source file, a line from the source file (1-based), and low & high offset
	// positions (0-based, bytes from beginning of file). Ideally, the returned
	// URL will be for the specified line of the file, while the high & low
	// positions will be used to highlight a section of the file.
	// The source file argument has the form /src/<path>/<filename>.
	URLForSrcPos func(src string, line, low, high int) string

	// URLForSrcQuery optionally specifies a function to create a URL given a
	// source file, a query string, and a line from the source file (1-based).
	// The source file argument has the form /src/<path>/<filename>.
	// The query argument will be escaped for the purposes of embedding in a URL
	// query parameter.
	// Ideally, the returned URL will be for the specified line of the file with
	// the query string highlighted.
	URLForSrcQuery func(src, query string, line int) string

	// SearchResults optionally specifies a list of functions returning an HTML
	// body for displaying search results.
	SearchResults []SearchResultFunc

	// GoogleAnalytics optionally adds Google Analytics via the provided
	// tracking ID to each page.
	GoogleAnalytics string
	// contains filtered or unexported fields
}

Presentation generates output from a corpus.

func NewPresentation

func NewPresentation(c *Corpus) *Presentation

NewPresentation returns a new Presentation from a corpus. It sets SearchResults to: [SearchResultDoc SearchResultCode SearchResultTxt].

func (*Presentation) CmdFSRoot

func (p *Presentation) CmdFSRoot() string

func (*Presentation) FileServer

func (p *Presentation) FileServer() http.Handler

func (*Presentation) FuncMap

func (p *Presentation) FuncMap() template.FuncMap

FuncMap defines template functions used in godoc templates.

Convention: template function names ending in "_html" or "_url" produce

HTML- or URL-escaped strings; all other function results may
require explicit escaping in the template.

func (*Presentation) GetCmdPageInfo

func (p *Presentation) GetCmdPageInfo(abspath, relpath string, mode PageInfoMode) *PageInfo

TODO(bradfitz): move this to be a method on Corpus. Just moving code around for now, but this doesn't feel right.

func (*Presentation) GetPageInfoMode

func (p *Presentation) GetPageInfoMode(r *http.Request) PageInfoMode

GetPageInfoMode computes the PageInfoMode flags by analyzing the request URL form value "m". It is value is a comma-separated list of mode names as defined by modeNames (e.g.: m=src,text).

func (*Presentation) GetPkgPageInfo

func (p *Presentation) GetPkgPageInfo(abspath, relpath string, mode PageInfoMode) *PageInfo

TODO(bradfitz): move this to be a method on Corpus. Just moving code around for now, but this doesn't feel right.

func (*Presentation) HandleSearch

func (p *Presentation) HandleSearch(w http.ResponseWriter, r *http.Request)

HandleSearch obtains results for the requested search and returns a page to display them.

func (*Presentation) NewSnippet

func (p *Presentation) NewSnippet(fset *token.FileSet, decl ast.Decl, id *ast.Ident) *Snippet

NewSnippet creates a text snippet from a declaration decl containing an identifier id. Parts of the declaration not containing the identifier may be removed for a more compact snippet.

func (*Presentation) PkgFSRoot

func (p *Presentation) PkgFSRoot() string

func (*Presentation) SearchResultCode

func (p *Presentation) SearchResultCode(result SearchResult) []byte

SearchResultCode optionally specifies a function returning an HTML body displaying search results matching source code.

func (*Presentation) SearchResultDoc

func (p *Presentation) SearchResultDoc(result SearchResult) []byte

SearchResultDoc optionally specifies a function returning an HTML body displaying search results matching godoc documentation.

func (*Presentation) SearchResultTxt

func (p *Presentation) SearchResultTxt(result SearchResult) []byte

SearchResultTxt optionally specifies a function returning an HTML body displaying search results of textual matches.

func (*Presentation) ServeError

func (p *Presentation) ServeError(w http.ResponseWriter, r *http.Request, relpath string, err error)

func (*Presentation) ServeFile

func (p *Presentation) ServeFile(w http.ResponseWriter, r *http.Request)

func (*Presentation) ServeHTMLDoc

func (p *Presentation) ServeHTMLDoc(w http.ResponseWriter, r *http.Request, abspath, relpath string)

func (*Presentation) ServeHTTP

func (p *Presentation) ServeHTTP(w http.ResponseWriter, r *http.Request)

func (*Presentation) ServePage

func (p *Presentation) ServePage(w http.ResponseWriter, page Page)

func (*Presentation) ServeText

func (p *Presentation) ServeText(w http.ResponseWriter, text []byte)

func (*Presentation) TemplateFuncs

func (p *Presentation) TemplateFuncs() template.FuncMap

func (*Presentation) WriteNode

func (p *Presentation) WriteNode(w io.Writer, fset *token.FileSet, x interface{})

WriteNode writes x to w. TODO(bgarcia) Is this method needed? It's just a wrapper for p.writeNode.

type RunList

type RunList []interface{}

A RunList is a list of entries that can be sorted according to some criteria. A RunList may be compressed by grouping "runs" of entries which are equal (according to the sort criteria) into a new RunList of runs. For instance, a RunList containing pairs (x, y) may be compressed into a RunList containing pair runs (x, {y}) where each run consists of a list of y's with the same x.

type SearchResult

type SearchResult struct {
	Query string
	Alert string // error or warning message

	// identifier matches
	Pak HitList       // packages matching Query
	Hit *LookupResult // identifier matches of Query
	Alt *AltWords     // alternative identifiers to look for

	// textual matches
	Found    int         // number of textual occurrences found
	Textual  []FileLines // textual matches of Query
	Complete bool        // true if all textual occurrences of Query are reported
	Idents   map[SpotKind][]Ident
}

type SearchResultFunc

type SearchResultFunc func(p *Presentation, result SearchResult) []byte

SearchResultFunc functions return an HTML body for displaying search results.

type Segment

type Segment struct {
	// contains filtered or unexported fields
}

A Segment describes a text segment [start, end). The zero value of a Segment is a ready-to-use empty segment.

type SegmentWriter

type SegmentWriter func(w io.Writer, text []byte, selections int)

A SegmentWriter formats a text according to selections and writes it to w. The selections parameter is a bit set indicating which selections provided to FormatSelections overlap with the text segment: If the n'th bit is set in selections, the n'th selection provided to FormatSelections is overlapping with the text.

type Selection

type Selection func() Segment

A Selection is an "iterator" function returning a text segment. Repeated calls to a selection return consecutive, non-overlapping, non-empty segments, followed by an infinite sequence of empty segments. The first empty segment marks the end of the selection.

func RangeSelection

func RangeSelection(str string) Selection

RangeSelection computes the Selection for a text range described by the argument str; the range description must match the selRx regular expression.

type Snippet

type Snippet struct {
	Line int
	Text string // HTML-escaped
}

func NewSnippet

func NewSnippet(fset *token.FileSet, decl ast.Decl, id *ast.Ident) *Snippet

NewSnippet creates a text snippet from a declaration decl containing an identifier id. Parts of the declaration not containing the identifier may be removed for a more compact snippet.

type Spot

type Spot struct {
	File *File
	Info SpotInfo
}

A Spot describes a single occurrence of a word.

type SpotInfo

type SpotInfo uint32

A SpotInfo value describes a particular identifier spot in a given file; It encodes three values: the SpotKind (declaration or use), a line or snippet index "lori", and whether it's a line or index.

The following encoding is used:

bits    32   4    1       0
value    [lori|kind|isIndex]

func (SpotInfo) IsIndex

func (x SpotInfo) IsIndex() bool

func (SpotInfo) Kind

func (x SpotInfo) Kind() SpotKind

func (SpotInfo) Lori

func (x SpotInfo) Lori() int

type SpotKind

type SpotKind uint32

SpotKind describes whether an identifier is declared (and what kind of declaration) or used.

const (
	PackageClause SpotKind = iota
	ImportDecl
	ConstDecl
	TypeDecl
	VarDecl
	FuncDecl
	MethodDecl
	Use
)

func (SpotKind) Name

func (x SpotKind) Name() string

type Statistics

type Statistics struct {
	Bytes int // total size of indexed source files
	Files int // number of indexed source files
	Lines int // number of lines (all files)
	Words int // number of different identifiers
	Spots int // number of identifier occurrences
}

Statistics provides statistics information for an index.

Directories

Path Synopsis
Package analysis performs type and pointer analysis and generates mark-up for the Go source view.
Package analysis performs type and pointer analysis and generates mark-up for the Go source view.
Package redirect provides hooks to register HTTP handlers that redirect old godoc paths to their new equivalents and assist in accessing the issue tracker, wiki, code review system, etc.
Package redirect provides hooks to register HTTP handlers that redirect old godoc paths to their new equivalents and assist in accessing the issue tracker, wiki, code review system, etc.
Package static exports a map of static file content that supports the godoc user interface.
Package static exports a map of static file content that supports the godoc user interface.
Package util contains utility types and functions for godoc.
Package util contains utility types and functions for godoc.
vfs
Package vfs defines types for abstract file system access and provides an implementation accessing the file system of the underlying OS.
Package vfs defines types for abstract file system access and provides an implementation accessing the file system of the underlying OS.
gatefs
Package gatefs provides an implementation of the FileSystem interface that wraps another FileSystem and limits its concurrency.
Package gatefs provides an implementation of the FileSystem interface that wraps another FileSystem and limits its concurrency.
httpfs
Package httpfs implements http.FileSystem using a godoc vfs.FileSystem.
Package httpfs implements http.FileSystem using a godoc vfs.FileSystem.
mapfs
Package mapfs file provides an implementation of the FileSystem interface based on the contents of a map[string]string.
Package mapfs file provides an implementation of the FileSystem interface based on the contents of a map[string]string.
zipfs
Package zipfs file provides an implementation of the FileSystem interface based on the contents of a .zip file.
Package zipfs file provides an implementation of the FileSystem interface based on the contents of a .zip file.

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL