I want to make a select/option nested with a json:
JavaScript
x
79
79
1
{
2
"id": 11,
3
"title": "A",
4
"parent_id": null,
5
"is_active": 1,
6
"children": [
7
{
8
"id": 12,
9
"title": "B",
10
"parent_id": 11,
11
"is_active": 1,
12
"children": [
13
{
14
"id": 13,
15
"title": "C",
16
"parent_id": 12,
17
"is_active": 1
18
},
19
{
20
"id": 14,
21
"title": "D",
22
"parent_id": 12,
23
"is_active": 1
24
},
25
{
26
"id": 15,
27
"title": "G",
28
"parent_id": 12,
29
"is_active": 1
30
},
31
{
32
"id": 16,
33
"title": "H",
34
"parent_id": 12,
35
"is_active": 1
36
},
37
{
38
"id": 62,
39
"title": "I",
40
"parent_id": 12,
41
"is_active": 1
42
}
43
]
44
},
45
{
46
"id": 17,
47
"title": "J",
48
"parent_id": 11,
49
"is_active": 1,
50
"children": [
51
{
52
"id": 18,
53
"title": "K",
54
"parent_id": 17,
55
"is_active": 1
56
},
57
{
58
"id": 19,
59
"title": "L",
60
"parent_id": 17,
61
"is_active": 1
62
},
63
{
64
"id": 20,
65
"title": "M",
66
"parent_id": 17,
67
"is_active": 1
68
},
69
{
70
"id": 21,
71
"title": "N",
72
"parent_id": 17,
73
"is_active": 1
74
}
75
]
76
}
77
]
78
}
79
I want to create below result:
JavaScript
1
16
16
1
<select>
2
<optgroup label=“A”>
3
<optgroup label=“B”>
4
<option>C</option>
5
<option>D</option>
6
<option>G</option>
7
</optgroup>
8
9
<optgroup label=“J”>
10
<option>K</option>
11
<option>L</option>
12
<option>M</option>
13
14
</optgroup>
15
</optgroup>
16
</select>
my code:
JavaScript
1
28
28
1
console.log(this.makeTreeOptionSele(undefined,data))
2
3
makeTreeOptionSele(result, obj) {
4
5
if (obj.children) {
6
result += "<optgroup label={"+obj.title+"}>"
7
{this.getOptionChilds(obj.children)}
8
"</optgroup>"
9
}
10
11
if(result)
12
return result
13
14
}
15
16
getOptionChilds(childrens) {
17
var result = null
18
for (var i = 0; i < childrens.length; ++i) {
19
var child = childrens[i]
20
result +="<option value={"+child.id+"}>{"+child.title+"}</option>"
21
if (child.children) {
22
return this.makeTreeOptionSele(result, child)
23
}
24
}
25
26
return result
27
}
28
but it does’t return result.
Advertisement
Answer
JavaScript
1
15
15
1
function makeTreeOption(tree) {
2
let ouput = `<optgroup label="${tree.title}">`;
3
if (tree['children']) {
4
tree.children.forEach(children => {
5
if (children['children']) {
6
ouput += makeTreeOption(children);
7
} else {
8
ouput += `<option>${children.title}</option>`;
9
}
10
});
11
}
12
ouput += `</optgroup>`;
13
return ouput;
14
}
15