美文网首页
384. Shuffle an Array

384. Shuffle an Array

作者: 衣介书生 | 来源:发表于2018-02-26 15:42 被阅读7次

题目分析

原题链接,登录 LeetCode 后可用
这道题目要求我们完善 shuffle 方法,将一个数组进行乱序操作,同时要求我们完善 reset 方法,这个方法能够返回原数组。

代码

class Solution {
    
    private int[] nums;
    private int[] res;
    private Random random;

    public Solution(int[] nums) {
        this.nums = nums;
        res = Arrays.copyOf(nums, nums.length);
        random = new Random();
    }
    
    /** Resets the array to its original configuration and return it. */
    public int[] reset() {
        return nums;
    }
    
    /** Returns a random shuffling of the array. */
    public int[] shuffle() {
        if(res == null) {
            return null;
        } else {
            for(int i = 1; i < res.length; i++) {
                // 从 0 ~ i 下标中任选一个位置和当前位置的值进行交换 
                int j = random.nextInt(i + 1);
                swap(res, i, j);
            }
            return res;
        }
    }
    
    private void swap(int[] res, int i, int j) {
        int temp = res[i];
        res[i] = res[j];
        res[j] = temp;
    }
    
}

/**
 * Your Solution object will be instantiated and called as such:
 * Solution obj = new Solution(nums);
 * int[] param_1 = obj.reset();
 * int[] param_2 = obj.shuffle();
 */

相关文章

  • 384. Shuffle an Array

    题目分析 原题链接,登录 LeetCode 后可用这道题目要求我们完善 shuffle 方法,将一个数组进行乱序操...

  • 384. Shuffle an Array

    Shuffle a set of numbers without duplicates. Example: 一刷题...

  • 384. Shuffle an Array

    Shuffle a set of numbers without duplicates.Example:// In...

  • 384. Shuffle an Array

    Shuffle a set of numbers without duplicates.Example: Solu...

  • 384. Shuffle an Array

    Shuffle a set of numbers without duplicates. Example: // ...

  • 384. Shuffle an Array

    暴力解法 将每个数都放入一个帽子里,每次从帽子中随机摸出一个数,直到为空。 时间复杂度:O(n^2),乘方时间复杂...

  • 【Leetcode】384. Shuffle an Array

    自己想复杂了,用一个dictionary存储了所有的permutation,然后shuffle的时候直接产生一个随...

  • (随机)384. 打乱数组

    384. 打乱数组[https://leetcode-cn.com/problems/shuffle-an-arr...

  • Shuffle an Array

    打乱一个没有重复元素的数组。 示例: // 以数字集合 1, 2 和 3 初始化数组。int[] nums = {...

  • Shuffle an Array

    题目来源要求将一个数组随机打乱。不会…看了下答案,需要用到随机洗牌算法,介绍可以看这里。只需要从后往前遍历,每次随...

网友评论

      本文标题:384. Shuffle an Array

      本文链接:https://www.haomeiwen.com/subject/osyyxftx.html