I want to update he array based on id with some conditions. Conditions were =
JavaScript
x
9
1
const data1 = [
2
{ type:"foo", id:"123"},
3
{ type:"bar", id:"124"},
4
]
5
6
const update1 = {type:"bar",id:"123"}
7
const update2 = {type:"foo", id:"125"}
8
const update3 = {type:"bar", id:"123"}
9
console.log(myupdate(data1, update1))
should update the data1 as bellow based on id here the type is changed to bar
JavaScript
1
4
1
data1 = [ { type:"bar", id:"123"},
2
{ type:"bar", id:"124"}, ]
3
4
console.log(myupdate(data1, update2)
)
here as no item with id 125 exist so it adds a new one
JavaScript
1
6
1
data1 = [ { type:"bar", id:"123"},
2
{ type:"bar", id:"124"},
3
{ type:"foo", id:"125"} ]
4
5
6
console.log(myupdate(data1, update3))
here type is not changed so it should return the array as it is.
JavaScript
1
5
1
data1 = [{ type:"bar", id:"123"},
2
{ type:"bar", id:"124"},
3
{ type:"foo", id:"125"}
4
]
5
I have tried this code but it doesn’t work
JavaScript
1
17
17
1
const myupdate = (arr, element) => {
2
arr.map((item)=>{
3
console.log(item, "ele",element)
4
if(item.id != element.id){
5
arr.push(element)
6
return
7
}
8
if(item.id === element.id && item.type === element.type){
9
return
10
}
11
if(item.id === element.id && item.type != element.type){
12
arr.filter(item => item !== element).push(element)
13
return
14
}
15
})
16
}
17
Advertisement
Answer
You need to look through the array and find the correct item. If there is no item with the specified requirement, you’ll add a new one. Here is an example:
JavaScript
1
22
22
1
const data = [
2
{ type: "foo", id: "123"},
3
{ type: "bar", id: "124"},
4
]
5
6
const update = (data, value) => {
7
console.log('Updating/Inserting', value);
8
const existingItem = data.find(item => item.id === value.id);
9
if (existingItem === undefined) {
10
data.push(value);
11
} else {
12
existingItem.type = value.type;
13
}
14
}
15
16
console.log('before', data);
17
update(data, {type:"bar",id:"123"});
18
console.log(data);
19
update(data, {type:"foo", id:"125"});
20
console.log(data);
21
update(data, {type:"bar", id:"123"});
22
console.log(data);