I am currently having problem on modifying a Json schema, the schema is below:
JavaScript
x
28
28
1
{
2
"$schema": "www.abc.com",
3
"compounds": {
4
"schemas": {
5
"Run": {
6
"type": "object",
7
"properties": {
8
"runContext": {
9
"type": "object",
10
"properties": {
11
"runNumber": {
12
"type": "integer"
13
},
14
"conveyanceType": {
15
"type": "string"
16
}
17
},
18
"required": [
19
"runNumber",
20
"conveyanceType"
21
]
22
}
23
}
24
}
25
}
26
}
27
}
28
I know this can be done using recursion, and I have tried to fetch the required item(code is below), but I have no idea how to put the required item back into properties and change to boolean value. Thanks in advance.
JavaScript
1
19
19
1
private modifyJson(jsonArr: any) {
2
//console.log(jsonArr);
3
for (let i in jsonArr) {
4
//console.log(typeof i);
5
let item = jsonArr[i];
6
if (typeof item === "object") {
7
//console.log("here " + JSON.stringify(item));
8
this.modifyJson(item);
9
if (i === "required") {
10
console.log("here required " + JSON.stringify(item));
11
for (let j in item) {
12
//console.log(item[j]);
13
const required = item[j]; //fetch required item
14
}
15
}
16
}
17
}
18
}
19
I want to put it into such format:
JavaScript
1
26
26
1
{
2
"$schema": "www.abc.com",
3
"compounds": {
4
"schemas": {
5
"Run": {
6
"type": "object",
7
"properties": {
8
"runContext": {
9
"type": "object",
10
"properties": {
11
"runNumber": {
12
"type": "integer",
13
"required": true
14
},
15
"conveyanceType": {
16
"type": "string",
17
"required": true
18
}
19
}
20
}
21
}
22
}
23
}
24
}
25
}
26
Advertisement
Answer
You can use recursive function with for...in
loop and update object with required
key on any level.
JavaScript
1
19
19
1
const data = {"$schema":"www.abc.com","compounds":{"schemas":{"Run":{"type":"object","properties":{"runContext":{"type":"object","properties":{"runNumber":{"type":"integer"},"conveyanceType":{"type":"string"}},"required":["runNumber","conveyanceType"]}}}}}}
2
3
function update(obj) {
4
for (let prop in obj) {
5
if (typeof obj[prop] === 'object') update(obj[prop]);
6
if (prop === 'required') {
7
obj[prop].forEach(key => {
8
if (obj.properties[key]) {
9
obj.properties[key].required = true;
10
}
11
})
12
13
delete obj[prop]
14
}
15
}
16
}
17
18
update(data)
19
console.log(data)