jes中的凯撒密码:密码破碎

时间:2013-11-03 01:37:29

标签: javascript string for-in-loop encryption

我正在使用javascript构建一个Caesar Cipher。它使用一个名为currentkey的随机设置变量作为密码的密钥。它可以是-25到+25之间的数字,跳过0。

我无法弄清楚为什么函数在字符串的开头返回undefined,或者为什么它在字符串转换时转换相同的字母,或者甚至为什么那个字母根本没有被翻译。< / p>

var currentkey = 5  //for example
function convertKey(str) {
    var o_text = str;
    var o_letters = o_text.split("");
    var alphabet = ['a','b','c','d','e','f','g','h','i','j','k','l','m','n','o','p','q','r','s','t','u','v','x','y','w','z']
    var c_text, _x = "";
    for (x in o_letters) {
        if (currentkey > 0) {
            _x = alphabet[alphabet.indexOf(x) + currentkey]
        } else {
            _x = alphabet[alphabet.indexOf(x) + (26 - currentkey)]
        }
        c_text = c_text + _x;
    }
    return c_text;
}

例如,运行convertKey("example")会返回undefinedeeeeeee(未定义+“示例”中第一个字母的7倍)。

6 个答案:

答案 0 :(得分:2)

(1)您没有正确地遍历数组o_letters

(2)你的阵列越界了。

for (var i = 0; i < o_letters.length; i++) {
    _x = alphabet[(alphabet.indexOf(o_letters[i]) + currentkey + 26) % 26]
    c_text = c_text + _x;
}

此外,在您的代码中,您根本不需要.split("")

我会这样做:

var currentkey = 5  //for example
function convertKey(str) {
    var ret = '';
    for (var i = 0; i < str.length; i++) {
        ret += String.fromCharCode((str.charCodeAt(i) + currentKey + 26) % 26);
    }
    return ret;          
}

或者更简洁(但效率更低):

function convertKey(str) {
    return str.split('').map(function(c) {
       return String.fromCharCode((c.charCodeAt(0) + currentKey + 26) % 26);
    }).join('');       
}

答案 1 :(得分:2)

undefined是在您尝试将其与c_text连接之前未初始化_x的结果。

代码仅适用于一个字母,因为alphabet.indexOf(x)返回-1(未找到)。使用o_text = "abc"时,x等于0,1和2.因此,alphabet中的索引0,1或2不存在(由-1结果表示)。您需要将o_text更改为indexOf(x),将这些数字与indexOf(o_text[x])相关联。另外,为了防止超出数组的范围,您需要一个模数运算来包含大于26的值(我使用alphabet.length以允许此代码与其他字母表一起使用)回到有效区域。因此,正确的代码如下(注意:我已经按字母顺序将数组中的'w'移动到其正确的位置,因为我假设它在您的示例中的位置是错误而不是故意的):

var currentkey = 5  //for example
function convertKey(str) {
    var o_text = str;
    var o_letters = o_text.split("");
    var alphabet = ['a','b','c','d','e','f','g','h','i','j','k','l','m','n','o','p','q','r','s','t','u','v','w','x','y','z']
    var c_text="", _x = "";
    for (x in o_letters) {
        if (currentkey > 0) {
            _x = alphabet[(alphabet.indexOf(o_letters[x]) + currentkey) % alphabet.length]
        } else {
            _x = alphabet[(alphabet.indexOf(o_letters[x]) + (26 - currentkey)) % alphabet.length]
        }
        c_text = c_text + _x;
    }
    return c_text;
}

alert(convertKey('abcdefghijklmnopqrstuvwxyz'));

此提醒fghijklmnopqrstuvwxyzabcde

答案 2 :(得分:2)

在JavaScript中实现Caesar Cipher算法非常有趣,因为JavaScripts缺少真正的模运算符。 %只是分裂的提醒。请阅读此article以获取更多解释。

但是,您可以轻松地将模数定义为自定义函数,然后继续执行Caesar Cipher - 这是一种非常简单的加密形式,其中原始消息中的每个字母都向左或向右移动一定数量的职位。

要解密消息,我们只需将字母移回相同数量的位置。

示例:

  • 如果我们将所有字母移动3个位置
  • ,则JAVASCRIPT变为MDYDVFULSW
  • 如果我们将所有字母移回3个位置,MDYDVFULSW将返回JAVASCRIPT。

如果在移动字母超出字母范围后,则字母会以字母顺序包裹。示例:如果移位3个位置,则字母Z变为C.

这种“环绕”效果意味着使用模数。在数学术语中,上述内容可以表示为:

En(x)=(x + n)mod 26

Dn(x)=(x - n)mod 26

尝试在JavaScript中实现此算法而不使用正确的模运算符将产生不正确的结果或非常神秘且难以理解的代码。

通过使用自定义模数函数,代码表示相同的数学方程:

// Function will implement Caesar Cipher to
// encrypt / decrypt the msg by shifting the letters
// of the message acording to the key
function encrypt(msg, key)
{
    var encMsg = "";

    for(var i = 0; i < msg.length; i++)
    {
        var code = msg.charCodeAt(i);

        // Encrypt only letters in 'A' ... 'Z' interval
        if (code >= 65 && code <= 65 + 26 - 1)
        {
            code -= 65;
            code = mod(code + key, 26);
            code += 65;
        }

        encMsg += String.fromCharCode(code);
    }

    return encMsg;
}

// Implement modulo by replacing the negative operand 
// with an equivalent positive operand that has the same wrap-around effect
function mod(n, p)
{
    if ( n < 0 )
        n = p - Math.abs(n) % p;

    return n % p;
}

玩得开心!

加密一些消息以试用代码。请记住:如果使用正键加密,请使用互补的否定密钥对其进行解密。您还可以使用此代码解码出现在Web和新闻组中各处的ROT13消息。

如果您想了解在JavaScript中实现modulo的其他方法,请参阅本文开头提到的文章。

答案 3 :(得分:1)

//在https://www.freecodecamp.org/challenges/caesars-cipher工作

function rot13(str){    

var res = [];

var currentPosition;

var shiftedPosition;

for (var i = 0; i<str.length; i++){
    currentPosition = str.charCodeAt(i);

    if (currentPosition<65 || currentPosition>90){
    res.push(String.fromCharCode(currentPosition));
    }

    shiftedPosition = str.charCodeAt(i) - 13;

    if (currentPosition>=65 && shiftedPosition <65){
    res.push(String.fromCharCode(91-(13-(currentPosition-65))));
    }

    if (currentPosition>=78 && currentPosition<=90){
    res.push(String.fromCharCode(shiftedPosition));
    }
  }
return res.join('');`enter code here`
}

// Change the inputs below to test

rot13("GUR DHVPX OEBJA QBT WHZCRQ BIRE GUR YNML SBK.");

答案 4 :(得分:0)

这是一个更简单的答案:

var rot = {
  'A': 'N',
  'B': 'O',
  'C': 'P',
  'D': 'Q',
  'E': 'R',
  'F': 'S',
  'G': 'T',
  'H': 'U',
  'I': 'V',
  'J': 'W',
  'K': 'X',
  "L": 'Y',
  'M': 'Z',
  'N': 'A',
  'O': 'B',
  'P': 'C',
  'Q': 'D',
  'R': 'E',
  'S': 'F',
  'T': 'G',
  'U': 'H',
  'V': 'I',
  'W': 'J',
  'X': 'K',
  'Y': 'L',
  'Z': 'M',
  ' ': ' ',
  '.': '.',
  '!': '!',
  '?': '?'
};

// Change the inputs below to test
rot13("SERR CVMMN!");
// FREE CODE CAMP

function rot13(str) {
  var index = [];
  for (var key in str) {
    for (var property in rot) {
      if (str[key] === property) {
        index.push(rot[property]);
      }
    }
  }
  return index.join('');
}

答案 5 :(得分:0)

function rot13(str) {
const alphabet1 = 'ABCDEFGHIJKLMNOPQRSTUVWXYZABCDEFGHIJKLMNOPQRSTUVWXY';
const alphabet = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ';
return str
  .split('')
  .map(function(char) {  
    const pos = alphabet.indexOf(char);
    return pos >=0? alphabet1[pos+13] : char;     
  })
  .join('');
}
rot13("SERR PBQR PNZC");