Sum Of Integers Between A And B
Sum of integers between a and b: `function sum(a, b) { if (a == b) return a; let min = Math.min(a,b), max = Math.max(a,b); return Array(max - min + 1).fill(0).map((_,i) => i + min).reduce((a,b) => a+b, 0); }
Instructions: Given two integers a and b, which can be positive or negative, find the sum of all the integers between and including them and return it. If the two numbers are equal return a or b. Note: a and b are not ordered! Examples (a, b) --> output (explanation) (1, 0) --> 1 (1 + 0 = 1) (1, 2) --> 3 (1 + 2 = 3) (0, 1) --> 1 (0 + 1 = 1) (1, 1) --> 1 (1 since both are same) (-1, 0) --> -1 (-1 + 0 = -1) (-1, 2) --> 2 (-1 + 0 + 1 + 2 = 2) Your function should only return a number, not the explanation about how you get that number. Thoughts: I first check if a and b are equal to quickly retur...