0%

js 递归、非递归生成树

递归:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
var data = [
{ id: 1, name: "办公管理", pid: 0 },
{ id: 2, name: "请假申请", pid: 1 },
{ id: 3, name: "出差申请", pid: 1 },
{ id: 4, name: "请假记录", pid: 2 },
{ id: 5, name: "系统设置", pid: 0 },
{ id: 6, name: "权限管理", pid: 5 },
{ id: 7, name: "用户角色", pid: 6 },
{ id: 8, name: "菜单设置", pid: 6 },
];
function toTree(data) {
// 删除 所有 children,以防止多次调用
data.forEach(function (item) {
delete item.children;
});

// 将数据存储为 以 id 为 KEY 的 map 索引数据列
var map = {};
data.forEach(function (item) {
map[item.id] = item;
});
// console.log(map);
var val = [];
data.forEach(function (item) {
// 以当前遍历项,的pid,去map对象中找到索引的id
var parent = map[item.pid];
// 好绕啊,如果找到索引,那么说明此项不在顶级当中,那么需要把此项添加到,他对应的父级中
if (parent) {
(parent.children || (parent.children = [])).push(item);
} else {
//如果没有在map中找到对应的索引ID,那么直接把 当前的item添加到 val结果集中,作为顶级
val.push(item);
}
});
return val;
}
console.time()
console.log(toTree(data))
console.timeEnd();

非递归:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
console.time()
var nodes = [
{
"id": "12",
"parentId": "0",
"text": "Man",
"level": "1",
},
{
"id": "13",
"parentId": "12",
"text": "Man",
"level": "1",
},
{
"id": "14",
"parentId": "13",
"text": "Man",
"level": "1",
},
{
"id": "15",
"parentId": "15",
"text": "Man",
"level": "1",
},
{
"id": "16",
"parentId": "12",
"text": "Man",
"level": "1",
},];
var map = {}, node, roots = [];
for (var i = 0; i < nodes.length; i += 1) {
node = nodes[i];
node.children = [];
map[node.id] = i; // use map to look-up the parents
if (node.parentId !== "0") {
nodes[map[node.parentId]].children.push(node);
} else {
roots.push(node);
}
}
console.timeEnd();
console.log(roots); // <-- there's your tree