C++LeetCode 구현(80.질서 있 는 배열 에서 중복 항목 제거 2)
Given a sorted array nums, remove the duplicates in-place such that duplicates appeared at most twice and return the new length.
Do not allocate extra space for another array, you must do this by modifying the input array in-place with O(1) extra memory.
Example 1:
Given nums = [1,1,1,2,2,3],
Your function should return length =
5
, with the first five elements of
nums
being
1, 1, 2, 2
and 3 respectively.
It doesn't matter what you leave beyond the returned length.
Example 2:
Given nums = [0,0,1,1,1,1,2,3,3],
Your function should return length =
7
, with the first seven elements of
nums
being modified to
0
, 0, 1, 1, 2, 3 and 3 respectively.
It doesn't matter what values are set beyond the returned length.
Clarification:
Confused why the returned value is an integer but your answer is an array?
Note that the input array is passed in by reference, which means modification to the input array will be known to the caller as well.
Internally you can think of this:
// nums is passed in by reference. (i.e., without making a copy)
int len = removeDuplicates(nums);
// any modification to nums in your function would be known by the caller.
// using the length returned by your function, it prints the first len elements.
for (int i = 0; i < len; i++) {
print(nums[i]);
}
이 문 제 는 이전 문제 입 니 다. Remove Duplicates from Sorted Array 확장 cnct 체감 1,다음 에 반복,빠 른 지침 직접 앞으로,이때 중복 되 지 않 으 면 cnct 복구 1,전체 배열 이 질서 가 있 기 때문에 중복 되 지 않 는 숫자 가 나타 나 면 반드시 이 숫자 보다 클 것 입 니 다.이 숫자 이후 에는 중복 항목 이 없습니다.위의 생각 을 정리 하면 코드 가 잘 쓰 인 다.
해법 1:
class Solution {
public:
int removeDuplicates(vector<int>& nums) {
int pre = 0, cur = 1, cnt = 1, n = nums.size();
while (cur < n) {
if (nums[pre] == nums[cur] && cnt == 0) ++cur;
else {
if (nums[pre] == nums[cur]) --cnt;
else cnt = 1;
nums[++pre] = nums[cur++];
}
}
return nums.empty() ? 0 : pre + 1;
}
};
여기 도 사실 비슷 한 걸 로 쓸 수 있어 요. Remove Duplicates from Sorted Array 중의 해법 3 의 모델 은 여기 서 최대 두 번 의 중복 을 허용 하기 때문에 현재 의 숫자 num 은 위의 덮어 쓰 는 위치의 숫자 num[i-2]와 비교 하면 num 이 비교적 크 면 세 번 째 중복 숫자(전 제 는 배열 이 질서 가 있다)가 나타 나 지 않 습 니 다.그러면 nums[i-1]의 중복 여 부 를 상관 할 필요 가 없습니다.중복 개 수 를 2 개 이내 로 제어 하면 됩 니 다.코드 는 다음 과 같 습 니 다.해법 2:
class Solution {
public:
int removeDuplicates(vector<int>& nums) {
int i = 0;
for (int num : nums) {
if (i < 2 || num > nums[i - 2]) {
nums[i++] = num;
}
}
return i;
}
};
C++구현 LeetCode(80.질서 있 는 배열 에서 중복 항목 을 제거 하 는 2)에 관 한 이 글 은 여기까지 소개 되 었 습 니 다.더 많은 관련 C++구현 질서 있 는 배열 에서 중복 항목 을 제거 하 는 2 내용 은 우리 의 이전 글 을 검색 하거나 아래 의 관련 글 을 계속 조회 하 시기 바 랍 니 다.앞으로 많은 지원 바 랍 니 다!
이 내용에 흥미가 있습니까?
현재 기사가 여러분의 문제를 해결하지 못하는 경우 AI 엔진은 머신러닝 분석(스마트 모델이 방금 만들어져 부정확한 경우가 있을 수 있음)을 통해 가장 유사한 기사를 추천합니다:
Visual Studio에서 파일 폴더 구분 (포함 경로 설정)Visual Studio에서 c, cpp, h, hpp 파일을 폴더로 나누고 싶었습니까? 어쩌면 대부분의 사람들이 있다고 생각합니다. 처음에 파일이 만들어지는 장소는 프로젝트 파일 등과 같은 장소에 있기 때문에 파일...
텍스트를 자유롭게 공유하거나 복사할 수 있습니다.하지만 이 문서의 URL은 참조 URL로 남겨 두십시오.
CC BY-SA 2.5, CC BY-SA 3.0 및 CC BY-SA 4.0에 따라 라이센스가 부여됩니다.