LeetCode - remove element

katanazero·2020년 6월 8일
0

leetcode

목록 보기
11/13
post-thumbnail

remove element

  • Difficulty : easy

Given an array nums and a value val, remove all instances of that value in-place 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.
The order of elements can be changed. It doesn't matter what you leave beyond the new length.

  • 배열이 주어지면 val 에 해당하는 요소를 삭제하고 해당 배열 길이를 반환
  • 새로운 배열에 할당하면 안된다.
  • 배열 요소를 정렬하는건 가능하다. 새로운 배열 할당만 안하면 되며 길이를 반환하면 된다.

example
Example 1:
Given nums = [3,2,2,3], val = 3,
Your function should return length = 2, with the first two elements of nums being 2.
It doesn't matter what you leave beyond the returned length.

Example 2:
Given nums = [0,1,2,2,3,0,4,2], val = 2,
Your function should return length = 5, with the first five elements of nums containing 0, 1, 3, 0, and 4.
Note that the order of those five elements can be arbitrary.
It doesn't matter what values are set beyond the returned length.

  • example1 을 보면 3이라는 요소를 없애면 배열의 길이는 2이기 때문에 2를 반환한다.

solution

  • 작성 언어 : javascript
  • Runtime : 64ms
/**
 * @param {number[]} nums
 * @param {number} val
 * @return {number}
 */
var removeElement = function(nums, val) {

  while (true) {

    for (let i = 0; i < nums.length; i++) {
      if (nums[i] === val) {
        nums.splice(i, 1);
        break;
      }

      if (i === nums.length - 1) {
        return nums.length;
      }

    }

    if (nums.length === 0) {
      return nums.length;
    }


  }

};
  • for 문에서 해당 요소를 만나면, splice 해주고 break 로 탈출.
  • 다시 for 문에서 해당 요소가 있는지 검사를 하며, for 문이 전부 돌았으면 삭제할 요소가 없다는 것이므로 해당 배열의 길이를 반환
profile
developer life started : 2016.06.07 ~ 흔한 Front-end 개발자

0개의 댓글