Understand what the interviewer is asking for by using test cases and questions about the problem.
- Established a set (2-3) of test cases to verify their own solution later.
- Established a set (1-2) of edge cases to verify their solution handles complexities.
- Have fully understood the problem and have no clarifying questions.
- Have you verified any Time/Space Constraints for this problem?
HAPPY CASE
Input: nums = [2,7,11,15], target = 9
Output: [0,1]
Explanation: Because nums[0] + nums[1] == 9, we return [0, 1].
Input: nums = [3,2,4], target = 6
Output: [1,2]
EDGE CASE (Multiple Spaces)
Input: nums = [3,3], target = 6
Output: [0,1]Match what this problem looks like to known categories of problems, e.g. Linked List or Dynamic Programming, and strategies or patterns in those categories.
For Array/Strings, common solution patterns include:
Plan the solution with appropriate visualizations and pseudocode.
General Idea: Use a hashmap to store the missing counterpart of the numbers we had seen and it's index. We can refer to the hashmap for the index once we find the counterpart.
1) Create a hashmap
2) Iterate through the array
    1) If we see the counterpart in our hashmap then return the index of the counterpart and current index.
    2) Store the counterpart of the number we have seen and current index.⚠️ Common Mistakes
Implement the code to solve the algorithm.
class Solution:
    def twoSum(self, nums: List[int], target: int) -> List[int]:
        # Create a hashmap
        hashmap = dict()
        # Iterate through the array
        for i, num in enumerate(nums):
            # If we see the counterpart in our hashmap then return the index of the counterpart and current index
            if num in hashmap:
                return [hashmap[num], i]
            # Store the counterpart of the number we have seen and current index
            hashmap[target-num] = iimport java.util.HashMap;
import java.util.Map;
 
class Solution {
    public int[] twoSum(int[] nums, int target) {
        // Create a hashmap
        Map<Integer, Integer> numToIndex = new HashMap<>();
        // Iterate through the array
        for (int i = 0; i < nums.length; i++) {
            
            // If we see the counterpart in our hashmap then return the index of the counterpart and current index
            if (numToIndex.containsKey(target - nums[i])) {
                return new int[] {numToIndex.get(target - nums[i]), i};
            }
            
            // Store the counterpart of the number we have seen and current index
            numToIndex.put(nums[i], i);
        }
        return new int[] {};
    }
}Review the code by running specific example(s) and recording values (watchlist) of your code's variables along the way.
Evaluate the performance of your algorithm and state any strong/weak or future potential work.
Assume N represents the number of items in the array.
