1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
|
package page
import (
"bytes"
"encoding/json"
"errors"
"io/fs"
"net/http"
"path/filepath"
)
// RenderJson is analogous to Render, though it renders the page,
// as a JSON key "content", optionally from the YAML it'll include
// additional keys in the json if specified under the 'pageJson' key.
// E.g.
// ---
// title: Some page
// description: Some page desc
// jsonvars:
// - includeMeInJSON
// vars:
// notIncluded: some value
// includeMeInJSON:
// some: arbitrary
// data: to
// send: down
// |--
// My page content, wee!
func RenderJson(w http.ResponseWriter, r *http.Request,
path string, vars map[string]interface{}, statusCode int) {
u := getURLPath(r)
u = filepath.Join(".", u)
// Sepcifically use the specified path for the page
p := NewPage(path)
if vars != nil {
p.Vars = vars
}
out := map[string]interface{}{}
buf := &bytes.Buffer{}
err := p.Render(buf)
if err != nil {
if errors.Is(err, fs.ErrNotExist) {
renderJsonErr(w, r, "Not found", http.StatusNotFound)
return
}
Logger.Printf("%s %s path: %s rendering encountered: %s",
r.RemoteAddr,
r.Method,
u,
err)
renderJsonErr(w, r, "Internal server error",
http.StatusInternalServerError)
return
}
if r.URL.Query().Get("content") == "1" {
out["Content"] = buf.String()
}
if r.URL.Query().Get("markdown") == "1" {
if p.Vars != nil {
p.Vars["RenderingMarkdownOnly"] = true
} else {
p.Vars = map[string]interface{}{
"RenderingMarkdownOnly": true,
}
}
// Tossing the error, since it would've been revealed above
md, _ := p.GetMarkdown()
out["Markdown"] = md
}
// Make a "set" of keys
keys := map[string]struct{}{}
for _, k := range p.JsonVars {
keys[k] = struct{}{}
}
// And chuck the keys specified into the output
for k, v := range p.Vars {
_, ok := keys[k]
if ok {
out[k] = v
}
}
w.WriteHeader(statusCode)
enc := json.NewEncoder(w)
enc.SetIndent("", " ")
enc.SetEscapeHTML(false)
err = enc.Encode(out)
if err != nil {
Logger.Printf("%s %s %d %s: while writing buf: %s",
r.RemoteAddr,
r.Method,
statusCode,
u,
err)
return
}
Logger.Printf("%s %s %d %s", r.RemoteAddr, r.Method, statusCode, u)
}
func renderJsonErr(w http.ResponseWriter, r *http.Request, msg string,
statusCode int) {
enc := json.NewEncoder(w)
w.WriteHeader(statusCode)
_ = enc.Encode(&struct {
Status string
}{
Status: msg,
})
}
|