blob: 33bcc66bc59ff5e1d610236d271435ea41c25d05 [file] [log] [blame]
Adam Langley95c29f32014-06-20 12:00:00 -07001// doc generates HTML files from the comments in header files.
2//
3// doc expects to be given the path to a JSON file via the --config option.
4// From that JSON (which is defined by the Config struct) it reads a list of
5// header file locations and generates HTML files for each in the current
6// directory.
7
8package main
9
10import (
11 "bufio"
12 "encoding/json"
13 "errors"
14 "flag"
15 "fmt"
16 "html/template"
17 "io/ioutil"
18 "os"
19 "path/filepath"
David Benjamin855dabc2018-04-25 17:34:24 -040020 "regexp"
Adam Langley95c29f32014-06-20 12:00:00 -070021 "strings"
22)
23
24// Config describes the structure of the config JSON file.
25type Config struct {
26 // BaseDirectory is a path to which other paths in the file are
27 // relative.
28 BaseDirectory string
29 Sections []ConfigSection
30}
31
32type ConfigSection struct {
33 Name string
34 // Headers is a list of paths to header files.
35 Headers []string
36}
37
38// HeaderFile is the internal representation of a header file.
39type HeaderFile struct {
40 // Name is the basename of the header file (e.g. "ex_data.html").
41 Name string
42 // Preamble contains a comment for the file as a whole. Each string
43 // is a separate paragraph.
44 Preamble []string
45 Sections []HeaderSection
David Benjamindfa9c4a2015-10-18 01:08:11 -040046 // AllDecls maps all decls to their URL fragments.
47 AllDecls map[string]string
Adam Langley95c29f32014-06-20 12:00:00 -070048}
49
50type HeaderSection struct {
51 // Preamble contains a comment for a group of functions.
52 Preamble []string
53 Decls []HeaderDecl
David Benjamin1bfce802015-09-07 13:21:08 -040054 // Anchor, if non-empty, is the URL fragment to use in anchor tags.
55 Anchor string
Adam Langley95c29f32014-06-20 12:00:00 -070056 // IsPrivate is true if the section contains private functions (as
57 // indicated by its name).
58 IsPrivate bool
59}
60
61type HeaderDecl struct {
62 // Comment contains a comment for a specific function. Each string is a
63 // paragraph. Some paragraph may contain \n runes to indicate that they
64 // are preformatted.
65 Comment []string
66 // Name contains the name of the function, if it could be extracted.
67 Name string
68 // Decl contains the preformatted C declaration itself.
69 Decl string
David Benjamin1bfce802015-09-07 13:21:08 -040070 // Anchor, if non-empty, is the URL fragment to use in anchor tags.
71 Anchor string
Adam Langley95c29f32014-06-20 12:00:00 -070072}
73
74const (
75 cppGuard = "#if defined(__cplusplus)"
76 commentStart = "/* "
77 commentEnd = " */"
David Benjaminef37ab52017-08-03 01:07:05 -040078 lineComment = "// "
Adam Langley95c29f32014-06-20 12:00:00 -070079)
80
David Benjaminef37ab52017-08-03 01:07:05 -040081func isComment(line string) bool {
82 return strings.HasPrefix(line, commentStart) || strings.HasPrefix(line, lineComment)
83}
84
David Benjamin92812cb2018-09-03 16:20:09 -050085func commentSubject(line string) string {
86 if strings.HasPrefix(line, "A ") {
87 line = line[len("A "):]
88 } else if strings.HasPrefix(line, "An ") {
89 line = line[len("An "):]
90 }
91 idx := strings.IndexAny(line, " ,")
92 if idx < 0 {
93 return line
94 }
95 return line[:idx]
96}
97
Adam Langley95c29f32014-06-20 12:00:00 -070098func extractComment(lines []string, lineNo int) (comment []string, rest []string, restLineNo int, err error) {
99 if len(lines) == 0 {
100 return nil, lines, lineNo, nil
101 }
102
103 restLineNo = lineNo
104 rest = lines
105
David Benjaminef37ab52017-08-03 01:07:05 -0400106 var isBlock bool
107 if strings.HasPrefix(rest[0], commentStart) {
108 isBlock = true
109 } else if !strings.HasPrefix(rest[0], lineComment) {
Adam Langley95c29f32014-06-20 12:00:00 -0700110 panic("extractComment called on non-comment")
111 }
112 commentParagraph := rest[0][len(commentStart):]
113 rest = rest[1:]
114 restLineNo++
115
116 for len(rest) > 0 {
David Benjaminef37ab52017-08-03 01:07:05 -0400117 if isBlock {
118 i := strings.Index(commentParagraph, commentEnd)
119 if i >= 0 {
120 if i != len(commentParagraph)-len(commentEnd) {
121 err = fmt.Errorf("garbage after comment end on line %d", restLineNo)
122 return
123 }
124 commentParagraph = commentParagraph[:i]
125 if len(commentParagraph) > 0 {
126 comment = append(comment, commentParagraph)
127 }
Adam Langley95c29f32014-06-20 12:00:00 -0700128 return
129 }
David Benjaminef37ab52017-08-03 01:07:05 -0400130 }
131
132 line := rest[0]
133 if isBlock {
134 if !strings.HasPrefix(line, " *") {
135 err = fmt.Errorf("comment doesn't start with block prefix on line %d: %s", restLineNo, line)
136 return
137 }
138 } else if !strings.HasPrefix(line, "//") {
Adam Langley95c29f32014-06-20 12:00:00 -0700139 if len(commentParagraph) > 0 {
140 comment = append(comment, commentParagraph)
141 }
142 return
143 }
David Benjaminef37ab52017-08-03 01:07:05 -0400144 if len(line) == 2 || !isBlock || line[2] != '/' {
David Benjamin48b31502015-04-08 23:17:55 -0400145 line = line[2:]
146 }
Adam Langley95c29f32014-06-20 12:00:00 -0700147 if strings.HasPrefix(line, " ") {
148 /* Identing the lines of a paragraph marks them as
149 * preformatted. */
150 if len(commentParagraph) > 0 {
151 commentParagraph += "\n"
152 }
153 line = line[3:]
154 }
155 if len(line) > 0 {
156 commentParagraph = commentParagraph + line
157 if len(commentParagraph) > 0 && commentParagraph[0] == ' ' {
158 commentParagraph = commentParagraph[1:]
159 }
160 } else {
161 comment = append(comment, commentParagraph)
162 commentParagraph = ""
163 }
164 rest = rest[1:]
165 restLineNo++
166 }
167
168 err = errors.New("hit EOF in comment")
169 return
170}
171
172func extractDecl(lines []string, lineNo int) (decl string, rest []string, restLineNo int, err error) {
David Benjamin0a211df2016-12-17 15:25:55 -0500173 if len(lines) == 0 || len(lines[0]) == 0 {
Adam Langley95c29f32014-06-20 12:00:00 -0700174 return "", lines, lineNo, nil
175 }
176
177 rest = lines
178 restLineNo = lineNo
179
180 var stack []rune
181 for len(rest) > 0 {
182 line := rest[0]
183 for _, c := range line {
184 switch c {
185 case '(', '{', '[':
186 stack = append(stack, c)
187 case ')', '}', ']':
188 if len(stack) == 0 {
189 err = fmt.Errorf("unexpected %c on line %d", c, restLineNo)
190 return
191 }
192 var expected rune
193 switch c {
194 case ')':
195 expected = '('
196 case '}':
197 expected = '{'
198 case ']':
199 expected = '['
200 default:
201 panic("internal error")
202 }
203 if last := stack[len(stack)-1]; last != expected {
204 err = fmt.Errorf("found %c when expecting %c on line %d", c, last, restLineNo)
205 return
206 }
207 stack = stack[:len(stack)-1]
208 }
209 }
210 if len(decl) > 0 {
211 decl += "\n"
212 }
213 decl += line
214 rest = rest[1:]
215 restLineNo++
216
217 if len(stack) == 0 && (len(decl) == 0 || decl[len(decl)-1] != '\\') {
218 break
219 }
220 }
221
222 return
223}
224
David Benjamin71485af2015-04-09 00:06:03 -0400225func skipLine(s string) string {
226 i := strings.Index(s, "\n")
227 if i > 0 {
228 return s[i:]
229 }
230 return ""
231}
232
David Benjamin855dabc2018-04-25 17:34:24 -0400233var stackOfRegexp = regexp.MustCompile(`STACK_OF\(([^)]*)\)`)
234var lhashOfRegexp = regexp.MustCompile(`LHASH_OF\(([^)]*)\)`)
235
Adam Langley95c29f32014-06-20 12:00:00 -0700236func getNameFromDecl(decl string) (string, bool) {
David Benjaminb4804282015-05-16 12:12:31 -0400237 for strings.HasPrefix(decl, "#if") || strings.HasPrefix(decl, "#elif") {
David Benjamin71485af2015-04-09 00:06:03 -0400238 decl = skipLine(decl)
239 }
Adam Langleyeac0ce02016-01-25 14:26:05 -0800240
241 if strings.HasPrefix(decl, "typedef ") {
Adam Langley95c29f32014-06-20 12:00:00 -0700242 return "", false
243 }
Adam Langleyeac0ce02016-01-25 14:26:05 -0800244
245 for _, prefix := range []string{"struct ", "enum ", "#define "} {
246 if !strings.HasPrefix(decl, prefix) {
247 continue
248 }
249
250 decl = strings.TrimPrefix(decl, prefix)
251
David Benjamin6deacb32015-05-16 12:00:51 -0400252 for len(decl) > 0 && decl[0] == ' ' {
253 decl = decl[1:]
254 }
Adam Langleyeac0ce02016-01-25 14:26:05 -0800255
256 // struct and enum types can be the return type of a
257 // function.
258 if prefix[0] != '#' && strings.Index(decl, "{") == -1 {
259 break
260 }
261
David Benjamin6deacb32015-05-16 12:00:51 -0400262 i := strings.IndexAny(decl, "( ")
263 if i < 0 {
264 return "", false
265 }
266 return decl[:i], true
267 }
David Benjamin361ecc02015-09-13 01:16:50 -0400268 decl = strings.TrimPrefix(decl, "OPENSSL_EXPORT ")
David Benjamin855dabc2018-04-25 17:34:24 -0400269 decl = strings.TrimPrefix(decl, "const ")
270 decl = stackOfRegexp.ReplaceAllString(decl, "STACK_OF_$1")
271 decl = lhashOfRegexp.ReplaceAllString(decl, "LHASH_OF_$1")
Adam Langley95c29f32014-06-20 12:00:00 -0700272 i := strings.Index(decl, "(")
273 if i < 0 {
274 return "", false
275 }
276 j := strings.LastIndex(decl[:i], " ")
277 if j < 0 {
278 return "", false
279 }
280 for j+1 < len(decl) && decl[j+1] == '*' {
281 j++
282 }
283 return decl[j+1 : i], true
284}
285
David Benjamin1bfce802015-09-07 13:21:08 -0400286func sanitizeAnchor(name string) string {
287 return strings.Replace(name, " ", "-", -1)
288}
289
David Benjamin5ef619e2015-10-18 00:10:28 -0400290func isPrivateSection(name string) bool {
291 return strings.HasPrefix(name, "Private functions") || strings.HasPrefix(name, "Private structures") || strings.Contains(name, "(hidden)")
292}
293
Adam Langley95c29f32014-06-20 12:00:00 -0700294func (config *Config) parseHeader(path string) (*HeaderFile, error) {
295 headerPath := filepath.Join(config.BaseDirectory, path)
296
297 headerFile, err := os.Open(headerPath)
298 if err != nil {
299 return nil, err
300 }
301 defer headerFile.Close()
302
303 scanner := bufio.NewScanner(headerFile)
304 var lines, oldLines []string
305 for scanner.Scan() {
306 lines = append(lines, scanner.Text())
307 }
308 if err := scanner.Err(); err != nil {
309 return nil, err
310 }
311
David Benjamin68a533c2016-05-17 17:36:47 -0400312 lineNo := 1
Adam Langley95c29f32014-06-20 12:00:00 -0700313 found := false
314 for i, line := range lines {
Adam Langley95c29f32014-06-20 12:00:00 -0700315 if line == cppGuard {
316 lines = lines[i+1:]
David Benjamin68a533c2016-05-17 17:36:47 -0400317 lineNo += i + 1
Adam Langley95c29f32014-06-20 12:00:00 -0700318 found = true
319 break
320 }
321 }
322
323 if !found {
324 return nil, errors.New("no C++ guard found")
325 }
326
327 if len(lines) == 0 || lines[0] != "extern \"C\" {" {
328 return nil, errors.New("no extern \"C\" found after C++ guard")
329 }
Adam Langley10f97f32016-07-12 08:09:33 -0700330 lineNo += 2
331 lines = lines[2:]
Adam Langley95c29f32014-06-20 12:00:00 -0700332
333 header := &HeaderFile{
David Benjamindfa9c4a2015-10-18 01:08:11 -0400334 Name: filepath.Base(path),
335 AllDecls: make(map[string]string),
Adam Langley95c29f32014-06-20 12:00:00 -0700336 }
337
338 for i, line := range lines {
Adam Langley95c29f32014-06-20 12:00:00 -0700339 if len(line) > 0 {
340 lines = lines[i:]
David Benjamin68a533c2016-05-17 17:36:47 -0400341 lineNo += i
Adam Langley95c29f32014-06-20 12:00:00 -0700342 break
343 }
344 }
345
346 oldLines = lines
David Benjaminef37ab52017-08-03 01:07:05 -0400347 if len(lines) > 0 && isComment(lines[0]) {
Adam Langley95c29f32014-06-20 12:00:00 -0700348 comment, rest, restLineNo, err := extractComment(lines, lineNo)
349 if err != nil {
350 return nil, err
351 }
352
353 if len(rest) > 0 && len(rest[0]) == 0 {
354 if len(rest) < 2 || len(rest[1]) != 0 {
355 return nil, errors.New("preamble comment should be followed by two blank lines")
356 }
357 header.Preamble = comment
358 lineNo = restLineNo + 2
359 lines = rest[2:]
360 } else {
361 lines = oldLines
362 }
363 }
364
David Benjamin1bfce802015-09-07 13:21:08 -0400365 allAnchors := make(map[string]struct{})
Adam Langley95c29f32014-06-20 12:00:00 -0700366
367 for {
368 // Start of a section.
369 if len(lines) == 0 {
370 return nil, errors.New("unexpected end of file")
371 }
372 line := lines[0]
373 if line == cppGuard {
374 break
375 }
376
377 if len(line) == 0 {
378 return nil, fmt.Errorf("blank line at start of section on line %d", lineNo)
379 }
380
David Benjamin1bfce802015-09-07 13:21:08 -0400381 var section HeaderSection
Adam Langley95c29f32014-06-20 12:00:00 -0700382
David Benjaminef37ab52017-08-03 01:07:05 -0400383 if isComment(line) {
Adam Langley95c29f32014-06-20 12:00:00 -0700384 comment, rest, restLineNo, err := extractComment(lines, lineNo)
385 if err != nil {
386 return nil, err
387 }
388 if len(rest) > 0 && len(rest[0]) == 0 {
David Benjamin1bfce802015-09-07 13:21:08 -0400389 anchor := sanitizeAnchor(firstSentence(comment))
390 if len(anchor) > 0 {
391 if _, ok := allAnchors[anchor]; ok {
392 return nil, fmt.Errorf("duplicate anchor: %s", anchor)
393 }
394 allAnchors[anchor] = struct{}{}
395 }
396
Adam Langley95c29f32014-06-20 12:00:00 -0700397 section.Preamble = comment
David Benjamin5ef619e2015-10-18 00:10:28 -0400398 section.IsPrivate = len(comment) > 0 && isPrivateSection(comment[0])
David Benjamin1bfce802015-09-07 13:21:08 -0400399 section.Anchor = anchor
Adam Langley95c29f32014-06-20 12:00:00 -0700400 lines = rest[1:]
401 lineNo = restLineNo + 1
402 }
403 }
404
405 for len(lines) > 0 {
406 line := lines[0]
407 if len(line) == 0 {
408 lines = lines[1:]
409 lineNo++
410 break
411 }
412 if line == cppGuard {
413 return nil, errors.New("hit ending C++ guard while in section")
414 }
415
416 var comment []string
417 var decl string
David Benjaminef37ab52017-08-03 01:07:05 -0400418 if isComment(line) {
Adam Langley95c29f32014-06-20 12:00:00 -0700419 comment, lines, lineNo, err = extractComment(lines, lineNo)
420 if err != nil {
421 return nil, err
422 }
423 }
424 if len(lines) == 0 {
425 return nil, errors.New("expected decl at EOF")
426 }
David Benjamin68a533c2016-05-17 17:36:47 -0400427 declLineNo := lineNo
Adam Langley95c29f32014-06-20 12:00:00 -0700428 decl, lines, lineNo, err = extractDecl(lines, lineNo)
429 if err != nil {
430 return nil, err
431 }
432 name, ok := getNameFromDecl(decl)
433 if !ok {
434 name = ""
435 }
436 if last := len(section.Decls) - 1; len(name) == 0 && len(comment) == 0 && last >= 0 {
437 section.Decls[last].Decl += "\n" + decl
438 } else {
Adam Langley5f889992015-11-04 14:05:00 -0800439 // As a matter of style, comments should start
440 // with the name of the thing that they are
441 // commenting on. We make an exception here for
David Benjamin92812cb2018-09-03 16:20:09 -0500442 // collective comments, which are detected by
443 // starting with “The” or “These”.
Adam Langley5f889992015-11-04 14:05:00 -0800444 if len(comment) > 0 &&
David Benjamin92812cb2018-09-03 16:20:09 -0500445 len(name) > 0 &&
Adam Langley5f889992015-11-04 14:05:00 -0800446 !strings.HasPrefix(comment[0], "The ") &&
447 !strings.HasPrefix(comment[0], "These ") {
David Benjamin92812cb2018-09-03 16:20:09 -0500448 subject := commentSubject(comment[0])
449 ok := subject == name
450 if l := len(subject); l > 0 && subject[l-1] == '*' {
451 // Groups of names, notably #defines, are often
452 // denoted with a wildcard.
453 ok = strings.HasPrefix(name, subject[:l-1])
454 }
455 if !ok {
David Benjamin3f18c4c2018-09-14 13:36:12 -0700456 return nil, fmt.Errorf("comment for %q doesn't seem to match line %s:%d\n", name, path, declLineNo)
David Benjamin92812cb2018-09-03 16:20:09 -0500457 }
Adam Langley5f889992015-11-04 14:05:00 -0800458 }
David Benjamin1bfce802015-09-07 13:21:08 -0400459 anchor := sanitizeAnchor(name)
460 // TODO(davidben): Enforce uniqueness. This is
461 // skipped because #ifdefs currently result in
462 // duplicate table-of-contents entries.
463 allAnchors[anchor] = struct{}{}
464
David Benjamindfa9c4a2015-10-18 01:08:11 -0400465 header.AllDecls[name] = anchor
466
Adam Langley95c29f32014-06-20 12:00:00 -0700467 section.Decls = append(section.Decls, HeaderDecl{
468 Comment: comment,
469 Name: name,
470 Decl: decl,
David Benjamin1bfce802015-09-07 13:21:08 -0400471 Anchor: anchor,
Adam Langley95c29f32014-06-20 12:00:00 -0700472 })
Adam Langley95c29f32014-06-20 12:00:00 -0700473 }
474
475 if len(lines) > 0 && len(lines[0]) == 0 {
476 lines = lines[1:]
477 lineNo++
478 }
479 }
480
481 header.Sections = append(header.Sections, section)
482 }
483
484 return header, nil
485}
486
487func firstSentence(paragraphs []string) string {
488 if len(paragraphs) == 0 {
489 return ""
490 }
491 s := paragraphs[0]
492 i := strings.Index(s, ". ")
493 if i >= 0 {
494 return s[:i]
495 }
496 if lastIndex := len(s) - 1; s[lastIndex] == '.' {
497 return s[:lastIndex]
498 }
499 return s
500}
501
David Benjamind8ea3902017-08-04 19:08:44 -0400502// markupPipeWords converts |s| into an HTML string, safe to be included outside
503// a tag, while also marking up words surrounded by |.
David Benjamindfa9c4a2015-10-18 01:08:11 -0400504func markupPipeWords(allDecls map[string]string, s string) template.HTML {
David Benjamind8ea3902017-08-04 19:08:44 -0400505 // It is safe to look for '|' in the HTML-escaped version of |s|
506 // below. The escaped version cannot include '|' instead tags because
507 // there are no tags by construction.
508 s = template.HTMLEscapeString(s)
Adam Langley95c29f32014-06-20 12:00:00 -0700509 ret := ""
510
511 for {
512 i := strings.Index(s, "|")
513 if i == -1 {
514 ret += s
515 break
516 }
517 ret += s[:i]
518 s = s[i+1:]
519
520 i = strings.Index(s, "|")
521 j := strings.Index(s, " ")
522 if i > 0 && (j == -1 || j > i) {
523 ret += "<tt>"
David Benjamindfa9c4a2015-10-18 01:08:11 -0400524 anchor, isLink := allDecls[s[:i]]
525 if isLink {
526 ret += fmt.Sprintf("<a href=\"%s\">", template.HTMLEscapeString(anchor))
527 }
Adam Langley95c29f32014-06-20 12:00:00 -0700528 ret += s[:i]
David Benjamindfa9c4a2015-10-18 01:08:11 -0400529 if isLink {
530 ret += "</a>"
531 }
Adam Langley95c29f32014-06-20 12:00:00 -0700532 ret += "</tt>"
533 s = s[i+1:]
534 } else {
535 ret += "|"
536 }
537 }
538
539 return template.HTML(ret)
540}
541
542func markupFirstWord(s template.HTML) template.HTML {
David Benjamin5b082e82014-12-26 00:54:52 -0500543 start := 0
544again:
545 end := strings.Index(string(s[start:]), " ")
546 if end > 0 {
547 end += start
548 w := strings.ToLower(string(s[start:end]))
David Benjamindfa9c4a2015-10-18 01:08:11 -0400549 // The first word was already marked up as an HTML tag. Don't
550 // mark it up further.
551 if strings.ContainsRune(w, '<') {
552 return s
553 }
David Benjamin7e40d4e2015-09-07 13:17:45 -0400554 if w == "a" || w == "an" {
David Benjamin5b082e82014-12-26 00:54:52 -0500555 start = end + 1
556 goto again
557 }
558 return s[:start] + "<span class=\"first-word\">" + s[start:end] + "</span>" + s[end:]
Adam Langley95c29f32014-06-20 12:00:00 -0700559 }
560 return s
561}
562
563func newlinesToBR(html template.HTML) template.HTML {
564 s := string(html)
565 if !strings.Contains(s, "\n") {
566 return html
567 }
568 s = strings.Replace(s, "\n", "<br>", -1)
569 s = strings.Replace(s, " ", "&nbsp;", -1)
570 return template.HTML(s)
571}
572
573func generate(outPath string, config *Config) (map[string]string, error) {
David Benjamindfa9c4a2015-10-18 01:08:11 -0400574 allDecls := make(map[string]string)
575
Adam Langley95c29f32014-06-20 12:00:00 -0700576 headerTmpl := template.New("headerTmpl")
577 headerTmpl.Funcs(template.FuncMap{
578 "firstSentence": firstSentence,
David Benjamindfa9c4a2015-10-18 01:08:11 -0400579 "markupPipeWords": func(s string) template.HTML { return markupPipeWords(allDecls, s) },
Adam Langley95c29f32014-06-20 12:00:00 -0700580 "markupFirstWord": markupFirstWord,
581 "newlinesToBR": newlinesToBR,
582 })
David Benjamin5b082e82014-12-26 00:54:52 -0500583 headerTmpl, err := headerTmpl.Parse(`<!DOCTYPE html>
Adam Langley95c29f32014-06-20 12:00:00 -0700584<html>
585 <head>
586 <title>BoringSSL - {{.Name}}</title>
587 <meta charset="utf-8">
588 <link rel="stylesheet" type="text/css" href="doc.css">
589 </head>
590
591 <body>
592 <div id="main">
David Benjamin2b1ca802016-05-20 11:28:59 -0400593 <div class="title">
594 <h2>{{.Name}}</h2>
595 <a href="headers.html">All headers</a>
596 </div>
Adam Langley95c29f32014-06-20 12:00:00 -0700597
David Benjamind8ea3902017-08-04 19:08:44 -0400598 {{range .Preamble}}<p>{{. | markupPipeWords}}</p>{{end}}
Adam Langley95c29f32014-06-20 12:00:00 -0700599
600 <ol>
601 {{range .Sections}}
602 {{if not .IsPrivate}}
David Benjamind8ea3902017-08-04 19:08:44 -0400603 {{if .Anchor}}<li class="header"><a href="#{{.Anchor}}">{{.Preamble | firstSentence | markupPipeWords}}</a></li>{{end}}
Adam Langley95c29f32014-06-20 12:00:00 -0700604 {{range .Decls}}
David Benjamin1bfce802015-09-07 13:21:08 -0400605 {{if .Anchor}}<li><a href="#{{.Anchor}}"><tt>{{.Name}}</tt></a></li>{{end}}
Adam Langley95c29f32014-06-20 12:00:00 -0700606 {{end}}
607 {{end}}
608 {{end}}
609 </ol>
610
611 {{range .Sections}}
612 {{if not .IsPrivate}}
David Benjamindfa9c4a2015-10-18 01:08:11 -0400613 <div class="section" {{if .Anchor}}id="{{.Anchor}}"{{end}}>
Adam Langley95c29f32014-06-20 12:00:00 -0700614 {{if .Preamble}}
615 <div class="sectionpreamble">
David Benjamind8ea3902017-08-04 19:08:44 -0400616 {{range .Preamble}}<p>{{. | markupPipeWords}}</p>{{end}}
Adam Langley95c29f32014-06-20 12:00:00 -0700617 </div>
618 {{end}}
619
620 {{range .Decls}}
David Benjamindfa9c4a2015-10-18 01:08:11 -0400621 <div class="decl" {{if .Anchor}}id="{{.Anchor}}"{{end}}>
Adam Langley95c29f32014-06-20 12:00:00 -0700622 {{range .Comment}}
David Benjamind8ea3902017-08-04 19:08:44 -0400623 <p>{{. | markupPipeWords | newlinesToBR | markupFirstWord}}</p>
Adam Langley95c29f32014-06-20 12:00:00 -0700624 {{end}}
625 <pre>{{.Decl}}</pre>
Adam Langley95c29f32014-06-20 12:00:00 -0700626 </div>
627 {{end}}
628 </div>
629 {{end}}
630 {{end}}
631 </div>
632 </body>
633</html>`)
634 if err != nil {
635 return nil, err
636 }
637
638 headerDescriptions := make(map[string]string)
David Benjamindfa9c4a2015-10-18 01:08:11 -0400639 var headers []*HeaderFile
Adam Langley95c29f32014-06-20 12:00:00 -0700640
641 for _, section := range config.Sections {
642 for _, headerPath := range section.Headers {
643 header, err := config.parseHeader(headerPath)
644 if err != nil {
645 return nil, errors.New("while parsing " + headerPath + ": " + err.Error())
646 }
647 headerDescriptions[header.Name] = firstSentence(header.Preamble)
David Benjamindfa9c4a2015-10-18 01:08:11 -0400648 headers = append(headers, header)
649
650 for name, anchor := range header.AllDecls {
651 allDecls[name] = fmt.Sprintf("%s#%s", header.Name+".html", anchor)
Adam Langley95c29f32014-06-20 12:00:00 -0700652 }
David Benjamindfa9c4a2015-10-18 01:08:11 -0400653 }
654 }
655
656 for _, header := range headers {
657 filename := filepath.Join(outPath, header.Name+".html")
658 file, err := os.OpenFile(filename, os.O_CREATE|os.O_TRUNC|os.O_WRONLY, 0666)
659 if err != nil {
660 panic(err)
661 }
662 defer file.Close()
663 if err := headerTmpl.Execute(file, header); err != nil {
664 return nil, err
Adam Langley95c29f32014-06-20 12:00:00 -0700665 }
666 }
667
668 return headerDescriptions, nil
669}
670
671func generateIndex(outPath string, config *Config, headerDescriptions map[string]string) error {
672 indexTmpl := template.New("indexTmpl")
673 indexTmpl.Funcs(template.FuncMap{
674 "baseName": filepath.Base,
675 "headerDescription": func(header string) string {
676 return headerDescriptions[header]
677 },
678 })
679 indexTmpl, err := indexTmpl.Parse(`<!DOCTYPE html5>
680
681 <head>
682 <title>BoringSSL - Headers</title>
683 <meta charset="utf-8">
684 <link rel="stylesheet" type="text/css" href="doc.css">
685 </head>
686
687 <body>
688 <div id="main">
David Benjamin2b1ca802016-05-20 11:28:59 -0400689 <div class="title">
690 <h2>BoringSSL Headers</h2>
691 </div>
Adam Langley95c29f32014-06-20 12:00:00 -0700692 <table>
693 {{range .Sections}}
694 <tr class="header"><td colspan="2">{{.Name}}</td></tr>
695 {{range .Headers}}
696 <tr><td><a href="{{. | baseName}}.html">{{. | baseName}}</a></td><td>{{. | baseName | headerDescription}}</td></tr>
697 {{end}}
698 {{end}}
699 </table>
700 </div>
701 </body>
702</html>`)
703
704 if err != nil {
705 return err
706 }
707
708 file, err := os.OpenFile(filepath.Join(outPath, "headers.html"), os.O_CREATE|os.O_TRUNC|os.O_WRONLY, 0666)
709 if err != nil {
710 panic(err)
711 }
712 defer file.Close()
713
714 if err := indexTmpl.Execute(file, config); err != nil {
715 return err
716 }
717
718 return nil
719}
720
Brian Smith55a3cf42015-08-09 17:08:49 -0400721func copyFile(outPath string, inFilePath string) error {
722 bytes, err := ioutil.ReadFile(inFilePath)
723 if err != nil {
724 return err
725 }
726 return ioutil.WriteFile(filepath.Join(outPath, filepath.Base(inFilePath)), bytes, 0666)
727}
728
Adam Langley95c29f32014-06-20 12:00:00 -0700729func main() {
730 var (
Adam Langley0fd56392015-04-08 17:32:55 -0700731 configFlag *string = flag.String("config", "doc.config", "Location of config file")
732 outputDir *string = flag.String("out", ".", "Path to the directory where the output will be written")
Adam Langley95c29f32014-06-20 12:00:00 -0700733 config Config
734 )
735
736 flag.Parse()
737
738 if len(*configFlag) == 0 {
739 fmt.Printf("No config file given by --config\n")
740 os.Exit(1)
741 }
742
743 if len(*outputDir) == 0 {
744 fmt.Printf("No output directory given by --out\n")
745 os.Exit(1)
746 }
747
748 configBytes, err := ioutil.ReadFile(*configFlag)
749 if err != nil {
750 fmt.Printf("Failed to open config file: %s\n", err)
751 os.Exit(1)
752 }
753
754 if err := json.Unmarshal(configBytes, &config); err != nil {
755 fmt.Printf("Failed to parse config file: %s\n", err)
756 os.Exit(1)
757 }
758
759 headerDescriptions, err := generate(*outputDir, &config)
760 if err != nil {
761 fmt.Printf("Failed to generate output: %s\n", err)
762 os.Exit(1)
763 }
764
765 if err := generateIndex(*outputDir, &config, headerDescriptions); err != nil {
766 fmt.Printf("Failed to generate index: %s\n", err)
767 os.Exit(1)
768 }
Brian Smith55a3cf42015-08-09 17:08:49 -0400769
770 if err := copyFile(*outputDir, "doc.css"); err != nil {
771 fmt.Printf("Failed to copy static file: %s\n", err)
772 os.Exit(1)
773 }
Adam Langley95c29f32014-06-20 12:00:00 -0700774}