Intervue featured on Shark TankIntervue featured on Shark Tank - mobile banner

Given an array of integers, you can delete any number from the array and earn the number of points equal to the number you deleted. However, if you delete a number, you cannot delete any other number that is one more or one less than the deleted number. Find the maximum number of points you can earn.

Constraints:

  • 1 <= nums.length <= 20000
  • 1 <= nums[i] <= 10^4

Examples:

Input: [3,4,2]

Output: 6

Explanation: You can delete 3 and 4 to earn 7 points, but you cannot delete 2 because it is one less than 3. So, the maximum points you can earn is 6 by deleting 3 and 2, or 4 and 2.

Solutions

Dynamic Programming

Time: O(n)Space: O(n)

The solution uses dynamic programming to keep track of the maximum points that can be earned for each number up to the maximum number in the array. It iterates through the array and updates the dp array accordingly. Finally, it returns the maximum points that can be earned for the maximum number.


public int deleteAndEarn(int[] nums) {
  int max = 0;
  for (int num : nums) {
    max = Math.max(max, num);
  }
  int[] dp = new int[max + 1];
  for (int num : nums) {
    dp[num] += num;
  }
  for (int i = 2;
  i <= max;
  i++) {
    dp[i] = Math.max(dp[i - 1], dp[i - 2] + dp[i]);
  }
  return dp[max];
}

Difficulty: Medium

Category: Dynamic Programming

Frequency: Medium

Company tags:

GoogleAmazonMicrosoft