classSolution{publicList<Integer>solveQueries(int[] nums,int[] queries){// Number -> index listMap<Integer,ArrayList<Integer>> indexMap =newHashMap();// Record the number and its all appearance indexfor(int i =0; i < nums.length;++i){// Check if the number already existsif(!indexMap.containsKey(nums[i])){
indexMap.put(nums[i],newArrayList<>());}
indexMap.get(nums[i]).add(i);// Add the index of the number}ArrayList<Integer> res =newArrayList();// Iterate through all the queries and cal. the minimum rangefor(int query : queries){
res.add(solve(indexMap.get(nums[query]), query, nums.length));}return res;}privateintsolve(ArrayList<Integer> list,int query,int size){if(list ==null|| list.size()<2)return-1;int pos =binarySearch(list, query);// Search for the index position of the current query in the index list// If first one, neighbor is the last element; if not, previous one int leftNeighbor = pos ==0? list.get(list.size()-1): list.get(pos -1);// If last one, neighbor is the first element; if not, next oneint rightNeighbor = pos == list.size()-1? list.get(0): list.get(pos +1);returnMath.min(dist(query, leftNeighbor, size),dist(query, rightNeighbor, size));}privateintdist(int query,int neighbor,int size){int dist =Math.abs(query - neighbor);returnMath.min(dist, size - dist);}privateintbinarySearch(ArrayList<Integer> list,int query){int l =0, r = list.size()-1;while(l <= r){int mid = l +(r - l)/2;// Found the index of the numberif(list.get(mid)== query){return mid;}elseif(list.get(mid)< query){
l = mid +1;}else{
r = mid -1;}}return l;}}
▶
WA
沒考慮circular的情況
classSolution{publicList<Integer>solveQueries(int[] nums,int[] queries){// Num -> its distributionMap<Integer,boolean[]> map =newHashMap();// Record the position of each numfor(int i =0; i < nums.length;++i){// The number already existsif(map.containsKey(nums[i])){// Mark the number at the index
map.get(nums[i])[i]=true;}else{// The number doesn't exist// Init the position indication array
map.put(nums[i],newboolean[nums.length]);// Put the current number inside
map.get(nums[i])[i]=true;}}List<Integer> res =newArrayList();// Iterating the queriesfor(int index : queries){int searchNum = nums[index];boolean[] checkArr = map.get(searchNum);int closestRange =Integer.MAX_VALUE;int firstOccurIndex =-1;for(int i =0; i < checkArr.length;++i){if(firstOccurIndex ==-1) firstOccurIndex = i;if(!checkArr[i]|| i == index)continue;
closestRange =Math.min(closestRange,Math.abs(index - i));// Check circular conditionif(firstOccurIndex !=-1){
closestRange =Math.min(closestRange, checkArr.length %(index +1)+ firstOccurIndex +1+1);}}// Not foundif(closestRange ==Integer.MAX_VALUE){
res.add(-1);}else{// Found
res.add(closestRange);}}return res;}}