26. Remove Duplicates from Sorted Array
Given an integer array nums sorted in non-decreasing order, remove the duplicates in-place such that each unique element appears only once. The relative order of the elements should be kept the same. Then return the number of unique elements in nums.
Consider the number of unique elements of nums to be k, to get accepted, you need to do the following things:
Change the array nums such that the first k elements of nums contain the unique elements in the order they were present in nums initially. The remaining elements of nums are not important as well as the size of nums.
Return k.
answerIndex
를 설정nums
를 순회하면서 answerIndex
에 있는 원소보다 큰 경우class Solution {
public int removeDuplicates(int[] nums) {
int answerIndex = 0;
for (int index = 1; index < nums.length; index++) {
if (nums[answerIndex] < nums[index]) {
answerIndex++;
nums[answerIndex] = nums[index];
}
}
return answerIndex + 1;
}
}
class Solution {
public int removeDuplicates(int[] nums) {
int answerIndex = 0;
for (int num : nums) {
if (nums[answerIndex] < num) {
answerIndex++;
nums[answerIndex] = num;
}
}
return answerIndex + 1;
}
}
enhanced for 문
iterable 인터페이스 객체
를 만들고 나서, 반복문을 순회한다.내부적인 코드
// iterable() 메서드로 iterable 인터페이스 객체 반환
Iterator iter = list.iterator();
while(iter.hasNext()){ // 순회할 객체가 남아있다면
Integer num = (Integer)iter.next(); // 다음 객체 가져옴
//...
}
루프문 비교
for-loop | Enhanced for-loop |
---|---|
역순 정렬 가능, 인덱스를 원하는 대로 늘릴 수 있음. | 항상 인덱스는 1씩 증가함 |
loop 동작 중 내부 요소 변경 가능 | loop 동작 중 내부 요소 변경 불가 |