Problem Description
Given an integer array nums where nums[i] is either a positive integer or -1. We need to find for each -1 the respective positive integer, which we call the last visited integer. Start iterating from the beginning of the array nums. If a positive integer is encountered, prepend it to the front of seen. If -1 is encountered, let k be the number of consecutive -1s seen so far (including the current -1). If k is less than or equal to the length of seen, append the k-th element of seen to ans. If k is strictly greater than the length of seen, append -1 to ans. Return the array ans.
Key Insights
- We need to track the last positive integers encountered in the array.
- Use a list
seen
to store the last visited integers in a way that allows easy access to the most recent ones. - Count consecutive
-1
s to determine which integer to append to the result arrayans
.
Space and Time Complexity
Time Complexity: O(n)
Space Complexity: O(n)
Solution
The solution utilizes an array seen
to keep track of the last visited positive integers in reverse order. As we iterate through the nums
array, we check if the current number is positive or -1
. If it's positive, we prepend it to seen
. If it's -1
, we determine how many consecutive -1
s have been seen. We either append the corresponding element from seen
to ans
or -1
if there are not enough elements in seen
.