// Plot using Plot.plot a area chart for each year
chart = Plot.plot({
marks: [
Plot.areaY(
joyData,
{ x: "anomaly"
, y1: !fromBottom ? 0 : "reference"
, y2: "height"
, z: "year"
, axisY: null
, fillOpacity: opacity
, stroke: "white"
, fill: color }),
Plot.axisY(Array(2025-1940).fill(1).map((e,i)=>(i+1)*yearOffset), {
label: "Year",
grid: true,
text: Array(2025-1940).fill(1).map((e,i)=>(""+(2024-i))),
domain: [maxYear, minYear]
}),
Plot.axisX({
label: "Temperature Anomaly",
interval: 0.5
}),
// showZero? Plot.ruleX([0], {stroke: "red", strokeOpacity: 0.5}):null,
],
x: {label: "Temperature Anomaly"},
y: {label: "year"},
width: 800,
height: 1200,
padding: 0.1,
fill: "black",
title: "Joy Division Plot of Temperature Anomalies",
})
Unknown Warming: A joy division inspired plot of Temperature Anomalies
visualization of the temperature anomalies in the form of a Joy Division plot.
Abstract
My friend Yann showed me a cool graph (Poynting & Rivault, 2024) he wanted to replicate, where temperature anomalies are plotted by frequency rather than chronologically, resembling a Joy Division plot (Inspired by the album cover of Unknown Pleasures by Joy Division), the graph is created by counting the number of days each anomaly occurs per year and offsetting the resulting curve for each year.
Two transformation are applied to the raw data (C3S, 2018) to enhance its appearance. First anomalies are corrected (ReesCatOphuls, 2024) to correspond to the 1850-1900 Baseline, second a Gaussian blur is applied to smooth out the graph.
You can play with the parameters to see how the plot changes. The opacity, the scale of the years, the smooth factor, the color, and the option to start the plot from the bottom or to display only the anomalies.
Below are some technical details on how the data is processed and the plot is generated.
Unknown Warming: A joy division inspired plot of Temperature Anomalies
Technical details
In this section, we will provide some technical details on how the data is processed and the plot is generated. The process is roughly divided into three steps: 1. parsing the data the raw data from Copernicus (C3S, 2018) 2. Correcting the anomalies to correspond to the 1850-1900 Baseline 3. Counting the anomalies per year 4. Applying a Gaussian blur to smooth out the graph 5. Offset the curve for each year to produce the Joy Division effect
Parsing the data
We start by downloading the daily global mean near-surface (2m) air temperature from 1940-2024 from the ERA5 data (C3S (2018)) from the copernicus website. You can access the values used in this visualisation here. One of the tricky thing is that the CSV files contains comments lines (starting with #). D3 doesn’t handle that by default and we need to remove before parsing the data.
= FileAttachment("./era5_daily_series_2t_global.csv").text().then(processCSV);
rawData
// Function to preprocess and parse the CSV
function processCSV(content) {
// Remove comment lines (lines starting with #)
const lines = content.split("\n");
const filteredLines = lines.filter(line => !line.trim().startsWith("#"));
const csvContent = filteredLines.join("\n");
// Parse the CSV content
return d3.csvParse(csvContent, d3.autoType).map(
=> ({ year: d.date.getFullYear()
d , day : d3.timeDay.count(d3.timeYear(d.date), d.date) + 1
, anomaly: d["ano_91-20"] })
)
}
= d3.max(rawData, d => d.year)
maxYear = d3.min(rawData, d => d.year)
minYear
// Display the parsed data
.table(rawData) Inputs
- 1
- Filter out the comment lines from the CSV content
- 2
- Anomalies will be grouped by year
- 3
- The correction formula (Equation 1) needs the day of the year
- 4
- The raw data contains the anomaly relative to the 1991-2020 average
- 5
- Min and max year are kept for the axis of the plot
Data correction
The anomalies in the dataset are computed on the basis of the 1991-2020 average. The current expectation in term of global warming (Paris,… ) is to compare to the pre-industrial era. ReesCatOphuls (2024) has proposed 3 methods to correct the anomalies to correspond to the 1850-1900 Baseline. In this visualisation we retained the second method (Equation 1), that offset the temperature by about \(0.88°C\).
\[ \text{corrected} = \text{anomaly} + 0.88°C + 0.05°C \sin\left(\frac{2\pi \times (day - 0.5)}{days}\right) + 0.07°C \cos\left(\frac{2\pi \times (day - 0.5)}{days}\right) \tag{1}\]
You can see in Figure 3 what the correction is applied depending of the day of the year
= ({year, day}) => {
correction const days = !(year % 4) ? 366 : 365
const correction = 0.88 + 0.05 * Math.sin((2*3.14159 * (day - 0.5)) / days)
+ 0.07 * Math.cos((2*3.14159 * (day - 0.5)) / days)
return Math.floor( 100 * correction ) / 100
}
= rawData.map(
correctedData => (
d year: d.year
{ , anomaly: d.anomaly
, corrected : d.anomaly + correction(d) } ))
// Keep the min and max for discretization later on
= 0.1
offset = d3.min(correctedData, d => d.corrected) - offset
minAnomaly = d3.max(correctedData, d => d.corrected) + offset
maxAnomaly .table(correctedData) Inputs
- 1
- Checking if the year is a leap year, straight forward calculation between 1940 and 2024
- 2
- Formula 2 from ReesCatOphuls (2024) is used correct the anomalies to 1850-1900 baseline temperature
- 3
- The offset is used in the discretization of the anomalies to get an empty bin for the first and last interval
Grouping the anomalies by year
For each year we count the number of anomalies for each temperature anomaly. The anomalies are discretized into 0.1 intervals.
= (maxAnomaly - minAnomaly) * 100
length = (x) => Math.round((x - minAnomaly) * 100)
indexF = (x) => (x / 100) + minAnomaly
indexF_1
= correctedData.reduce((anomalies, d) => {
anomalies if (d.year in anomalies) {
.year][indexF(d.corrected)] += 1;
anomalies[delse {
} .year] = Array(length).fill(0);
anomalies[d.year][indexF(d.corrected)] = 1;
anomalies[d
}return anomalies;
, []);
}
.table(anomalies.filter( (e,i) => i >= 1940)) Inputs
- 1
- The indexF function is used to discretize the anomalies into 0.1 intervals
- 2
- The indexF_1 function is used to get back the original value from the discretized value
Smoothing the Data with a Gaussian Blur
To smooth the data we apply a Gaussian blur to the anomaly count by computing a weighted average neighboring cells. The kernels are precomputed for 5 different sizes of blur using a binomial distribution. Only the positive side of the kernel for simplicity. You can visualize the kernels in Figure 5.
= [
kernels 1],
[2, 1],
[6, 4, 1],
[20, 15, 6, 1],
[70, 56, 28, 8, 1],
[; ]
= {
joyData // Gaussian Blur smoothing
let joyData = [];
for (let year in anomalies) {
const kernel = kernels[smoothFactor];
for (let i = 0; i < length; i++) {
let result = 0;
let weight = 0;
for (let j = 1 - kernel.length; j < kernel.length; j++) {
if (i + j >= 0 && i + j < length) {
const absJ = Math.abs(j);
+= anomalies[year][i + j] * kernel[absJ];
result += kernel[absJ];
weight
}
}.push({
joyDatayear: year,
anomaly: indexF_1(i),
count: result / weight,
height: result / weight + (maxYear - year) * yearOffset,
reference: (maxYear - year) * yearOffset,
;
})
}
}return joyData.filter((d) => d.year != maxYear);
}
joyData
- 1
- From one of 5 kernels for gaussian blur of size 1, 2, 3, 4 and 5.
- 2
- To obtain the Joy Division Plot effect the height the count is offseted by the year (reversed so that 2024 is at the bottom)
- 3
- 2025 is removed from the data as it is not complete
References
C3S. (2018). ERA5 hourly data on single levels from 1940 to present [Dataset]. Copernicus Climate Change Service (C3S) Climate Data Store (CDS). https://doi.org/10.24381/CDS.ADBB2D47
Poynting, M., & Rivault, E. (2024, January 9). 2023 confirmed as world’s hottest year on record. BBC News. https://www.bbc.com/news/science-environment-67861954
ReesCatOphuls. (2024, June 4). Copernicus 1850-1900 Baseline – Daily GMST Anomaly - Paris Agreement Temperature Index. https://parisagreementtemperatureindex.com/copernicus-1850-1900-baseline-daily-gmst/
Citation
BibTeX citation:
@misc{masson2025_UnknownWarming,
author = {Masson, Dimitri and Girard, Yann},
title = {Unknown {Warming:} {A} Joy Division Inspired Plot of
{Temperature} {Anomalies}},
date = {2025-02-03},
url = {https://dhmmasson.github.io/projects/DataViz/temperatureAnomalies.html},
langid = {en}
}
For attribution, please cite this work as:
Masson, D., & Girard, Y. (2025, February 3). Unknown Warming: A joy
division inspired plot of Temperature Anomalies. Dhmmasson.github.io
. https://dhmmasson.github.io/projects/DataViz/temperatureAnomalies.html