1.找不同
牛牛最近迷上了《找不同》这个小游戏,在这个游戏中,每一轮,会给你两张很相似的照片,需要你指出其中的所有不同之处。
这一天,牛牛玩着这个游戏,路过牛妹身旁,偶然间注意到牛妹正对着很多数字发呆。牛牛瞄了一眼数字,随手指了一个数字,说这个数字在这些数中只出现了一次。经过牛妹人工检验,发现牛牛说得对。
import java.util.*;
// 注意类名必须为 Main, 不要有任何 package xxx 信息
public class Main {
public static void main(String[] args) {
Scanner in = new Scanner(System.in);
// 注意 hasNext 和 hasNextLine 的区别
int T = in.nextInt();
for(int i=0;i<T;i++){
int n = in.nextInt();
HashSet<Integer> nums=new HashSet<>();
HashSet<Integer> nouse=new HashSet<>();
for(int j=0;j<n;j++){
int a=in.nextInt();
if(nouse.contains(a)) {continue;}
else if(nums.contains(a)){
nums.remove(a);
nouse.add(a);
}
else nums.add(a);
}
if(nums.isEmpty()) System.out.println(-1);
else{
int minnum=Collections.min(nums);
System.out.println(minnum);
}
}
in.close();
}
}
最小代价
给你一个数组a,让第i个数加一的代价是
bi,你可以求出让数组a,每个数各不相同的最小代价吗?
时间限制:C/C++ 1秒,其他语言2秒
空间限制:C/C++ 256M,其他语言512M
import java.util.*;
public class Main {
public static void main(String[] args) {
Scanner scanner = new Scanner(System.in);
int n = scanner.nextInt();
List<int[]> prices = new ArrayList<>();
for (int i = 0; i < n; i++) {
prices.add(new int[]{scanner.nextInt(), 0});
}
for (int i = 0; i < n; i++) {
prices.get(i)[1] = scanner.nextInt();
}
System.out.println(minPrice(prices));
}
public static long minPrice(List<int[]> prices) {
// 对prices根据a_i排序,如果a_i相同,则按b_i升序排序
prices.sort((a, b) -> a[0] == b[0] ? Integer.compare(a[1], b[1]) : Integer.compare(a[0], b[0]));
// 创建最大堆
PriorityQueue<Integer> maxHeap = new PriorityQueue<>(Collections.reverseOrder());
long all = 0, res = 0;
int cur = prices.get(0)[0];
for (int[] price : prices) {//我们可以把maxHeap里面的值理解成待增加的值
if (!maxHeap.isEmpty() && price[0] != cur) {//如果已经到了下一个数了,并且我们已经累积了一些需要增加的值,那么我们要开始着手处理这些值。
while (!maxHeap.isEmpty() && cur != price[0]) {//要么待增加的值已经空了,要么已经增加到撞上后面的数了,这个时候都要停止计算res,进入下一阶段。这个时候,maxHeap里面还剩下的值撞上下一个数了。
all -= maxHeap.poll();//增加的时候,最大的值不必增加,小的增加就行,增加1,其实是1*all
res += all;
cur++;
}
cur = price[0];
}
maxHeap.add(price[1]);//处理过旧的值以后,新的值要进来
all += price[1];
}
while (!maxHeap.isEmpty()) {//还剩下一些没处理的值,每次都把最大的扔掉,处理小的
all -= maxHeap.poll();
res += all;
}
return res;
}
}