시저 암호

문제

어떤 문장의 각 알파벳을 일정한 거리만큼 밀어서 다른 알파벳으로 바꾸는 암호화 방식을 시저 암호라고 합니다. 예를 들어 “AB”는 1만큼 밀면 “BC”가 되고, 3만큼 밀면 “DE”가 됩니다. “z”는 1만큼 밀면 “a”가 됩니다. 문자열 s와 거리 n을 입력받아 s를 n만큼 민 암호문을 만드는 함수, solution을 완성해 보세요.

제한조건

  • 공백은 아무리 밀어도 공백입니다.
  • s는 알파벳 소문자, 대문자, 공백으로만 이루어져 있습니다.
  • s의 길이는 8000이하입니다.
  • n은 1 이상, 25이하인 자연수입니다.

입출력 예


s n result
“AB” 1 “BC”
“z” 1 “a”
“a B z” 4 “e F d”

풀이방향

  • n 은 1에서 25 이하이니 신경 쓰지 않는다
  • 대문자, 소문자를 구분해서 처리한다

문제풀이

ceasarCipher.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
function ceasarCipher(s, n) {
//ceasar password
let ceasar = s.split("");
let newArr = [];
let newStr = "";

for(let i = 0; i < ceasar.length; i++) {
if(ceasar[i].match(/[a-z]/)) {
newArr.push(String.fromCharCode((ceasar[i].charCodeAt(0) + n - 97) % 26 + 97));
} else if(ceasar[i].match(/[A-Z]/)) {
newArr.push(String.fromCharCode((ceasar[i].charCodeAt(0) + n - 65) % 26 + 65));
} else {
newArr.push(ceasar[i]);
}
}
newStr = newArr.join("");
return newStr;
}

export { ceasarCipher };
ceasarCipher.test.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
import { ceasarCipher } from "../src/ceasarCipher";

describe("ceasarCipher", () => {
it("Should return BC for AB with a shift of 1", () => {
expect(ceasarCipher("AB", 1)).toBe("BC");
});

it("Should return afor z with a shift of 1", () => {
expect(ceasarCipher("z", 1)).toBe("a");
});

it("Should return e F d for a with a B z shift of 4", () => {
expect(ceasarCipher("a B z", 4)).toBe("e F d");
});
});

문제출처

  • 프로그래머스

다른 풀이

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
function solution(s, n) {
var upper = "ABCDEFGHIJKLMNOPQRSTUVWXYZ";
var lower = "abcdefghijklmnopqrstuvwxyz";
var answer= '';

for(var i =0; i <s.length; i++){
var text = s[i];
if(text == ' ') {
answer += ' ';
continue;
}
var textArr = upper.includes(text) ? upper : lower;
var index = textArr.indexOf(text)+n;
if(index >= textArr.length) index -= textArr.length;
answer += textArr[index];
}
return answer;
}