blob: f152adc3ab096bf8c6a1a31d891ac8eada2b552f [file] [log] [blame]
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +10001// 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
5package godoc
6
7import (
8 "bytes"
Brad Garciaefd232e2014-01-29 10:53:45 -05009 "expvar"
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +100010 "fmt"
11 "go/ast"
12 "go/build"
13 "go/doc"
14 "go/token"
15 htmlpkg "html"
16 "io"
17 "io/ioutil"
18 "log"
19 "net/http"
20 "os"
21 pathpkg "path"
22 "path/filepath"
Andrew Gerrand2e6fbd82013-08-28 09:39:02 +100023 "sort"
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +100024 "strings"
25 "text/template"
26 "time"
27
28 "code.google.com/p/go.tools/godoc/util"
29 "code.google.com/p/go.tools/godoc/vfs"
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +100030)
31
Brad Fitzpatrick705bb7f2013-07-19 10:27:53 +100032// handlerServer is a migration from an old godoc http Handler type.
33// This should probably merge into something else.
34type handlerServer struct {
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +100035 p *Presentation
36 c *Corpus // copy of p.Corpus
37 pattern string // url pattern; e.g. "/pkg/"
38 fsRoot string // file system root to which the pattern is mapped
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +100039}
40
Brad Fitzpatrick705bb7f2013-07-19 10:27:53 +100041func (s *handlerServer) registerWithMux(mux *http.ServeMux) {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +100042 mux.Handle(s.pattern, s)
43}
44
45// getPageInfo returns the PageInfo for a package directory abspath. If the
46// parameter genAST is set, an AST containing only the package exports is
47// computed (PageInfo.PAst), otherwise package documentation (PageInfo.Doc)
48// is extracted from the AST. If there is no corresponding package in the
49// directory, PageInfo.PAst and PageInfo.PDoc are nil. If there are no sub-
50// directories, PageInfo.Dirs is nil. If an error occurred, PageInfo.Err is
51// set to the respective error but the error is not logged.
52//
Brad Fitzpatrick705bb7f2013-07-19 10:27:53 +100053func (h *handlerServer) GetPageInfo(abspath, relpath string, mode PageInfoMode) *PageInfo {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +100054 info := &PageInfo{Dirname: abspath}
55
56 // Restrict to the package files that would be used when building
57 // the package on this system. This makes sure that if there are
58 // separate implementations for, say, Windows vs Unix, we don't
59 // jumble them all together.
60 // Note: Uses current binary's GOOS/GOARCH.
61 // To use different pair, such as if we allowed the user to choose,
62 // set ctxt.GOOS and ctxt.GOARCH before calling ctxt.ImportDir.
63 ctxt := build.Default
64 ctxt.IsAbsPath = pathpkg.IsAbs
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +100065 ctxt.ReadDir = func(dir string) ([]os.FileInfo, error) {
66 return h.c.fs.ReadDir(filepath.ToSlash(dir))
67 }
68 ctxt.OpenFile = func(name string) (r io.ReadCloser, err error) {
69 data, err := vfs.ReadFile(h.c.fs, filepath.ToSlash(name))
70 if err != nil {
71 return nil, err
72 }
73 return ioutil.NopCloser(bytes.NewReader(data)), nil
74 }
75
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +100076 pkginfo, err := ctxt.ImportDir(abspath, 0)
77 // continue if there are no Go source files; we still want the directory info
78 if _, nogo := err.(*build.NoGoError); err != nil && !nogo {
79 info.Err = err
80 return info
81 }
82
83 // collect package files
84 pkgname := pkginfo.Name
85 pkgfiles := append(pkginfo.GoFiles, pkginfo.CgoFiles...)
86 if len(pkgfiles) == 0 {
87 // Commands written in C have no .go files in the build.
88 // Instead, documentation may be found in an ignored file.
89 // The file may be ignored via an explicit +build ignore
90 // constraint (recommended), or by defining the package
91 // documentation (historic).
92 pkgname = "main" // assume package main since pkginfo.Name == ""
93 pkgfiles = pkginfo.IgnoredGoFiles
94 }
95
96 // get package information, if any
97 if len(pkgfiles) > 0 {
98 // build package AST
99 fset := token.NewFileSet()
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000100 files, err := h.c.parseFiles(fset, abspath, pkgfiles)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000101 if err != nil {
102 info.Err = err
103 return info
104 }
105
106 // ignore any errors - they are due to unresolved identifiers
107 pkg, _ := ast.NewPackage(fset, files, poorMansImporter, nil)
108
109 // extract package documentation
110 info.FSet = fset
111 if mode&ShowSource == 0 {
112 // show extracted documentation
113 var m doc.Mode
114 if mode&NoFiltering != 0 {
Andrew Gerrand2e6fbd82013-08-28 09:39:02 +1000115 m |= doc.AllDecls
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000116 }
117 if mode&AllMethods != 0 {
118 m |= doc.AllMethods
119 }
120 info.PDoc = doc.New(pkg, pathpkg.Clean(relpath), m) // no trailing '/' in importpath
Andrew Gerrand2e6fbd82013-08-28 09:39:02 +1000121 if mode&NoFactoryFuncs != 0 {
122 for _, t := range info.PDoc.Types {
123 info.PDoc.Funcs = append(info.PDoc.Funcs, t.Funcs...)
124 t.Funcs = nil
125 }
126 sort.Sort(funcsByName(info.PDoc.Funcs))
127 }
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000128
129 // collect examples
130 testfiles := append(pkginfo.TestGoFiles, pkginfo.XTestGoFiles...)
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000131 files, err = h.c.parseFiles(fset, abspath, testfiles)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000132 if err != nil {
133 log.Println("parsing examples:", err)
134 }
Brad Fitzpatrick88f792c2013-11-14 09:01:08 -0800135 info.Examples = collectExamples(h.c, pkg, files)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000136
137 // collect any notes that we want to show
138 if info.PDoc.Notes != nil {
139 // could regexp.Compile only once per godoc, but probably not worth it
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000140 if rx := h.p.NotesRx; rx != nil {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000141 for m, n := range info.PDoc.Notes {
142 if rx.MatchString(m) {
143 if info.Notes == nil {
144 info.Notes = make(map[string][]*doc.Note)
145 }
146 info.Notes[m] = n
147 }
148 }
149 }
150 }
151
152 } else {
153 // show source code
154 // TODO(gri) Consider eliminating export filtering in this mode,
155 // or perhaps eliminating the mode altogether.
156 if mode&NoFiltering == 0 {
157 packageExports(fset, pkg)
158 }
159 info.PAst = ast.MergePackageFiles(pkg, 0)
160 }
161 info.IsMain = pkgname == "main"
162 }
163
164 // get directory information, if any
165 var dir *Directory
166 var timestamp time.Time
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000167 if tree, ts := h.c.fsTree.Get(); tree != nil && tree.(*Directory) != nil {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000168 // directory tree is present; lookup respective directory
169 // (may still fail if the file system was updated and the
170 // new directory tree has not yet been computed)
171 dir = tree.(*Directory).lookup(abspath)
172 timestamp = ts
173 }
174 if dir == nil {
175 // no directory tree present (too early after startup or
176 // command-line mode); compute one level for this page
177 // note: cannot use path filter here because in general
178 // it doesn't contain the FSTree path
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000179 dir = h.c.newDirectory(abspath, 1)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000180 timestamp = time.Now()
181 }
182 info.Dirs = dir.listing(true)
183 info.DirTime = timestamp
184 info.DirFlat = mode&FlatDir != 0
185
186 return info
187}
188
Andrew Gerrand2e6fbd82013-08-28 09:39:02 +1000189type funcsByName []*doc.Func
190
191func (s funcsByName) Len() int { return len(s) }
192func (s funcsByName) Swap(i, j int) { s[i], s[j] = s[j], s[i] }
193func (s funcsByName) Less(i, j int) bool { return s[i].Name < s[j].Name }
194
Brad Fitzpatrick705bb7f2013-07-19 10:27:53 +1000195func (h *handlerServer) ServeHTTP(w http.ResponseWriter, r *http.Request) {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000196 if redirect(w, r) {
197 return
198 }
199
200 relpath := pathpkg.Clean(r.URL.Path[len(h.pattern):])
201 abspath := pathpkg.Join(h.fsRoot, relpath)
Brad Fitzpatrick705bb7f2013-07-19 10:27:53 +1000202 mode := h.p.GetPageInfoMode(r)
203 if relpath == builtinPkgPath {
Andrew Gerrand2e6fbd82013-08-28 09:39:02 +1000204 mode = NoFiltering | NoFactoryFuncs
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000205 }
206 info := h.GetPageInfo(abspath, relpath, mode)
207 if info.Err != nil {
208 log.Print(info.Err)
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000209 h.p.ServeError(w, r, relpath, info.Err)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000210 return
211 }
212
213 if mode&NoHTML != 0 {
Brad Fitzpatrick66f0d6e2013-07-18 13:51:17 +1000214 h.p.ServeText(w, applyTemplate(h.p.PackageText, "packageText", info))
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000215 return
216 }
217
218 var tabtitle, title, subtitle string
219 switch {
220 case info.PAst != nil:
221 tabtitle = info.PAst.Name.Name
222 case info.PDoc != nil:
223 tabtitle = info.PDoc.Name
224 default:
225 tabtitle = info.Dirname
226 title = "Directory "
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000227 if h.p.ShowTimestamps {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000228 subtitle = "Last update: " + info.DirTime.String()
229 }
230 }
231 if title == "" {
232 if info.IsMain {
233 // assume that the directory name is the command name
234 _, tabtitle = pathpkg.Split(relpath)
235 title = "Command "
236 } else {
237 title = "Package "
238 }
239 }
240 title += tabtitle
241
242 // special cases for top-level package/command directories
243 switch tabtitle {
244 case "/src/pkg":
245 tabtitle = "Packages"
246 case "/src/cmd":
247 tabtitle = "Commands"
248 }
249
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000250 h.p.ServePage(w, Page{
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000251 Title: title,
252 Tabtitle: tabtitle,
253 Subtitle: subtitle,
Brad Fitzpatrick66f0d6e2013-07-18 13:51:17 +1000254 Body: applyTemplate(h.p.PackageHTML, "packageHTML", info),
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000255 })
256}
257
258type PageInfoMode uint
259
260const (
Andrew Gerrand2e6fbd82013-08-28 09:39:02 +1000261 NoFiltering PageInfoMode = 1 << iota // do not filter exports
262 AllMethods // show all embedded methods
263 ShowSource // show source code, do not extract documentation
264 NoHTML // show result in textual form, do not generate HTML
265 FlatDir // show directory in a flat (non-indented) manner
266 NoFactoryFuncs // don't associate factory functions with their result types
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000267)
268
269// modeNames defines names for each PageInfoMode flag.
270var modeNames = map[string]PageInfoMode{
271 "all": NoFiltering,
272 "methods": AllMethods,
273 "src": ShowSource,
274 "text": NoHTML,
275 "flat": FlatDir,
276}
277
278// GetPageInfoMode computes the PageInfoMode flags by analyzing the request
279// URL form value "m". It is value is a comma-separated list of mode names
280// as defined by modeNames (e.g.: m=src,text).
Brad Fitzpatrick705bb7f2013-07-19 10:27:53 +1000281func (p *Presentation) GetPageInfoMode(r *http.Request) PageInfoMode {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000282 var mode PageInfoMode
283 for _, k := range strings.Split(r.FormValue("m"), ",") {
284 if m, found := modeNames[strings.TrimSpace(k)]; found {
285 mode |= m
286 }
287 }
Brad Fitzpatrick705bb7f2013-07-19 10:27:53 +1000288 if p.AdjustPageInfoMode != nil {
289 mode = p.AdjustPageInfoMode(r, mode)
290 }
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000291 return mode
292}
293
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000294// poorMansImporter returns a (dummy) package object named
295// by the last path component of the provided package path
296// (as is the convention for packages). This is sufficient
297// to resolve package identifiers without doing an actual
298// import. It never returns an error.
299//
300func poorMansImporter(imports map[string]*ast.Object, path string) (*ast.Object, error) {
301 pkg := imports[path]
302 if pkg == nil {
303 // note that strings.LastIndex returns -1 if there is no "/"
304 pkg = ast.NewObj(ast.Pkg, path[strings.LastIndex(path, "/")+1:])
305 pkg.Data = ast.NewScope(nil) // required by ast.NewPackage for dot-import
306 imports[path] = pkg
307 }
308 return pkg, nil
309}
310
311// globalNames returns a set of the names declared by all package-level
312// declarations. Method names are returned in the form Receiver_Method.
313func globalNames(pkg *ast.Package) map[string]bool {
314 names := make(map[string]bool)
315 for _, file := range pkg.Files {
316 for _, decl := range file.Decls {
317 addNames(names, decl)
318 }
319 }
320 return names
321}
322
323// collectExamples collects examples for pkg from testfiles.
Brad Fitzpatrick88f792c2013-11-14 09:01:08 -0800324func collectExamples(c *Corpus, pkg *ast.Package, testfiles map[string]*ast.File) []*doc.Example {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000325 var files []*ast.File
326 for _, f := range testfiles {
327 files = append(files, f)
328 }
329
330 var examples []*doc.Example
331 globals := globalNames(pkg)
332 for _, e := range doc.Examples(files...) {
333 name := stripExampleSuffix(e.Name)
334 if name == "" || globals[name] {
335 examples = append(examples, e)
Brad Fitzpatrick88f792c2013-11-14 09:01:08 -0800336 } else if c.Verbose {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000337 log.Printf("skipping example 'Example%s' because '%s' is not a known function or type", e.Name, e.Name)
338 }
339 }
340
341 return examples
342}
343
344// addNames adds the names declared by decl to the names set.
345// Method names are added in the form ReceiverTypeName_Method.
346func addNames(names map[string]bool, decl ast.Decl) {
347 switch d := decl.(type) {
348 case *ast.FuncDecl:
349 name := d.Name.Name
350 if d.Recv != nil {
351 var typeName string
352 switch r := d.Recv.List[0].Type.(type) {
353 case *ast.StarExpr:
354 typeName = r.X.(*ast.Ident).Name
355 case *ast.Ident:
356 typeName = r.Name
357 }
358 name = typeName + "_" + name
359 }
360 names[name] = true
361 case *ast.GenDecl:
362 for _, spec := range d.Specs {
363 switch s := spec.(type) {
364 case *ast.TypeSpec:
365 names[s.Name.Name] = true
366 case *ast.ValueSpec:
367 for _, id := range s.Names {
368 names[id.Name] = true
369 }
370 }
371 }
372 }
373}
374
375// packageExports is a local implementation of ast.PackageExports
376// which correctly updates each package file's comment list.
377// (The ast.PackageExports signature is frozen, hence the local
378// implementation).
379//
380func packageExports(fset *token.FileSet, pkg *ast.Package) {
381 for _, src := range pkg.Files {
382 cmap := ast.NewCommentMap(fset, src, src.Comments)
383 ast.FileExports(src)
384 src.Comments = cmap.Filter(src).Comments()
385 }
386}
387
388func applyTemplate(t *template.Template, name string, data interface{}) []byte {
389 var buf bytes.Buffer
390 if err := t.Execute(&buf, data); err != nil {
391 log.Printf("%s.Execute: %s", name, err)
392 }
393 return buf.Bytes()
394}
395
Brad Garciaefd232e2014-01-29 10:53:45 -0500396type writerCapturesErr struct {
397 w io.Writer
398 err error
399}
400
401func (w *writerCapturesErr) Write(p []byte) (int, error) {
402 n, err := w.w.Write(p)
403 if err != nil {
404 w.err = err
405 }
406 return n, err
407}
408
409var httpErrors *expvar.Map
410
411func init() {
412 httpErrors = expvar.NewMap("httpWriteErrors").Init()
413}
414
415// applyTemplateToResponseWriter uses an http.ResponseWriter as the io.Writer
416// for the call to template.Execute. It uses an io.Writer wrapper to capture
417// errors from the underlying http.ResponseWriter. If an error is found, an
418// expvar will be incremented. Other template errors will be logged. This is
419// done to keep from polluting log files with error messages due to networking
420// issues, such as client disconnects and http HEAD protocol violations.
421func applyTemplateToResponseWriter(rw http.ResponseWriter, t *template.Template, data interface{}) {
422 w := &writerCapturesErr{w: rw}
423 err := t.Execute(w, data)
424 // There are some cases where template.Execute does not return an error when
425 // rw returns an error, and some where it does. So check w.err first.
426 if w.err != nil {
427 // For http errors, increment an expvar.
428 httpErrors.Add(w.err.Error(), 1)
429 } else if err != nil {
430 // Log template errors.
431 log.Printf("%s.Execute: %s", t.Name(), err)
432 }
433}
434
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000435func redirect(w http.ResponseWriter, r *http.Request) (redirected bool) {
436 canonical := pathpkg.Clean(r.URL.Path)
437 if !strings.HasSuffix(canonical, "/") {
438 canonical += "/"
439 }
440 if r.URL.Path != canonical {
441 url := *r.URL
442 url.Path = canonical
443 http.Redirect(w, r, url.String(), http.StatusMovedPermanently)
444 redirected = true
445 }
446 return
447}
448
449func redirectFile(w http.ResponseWriter, r *http.Request) (redirected bool) {
450 c := pathpkg.Clean(r.URL.Path)
451 c = strings.TrimRight(c, "/")
452 if r.URL.Path != c {
453 url := *r.URL
454 url.Path = c
455 http.Redirect(w, r, url.String(), http.StatusMovedPermanently)
456 redirected = true
457 }
458 return
459}
460
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000461func (p *Presentation) serveTextFile(w http.ResponseWriter, r *http.Request, abspath, relpath, title string) {
462 src, err := vfs.ReadFile(p.Corpus.fs, abspath)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000463 if err != nil {
464 log.Printf("ReadFile: %s", err)
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000465 p.ServeError(w, r, relpath, err)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000466 return
467 }
468
469 if r.FormValue("m") == "text" {
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000470 p.ServeText(w, src)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000471 return
472 }
473
474 var buf bytes.Buffer
475 buf.WriteString("<pre>")
476 FormatText(&buf, src, 1, pathpkg.Ext(abspath) == ".go", r.FormValue("h"), RangeSelection(r.FormValue("s")))
477 buf.WriteString("</pre>")
478 fmt.Fprintf(&buf, `<p><a href="/%s?m=text">View as plain text</a></p>`, htmlpkg.EscapeString(relpath))
479
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000480 p.ServePage(w, Page{
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000481 Title: title + " " + relpath,
482 Tabtitle: relpath,
483 Body: buf.Bytes(),
484 })
485}
486
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000487func (p *Presentation) serveDirectory(w http.ResponseWriter, r *http.Request, abspath, relpath string) {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000488 if redirect(w, r) {
489 return
490 }
491
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000492 list, err := p.Corpus.fs.ReadDir(abspath)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000493 if err != nil {
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000494 p.ServeError(w, r, relpath, err)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000495 return
496 }
497
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000498 p.ServePage(w, Page{
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000499 Title: "Directory " + relpath,
500 Tabtitle: relpath,
Brad Fitzpatrick66f0d6e2013-07-18 13:51:17 +1000501 Body: applyTemplate(p.DirlistHTML, "dirlistHTML", list),
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000502 })
503}
504
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000505func (p *Presentation) ServeHTMLDoc(w http.ResponseWriter, r *http.Request, abspath, relpath string) {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000506 // get HTML body contents
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000507 src, err := vfs.ReadFile(p.Corpus.fs, abspath)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000508 if err != nil {
509 log.Printf("ReadFile: %s", err)
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000510 p.ServeError(w, r, relpath, err)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000511 return
512 }
513
514 // if it begins with "<!DOCTYPE " assume it is standalone
515 // html that doesn't need the template wrapping.
516 if bytes.HasPrefix(src, doctype) {
517 w.Write(src)
518 return
519 }
520
521 // if it begins with a JSON blob, read in the metadata.
522 meta, src, err := extractMetadata(src)
523 if err != nil {
524 log.Printf("decoding metadata %s: %v", relpath, err)
525 }
526
527 // evaluate as template if indicated
528 if meta.Template {
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000529 tmpl, err := template.New("main").Funcs(p.TemplateFuncs()).Parse(string(src))
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000530 if err != nil {
531 log.Printf("parsing template %s: %v", relpath, err)
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000532 p.ServeError(w, r, relpath, err)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000533 return
534 }
535 var buf bytes.Buffer
536 if err := tmpl.Execute(&buf, nil); err != nil {
537 log.Printf("executing template %s: %v", relpath, err)
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000538 p.ServeError(w, r, relpath, err)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000539 return
540 }
541 src = buf.Bytes()
542 }
543
544 // if it's the language spec, add tags to EBNF productions
545 if strings.HasSuffix(abspath, "go_spec.html") {
546 var buf bytes.Buffer
547 Linkify(&buf, src)
548 src = buf.Bytes()
549 }
550
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000551 p.ServePage(w, Page{
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000552 Title: meta.Title,
553 Subtitle: meta.Subtitle,
554 Body: src,
555 })
556}
557
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000558func (p *Presentation) ServeFile(w http.ResponseWriter, r *http.Request) {
559 p.serveFile(w, r)
560}
561
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000562func (p *Presentation) serveFile(w http.ResponseWriter, r *http.Request) {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000563 relpath := r.URL.Path
564
565 // Check to see if we need to redirect or serve another file.
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000566 if m := p.Corpus.MetadataFor(relpath); m != nil {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000567 if m.Path != relpath {
568 // Redirect to canonical path.
569 http.Redirect(w, r, m.Path, http.StatusMovedPermanently)
570 return
571 }
572 // Serve from the actual filesystem path.
573 relpath = m.filePath
574 }
575
576 abspath := relpath
577 relpath = relpath[1:] // strip leading slash
578
579 switch pathpkg.Ext(relpath) {
580 case ".html":
581 if strings.HasSuffix(relpath, "/index.html") {
582 // We'll show index.html for the directory.
583 // Use the dir/ version as canonical instead of dir/index.html.
584 http.Redirect(w, r, r.URL.Path[0:len(r.URL.Path)-len("index.html")], http.StatusMovedPermanently)
585 return
586 }
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000587 p.ServeHTMLDoc(w, r, abspath, relpath)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000588 return
589
590 case ".go":
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000591 p.serveTextFile(w, r, abspath, relpath, "Source file")
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000592 return
593 }
594
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000595 dir, err := p.Corpus.fs.Lstat(abspath)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000596 if err != nil {
597 log.Print(err)
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000598 p.ServeError(w, r, relpath, err)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000599 return
600 }
601
602 if dir != nil && dir.IsDir() {
603 if redirect(w, r) {
604 return
605 }
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000606 if index := pathpkg.Join(abspath, "index.html"); util.IsTextFile(p.Corpus.fs, index) {
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000607 p.ServeHTMLDoc(w, r, index, index)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000608 return
609 }
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000610 p.serveDirectory(w, r, abspath, relpath)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000611 return
612 }
613
Brad Fitzpatrick5395cfe2013-07-18 13:14:09 +1000614 if util.IsTextFile(p.Corpus.fs, abspath) {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000615 if redirectFile(w, r) {
616 return
617 }
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000618 p.serveTextFile(w, r, abspath, relpath, "Text file")
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000619 return
620 }
621
Brad Fitzpatrick705bb7f2013-07-19 10:27:53 +1000622 p.fileServer.ServeHTTP(w, r)
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000623}
624
Brad Fitzpatrick4fc63232013-07-18 09:52:45 +1000625func (p *Presentation) ServeText(w http.ResponseWriter, text []byte) {
Brad Fitzpatrickca3319f2013-07-17 17:17:12 +1000626 w.Header().Set("Content-Type", "text/plain; charset=utf-8")
627 w.Write(text)
628}