0

在学习 JavaScript 5 天后,我写了一个只加密大小写字母的函数。

问题是现在我正试图让它也适用于短语(如果用户输入是“Cats are great”,那么预期的输出是“Jhaz hyl nylha”),但我在让空格保持不变时遇到了问题。

我试图改变/^[a-zA-Z]+$//^[a-zA-Z\s]+$/但没有奏效。

PS:是的,这是一个家庭作业,但我已经得到了一个成绩,因为我刚刚开始学习,我仍在努力改进我的功能并学习更多,任何帮助将不胜感激。

function cipher() {

    do {
        word = prompt("write a word");

        var output = "";

        if (/^[a-zA-Z]+$/.test(word)) {
            for (var i = 0; i < word.length; i++) {
                var character = word.charCodeAt(i);
                var caesarCiphLow = ((character - 65 + 33) % 26 + 65);
                var caesarCiphUpp = ((character - 97 + 33) % 26 + 97);
                if (character >= 65 && character <= 90) {
                    output = output + String.fromCharCode(caesarCiphLow);
                } else if (97 <= character && character <= 122) {
                    output = output + String.fromCharCode(caesarCiphUpp);
                }
            }
            return prompt("Your ciphered text is", output);
        } else {
            alert("You must enter a word, without spaces or numbers");
        }
    } while (word === "" || !/^[a-zA-Z]+$/.test(word));

}
4

1 回答 1

0

您缺少对空格的处理。如果遇到空格,需要把它放回输出字符串:

我对您上面的代码所做的唯一更改是:

添加\s您提到的:

if (/^[a-zA-Z\s]+$/.test(word)) {

添加 else 语句

} else if (97 <= character && character <= 122) {
    output = output + String.fromCharCode(caesarCiphUpp);
}
 else
    output = output + String.fromCharCode(character);

输入:猫很棒

输出:Jhaz hyl nylha

于 2017-10-15T06:40:30.050 回答