My goal is to push an array into another array. However the array will not be pushed if the value within a[1] exists from a previous push.
simplified example of my attempt
JavaScript
x
23
23
1
curated_array = [];
2
3
for(i =0; i < 4; i++) {
4
console.log(i);
5
if(i ==0){
6
a = ['John','15799','United States'];
7
}
8
else if(i ==1){
9
a = ['Tim','86037','United States'];
10
}
11
else if(i==2){
12
a = ['George','15799','Great Britain'];
13
}
14
else if(i ==3){
15
a = ['Lucas','26482','Greece'];
16
}
17
else if(i ==4){
18
a = ['Joshua','83620','United States'];
19
}
20
curated_array = curated_array.filter(f => f!= a).concat([a]);
21
}
22
console.log(curated_array);
23
Actual outcome
JavaScript
1
6
1
[ [ 'John', '15799', 'United States' ],
2
[ 'Tim', '86037', 'United States' ],
3
[ 'George', '15799', 'Great Britain' ],
4
[ 'Lucas', '26482', 'Greece' ],
5
[ 'Joshua', '83620', 'United States' ] ]
6
Desired outcome — to remove the row where a[1] = 15799, since it has happened already
JavaScript
1
5
1
[ [ 'John', '15799', 'United States' ],
2
[ 'Tim', '86037', 'United States' ],
3
[ 'Lucas', '26482', 'Greece' ],
4
[ 'Joshua', '83620', 'United States' ] ]
5
Advertisement
Answer
While @Barmar’s comment makes your code work, it’s inefficient to iterate over the whole array every time to check if you’ve seen the value before.
Please consider using a different data structure such as a Set or key-val pairs:
Answer with key-val pairs/hash map-like:
JavaScript
1
19
19
1
inputs = [ [ 'John', '15799', 'United States' ],
2
[ 'Tim', '86037', 'United States' ],
3
[ 'George', '15799', 'Great Britain' ],
4
[ 'Lucas', '26482', 'Greece' ],
5
[ 'Joshua', '83620', 'United States' ] ]
6
7
// build a hash map, O(n) => you only need to build this once
8
uniqueInputs = {}
9
10
inputs.forEach(input => {
11
valueToCheck = input[1]
12
// checking for a key in an object is O(1)
13
if (! (valueToCheck in uniqueInputs) )
14
uniqueInputs[ valueToCheck ] = input
15
})
16
17
// turn the object back into an array
18
output = Object.values( uniqueInputs )
19
Output:
JavaScript
1
23
23
1
[
2
[
3
"John",
4
"15799",
5
"United States"
6
],
7
[
8
"Lucas",
9
"26482",
10
"Greece"
11
],
12
[
13
"Joshua",
14
"83620",
15
"United States"
16
],
17
[
18
"Tim",
19
"86037",
20
"United States"
21
]
22
]
23