Given an array and a value, remove all instances of that value in place and return the new length.
The order of elements can be changed. It doesn’t matter what you leave beyond the new length.
Method 1:(Not change the length of original array)
public class Solution {
public int removeElement(int[] nums, int val) {
int count = 0;
int index = 0;
for (int i = 0; i < nums.length; i++) {
if(nums[i] == val){
count++;
}else{
nums[index++] = nums[i];
}
}
return nums.length-count;
}
}
Method 2 : (Change the length of original array)
public class Solution {
public int removeElement(int[] nums, int val) {
int count = 0;
int index = 0;
for (int i = 0; i < nums.length; i++) {
if(nums[i] == val){
count++;
}else{
nums[index++] = nums[i];
}
}
int[] result = new int[nums.length-count];
System.arraycopy(nums,0,result,0,result.length);
nums = result;
return nums.length;
}
}
本文介绍两种移除数组中特定值的方法:一种是不改变原数组长度,另一种是调整数组长度并返回新长度。提供了详细的Java代码实现。
657

被折叠的 条评论
为什么被折叠?



