凯撒密码 - 空格和其他字符

Caesar Cipher - spaces and other characters

我在下面创建了凯撒密码,但我希望返回的字符串包含空格和其他字符。我试过正则表达式,但这似乎并没有解决问题,或者我没有正确使用它,我不太确定。

感谢任何帮助。谢谢!

function caesarCipher(str, n) {
  let newStr = '';
  let alphabet = 'abcdefghijklmnopqrstuvwxyz'.split('')
  let regex = /[a-z]/

  for (let i = 0; i < str.length; i++) {
    if (str[i].match(regex) === false) {
      newStr += str[i]
      continue;
    }
    let currentIndex = alphabet.indexOf(str[i]);
    let newIndex = currentIndex + n;
    newStr += alphabet[newIndex];
  }
  return newStr
}

console.log(caesarCipher('ebiil tloia!', 3)) //should return hello world! but returns hellocworldc

首先,您需要将 shift (3) 传递给函数。其次,由于alphabet里面没有空格,需要加一个test:

function caesarCipher(str, n) {
  let newStr = '';
  let alphabet = 'abcdefghijklmnopqrstuvwxyz'.split('')
  let regex = /[a-z]/

  for (let i = 0; i < str.length; i++) {
    if (str[i].match(regex) === false) {
      newStr += str[i]
    }
    let currentIndex = alphabet.indexOf(str[i]);
    if (!(currentIndex + 1)) {
      newStr += " ";
    } else {
      let newIndex = currentIndex + n;
      newStr += alphabet[newIndex];
    }
  }
  return newStr
}

console.log(caesarCipher('ebiil tloia!', 3)) //should return hello world! but returns hellocworldc

RegExp.test returns 一个布尔值,String.match returns 一个数组。这一行:

if (str[i].match(regex) === false) {

应该是

if (regex.test(str[i]) === false) {

这应该捕获任何不是小写字母的值(空格、标点符号等)- 如果你也想编码大写,请在正则表达式的末尾添加 i 标志:/[a-z]/i