Skip to content

2689. Rearranging Fruits

Difficulty: Hard

LeetCode Problem View on GitHub


2689. Rearranging Fruits

Hard


You have two fruit baskets containing n fruits each. You are given two 0-indexed integer arrays basket1 and basket2 representing the cost of fruit in each basket. You want to make both baskets equal. To do so, you can use the following operation as many times as you want:

  • Chose two indices i and j, and swap the ith fruit of basket1 with the jth fruit of basket2.
  • The cost of the swap is min(basket1[i],basket2[j]).

Two baskets are considered equal if sorting them according to the fruit cost makes them exactly the same baskets.

Return the minimum cost to make both the baskets equal or -1 if impossible.

 

Example 1:

Input: basket1 = [4,2,2,2], basket2 = [1,4,1,2]
Output: 1
Explanation: Swap index 1 of basket1 with index 0 of basket2, which has cost 1. Now basket1 = [4,1,2,2] and basket2 = [2,4,1,2]. Rearranging both the arrays makes them equal.

Example 2:

Input: basket1 = [2,3,4,1], basket2 = [3,2,5,1]
Output: -1
Explanation: It can be shown that it is impossible to make both the baskets equal.

 

Constraints:

  • basket1.length == basket2.length
  • 1 <= basket1.length <= 105
  • 1 <= basket1[i],basket2[i] <= 109

Solution

class Solution {
    public long minCost(int[] arr1, int[] arr2) {
        int n = arr1.length;
        HashMap<Integer, Integer> mp = new HashMap<>();
        int minVal = Integer.MAX_VALUE;

        for (int i = 0; i < n; i++) {
            mp.put(arr1[i], mp.getOrDefault(arr1[i], 0) + 1);
            minVal = Math.min(minVal, arr1[i]);
        }

        for (int i = 0; i < n; i++) {
            mp.put(arr2[i], mp.getOrDefault(arr2[i], 0) - 1);
            minVal = Math.min(minVal, arr2[i]);
        }

        List<Integer> diffList = new ArrayList<>();

        for (Map.Entry<Integer, Integer> entry : mp.entrySet()) {
            int key = entry.getKey();
            int freq = entry.getValue();
            if (freq % 2 != 0) return -1;
            int count = Math.abs(freq) / 2;
            for (int i = 0; i < count; i++) {
                diffList.add(key);
            }
        }

        Collections.sort(diffList);
        int size = diffList.size() / 2;
        long cost = 0;

        for (int i = 0; i < size; i++) {
            cost += Math.min(2 * minVal, diffList.get(i));
        }

        return cost;
    }
}

Complexity Analysis

  • Time Complexity: O(?)
  • Space Complexity: O(?)

Approach

Detailed explanation of the approach will be added here