2021-12-28数组链表day5
田忌赛马问题
题目:
给定两个大小相等的数组 A
和 B
,A 相对于 B 的优势可以用满足 A[i] > B[i]
的索引 i
的数目来描述。
返回 A
的任意排列,使其相对于 B
的优势最大化。
示例 1:
输入:A = [2,7,11,15], B = [1,10,4,11] 输出:[2,11,7,15]
示例 2:
输入:A = [12,24,8,32], B = [13,25,32,11] 输出:[24,32,8,12]
提示:
1 <= A.length = B.length <= 10000
0 <= A[i] <= 10^9
0 <= B[i] <= 10^9
1 class Solution { 2 public int[] advantageCount(int[] nums1, int[] nums2) { 3 Arrays.sort(nums1); 4 // nums1升序排序 5 PriorityQueue<int[]> queue=new PriorityQueue<>( 6 (int[] a,int[] b)->{return b[1]-a[1];} 7 ); 8 for (int i=0;i<nums2.length;i++){ 9 queue.offer(new int[]{i,nums2[i]}); 10 } 11 int l=0,r=nums1.length-1; 12 int[] ans=new int[nums1.length];; 13 while (!queue.isEmpty()){ 14 int[] t=queue.poll(); 15 if (nums1[r]>t[1]){ 16 //直接比 17 ans[t[0]]=nums1[r]; 18 r--; 19 }else { 20 ans[t[0]]=nums1[l]; 21 l++; 22 } 23 } 24 return ans; 25 } 26 }
当前最大值能超过就超过,不能超过就用最小值送头。