► JS Algorithm/Programmers

[Programmers] JavaScript 알고리즘 | Lv.0 암호 해독

다람트리 2024. 1. 5. 20:06
반응형

🔒 문제 설명

군 전략가 머쓱이는 전쟁 중 적군이 다음과 같은 암호 체계를 사용한다는 것을 알아냈습니다.

  • 암호화된 문자열 cipher를 주고받습니다.
  • 그 문자열에서 code의 배수 번째 글자만 진짜 암호입니다.

문자열 cipher 정수 code 매개변수로 주어질 해독된 암호 문자열을 return하도록 solution 함수를 완성해주세요.


🔒 제한사항  

  • 1 ≤ cipher의 길이 ≤ 1,000
  • 1 ≤ code ≤ cipher의 길이
  • cipher는 소문자와 공백으로만 구성되어 있습니다.
  • 공백도 하나의 문자로 취급합니다.

🔒 입출력 예

cipher code result
"dfjardstddetckdaccccdegk" 4 "attack"
"pfqallllabwaoclk" 2 "fallback"
 

🔒 입출력 예 설명

입출력 예 #1

  • "dfjardstddetckdaccccdegk" 의 4번째, 8번째, 12번째, 16번째, 20번째, 24번째 글자를 합친 "attack"을 return합니다.

입출력 예 #2

  • "pfqallllabwaoclk" 2번째, 4번째, 6번째, 8번째, 10번째, 12번째, 14번째, 16번째 글자를 합친 "fallback" return합니다.

 

🔐 solution of mine

for문

  const solution = (cipher, code) => {
    let answer = "";
    for (let i = code - 1; i < cipher.length; i += code) {
      answer += cipher[i];
    }
    return console.log(answer);
  };

  solution("dfjardstddetckdaccccdegk", 4); // expected output: "attack"
  solution("pfqallllabwaoclk", 2); // expected output: "fallback"

 


 

🔐 solution of others 

split()

filter()

join()

  const solution = (cipher, code) =>
    console.log(
      cipher
        .split("")
        .filter((_, i) => (i + 1) % code === 0)
        .join("")
    );

  solution("dfjardstddetckdaccccdegk", 4); // expected output: "attack"
  solution("pfqallllabwaoclk", 2); // expected output: "fallback"

 


 

반응형