For this week's assignment, I explored Mathematical Rose Patterns. While working on this, I noticed how much these patterns resembled papercuts, which inspired me to experiment with papercut styles: Chuanghua (Window Paper-Cut).
I thought it would be interesting to make them zoomable, allowing viewers to see both the overall pattern of roses and examine each one in detail. This led me to create a zoomable version: Mathematical Rose Patterns (Zoomable).
I created all of these using Charming.js, which worked perfectly for this project thanks to its scalable paths and smooth animations.
I began with Dan's tutorial: Mathematical Rose Patterns. Not content with creating just one rose, I decided to make a table of rose patterns, inspired by the Wikipedia article on roses. I created a function to draw roses based on three parameters: radius, row number, and column number.
function rose(r, n, d) {
const k = n / d;
const m = reduceDenominator(n, d);
const points = [];
for (let a = 0; a < Math.PI * 2 * m + 0.02; a += 0.02) {
const r1 = r * Math.cos(k * a);
const x = r1 * Math.cos(a);
const y = r1 * Math.sin(a);
points.push([x, y]);
}
return SVG.path({ d: d3.line()(points), stroke: "black", fill: "none" });
}
I found the reduceDenominator function particularly challenging to understand:
function reduceDenominator(numerator, denominator) {
function rec(a, b) {
return b ? rec(b, a % b) : a;
}
return denominator / rec(numerator, denominator);
}
Next, I created the complete table:
const vector = d3.range(count);
const cells = d3.cross(vector, vector);
const scale = d3.scaleBand().domain(vector).range([0, width]).padding(0.1);
const r = scale.bandwidth() / 2;
return SVG.svg({
width,
height: width,
"stroke-width": 1.2,
children: [
SVG.g(cells, {
transform: ([x, y]) => `translate(${scale(x) + r}, ${scale(y) + r})`,
children: [([x, y]) => rose(r, x + 1, y + 1)],
}),
],
});
Next, I developed the zoomable version. I started by studying a tutorial for d3-interploateZoom to learn how to implement zooming with d3. The key was using a g element as a camera—applying transforms to this element triggers the zoom effect.
// This g element is the camera
SVG.g({
transform: "translate(0, 0) scale(1)", // Initial transform.
children: [
SVG.g(cells, {
// ...
}),
],
});
Then I defined a move function to move the camera from the start position to the end position. This involves interpolating a position over time, transforming it into the transform attribute, and applying it to the view.
function move(start, end) {
const interpolator = d3.interpolateZoom(start, end);
const duration = interpolator.duration * 1.2;
const transform = (t) => {
const view = interpolator(t);
const k = width / view[2]; // scale
const translate = [width / 2 - view[0] * k, width / 2 - view[1] * k]; // translate
return `translate(${translate}) scale(${k})`;
};
cm.transition(view, {duration, attrTween: {transform: () => transform}});
}