返回介绍

solution / 0500-0599 / 0519.Random Flip Matrix / README

发布于 2024-06-17 01:03:59 字数 3182 浏览 0 评论 0 收藏 0

519. 随机翻转矩阵

English Version

题目描述

给你一个 m x n 的二元矩阵 matrix ,且所有值被初始化为 0 。请你设计一个算法,随机选取一个满足 matrix[i][j] == 0 的下标 (i, j) ,并将它的值变为 1 。所有满足 matrix[i][j] == 0 的下标 (i, j) 被选取的概率应当均等。

尽量最少调用内置的随机函数,并且优化时间和空间复杂度。

实现 Solution 类:

  • Solution(int m, int n) 使用二元矩阵的大小 mn 初始化该对象
  • int[] flip() 返回一个满足 matrix[i][j] == 0 的随机下标 [i, j] ,并将其对应格子中的值变为 1
  • void reset() 将矩阵中所有的值重置为 0

 

示例:

输入
["Solution", "flip", "flip", "flip", "reset", "flip"]
[[3, 1], [], [], [], [], []]
输出
[null, [1, 0], [2, 0], [0, 0], null, [2, 0]]

解释
Solution solution = new Solution(3, 1);
solution.flip();  // 返回 [1, 0],此时返回 [0,0]、[1,0] 和 [2,0] 的概率应当相同
solution.flip();  // 返回 [2, 0],因为 [1,0] 已经返回过了,此时返回 [2,0] 和 [0,0] 的概率应当相同
solution.flip();  // 返回 [0, 0],根据前面已经返回过的下标,此时只能返回 [0,0]
solution.reset(); // 所有值都重置为 0 ,并可以再次选择下标返回
solution.flip();  // 返回 [2, 0],此时返回 [0,0]、[1,0] 和 [2,0] 的概率应当相同

 

提示:

  • 1 <= m, n <= 104
  • 每次调用flip 时,矩阵中至少存在一个值为 0 的格子。
  • 最多调用 1000flipreset 方法。

解法

方法一

class Solution:
  def __init__(self, m: int, n: int):
    self.m = m
    self.n = n
    self.total = m * n
    self.mp = {}

  def flip(self) -> List[int]:
    self.total -= 1
    x = random.randint(0, self.total)
    idx = self.mp.get(x, x)
    self.mp[x] = self.mp.get(self.total, self.total)
    return [idx // self.n, idx % self.n]

  def reset(self) -> None:
    self.total = self.m * self.n
    self.mp.clear()


# Your Solution object will be instantiated and called as such:
# obj = Solution(m, n)
# param_1 = obj.flip()
# obj.reset()
class Solution {
  private int m;
  private int n;
  private int total;
  private Random rand = new Random();
  private Map<Integer, Integer> mp = new HashMap<>();

  public Solution(int m, int n) {
    this.m = m;
    this.n = n;
    this.total = m * n;
  }

  public int[] flip() {
    int x = rand.nextInt(total--);
    int idx = mp.getOrDefault(x, x);
    mp.put(x, mp.getOrDefault(total, total));
    return new int[] {idx / n, idx % n};
  }

  public void reset() {
    total = m * n;
    mp.clear();
  }
}

/**
 * Your Solution object will be instantiated and called as such:
 * Solution obj = new Solution(m, n);
 * int[] param_1 = obj.flip();
 * obj.reset();
 */

如果你对这篇内容有疑问,欢迎到本站社区发帖提问 参与讨论,获取更多帮助,或者扫码二维码加入 Web 技术交流群。

扫码二维码加入Web技术交流群

发布评论

需要 登录 才能够评论, 你可以免费 注册 一个本站的账号。
列表为空,暂无数据
    我们使用 Cookies 和其他技术来定制您的体验包括您的登录状态等。通过阅读我们的 隐私政策 了解更多相关信息。 单击 接受 或继续使用网站,即表示您同意使用 Cookies 和您的相关数据。
    原文