Problem Description
You are given a 0-indexed integer array coins, representing the values of the coins available, and an integer target. An integer x is obtainable if there exists a subsequence of coins that sums to x. Return the minimum number of coins of any value that need to be added to the array so that every integer in the range [1, target] is obtainable.
Key Insights
- The problem requires ensuring that all integers from 1 to the target can be formed using the available coins.
- By sorting the coins and iterating through the range up to the target, we can determine gaps where additional coins are needed.
- A greedy approach can be used to fill these gaps by incrementally adding the smallest missing values.
Space and Time Complexity
Time Complexity: O(n log n) due to sorting the coins, where n is the length of the coins array. The subsequent processing is O(n). Space Complexity: O(1) for the main variables used, as we are modifying the coins in place and not using extra space proportional to the input size.
Solution
The solution uses a greedy algorithm approach:
- Sort the coins to ensure we can evaluate them in increasing order.
- Initialize a variable to keep track of the smallest number that we cannot form (
current_target
). - Iterate through the sorted coin array and check if the current coin can help form the
current_target
. If not, we need to add coins until we can form all integers up to the target. - Each time we can't form a number, we add coins with values equal to the
current_target
until we reach the target.