Рекурсия - это просто причудливый цикл.
Что делает рекурсию трудной для понимания, так это то, что часть цикла скрыта от вас.
Скрытая часть называется стеком вызовов. Поймите стек вызовов, и вы поймете рекурсию.
function makeTree(categories, parent) {
let node = {};
const stack = [{ parent, node }];
while (stack.length) {
const { parent, node } = stack.pop();
for (const category of categories) {
if (category.parent === parent) {
const subnode = {};
node[category.id] = subnode;
stack.push({
parent: category.id,
node: subnode
});
}
}
}
return node;
}
let categories = [
{ id: 'animals', parent: null },
{ id: 'mammals', parent: 'animals' },
{ id: 'cats', parent: 'mammals' },
{ id: 'dogs', parent: 'mammals' },
{ id: 'chihuahua', parent: 'dogs' },
{ id: 'labrador', parent: 'dogs' },
{ id: 'persian', parent: 'cats' },
{ id: 'siamese', parent: 'cats' }
];
document.body.innerHTML = `${JSON.stringify(makeTree(categories, null), null, 2)}
`
Немного длиннее, но именно так работает рекурсия:
function makeTree(categories, parent) {
const stack = [{ parent }];
let subnode; // the return value
call: while (stack.length) {
let { parent, node, i, c } = stack.pop();
if (!node) {
node = {};
i = 0;
} else {
node[c.id] = subnode;
}
for (; i < categories.length; i++) {
const category = categories[i];
if (category.parent === parent) {
stack.push({
parent,
node,
i: i+1,
c: category
});
stack.push({
parent: category.id
});
continue call;
}
}
subnode = node;
}
return subnode;
}