You are using return inside a callback function not in the main function (twoSum()), so the towSum function has only one return [] , to avoid that you can use for loop instead as in the twoSum1() example, but if you insist to use .forEach method, Based on this answer you can use another collback function to receive the return like in the twoSum2() exapmle
const twoSum1 = function (nums, target) {
const newMap = new Map();
for (let i = 0; i < nums.length; i++) {
const num = nums[i];
if (newMap.has(target - num)) {
return [newMap.get(target - num), i];
}
newMap.set(num, i);
}
};
console.log("from the first method: ");
console.log(twoSum1([3, 1, 3, 4, 5, 1, 2, 3], 9));
const twoSum2 = function (arr, target, fn) {
const newMap = new Map();
const newArr = arr.forEach(function (num, i) {
if (newMap.has(target - num)) fn([newMap.get(target - num), i]);
else newMap.set(num, i);
});
return newArr;
};
twoSum2([3, 1, 3, 4, 5, 1, 2, 3], 9, (result) => {
console.log("from the second method: ");
console.log(result);
});