注:题目均来自力扣leetcode【学习参考】
给定一个数组,将数组中的元素向右移动 k 个位置,其中 k 是非负数。
示例 1:
输入: [1,2,3,4,5,6,7] 和 k = 3
输出: [5,6,7,1,2,3,4]
解释:
向右旋转 1 步: [7,1,2,3,4,5,6]
向右旋转 2 步: [6,7,1,2,3,4,5]
向右旋转 3 步: [5,6,7,1,2,3,4]
使用System.arraycopy方法
class Solution {
public void rotate(int[] nums, int k) {
k = k%nums.length;
int[] newlist= new int[nums.length];
System.arraycopy(nums,nums.length-k,newlist,0,k);
System.arraycopy(nums,0,newlist,k,nums.length-k);
System.arraycopy(newlist,0,nums,0,nums.length);
}
}
存在重复元素
给定一个整数数组,判断是否存在重复元素。
如果任何值在数组中出现至少两次,函数返回 true。如果数组中每个元素都不相同,则返回 false。
示例 1:
输入: [1,2,3,1]
输出: true
方法一 推荐
class Solution {
public boolean containsDuplicate(int[] nums) {
for (int i = 1; i < nums.length; i++) {
for (int j = i - 1; j >= 0; j--) {
if (nums[i] > nums[j])
break;
else if (nums[i] == nums[j])
return true;
}
}
return false;
}
}
方法二
class Solution {
public boolean containsDuplicate(int[] nums) {
return Arrays.stream(nums).distinct().count() != nums.length;
}
}
移动零
给定一个数组 nums,编写一个函数将所有 0 移动到数组的末尾,同时保持非零元素的相对顺序。
示例:
输入: [0,1,0,3,12]
输出: [1,3,12,0,0]
class Solution {
public void moveZeroes(int[] nums) {
//i:插入位置下标 ; j:查找位置下标
int i = 0;
for(int j = 0; j < nums.length; j++){
if(nums[j] != 0){
nums[i++] = nums[j];
}
}
//将后面的位置补0
for(; i < nums.length; i++){
nums[i] = 0;
}
}
}
打乱数组
打乱一个没有重复元素的数组。
示例:
// 以数字集合 1, 2 和 3 初始化数组。
int[] nums = {1,2,3};
Solution solution = new Solution(nums);
// 打乱数组 [1,2,3] 并返回结果。任何 [1,2,3]的排列返回的概率应该相同。
solution.shuffle();
// 重设数组到它的初始状态[1,2,3]。
solution.reset();
// 随机返回数组[1,2,3]打乱后的结果。
solution.shuffle();
Fisher-Yates 洗牌算法
Fisher-Yates 洗牌算法跟暴力算法很像。在每次迭代中,生成一个范围在当前下标到数组末尾元素下标之间的随机整数。接下来,将当前元素和随机选出的下标所指的元素互相交换 - 这一步模拟了每次从 “帽子” 里面摸一个元素的过程,其中选取下标范围的依据在于每个被摸出的元素都不可能再被摸出来了。此外还有一个需要注意的细节,当前元素是可以和它本身互相交换的 - 否则生成最后的排列组合的概率就不对了。
作者:LeetCode
链接:https://leetcode-cn.com/problems/two-sum/solution/da-luan-shu-zu-by-leetcode/
来源:力扣(LeetCode)
class Solution {
private int[]start;
private int[]exe;
private int len;
public Solution(int[] nums) {
start = nums;
exe = start.clone();
len = exe.length;
}
/** Resets the array to its original configuration and return it. */
public int[] reset() {
return start;
}
/** Returns a random shuffling of the array. */
public int[] shuffle() {
Random r = new Random();
int n = len;
while(n>1){
n--;
int k = r.nextInt(n+1);
int value = exe[k];
exe[k] = exe[n];
exe[n] = value;
}
return exe;
}
}
/**
* 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();
*/