diff --git a/.gitignore b/.gitignore
old mode 100644
new mode 100755
diff --git a/README.md b/README.md
old mode 100644
new mode 100755
index 684f9e6..84a2927
--- a/README.md
+++ b/README.md
@@ -5,14 +5,19 @@ nix-shell --attr env release.nix
nix-env -if release.nix
```
-## todo
+- [ ] custom math rendering (to MathML Core)
+- [ ] better agda literate support
+- [x] dark theme
+- [x] generic feed generation
+- [x] draft builds + live server
+ (draft builds with `-D`, live server with [slod])
+- [x] bin packing / grid system for galery
+ (uses `masonry` css-grid value, only supported in firefox under a flag)
+- [ ] faster thumbnail generation with openCV
+- [ ] indieweb interactions (webmentions, etc)?
+- [ ] better gallery (albums, webzines, media types, layouts, etc)
+- [ ] tag/category/search engine
+- [ ] parallelization
+- [ ] remove pandoc and use custom (extensible-ish) solution
-- dark theme
-- faster thumbnail generation with openCV
-- generic feed generation
-- indieweb interactions (webmentions, etc)
-- bin packing / grid system for galery
-- better gallery (albums, webzines, media types, layouts, etc)
-- tag/category/search engine
-- parallelization
-- draft builds + live server
+[slod]: https://acatalepsie.fr/projects/slod
diff --git a/archive.sh b/archive.sh
new file mode 100755
index 0000000..d6d5ee0
--- /dev/null
+++ b/archive.sh
@@ -0,0 +1 @@
+tar -C _site -cvz . > site.tar.gz
diff --git a/content/assets/favicon.svg b/content/assets/favicon.svg
old mode 100644
new mode 100755
diff --git a/content/assets/sphere-main.js b/content/assets/sphere-main.js
new file mode 100644
index 0000000..ca02a9b
--- /dev/null
+++ b/content/assets/sphere-main.js
@@ -0,0 +1,248 @@
+const {cos, sin, min, max, atan2, acos, sqrt, abs, PI} = Math
+const clamp = (a, b, x) => x < a ? a : x > b ? b : x
+const on = (t, e, f) => t.addEventListener(e, f)
+const ons = (t, es, f) => es.forEach(e => t.addEventListener(e, f))
+const canvasses = {}
+const ratio = devicePixelRatio
+
+const vec = (x = 0, y = 0, z = 0) => ({x, y, z})
+
+vec.set = (o, x = 0, y = 0, z = 0) => {
+ o.x = x
+ o.y = y
+ o.z = z
+ return o
+}
+
+const X = vec(1, 0, 0)
+const Y = vec(0, 1, 0)
+const Z = vec(0, 0, 1)
+
+// vec used for intermediate results
+// avoids creating a bunch of new objects in loops
+
+const _V = vec()
+
+// prevent out of view canvasses from animating
+
+const observer = new IntersectionObserver((entries, obv) =>
+ entries.forEach(({ target, isIntersecting }) => {
+ let canvas = canvasses[target.id]
+ canvas.visible = isIntersecting
+ if (canvas.animate) {
+ if (entry.isIntersecting) canvas.step()
+ else cancelAnimationFrame(canvas.stepId)
+ }
+ else if (canvas.mustRedraw && isIntersecting) {
+ canvas.render()
+ canvas.mustRedraw = false
+ }
+ }), {})
+
+
+// project point on orbital camera
+
+function project(o, {theta, phi}, {x, y, z}) {
+ let ct = cos(theta), st = sin(theta)
+ let cp = cos(phi), sp = sin(phi)
+ let a = x * ct + y * st
+ o.x = y * ct - x * st
+ o.y = cp * z - sp * a
+ o.z = cp * a + sp * z
+ return o
+}
+
+// adaptative color
+
+const palette = {
+ red : ['#f00', '#f0f'],
+ green : ['#0f0', '#0f0'],
+ blue : ['#00f', '#0ff'],
+ cyan : ['#0ff', '#00f'],
+ yellow : ['#f8c325', '#f8c325'],
+ dark : ['#333', '#fff'],
+ light : ['#bbb', '#666'],
+}
+
+let colorscheme = matchMedia('(prefers-color-scheme: dark)').matches || 'light'
+
+const color = name => palette[name][colorscheme == 'light' ? 0 : 1]
+
+on(matchMedia('(prefers-color-scheme: dark)'), 'change', ({matches}) => {
+ colorscheme = matches
+ console.log(colorscheme)
+ Object.values(canvasses).forEach(cvs => {
+ if (cvs.animate) return
+ if (cvs.visible) cvs.render()
+ else cvs.mustRedraw = true
+ })
+})
+
+// generic canvas
+
+class Canvas {
+ constructor(id, meta) {
+ this.id = id
+ this.meta = meta
+ this.cvs = window[id]
+ this.ctx = this.cvs.getContext('2d')
+ this.mustRedraw = false
+ this.hasFocus = false
+
+ if (meta.init) meta.init.call(this)
+
+ on(window, 'resize', this.resize.bind(this))
+ this.resize()
+
+ if (meta.inputs) {
+ meta.inputs.forEach(el => on(el, 'input', this.render.bind(this)))
+ }
+
+ observer.observe(this.cvs)
+ canvasses[id] = this
+
+ if (meta.animate) this.stepId = requestAnimationFrame(this.step.bind(this))
+ }
+
+ resize() {
+ let width = this.width = this.cvs.clientWidth
+ let height = this.height = this.cvs.clientHeight
+
+ this.cvs.width = ratio * width
+ this.cvs.height = ratio * height
+
+ this.ctx.scale(ratio, ratio)
+ this.ctx.lineCap = 'round'
+ this.render()
+ }
+
+ render() {
+ this.ctx.save()
+ this.meta.render.call(this, this.ctx)
+ this.ctx.restore()
+ }
+
+ step() {
+ this.stepId = requestAnimationFrame(this.step.bind(this))
+ this.render()
+ }
+
+ drawCircle(x, y, r, c, w = 1) {
+ let ctx = this.ctx
+ ctx.strokeStyle = c
+ ctx.lineWidth = w
+ ctx.beginPath()
+ ctx.arc(x, y, r, 0, 2 * PI)
+ ctx.stroke()
+ }
+
+ drawVec(camera, v, r, c, w = 1) {
+ let ctx = this.ctx
+ let {x, y} = project(_V, camera, v)
+ ctx.lineWidth = w
+ ctx.strokeStyle = c
+ ctx.beginPath()
+ ctx.moveTo(0, 0)
+ ctx.lineTo(x * r, y * r)
+ ctx.stroke()
+ }
+
+ // draw 3d basis at (0, 0), from orbital camera
+
+ drawBasis(camera, r) {
+ this.drawVec(camera, X, r, color('red'), 2)
+ this.drawVec(camera, Y, r, color('green'), 2)
+ this.drawVec(camera, Z, r, color('blue'), 2)
+ }
+
+ // given a sphere at (0, 0) of radius R, draw sphere section
+ // along normal n and offset o, from orbital camera
+
+ drawSectionFront(camera, n, R, o = 0) {
+ let {x, y, z} = project(_V, camera, n) // project normal on camera
+ let a = atan2(y, x) // angle of projected normal -> angle of ellipse
+ let ry = sqrt(1 - o * o) // radius of section -> y-radius of ellipse
+ let rx = ry * abs(z) // x-radius of ellipse
+
+ let W = sqrt(x * x + y * y)
+
+ let sa = acos(clamp(-1, 1, o * (1 / W - W) / rx || 0)) // ellipse start angle
+ let sb = z > 0 ? 2 * PI - sa : - sa // ellipse end angle
+ let ctx = this.ctx
+
+
+ ctx.beginPath()
+ ctx.ellipse(x * o * R, y * o * R, rx * R, ry * R, a, sa, sb, z <= 0)
+ ctx.stroke()
+ }
+
+ pathSection(camera, n, R, o = 0) {
+ let {x, y, z} = project(_V, camera, n)
+ let a = atan2(y, x)
+ let ry = sqrt(1 - o * o)
+ let rx = ry * abs(z)
+ this.ctx.ellipse(x * o * R, y * o * R, rx * R, ry * R, a, 0, 2 * PI)
+ }
+
+ drawSection(camera, n, R, o, c, w) {
+ this.ctx.strokeStyle = c
+ this.ctx.lineWidth = w
+ this.ctx.beginPath()
+ this.pathSection(camera, n, R, o)
+ this.ctx.stroke()
+ }
+
+ drawWireframe(camera, r) {
+ this.drawSectionFront(camera, X, r)
+ this.drawSectionFront(camera, Y, r)
+ this.drawSectionFront(camera, Z, r)
+ }
+
+ drawSections(camera, r) {
+ this.drawSectionFront(camera, X, r)
+ this.drawSectionFront(camera, X, r, .5)
+ this.drawSectionFront(camera, X, r, -.5)
+ this.drawSectionFront(camera, Y, r)
+ this.drawSectionFront(camera, Y, r, .5)
+ this.drawSectionFront(camera, Y, r, -.5)
+ this.drawSectionFront(camera, Z, r)
+ this.drawSectionFront(camera, Z, r, .5)
+ this.drawSectionFront(camera, Z, r, -.5)
+ }
+}
+
+function setup_orbiter(cvs, theta, phi) {
+ cvs.cvs.classList.toggle('grabber')
+
+ // TODO: parametrized scaling
+
+ // mouse events
+ on(cvs.cvs, 'mousedown', e => {
+ cvs.grabbing = true
+ cvs.cvs.style.setProperty('cursor', 'grabbing')
+ document.body.style.setProperty('cursor', 'grabbing')
+ })
+ on(window, 'mousemove', e => {
+ if (!cvs.grabbing) return
+ e.preventDefault()
+ phi.value = clamp(-1, 1, parseFloat(phi.value) + e.movementY / 400)
+ let th = (parseFloat(theta.value) - e.movementX / 800 + 1) % 1
+ theta.value = th
+ if (!cvs.animate) cvs.render()
+ })
+ on(window, 'mouseup', e => {
+ if (!cvs.grabbing) return
+ cvs.cvs.style.removeProperty('cursor')
+ document.body.style.removeProperty('cursor')
+ cvs.grabbing = false
+ })
+
+ /* Ok, SO: for the orbiter to work on mobile and NOT interfere with regular scrolling
+ * we require the canvas to be focused BEFORE (hence tabindex="-1" on the element).
+ * A bit sad to require one more interaction from the user,
+ * but I can't stand having interactive canvases prevent me from scrolling so this is the lesser
+ * of two evils, I hope.
+ */
+ on(cvs.cvs, 'focus', () => cvs.hasFocus = true)
+ on(cvs.cvs, 'blur', () => cvs.hasFocus = false)
+}
diff --git a/content/index.rst b/content/index.rst
old mode 100644
new mode 100755
diff --git a/content/posts/wireframe-sphere-with-ellipses.md b/content/posts/wireframe-sphere-with-ellipses.md
new file mode 100755
index 0000000..14238db
--- /dev/null
+++ b/content/posts/wireframe-sphere-with-ellipses.md
@@ -0,0 +1,353 @@
+---
+title: Drawing a wireframe sphere with Canvas2D using ellipses
+date: 2022-10-20
+draft: true
+math: true
+---
+
+```{=html}
+
+```
+
+In order to *visualize* a raycasting algorithm, I recently started writing some
+javascript code to render [3D gizmos] using [Canvas2D].
+I reached a point where I needed to draw a (unit) **sphere**. A simple mind would
+think displaying a *circle* for the circumference of the sphere is enough.
+But if we want to make the *rotation* of the sphere *visible* and *obvious*,
+it's also important to to display its *wireframe*.
+
+[3D gizmos]: https://twitter.com/sbbls/status/1582473846140960769?s=20&t=K1rByQRkOudayyoWZq5yCQ
+[Canvas2D]: https://developer.mozilla.org/en-US/docs/Web/API/CanvasRenderingContext2D
+
+If you click and drag your mouse over the next canvas to rotate the camera
+'round the spheres, it should become clear that we can only really grasp the
+orientation on the right.
+
+```{=html}
+
+
+
+
+
+
+
+```
+
+But how de we render such a wireframe of the sphere using only 2D primitives?
+The usual technique is to compute the position of all the vertices that compose
+the wireframe. Then you compute all the edges. To render the wireframe, project
+every vertex to the screen, then stroke a line segment for every edge.
+
+```{=html}
+
+
+
+
+
+
+```
+
+Yes, but.
+A first drawback is that computing vertices and edges is quite annoying.
+Projecting every vertex on the screen for every redraw is also computationally
+intensive. But most importantly, **it's ugly**. Indeed, edges are straight, and
+you need a lot of them to convince yourself that you are looking at a sphere.
+So much so that it clutters the canvas, and makes it very hard to legibly see
+what is behind the sphere. Which I want to do, because it's supposed to be a
+semi-transparent gizmo.
+
+I am the bearer of *great news*: it is actually possible to draw a wireframe sphere
+(really, any 3d-rotated circle) in Canvas2D, with:
+
+- sexy **smooth** edges, like in the first example, thanks to the `ellipse()` function.
+- no need to compute individual vertices and edges.
+- a short implementation (I'd argue it's simpler than manually computing vertices)
+
+## Sphere sections
+
+The first thing to notice is that the wireframe above is only composed of
+*circles*. And not just any circles, but circles that *lay on the surface of the
+sphere*. They can therefore each be characterized as the intersection of a plane
+and the sphere, i.e be described by a normal vector `n` (orthogonal to the plane)
+and an offset `o` (`-1 < o < 1`) for the displacement of the plane along this
+normal vector.
+
+```{=html}
+
+
+
+
+
+```
+
+And indeed, to obtain the wireframe from earlier, we just have to cut the
+sphere with:
+
+- a plane rotating around the z axis ;
+- a plane orthogonal to z, shifting along the z axis.
+
+## Projected circles are ellipses
+
+Now that we know what the wireframe is made of, and how to characterize these
+intersections, how do we render them?
+
+The key is to realize that the projection of a circle on the screen will *always*
+be an ellipse. Conveniently, Canvas2D provides us with a way to draw ellipses,
+defined as such:
+
+> `ellipse(x, y, radiusX, radiusY, rotation, startAngle, endAngle)`
+>
+> The `ellipse()` method creates an elliptical arc centered at `(x, y)` with the
+> radii `radiusX` and `radiusY`. The path starts at `startAngle` and ends at
+> `endAngle`.
+
+
+We just need to find what the parameters should be for any given section.
+Because we're only doing orthographic projection here, it turns out it's really
+not difficult:
+
+- the angle of the ellipse is the angle of the (projected) normal vector on screen.
+- the radius of the circle is `(1 - o * o)`, which becomes the `radiusY` of the ellipse.
+- the `radiusX` of the ellipse is the radius of the circle times how much of the (projected)
+ normal vector is facing us.
+
+### Occlusion culling
+
+We're already able to generate pretty, smooth wireframes. Now let's
+take care of *occlusion culling*. That is, only draw the arc of the ellipse
+that is directly facing us.
+
+(Actually the MDN docs are wrong here, startAngle and endAngle are the
+eccentric angles of the start and end points, not an actual measurable
+geometric angle).
+
+## Putting things in perspective
+
+So far so good. However to actually convince anyone of the versatility of this
+method, we really ought to also support perspective projection. Good news:
+perspective-projected circles are *still* ellipses. Bad news: computing the
+parameters of the ellipse is a tad more involved, as:
+
+- the angle of the projected normal on the screen is no longer the angle of the
+ ellipse ;
+- the perspective-projection of the center of the circle is no longer the
+ center of the ellipse.
+
+I'm gonna show you my method --- but I really would like a simpler one, so if
+you know better, please tell me!
+
+Until them I purposefully getting specific about the coordinate system we're
+using and camera projection. But to delve into perspective projection, we cannot
+cut it.
+
+---
+
+### Equations
+
+You can skip this if you just want to get to the final implementation.
+
+Without loss of generality, we can just assume we have everything expressed in
+the camera coordinate system (the projection used before gets you there).
+Let's consider the points on screen (at depth `z=1`) that belong to the ellipse.
+
+They must be at coordinate `\overrightarrow{p} = (s \cdot x, s \cdot y, s)` for some $s$ because that's how
+projection scaling works. The coordinates of its projection is `\overrightarrow{q} = \overrightarrow{p} / s = (x, y, 1)`
+Now, this point belongs to the original circle,
+therefore it satisfies the following equations:
+
+- they are on the plane orthogonal to normal `\overrightarrow{n}` and going through `\overrightarrow{c}`,
+ the center of the circle:
+
+ `(\overrightarrow{p} - \overrightarrow{c}) \cdot \overrightarrow{n} = 0`
+
+- they are at distance `r` from the line directed by `\overrightarrow{n}` going through `\overrightarrow{c}`:
+
+ `\|(\overrightarrow{p} - \overrightarrow{c}) \times \overrightarrow{n}\| = r`
+
+The first equation allows us to express $s$ in terms of $x$ and $y$:
+
+`s = \frac{\overrightarrow{c} \cdot \overrightarrow{n}}{\overrightarrow{q} \cdot \overrightarrow{n}}`
+
+Replacing $s$ in the second equations yields:
+
+```
+\begin{align*}&\|(\frac{\overrightarrow{c} \cdot \overrightarrow{n}}{\overrightarrow{q} \cdot
+\overrightarrow{n}} \cdot \overrightarrow{q} - \overrightarrow{c}) \times
+\overrightarrow{n}\| \\
+=\ &\|\frac{\overrightarrow{c} \cdot \overrightarrow{n}}{\overrightarrow{q} \cdot
+\overrightarrow{n}} \cdot \overrightarrow{q} \times \overrightarrow{n} - \overrightarrow{c} \times
+\overrightarrow{n}\| \\
+=\ &r^2\end{align*}
+```
+
+Squaring and expanding the second equation gives us:
+
+```
+$$\begin{align*}
+ &((x \cdot s - c_x) \cdot n_y - (y \cdot s - c_y) \cdot n_x)^2 \\
+ +\ &((s - c_z) \cdot n_x - (x \cdot s - c_x) \cdot n_z)^2 \\
+ +\ &((y \cdot s - c_y) \cdot n_z - (s - c_z) \cdot n_y)^2 = r^2
+\end{align*}
+$$
+```
+
+
+----
+
+## In conclusion
+
+I hope this little interactive article will be useful for someone, anyone. Did
+I spend way too much time thinking about ellipses for such an insignificant
+result? Yes. But it's such neat technique I couldn't keep it for myself.
+
+
+```{=html}
+
+
+
+
+```
diff --git a/content/projects.rst b/content/projects.rst
old mode 100644
new mode 100755
diff --git a/content/projects/achille/index.markdown b/content/projects/achille/index.markdown
old mode 100644
new mode 100755
index 76ebd5d..53c164e
--- a/content/projects/achille/index.markdown
+++ b/content/projects/achille/index.markdown
@@ -10,5 +10,9 @@ labels:
**achille** [aʃil] is a tiny Haskell library for building your very own **static site
generator**. It is in spirit a direct successor to [Hakyll][Hakyll].
+**achille** is currently undergoing a *full rewrite*, that you can keep track of
+on [github](https://github.com/flupe/achille). I just figured out the last missing
+bits needed to make it *truly* easy to use, and way more powerful. Stay tuned!
+
[Hakyll]: https://jaspervdj.be/hakyll
diff --git a/content/projects/achille/logo.svg b/content/projects/achille/logo.svg
old mode 100644
new mode 100755
index 2a0416b..9d22340
--- a/content/projects/achille/logo.svg
+++ b/content/projects/achille/logo.svg
@@ -1,4 +1,3 @@
-
-