-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path1. Two Sum.js
46 lines (39 loc) · 1.31 KB
/
1. Two Sum.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
/**
* Given an array of integers nums and an integer target, return indices of the two numbers such that they add up to target.
* You may assume that each input would have exactly one solution, and you may not use the same element twice.
* You can return the answer in any order.
*/
class Test {
/**
* Simple bruteforce, cycle for every couple of values
*/
twoSum(nums, target) {
for(let i = 0; i < nums.length; i++) {
for(let j = Number(i)+1; j < nums.length; j++ ) {
if (nums[i] + nums[j] === target) {
return [i, j];
}
}
}
}
twoSumOptimized(nums, target) {
let hashmap = nums.reduce((dict, n, i) => {dict[n] = i; return dict}, {})
for(let i = 0; i< nums.length; i++) {
if (hashmap[target - nums[i]]) {
return [i, hashmap[target - nums[i]]];
}
}
}
}
const testExecutor = new Test();
const testCase = [
{nums: [2, 9, 7, 4], target: 9, result: [0, 2]},
{nums: [2, 15, 7, 1], target: 8, result: [2, 3]},
{nums: [7, 4], target: 11, result: [0, 1]},
];
testCase.forEach(testCase => {
console.log('Executing test', testCase);
const result = testExecutor.twoSumOptimized(testCase.nums, testCase.target);
console.log('Result:', result);
console.assert(result.every(index => testCase.result.some(n => n === index)))
})