문제는 다음과 같습니다.
정수 배열 nums와 정수 val이 주어지면 nums에서 inplace 모든 val 항목을 제거합니다. 요소의 순서는 변경될 수 있습니다. 그런 다음 val과 같지 않은 nums의 요소 수를 반환합니다.
val be k와 같지 않은 nums의 요소 수를 고려하세요. 승인을 받으려면 다음 작업을 수행해야 합니다.
맞춤 심사위원:
심판위원은 다음 코드를 사용하여 솔루션을 테스트합니다.
int[] nums = [...]; // Input array int val = ...; // Value to remove int[] expectedNums = [...]; // The expected answer with correct length. // It is sorted with no values equaling val. int k = removeElement(nums, val); // Calls your implementation assert k == expectedNums.length; sort(nums, 0, k); // Sort the first k elements of nums for (int i = 0; i < actualLength; i++) { assert nums[i] == expectedNums[i]; }
모든 주장이 통과되면 귀하의 솔루션이 승인됩니다.
예 1:
Input: nums = [3,2,2,3], val = 3 Output: 2, nums = [2,2,_,_] Explanation: Your function should return k = 2, with the first two elements of nums being 2. It does not matter what you leave beyond the returned k (hence they are underscores).
예 2:
Input: nums = [0,1,2,2,3,0,4,2], val = 2 Output: 5, nums = [0,1,4,0,3,_,_,_] Explanation: Your function should return k = 5, with the first five elements of nums containing 0, 0, 1, 3, and 4. Note that the five elements can be returned in any order. It does not matter what you leave beyond the returned k (hence they are underscores).
제가 해결한 방법은 다음과 같습니다.
이 문제를 해결하기 위해 저는 두 가지 주요 전략을 사용했습니다.
class Solution: def removeElement(self, nums: List[int], val: int) -> int: k = 0
for i in range(len(nums)): if nums[i] != val: nums[k] = nums[i] k += 1
return k
완성된 솔루션은 다음과 같습니다.
class Solution: def removeElement(self, nums: List[int], val: int) -> int: k = 0 for i in range(len(nums)): if nums[i] != val: nums[k] = nums[i] k += 1 return k
위 내용은 Leetcode Day 요소 제거 설명의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!