题目大意:
有多少小于当前数字的数字
给你一个数组 nums,对于其中每个元素 nums[i],请你统计数组中比它小的所有数字的数目。
换而言之,对于每个 nums[i] 你必须计算出有效的 j 的数量,其中 j 满足 j != i 且 nums[j] < nums[i] 。
以数组形式返回答案。
示例 1:
输入:nums = [8,1,2,2,3] 输出:[4,0,1,1,3] 解释: 对于 nums[0]=8 存在四个比它小的数字:(1,2,2 和 3)。 对于 nums[1]=1 不存在比它小的数字。 对于 nums[2]=2 存在一个比它小的数字:(1)。 对于 nums[3]=2 存在一个比它小的数字:(1)。 对于 nums[4]=3 存在三个比它小的数字:(1,2 和 2)。
示例 2:
输入:nums = [6,5,4,8] 输出:[2,1,0,3]
示例 3:
输入:nums = [7,7,7,7] 输出:[0,0,0,0]
提示:
2 <= nums.length <= 500
0 <= nums[i] <= 100
如果想查看本题目是哪家公司的面试题,请参考以下免费链接: https://leetcode.jp/problemdetail.php?id=1365
解题思路分析:
这道题难度不大,我们先统计出每种数字的个数。然后再遍历一遍数组,查看比当前数字小的所有数字的个数和,将该和放入返回结果即可。
实现代码:
public int[] smallerNumbersThanCurrent(int[] nums) { // 统计每种数字的个数 int[] count=new int[101]; // 循环每个数字 for(int n:nums){ // 当前数字个数加一 count[n]++; } // 返回结果 int[] res = new int[nums.length]; // 循环每个数字 for(int i=0;i<nums.length;i++){ // 统计比当前数字小的所有数字个数和 int c = 0; // 循环比自己小的数字 for(int j=0;j<nums[i];j++){ // 累加个数 c+=count[j]; } // 将个数放入返回结果 res[i]=c; } return res; }
本题解法执行时间为2ms。
Runtime: 2 ms, faster than 89.93% of Java online submissions for How Many Numbers Are Smaller Than the Current Number.
Memory Usage: 41.5 MB, less than 100.00% of Java online submissions for How Many Numbers Are Smaller Than the Current Number.
本网站文章均为原创内容,并可随意转载,但请标明本文链接如有任何疑问可在文章底部留言。为了防止恶意评论,本博客现已开启留言审核功能。但是博主会在后台第一时间看到您的留言,并会在第一时间对您的留言进行回复!欢迎交流!
本文链接: http://leetcode.jp/leetcode-1365-how-many-numbers-are-smaller-than-the-current-number-解题思路分析/