[LeetCode] 1331. Rank Transform of an Array
Given an array of integers arr, replace each element with its rank.
The rank represents how large the element is. The rank has the following rules:
- Rank is an integer starting from 1.
- The larger the element, the larger the rank. If two elements are equal, their rank must be the same.
- Rank should be as small as possible.
Example 1:
Input: arr = [40,10,20,30]
Output: [4,1,2,3]
Explanation: 40 is the largest element. 10 is the smallest. 20 is the second smallest. 30 is the third smallest.
Example 2:
Input: arr = [100,100,100]
Output: [1,1,1]
Explanation: Same elements share the same rank.
Example 3:
Input: arr = [37,12,28,9,100,56,80,5,12]
Output: [5,3,4,2,8,6,7,1,3]
Constraints:
0 <= arr.length <= 105
-109 <= arr[i] <= 109
数组序号转换。
给你一个整数数组 arr ,请你将数组中的每个元素替换为它们排序后的序号。序号代表了一个元素有多大。序号编号的规则如下:
序号从 1 开始编号。
一个元素越大,那么序号越大。如果两个元素相等,那么它们的序号相同。
每个数字的序号都应该尽可能地小。来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/rank-transform-of-an-array
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
思路
克隆一下原数组并排序,这样一来,value 小的元素排在前面,value 大的元素排在后面。
此时我们还需要一个 hashmap 和一个变量 index = 1。开始遍历这个克隆的数组,当遇到某个不存在于 hashmap 的数字的时候,这个数字的 rank 就是当前的 index,然后将这个数字和 index 放入 hashmap 中,index 自增 1。
最后,我们遍历原数组,对于每个数字,我们在 hashmap 中查找它的 rank,然后替换为这个 rank。
复杂度
时间O(nlogn)
空间O(n)
代码
Java实现
1 |
|