你基本上有三个选择是有意义的:
1) 一棵树:
const root = {
name: "Har's holdings",
code: "0001",
children: [
{
name: "John software company",
code: "0220",
children: [/*...*/],
},
/*...*/
],
};
因此,当显示时,根据
node.children
如果单击其中一个,则将节点设置为
node = node.children[clicked]
. 现在搜索时,将树展平是有意义的,这可以通过生成器轻松完成:
function* flatten(node) {
yield node;
for(const child of node.children)
yield* flatten(child);
}
它允许您获取一个数组:
const nodes = [.. flatten(root)];
2) 查找表:
您可以根据节点的代码存储节点,并将子节点的代码存储在每个节点中,以便您可以轻松获取它们:
const byCode = {
"0001": {
name: "Har's holdings",
code: "0001",
children: ["0220", /*...*/],
},
"0220": {
name: "John software company",
code: "0220",
children: [/*...*/]
}
//...
};
获取一个节点的所有子节点可以执行以下操作:
const childNodes = byCode["0001"].children.map(key => byCode[key]);
const nodes = Object.values(byCode);
3) 阵列
const nodes = [
{
name: "Har's holdings",
code: "0001",
children: ["0220", /*...*/],
},
{
name: "John software company",
code: "0220",
children: [/*...*/]
}
];
很容易搜索,但是要将其用作树,必须将其转换为2):
const byCode = {};
for(const node of nodes)
byCode[node.code] = node;