Treemap Development for Hierarchy Visualization
Treemap does one thing well: shows proportions of parts in hierarchical structure. Rectangle area is proportional to value. Color is an additional dimension: growth/decline, category, status. If you need to understand "what takes the most space" in budget, category tree, file system, or asset portfolio—treemap reads faster than any table.
D3 Treemap
import { useEffect, useRef } from 'react';
import * as d3 from 'd3';
interface TreeNode {
name: string;
value?: number;
children?: TreeNode[];
change?: number; // % change for color encoding
}
interface TreemapProps {
data: TreeNode;
width?: number;
height?: number;
colorBy?: 'category' | 'change';
}
export function Treemap({ data, width = 800, height = 500, colorBy = 'category' }: TreemapProps) {
const svgRef = useRef<SVGSVGElement>(null);
useEffect(() => {
if (!svgRef.current) return;
const svg = d3.select(svgRef.current);
svg.selectAll('*').remove();
// Hierarchy
const root = d3.hierarchy(data)
.sum(d => d.value ?? 0)
.sort((a, b) => (b.value ?? 0) - (a.value ?? 0));
// Layout
d3.treemap()
.size([width, height])
.paddingOuter(3)
.paddingInner(2)
.paddingTop(18)
.round(true)(root);
const colorScale = colorBy === 'change'
? d3.scaleDiverging(d3.interpolateRdYlGn).domain([-30, 0, 30])
: d3.scaleOrdinal(d3.schemeTableau10);
const tooltip = d3.select('body').append('div')
.style('position', 'absolute')
.style('display', 'none')
.style('background', 'rgba(15,23,42,0.9)')
.style('color', '#f1f5f9')
.style('padding', '8px 12px')
.style('border-radius', '4px')
.style('font-size', '13px')
.style('pointer-events', 'none')
.style('max-width', '220px');
// All nodes with descendants (for groups)
const leaves = root.leaves();
const ancestors = root.descendants().filter(d => d.depth === 1);
// Background rectangles for groups
svg.selectAll('.group-rect')
.data(ancestors)
.join('rect')
.attr('class', 'group-rect')
.attr('x', (d: any) => d.x0)
.attr('y', (d: any) => d.y0)
.attr('width', (d: any) => d.x1 - d.x0)
.attr('height', (d: any) => d.y1 - d.y0)
.attr('fill', (d: any) => colorBy === 'change' ? '#e2e8f0' : d3.color(colorScale(d.data.name))!.brighter(0.7).toString())
.attr('stroke', '#fff')
.attr('stroke-width', 2);
// Group labels
svg.selectAll('.group-label')
.data(ancestors)
.join('text')
.attr('class', 'group-label')
.attr('x', (d: any) => d.x0 + 6)
.attr('y', (d: any) => d.y0 + 13)
.attr('font-size', 11)
.attr('font-weight', '600')
.attr('fill', '#374151')
.text((d: any) => d.data.name);
// Leaves
const cell = svg.selectAll('.cell')
.data(leaves)
.join('g')
.attr('class', 'cell')
.attr('transform', (d: any) => `translate(${d.x0},${d.y0})`);
cell.append('rect')
.attr('width', (d: any) => d.x1 - d.x0)
.attr('height', (d: any) => d.y1 - d.y0)
.attr('fill', (d: any) => {
if (colorBy === 'change') return colorScale(d.data.change ?? 0);
return colorScale((d.parent?.data.name ?? '') as string);
})
.attr('fill-opacity', 0.85)
.attr('stroke', '#fff')
.attr('stroke-width', 1)
.on('mouseover', (event, d: any) => {
d3.select(event.currentTarget).attr('fill-opacity', 1);
const pct = d.data.change != null
? `<br/>Change: ${d.data.change > 0 ? '+' : ''}${d.data.change.toFixed(1)}%`
: '';
tooltip
.style('display', 'block')
.style('left', `${event.pageX + 12}px`)
.style('top', `${event.pageY - 28}px`)
.html(`<strong>${d.data.name}</strong><br/>${d3.format(',.0f')(d.value ?? 0)}${pct}`);
})
.on('mouseout', (event) => {
d3.select(event.currentTarget).attr('fill-opacity', 0.85);
tooltip.style('display', 'none');
});
// Text inside cells (if space allows)
cell.append('text')
.attr('x', 4)
.attr('y', 14)
.attr('font-size', 11)
.attr('fill', '#fff')
.attr('font-weight', '500')
.text((d: any) => {
const w = d.x1 - d.x0;
const h = d.y1 - d.y0;
return w > 40 && h > 20 ? d.data.name : '';
})
.each(function(d: any) {
const el = d3.select(this);
const maxWidth = d.x1 - d.x0 - 8;
// Truncate if doesn't fit
let text = d.data.name;
while (this.getComputedTextLength() > maxWidth && text.length > 3) {
text = text.slice(0, -1);
el.text(text + '…');
}
});
// Value below name
cell.append('text')
.attr('x', 4)
.attr('y', 26)
.attr('font-size', 10)
.attr('fill', 'rgba(255,255,255,0.8)')
.text((d: any) => {
const w = d.x1 - d.x0;
const h = d.y1 - d.y0;
return w > 50 && h > 35 ? d3.format(',.0f')(d.value ?? 0) : '';
});
return () => { tooltip.remove(); };
}, [data, width, height, colorBy]);
return <svg ref={svgRef} width={width} height={height} style={{ display: 'block' }} />;
}
Drill-Down
Clickable treemap with hierarchy navigation:
function DrilldownTreemap({ data }: { data: TreeNode }) {
const [currentNode, setCurrentNode] = useState<TreeNode>(data);
const [breadcrumb, setBreadcrumb] = useState<TreeNode[]>([data]);
function drillDown(node: TreeNode) {
if (!node.children?.length) return;
setCurrentNode(node);
setBreadcrumb(prev => [...prev, node]);
}
function drillUp(index: number) {
const target = breadcrumb[index];
setCurrentNode(target);
setBreadcrumb(prev => prev.slice(0, index + 1));
}
return (
<div>
<nav className="flex gap-2 text-sm mb-3">
{breadcrumb.map((node, i) => (
<span key={i}>
{i > 0 && <span className="text-gray-400 mx-1">/</span>}
<button
onClick={() => drillUp(i)}
className={i === breadcrumb.length - 1 ? 'font-semibold' : 'text-blue-600 hover:underline'}
>
{node.name}
</button>
</span>
))}
</nav>
<Treemap data={currentNode} onCellClick={drillDown} />
</div>
);
}
Layout Algorithms
D3 provides several tiling algorithms:
const layout = d3.treemap()
.tile(d3.treemapSquarify) // square rectangles (default)
// .tile(d3.treemapSliceDice) // alternating horizontal/vertical slices
// .tile(d3.treemapSlice) // horizontal slices only
// .tile(d3.treemapResquarify) // reuses previous layout on update
treemapSquarify—best aspect ratio, cells closer to square. treemapResquarify important for animated updates—minimizes element movement.
Data Structure from API
// Transform flat data into hierarchy
function buildHierarchy(items: { category: string; subcategory: string; name: string; value: number }[]): TreeNode {
const root: TreeNode = { name: 'root', children: [] };
items.forEach(item => {
let cat = root.children!.find(c => c.name === item.category);
if (!cat) {
cat = { name: item.category, children: [] };
root.children!.push(cat);
}
let subcat = cat.children!.find(c => c.name === item.subcategory);
if (!subcat) {
subcat = { name: item.subcategory, children: [] };
cat.children!.push(subcat);
}
subcat.children!.push({ name: item.name, value: item.value });
});
return root;
}
Timeline
Basic treemap with tooltip and drill-down—2–3 days. With drill-down animations, change color encoding, and export—4–6 days.







