chart_decon4 = {
const height = 0.4 * width;
const nodes = book1.nodes.map(d => Object.create(d));
const links = book1.links.map(d => Object.create(d));
const forceNode = d3.forceManyBody();
const forceLink = d3
.forceLink(links)
.id(d => d.id)
.distance(100);
const simulation = d3
.forceSimulation(nodes)
.force("link", forceLink)
.force("charge", forceNode)
.force("center", d3.forceCenter())
.on("tick", ticked);
const svg = d3
.create("svg")
.attr("width", width)
.attr("height", height)
.attr("viewBox", [-width / 2, -height / 2, width, height])
.attr("style", "max-width: 100%; height: auto; height: intrinsic;");
const link = svg
.append("g")
.attr("stroke", "#999")
.attr("stroke-opacity", 0.6)
.attr("stroke-width", 1.5)
.attr("stroke-linecap", "round") // link stroke linecap
.selectAll("line")
.data(links)
.join("line");
// Create the circle marks for the nodes
const node = svg
.append("g")
.attr("fill", "steelblue") // node stroke fill (if not using a group color encoding)
.attr("stroke", "#fff") // node stroke color
.attr("stroke-opacity", 1) // node stroke opacity
.attr("stroke-width", 1.5) // node stroke width, in pixels
.selectAll("circle")
.data(nodes)
.join("circle")
.attr("r", 5) // node radius, in pixels
.call(draggable(simulation)); // `draggable` is grey because it's defined below
// Add a SVG title element to serve as a quick tooltip
// Source: https://developer.mozilla.org/en-US/docs/Web/SVG/Element/title
node.append("title").text(titleTooltip); // Simple alternative (id is the character's name): d => d.id
// Adjust the positions of the nodes and links each time the simulation "ticks" forward through time
function ticked() {
link
.attr("x1", d => d.source.x)
.attr("y1", d => d.source.y)
.attr("x2", d => d.target.x)
.attr("y2", d => d.target.y);
node.attr("cx", d => d.x).attr("cy", d => d.y);
}
// Source: https://github.com/d3/d3-drag
// Observable drag collection: https://observablehq.com/collection/@d3/d3-drag
function draggable(simulation) {
function dragstarted(event) {
if (!event.active) simulation.alphaTarget(0.3).restart();
event.subject.fx = event.subject.x;
event.subject.fy = event.subject.y;
}
function dragged(event) {
event.subject.fx = event.x;
event.subject.fy = event.y;
}
function dragended(event) {
if (!event.active) simulation.alphaTarget(0);
event.subject.fx = null;
event.subject.fy = null;
}
return d3
.drag()
.on("start", dragstarted)
.on("drag", dragged)
.on("end", dragended);
}
// Source: https://observablehq.com/@observablehq/invalidation
// `invalidation` is promise that resolves when the current cell is re-evaluated:
// when the cell’s code changes,
// when it is run using Shift-Enter,
// or when a referenced input changes
invalidation.then(() => simulation.stop());
return svg.node();
}