I am trying to extend the Array class to add a Sum method to it. This is my code below, what am I doing wrong?
JavaScript
x
12
12
1
Class tipArray extends Array{
2
sum(values) {
3
for(i in values) {
4
total +=i;
5
}
6
}
7
}
8
9
var testArray = new tipArray();
10
testArray = [1,2,3,4];
11
console.log(testArray.sum());
12
Expected output = 10
Advertisement
Answer
- Start by imagining how you would sum an array (maybe something with
reduce
). - Turn that into a function.
- Add that as a method on your class. You can use
this
to refer to the array. - (optional) ask yourself if you really need a subclass instead of a function that accepts an array.
JavaScript
1
13
13
1
class tipArray extends Array{
2
sum() {
3
// Consider making sure the array contains items where sum makes sense here.
4
return this.reduce((sum, current) => sum + current)
5
}
6
}
7
8
var testArray = new tipArray(1,2,3,4);
9
console.log(testArray.sum());
10
11
// add another element and take another sum
12
testArray.push(10)
13
console.log(testArray.sum());