► JS Algorithm/Programmers

[Programmers] JavaScript 알고리즘 | Lv.0 가까운 1 찾기

다람트리 2024. 1. 9. 21:00
반응형

🔒 문제 설명

정수 배열 arr가 주어집니다. 이때 arr의 원소는 1 또는 0입니다. 정수 idx가 주어졌을 때, idx보다 크면서 배열의 값이 1인 가장 작은 인덱스를 찾아서 반환하는 solution 함수를 완성해 주세요.

, 만약 그러한 인덱스가 없다면 -1 반환합니다.


🔒 제한사항  

  • 3 ≤ arr 길이 ≤ 100'000
    • arr의 원소는 전부 1 또는 0입니다.

🔒 입출력 예

arr idx result
[0, 0, 0, 1] 1 3
[1, 0, 0, 1, 0, 0] 4 -1
[1, 1, 1, 1, 0] 3 3
 

🔒 입출력 예 설명

입출력 예 #1

  • 1보다 크면서 원소가 1인 가장 작은 인덱스는 3입니다. 따라서 3을 return 합니다.

입출력 예 #2

  • 4번 인덱스 이후에 1은 등장하지 않습니다. 따라서 -1을 return 합니다.

입출력 예 #3

  • 3 인덱스의 값이 1입니다. 따라서 3 return 합니다.

 

🔐 solution of mine

for문

 

  const solution = (arr, idx) => {
    for (let i = idx; i < arr.length; i++) {
      if (arr[i] > arr[idx] || arr[idx] === 1) return console.log(i);
    }
    return console.log(-1);
  };

  solution([0, 0, 0, 1], 1); // expected output: 3
  solution([1, 0, 0, 1, 0, 0], 4); // expected output: -1
  solution([1, 1, 1, 1, 0], 3); // expected output: 3

 


 

🔐 solution of others 

Array.indexOf()

  const solution = (arr, idx) => console.log(arr.indexOf(1, idx));

  solution([0, 0, 0, 1], 1); // expected output: 3
  solution([1, 0, 0, 1, 0, 0], 4); // expected output: -1
  solution([1, 1, 1, 1, 0], 3); // expected output: 3

 

🔐 solution of others 

Array.findIndex()

  const solution = (arr, idx) =>
    console.log(arr.findIndex((v, i) => idx <= i && v === 1));

  solution([0, 0, 0, 1], 1); // expected output: 3
  solution([1, 0, 0, 1, 0, 0], 4); // expected output: -1
  solution([1, 1, 1, 1, 0], 3); // expected output: 3

 


 

반응형