Welcome to Subscribe On Youtube

904. Fruit Into Baskets

Description

You are visiting a farm that has a single row of fruit trees arranged from left to right. The trees are represented by an integer array fruits where fruits[i] is the type of fruit the ith tree produces.

You want to collect as much fruit as possible. However, the owner has some strict rules that you must follow:

  • You only have two baskets, and each basket can only hold a single type of fruit. There is no limit on the amount of fruit each basket can hold.
  • Starting from any tree of your choice, you must pick exactly one fruit from every tree (including the start tree) while moving to the right. The picked fruits must fit in one of your baskets.
  • Once you reach a tree with fruit that cannot fit in your baskets, you must stop.

Given the integer array fruits, return the maximum number of fruits you can pick.

 

Example 1:

Input: fruits = [1,2,1]
Output: 3
Explanation: We can pick from all 3 trees.

Example 2:

Input: fruits = [0,1,2,2]
Output: 3
Explanation: We can pick from trees [1,2,2].
If we had started at the first tree, we would only pick from trees [0,1].

Example 3:

Input: fruits = [1,2,3,2,2]
Output: 4
Explanation: We can pick from trees [2,3,2,2].
If we had started at the first tree, we would only pick from trees [1,2].

 

Constraints:

  • 1 <= fruits.length <= 105
  • 0 <= fruits[i] < fruits.length

Solutions

Solution 1: Hash Table + Sliding Window

We use a hash table $cnt$ to maintain the types and corresponding quantities of fruits in the current window, and use two pointers $j$ and $i$ to maintain the left and right boundaries of the window.

We traverse the fruits array, add the current fruit $x$ to the window, i.e., $cnt[x]++$, then judge whether the types of fruits in the current window exceed $2$. If it exceeds $2$, we need to move the left boundary $j$ of the window to the right until the types of fruits in the window do not exceed $2$. Then we update the answer, i.e., $ans = \max(ans, i - j + 1)$.

After the traversal ends, we can get the final answer.

1 2 3 2 2 1 4
^   ^
j   i


1 2 3 2 2 1 4
  ^ ^
  j i


1 2 3 2 2 1 4
  ^     ^
  j     i

The time complexity is $O(n)$, and the space complexity is $O(1)$. Here, $n$ is the length of the fruits array.

Solution 2: Sliding Window Optimization

In Solution 1, we find that the window size sometimes increases and sometimes decreases, which requires us to update the answer each time.

But what this problem actually asks for is the maximum number of fruits, that is, the “largest” window. We don’t need to shrink the window, we just need to let the window monotonically increase. So the code omits the operation of updating the answer each time, and only needs to return the size of the window as the answer after the traversal ends.

The time complexity is $O(n)$, and the space complexity is $O(1)$. Here, $n$ is the length of the fruits array.

  • class Solution {
        public int totalFruit(int[] fruits) {
            Map<Integer, Integer> cnt = new HashMap<>();
            int j = 0, n = fruits.length;
            for (int x : fruits) {
                cnt.put(x, cnt.getOrDefault(x, 0) + 1);
                if (cnt.size() > 2) {
                    int y = fruits[j++];
                    cnt.put(y, cnt.get(y) - 1);
                    if (cnt.get(y) == 0) {
                        cnt.remove(y);
                    }
                }
            }
            return n - j;
        }
    }
    
  • class Solution {
    public:
        int totalFruit(vector<int>& fruits) {
            unordered_map<int, int> cnt;
            int j = 0, n = fruits.size();
            for (int& x : fruits) {
                ++cnt[x];
                if (cnt.size() > 2) {
                    int y = fruits[j++];
                    if (--cnt[y] == 0) cnt.erase(y);
                }
            }
            return n - j;
        }
    };
    
  • class Solution:
        def totalFruit(self, fruits: List[int]) -> int:
            cnt = Counter()
            j = 0
            for x in fruits:
                cnt[x] += 1
                if len(cnt) > 2:
                    y = fruits[j]
                    cnt[y] -= 1
                    if cnt[y] == 0:
                        cnt.pop(y)
                    j += 1
            return len(fruits) - j
    
    
  • func totalFruit(fruits []int) int {
    	cnt := map[int]int{}
    	j := 0
    	for _, x := range fruits {
    		cnt[x]++
    		if len(cnt) > 2 {
    			y := fruits[j]
    			cnt[y]--
    			if cnt[y] == 0 {
    				delete(cnt, y)
    			}
    			j++
    		}
    	}
    	return len(fruits) - j
    }
    
  • function totalFruit(fruits: number[]): number {
        const n = fruits.length;
        const map = new Map<number, number>();
        let i = 0;
        for (const fruit of fruits) {
            map.set(fruit, (map.get(fruit) ?? 0) + 1);
            if (map.size > 2) {
                const k = fruits[i++];
                map.set(k, map.get(k) - 1);
                if (map.get(k) == 0) {
                    map.delete(k);
                }
            }
        }
        return n - i;
    }
    
    
  • use std::collections::HashMap;
    impl Solution {
        pub fn total_fruit(fruits: Vec<i32>) -> i32 {
            let n = fruits.len();
            let mut map = HashMap::new();
            let mut i = 0;
            for &fruit in fruits.iter() {
                *map.entry(fruit).or_insert(0) += 1;
                if map.len() > 2 {
                    let k = fruits[i];
                    map.insert(k, map[&k] - 1);
                    if map[&k] == 0 {
                        map.remove(&k);
                    }
                    i += 1;
                }
            }
            (n - i) as i32
        }
    }
    
    

All Problems

All Solutions