我在下面创建了一个Caesar密码,但是我希望返回的字符串包含空格和其他字符。我已经尝试过正则表达式,但这似乎无法解决问题,或者我使用的方式不正确,我不太确定。
任何帮助表示赞赏。谢谢!
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
答案 0 :(得分:1)
RegExp.test
返回一个布尔值,String.match
返回一个数组。这行:
if (str[i].match(regex) === false) {
应该是
if (regex.test(str[i]) === false) {
这应该捕获任何不是小写字母的值(空格,标点符号等)-如果您也想编码为大写字母,请在正则表达式的末尾添加i
标志:/[a-z]/i
< / p>
答案 1 :(得分:0)
首先,您需要将shift(3)传递给该函数。其次,由于alphabet
中没有空格,因此您需要添加一个测试:
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