I have this object with tables:
JavaScript
x
11
11
1
let tables = {
2
"2021-08-25": {
3
"B0705": {
4
"48": "heaven"
5
},
6
"B0704": {
7
"48": "hell"
8
}
9
}
10
}
11
An I would like to insert dynamicly a new table. I tried this:
JavaScript
1
11
11
1
var insertTable = (date,table,slot) => {
2
let newDesk = {
3
[date]: {
4
[table]: {
5
[slot]: 'slotter'
6
}
7
}
8
};
9
Object.assign(tables,newDesk);
10
};
11
But it overwrites my exsiting entrances.
This will also not work:
JavaScript
1
6
1
var insertTable2 = (date,table,slot) => {
2
Object.defineProperty(tables, date, {
3
table: {slot: 'slotter'}
4
});
5
};
6
How this will work?
JavaScript
1
5
1
insertTable2("2021-08-25","B0705","22");
2
insertTable2("2021-08-25","B0705","12");
3
insertTable2("2021-08-25","B0706","33");
4
insertTable2("2021-08-26","B0703","11");
5
Advertisement
Answer
For a more reusable solution, take a look at this SO question – you want to deep merge the new object with the old one, not shallowly merge them.
A non reusable solution can be built like this (to illustrate that for more complex paths/requirements the above solution is much easier):
JavaScript
1
32
32
1
let tables = {
2
"2021-08-25": {
3
"B0705": {
4
"48": "heaven"
5
},
6
"B0704": {
7
"48": "hell"
8
}
9
}
10
}
11
// this will mutate the tables object
12
const insertTable = (date, table, slot) => {
13
// is there an object with this date yet? if not create it.
14
if(typeof tables[date] === "undefined"){
15
tables[date] = {};
16
}
17
// is there an object with this table yet? if not create it.
18
if(typeof tables[date][table] === "undefined"){
19
tables[date][table] = {};
20
}
21
// set the value now that we know all intermediate objects are defined.
22
tables[date][table][slot] = "slotter";
23
24
25
}
26
console.log(tables);
27
insertTable("2021-08-25","B0705","22");
28
insertTable("2021-08-25","B0705","12");
29
insertTable("2021-08-25","B0706","33");
30
insertTable("2021-08-26","B0703","11");
31
32
console.log(tables);