countPositivesSumNegatives.js (8kyu 13)
Codewars 알고리즘 풀이
Problem
- Return an array, where the first element is the count of positives numbers and the second element is sum of negative numbers.
- 두 개의 element를 포함하는 배열을 반환한다.
- 첫 번째 element는 양수의 개수, 두 번째 element는 음수의 합이다.
- If the input array is empty or null, return an empty array.
- 빈 배열이나 null의 경우, 빈 배열을 반환한다.
Solution 01
function countPositivesSumNegatives(arr) {
if (arr === null || arr.length === 0) {
return [];
}
let count = 0;
let sum = 0;
for (let i = 0; i < arr.length; i++) {
if (arr[i] > 0) {
count++;
} else {
sum += arr[i];
}
}
return [count, sum];
}
countPositivesSumNegatives([]); // []
countPositivesSumNegatives([-2, -1, 0, 1, 2]); // [2, -3]
Solution 02
function countPositivesSumNegatives(arr) {
if (!arr || !arr.length) {
return [];
}
let count = 0;
let sum = 0;
arr.forEach(i => {
if (i > 0) {
count++;
} else {
sum += i;
}
});
return [count, sum];
}
countPositivesSumNegatives([]); // []
countPositivesSumNegatives([-2, -1, 0, 1, 2]); // [2, -3]
Solution 03
function countPositivesSumNegatives(arr) {
if (!arr || !arr.length) {
return [];
}
return arr.reduce((result, i) => {
if (i > 0) {
result[0]++;
} else {
result[1] += i;
}
return result;
}, [0, 0]);
}
countPositivesSumNegatives([]); // []
countPositivesSumNegatives([-2, -1, 0, 1, 2]); // [2, -3]
reduce()
메소드배열을 하나의 값으로 줄이고, 그 값을 반환한다.