LeetCode: 398. 随机数索引

给定一个可能含有重复元素的整数数组,要求随机输出给定的数字的索引。 您可以假设给定的数字一定存在于数组中。
注意:
数组大小可能非常大。 使用太多额外空间的解决方案将不会通过测试。
示例:
int[] nums = new int[] {1,2,3,3,3};
Solution solution = new Solution(nums);
// pick(3) 应该返回索引 2,3 或者 4。每个索引的返回概率应该相等。
solution.pick(3);
// pick(1) 应该返回 0。因为只有nums[0]等于1。
solution.pick(1);

来源:力扣(LeetCode)
链接:https://leetcode-cn.com/problems/random-pick-index
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。

import random


class Solution:

    def __init__(self, nums: List[int]):
        self._index_dict = dict()
        for i,num in enumerate(nums):
            if num in self._index_dict.keys():
                l = self._index_dict.get(num)
                l.append(i)
                self._index_dict[num] = l
            else:
                l = list()
                l.append(i)
                self._index_dict[num] = l

    def pick(self, target: int) -> int:
        l = self._index_dict.get(target)
        index = random.randint(0,len(l)-1)
        t = l[index]
        return t
发布了33 篇原创文章 · 获赞 37 · 访问量 2万+

猜你喜欢

转载自blog.csdn.net/redhatforyou/article/details/104545464