{
const container = d3.select(DOM.element("div"))
.style("position", "relative")
.style("width", width + "px")
.style("height", "720px");
const dpr = window.devicePixelRatio || 1;
const height = Math.min(width, 680);
const canvas = d3.create("canvas")
.attr("width", dpr * width)
.attr("height", dpr * height)
.style("width", width + "px")
.style("height", height + "px");
container.node().appendChild(canvas.node());
const context = canvas.node().getContext("2d");
context.scale(dpr, dpr);
let currentYear = 2022;
const slider = container.append("input")
.attr("type", "range")
.attr("min", 1960)
.attr("max", 2022)
.attr("step", 1)
.property("value", currentYear)
.style("position", "absolute")
.style("bottom", "10px")
.style("left", "50%")
.style("transform", "translateX(-50%)");
// -------------------------------------
// 4. BOTÓN DE AUTO-PLAY (Cambia año automáticamente cada segundo)
// -------------------------------------
let autoPlay = false;
const autoPlayButton = container.append("button")
.text("Auto-play: OFF")
.style("position", "absolute")
.style("bottom", "10px")
.style("right", "10px")
.on("click", function() {
autoPlay = !autoPlay;
d3.select(this).text(`Auto-play: ${autoPlay ? "ON" : "OFF"}`);
});
// -------------------------------------
// 5. CREACIÓN DE LA LEYENDA DE COLORES
// -------------------------------------
// Dimensiones del SVG para la leyenda
const legendWidth = 300;
const legendHeight = 60;
// Se crea un <svg> para la leye
const legendSVG = container.append("svg")
.attr("width", legendWidth)
.attr("height", legendHeight + 30) // un poco más alto para acomodar el eje
.style("position", "absolute")
.style("top", "10px") // Se mueve a la parte superior
.style("right", "10px") // Se alinea hacia la derecha
.style("transform", "translateY(0)"); // Sin transformación adicional
// Definir el gradiente en <defs>
const defs = legendSVG.append("defs");
const gradient = defs.append("linearGradient")
.attr("id", "legend-gradient")
.attr("x1", "0%")
.attr("x2", "100%")
.attr("y1", "0%")
.attr("y2", "0%");
// Escala para la leyenda (inicialmente con valores de ejemplo que luego se actualizan)
let legendScale = d3.scaleLog()
.domain([1, 100])
.range([0, legendWidth]);
// Función que dibuja o actualiza la leyenda de colores
function updateLegend(maxCo2) {
// Se actualiza el dominio de la escala logarítmica según el máximo de CO₂
legendScale
.domain([1, maxCo2])
.range([0, legendWidth]);
// Creación / actualización de las paradas de color en el gradiente
const stops = d3.range(0, 1.01, 0.1);
gradient.selectAll("stop")
.data(stops)
.join("stop")
.attr("offset", d => (d * 100) + "%")
.attr("stop-color", d => {
// Interpolación logarítmica entre 1 y maxCo2
const value = Math.exp(Math.log(1) + d * (Math.log(maxCo2) - Math.log(1)));
return colorScale(value);
});
// Rectángulo que muestra el gradiente
legendSVG.selectAll("rect.legend-rect")
.data([null]) // Forzamos un único elemento
.join("rect")
.attr("class", "legend-rect")
.attr("x", 0)
.attr("y", 0)
.attr("width", legendWidth)
.attr("height", 15) // altura del rectángulo de colores
.style("fill", "url(#legend-gradient)");
// Eje para mostrar los valores de la escala
const legendAxis = d3.axisBottom(legendScale)
.ticks(4) // Cantidad de ticks
.tickFormat(d3.format(".2s")); // Formato (k, M, etc.)
legendSVG.selectAll("g.legend-axis")
.data([null])
.join("g")
.attr("class", "legend-axis")
.attr("transform", `translate(0, ${15})`) // El eje se coloca debajo del rectángulo
.call(legendAxis);
}
// ---------------------------------------------------
// 6. VARIABLES GLOBALES PARA LOS DATOS Y ESCALAS
// ---------------------------------------------------
let dataYear, co2ByCountry, maxCo2, colorScale;
// Función para filtrar los datos por año y actualizar la escala de color
function updateData(year) {
// Filtrar datos por año y limpiar
dataYear = data_temp
.map(d => ({
...d,
year: +d.year,
co2: +d.co2
}))
.filter(d =>
d.year === +year &&
!isNaN(d.co2) &&
d.country && d.country !== "" &&
d.co2 > 0
);
// Crear mapa país (en minúsculas) → valor CO₂
co2ByCountry = new Map(dataYear.map(d => [d.country.toLowerCase().trim(), d.co2]));
// Calcular el valor máximo de CO₂
maxCo2 = d3.max(dataYear, d => d.co2);
// Escala de color (logarítmica) usando d3.interpolateInferno
colorScale = d3.scaleSequentialLog(d3.interpolateInferno)
.domain([1, maxCo2]);
// Actualizar la leyenda con el nuevo valor máximo
updateLegend(maxCo2);
}
// Inicializar datos para el año por defecto
updateData(currentYear);
// ---------------------------------------------------
// 7. CONFIGURAR LA PROYECCIÓN Y EL PATH
// ---------------------------------------------------
const projection = d3.geoOrthographic()
.fitExtent([[10, 80], [width - 10, height - 10]], { type: "Sphere" });
const path = d3.geoPath(projection, context);
// ---------------------------------------------------
// 8. INTERACCIÓN: ROTACIÓN AUTOMÁTICA Y MOVIMIENTO MANUAL (DRAG)
// ---------------------------------------------------
let rotationAngle = 0;
let autoRotate = true; // Controla si el globo se rota automáticamente
let initialRotation, dragStartPos;
d3.select(canvas.node())
.call(d3.drag()
.on("start", function(event) {
autoRotate = false; // Desactivar auto-rotación al iniciar el drag
initialRotation = projection.rotate();
dragStartPos = [event.x, event.y];
})
.on("drag", function(event) {
const dx = event.x - dragStartPos[0];
const dy = event.y - dragStartPos[1];
const sensitivity = 0.5; // sensibilidad de la rotación con el drag
// Ajustamos la rotación en coordenadas λ (longitud) y φ (latitud)
let newLambda = initialRotation[0] + dx * sensitivity;
let newPhi = initialRotation[1] - dy * sensitivity;
newPhi = Math.max(-90, Math.min(90, newPhi)); // Limitar la latitud para no voltear el globo
// Aplicamos la nueva rotación a la proyección
projection.rotate([newLambda, newPhi]);
rotationAngle = newLambda; // Actualizar para reanudar la auto-rotación desde esta posición
draw(); // Redibujar
})
.on("end", function() {
// Reanudar auto-rotación después de un breve intervalo
setTimeout(() => {
autoRotate = true;
}, 100);
})
);
// ---------------------------------------------------
// 9. FUNCIÓN DE DIBUJO DEL GLOBO Y LOS PAÍSES
// ---------------------------------------------------
function draw() {
// Limpiar el canvas
context.clearRect(0, 0, width, height);
// Si está activa la rotación automática, actualizar el ángulo en función del tiempo
if (autoRotate) {
rotationAngle = (performance.now() / 50) % 360;
projection.rotate([rotationAngle, -15]); // pequeña inclinación en latitud
}
// DIBUJAR LA TIERRA (base)
context.beginPath();
path(land);
context.fillStyle = "#ccc";
context.fill();
// DIBUJAR LOS PAÍSES CON SU COLOR (según CO₂)
for (const feature of countries) {
context.beginPath();
path(feature);
const countryName = feature.properties.name?.toLowerCase().trim();
const co2Value = co2ByCountry.get(countryName);
const fillColor = (co2Value != null)
? colorScale(co2Value)
: "#eee"; // color gris claro si no hay datos
context.fillStyle = fillColor;
context.fill();
}
// DIBUJAR FRONTERAS DE LOS PAÍSES
context.beginPath();
path(borders);
context.strokeStyle = "#fff";
context.lineWidth = 0.5;
context.stroke();
// DIBUJAR EL CONTORNO DE LA ESFERA
context.beginPath();
path({ type: "Sphere" });
context.strokeStyle = "#000";
context.lineWidth = 1.5;
context.stroke();
// DIBUJAR TÍTULO ENCIMA DEL GLOBO
context.save();
context.font = "bold 24px sans-serif";
context.textAlign = "center";
context.fillStyle = "black";
context.fillText("Country by CO₂ " + currentYear, width / 2, 30);
context.restore();
}
// ---------------------------------------------------
// 10. ACTUALIZAR LA VISUALIZACIÓN CUANDO CAMBIA EL AÑO (SLIDER)
// ---------------------------------------------------
slider.on("input", function() {
currentYear = +this.value;
updateData(currentYear);
draw();
});
// ---------------------------------------------------
// 11. AUTO-PLAY: CAMBIAR EL AÑO AUTOMÁTICAMENTE CADA 1s
// ---------------------------------------------------
setInterval(() => {
if (autoPlay) {
currentYear = +currentYear + 1;
// Si se pasa del máximo, volver al mínimo
if (currentYear > +slider.attr("max")) {
currentYear = +slider.attr("min");
}
slider.property("value", currentYear);
updateData(currentYear);
draw();
}
}, 1000);
// ---------------------------------------------------
// 12. ANIMACIÓN: ROTACIÓN AUTOMÁTICA DEL GLOBO (TIMER)
// ---------------------------------------------------
d3.timer(elapsed => {
if (autoRotate) {
rotationAngle = (elapsed / 50) % 360;
projection.rotate([rotationAngle, -15]);
}
draw();
});
// Retornamos el contenedor completo para que Observable lo muestre
return container.node();
}