aboutsummaryrefslogtreecommitdiff
path: root/http/handlers/gemtext.go
blob: 7f12799ecdc26b4bcd884840cfcafcfc105ad326 (plain)
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
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
package handlers

import (
	"errors"
	"fmt"
	"io"
	"io/fs"
	"mime"
	"net/http"
	"os"
	"strconv"
	"strings"

	"dev.mediocregopher.com/mediocre-caddy-plugins.git/internal/gemtext"
	"dev.mediocregopher.com/mediocre-caddy-plugins.git/internal/toolkit"
	"github.com/caddyserver/caddy/v2"
	"github.com/caddyserver/caddy/v2/caddyconfig/httpcaddyfile"
	"github.com/caddyserver/caddy/v2/modules/caddyhttp"
	"github.com/caddyserver/caddy/v2/modules/caddyhttp/templates"
	"go.uber.org/zap"
)

// The implementation here is heavily based on the implementation of the
// `templates` module:
// https://github.com/caddyserver/caddy/blob/350ad38f63f7a49ceb3821c58d689b85a27ec4e5/modules/caddyhttp/templates/templates.go

const gemtextMIME = "text/gemini"

func init() {
	caddy.RegisterModule(Gemtext{})
	httpcaddyfile.RegisterHandlerDirective("gemtext", gemtextParseCaddyfile)
	httpcaddyfile.RegisterDirectiveOrder(
		"gemtext", httpcaddyfile.Before, "templates",
	)

	// Since this module relies on Content-Type, but text/gemtext is not a
	// standard type, we add it if it's missing
	if mime.TypeByExtension(".gmi") == "" {
		mime.AddExtensionType(".gmi", gemtextMIME)
	}
}

// Gemtext is an HTTP middleware module which will render gemtext documents as
// HTML documents, using user-provided templates to do so.
//
// Only responses with a Content-Type of `text/gemini` will be modified by this
// module.
type Gemtext struct {

	// Path to the template which will be used to render the HTML page, relative
	// to the `file_root`.
	//
	// The template will be rendered with these extra data fields:
	//
	// ##### `.Title`
	//
	// The Title of the gemini document, determined based on the first primary
	// header (single `#` prefix) found. This will be an empty string if no
	// primary header is found.
	//
	// ##### `.Body`
	//
	// A string containing all rendered HTML DOM elements.
	//
	TemplatePath string `json:"template"`

	// Path to a template which will be used for rendering headings. If not
	// given then headings will be rendered with appropriate HTML header tags.
	//
	// The template will be rendered with these extra data fields:
	//
	// ##### `.Level`
	//
	// Which level of heading is being rendered, 1, 2, or 3.
	//
	// ##### `.Text`
	//
	// The text of the heading.
	HeadingTemplatePath string `json:"heading_template"`

	// Path to a template which will be used for rendering links. If not given
	// then links will be rendered using an anchor tag wrapped in a paragraph
	// tag.
	//
	// The template will be rendered with these extra data fields:
	//
	// ##### `.URL`
	//
	// The URL the link points to.
	//
	// ##### `.Label`
	//
	// The label attached to the link. If the original link had no label then
	// this will be equivalent to `.URL`.
	LinkTemplatePath string `json:"link_template"`

	// The root path from which to load files. Default is `{http.vars.root}` if
	// set, or current working directory otherwise.
	FileRoot string `json:"file_root,omitempty"`

	// The template action delimiters. If set, must be precisely two elements:
	// the opening and closing delimiters. Default: `["{{", "}}"]`
	Delimiters []string `json:"delimiters,omitempty"`

	logger *zap.Logger
}

var _ caddyhttp.MiddlewareHandler = (*Gemtext)(nil)

func (Gemtext) CaddyModule() caddy.ModuleInfo {
	return caddy.ModuleInfo{
		ID:  "http.handlers.gemtext",
		New: func() caddy.Module { return new(Gemtext) },
	}
}

func (g *Gemtext) Provision(ctx caddy.Context) error {
	g.logger = ctx.Logger()

	if g.FileRoot == "" {
		g.FileRoot = "{http.vars.root}"
	}

	if len(g.Delimiters) == 0 {
		g.Delimiters = []string{"{{", "}}"}
	}

	return nil
}

// Validate ensures t has a valid configuration.
func (g *Gemtext) Validate() error {
	if g.TemplatePath == "" {
		return errors.New("TemplatePath is required")
	}

	if len(g.Delimiters) != 0 && len(g.Delimiters) != 2 {
		return fmt.Errorf("delimiters must consist of exactly two elements: opening and closing")
	}
	return nil
}

func (g *Gemtext) render(
	into io.Writer,
	ctx *templates.TemplateContext,
	osFS fs.FS,
	tplPath string,
	payload any,
) error {
	tplStr, err := fs.ReadFile(osFS, tplPath)
	if err != nil {
		return fmt.Errorf("loading template: %w", err)
	}

	tpl := ctx.NewTemplate(tplPath)
	if _, err := tpl.Parse(string(tplStr)); err != nil {
		return fmt.Errorf("parsing template: %w", err)
	}

	tpl.Delims(g.Delimiters[0], g.Delimiters[1])

	if err := tpl.Execute(into, payload); err != nil {
		return fmt.Errorf("executing template: %w", err)
	}

	return nil
}

func (g *Gemtext) ServeHTTP(
	rw http.ResponseWriter, r *http.Request, next caddyhttp.Handler,
) error {
	buf, bufDone := toolkit.GetBuffer()
	defer bufDone()

	// We only want to buffer and work on responses which are gemtext files.
	shouldBuf := func(status int, header http.Header) bool {
		ct := header.Get("Content-Type")
		return strings.HasPrefix(ct, gemtextMIME)
	}

	rec := caddyhttp.NewResponseRecorder(rw, buf, shouldBuf)
	if err := next.ServeHTTP(rec, r); err != nil || !rec.Buffered() {
		return err
	}

	buf = rec.Buffer() // probably redundant, but just in case

	var (
		repl    = r.Context().Value(caddy.ReplacerCtxKey).(*caddy.Replacer)
		rootDir = repl.ReplaceAll(g.FileRoot, ".")
		osFS    = os.DirFS(rootDir)
		httpFS  = http.Dir(rootDir)
		ctx     = &templates.TemplateContext{
			Root:       httpFS,
			Req:        r,
			RespHeader: templates.WrappedHeader{Header: rec.Header()},
		}

		parser gemtext.HTMLTranslator
	)

	if g.HeadingTemplatePath != "" {
		parser.RenderHeading = func(w io.Writer, level int, text string) error {
			payload := struct {
				*templates.TemplateContext
				Level int
				Text  string
			}{
				ctx, level, text,
			}

			return g.render(w, ctx, osFS, g.HeadingTemplatePath, payload)
		}
	}

	if g.LinkTemplatePath != "" {
		parser.RenderLink = func(w io.Writer, url, label string) error {
			payload := struct {
				*templates.TemplateContext
				URL   string
				Label string
			}{
				ctx, url, label,
			}

			return g.render(w, ctx, osFS, g.LinkTemplatePath, payload)
		}
	}

	translated, err := parser.Translate(buf)
	if err != nil {
		return fmt.Errorf("translating gemtext: %w", err)
	}

	payload := struct {
		*templates.TemplateContext
		gemtext.HTML
	}{
		ctx, translated,
	}

	buf.Reset()
	if err := g.render(
		buf, ctx, osFS, g.TemplatePath, payload,
	); err != nil {
		// templates may return a custom HTTP error to be propagated to the
		// client, otherwise for any other error we assume the template is
		// broken
		var handlerErr caddyhttp.HandlerError
		if errors.As(err, &handlerErr) {
			return handlerErr
		}
		return caddyhttp.Error(http.StatusInternalServerError, err)
	}

	rec.Header().Set("Content-Length", strconv.Itoa(buf.Len()))
	rec.Header().Del("Accept-Ranges") // we don't know ranges for dynamically-created content
	rec.Header().Del("Last-Modified") // useless for dynamic content since it's always changing

	// we don't know a way to quickly generate etag for dynamic content,
	// and weak etags still cause browsers to rely on it even after a
	// refresh, so disable them until we find a better way to do this
	rec.Header().Del("Etag")

	// The Content-Type was originally text/gemini, but now it will be text/html
	// (we assume, since the HTML translator was used). Deleting here will cause
	// Caddy to do an auto-detect of the Content-Type, so it will even get the
	// charset properly set.
	rec.Header().Del("Content-Type")

	return rec.WriteResponse()
}

// gemtextParseCaddyfile sets up the handler from Caddyfile tokens. Syntax:
//
//	gemtext [<matcher>] {
//	    between <open_delim> <close_delim>
//	    root <path>
//	}
func gemtextParseCaddyfile(h httpcaddyfile.Helper) (caddyhttp.MiddlewareHandler, error) {
	h.Next() // consume directive name
	g := new(Gemtext)
	for h.NextBlock(0) {
		switch h.Val() {
		case "template":
			if !h.Args(&g.TemplatePath) {
				return nil, h.ArgErr()
			}
		case "heading_template":
			if !h.Args(&g.HeadingTemplatePath) {
				return nil, h.ArgErr()
			}
		case "link_template":
			if !h.Args(&g.LinkTemplatePath) {
				return nil, h.ArgErr()
			}
		case "root":
			if !h.Args(&g.FileRoot) {
				return nil, h.ArgErr()
			}
		case "between":
			g.Delimiters = h.RemainingArgs()
			if len(g.Delimiters) != 2 {
				return nil, h.ArgErr()
			}
		}
	}
	return g, nil
}