If I have the following array of objects:
JavaScript
x
2
1
[ { id: 1, username: 'fred' }, { id: 2, username: 'bill' }, { id: 2, username: 'ted' } ]
2
Is there a way to loop through the array to check whether a particular username value already exists and if it does do nothing, but if it doesn’t to add a new object to the array with said username (and new ID)?
Thanks!
Advertisement
Answer
I’ve assumed that id
s are meant to be unique here. find
is a great array method for checking the existence of things in arrays:
JavaScript
1
12
12
1
const arr = [{ id: 1, username: 'fred' }, { id: 2, username: 'bill' }, { id: 3, username: 'ted' }];
2
3
function add(arr, name) {
4
const { length } = arr;
5
const id = length + 1;
6
const found = arr.find(el => el.username === name);
7
if (!found) arr.push({ id, username: name });
8
return arr;
9
}
10
11
console.log(add(arr, 'ted'));
12
console.log(add(arr, 'daisy'));