【加密解密】恺撒加密(Javascript实现)
恺撒加密(Caesar cipher),是一种最简单且最广为人知的替换加密技术。明文中的所有字母都在字母表上向后(或向前)按照一个固定数目进行偏移后被替换成密文。
例如,当偏移量是3的时候,所有的字母A将被替换成D,B变成E,以此类推。
当年恺撒曾用此方法与其将军们进行联系。
当偏移量是左移3的时候(解密时的密钥就是3):
明文字母表:ABCDEFGHIJKLMNOPQRSTUVWXYZ
密文字母表:DEFGHIJKLMNOPQRSTUVWXYZABC
使用时,加密者查找明文字母表中需要加密的消息中的每一个字母所在位置,并且写下密文字母表中对应的字母。需要解密的人则根据事先已知的密钥反过来操作,得到原来的明文。例如:
明文:THE QUICK BROWN FOX JUMPS OVER THE LAZY DOG
密文:WKH TXLFN EURZQ IRA MXPSV RYHU WKH ODCB GRJ
恺撒密码的加密、解密方法还能够通过同余的数学方法进行计算。
使用凯撒密码(偏移3)加解密 <scriptlanguage="JavaScript"> // encrypt using Caesar functiondo_encrypt() { var key = document.cipher.offset.value; // console.log(key); var plain = document.cipher.plain.value; var ctext = ""; // do the encoding for( var i = 0; i < plain.length; i ++ ) { var pcode = plain.charCodeAt( i ); var ccode = pcode; if ( pcode >= 65 && pcode <= 90 ) { ccode = ( ( pcode - 65 ) + key * 1 ) % 26 + 65; } if ( pcode >= 97 && pcode <= 122 ) { ccode = ( ( pcode - 97 ) + key * 1 ) %26 + 97; } // console.log(pcode + "," + ccode); ctext += String.fromCharCode(ccode); } document.cipher.enc.value = ctext; } functiondo_decrypt() { var key = document.cipher.offset.value; // console.log(key); var ctext = document.cipher.enc.value; var plain = ""; // do the encoding for( var i = 0; i < ctext.length; i ++ ) { var ccode = ctext.charCodeAt( i ); var pcode = ccode; if ( ccode >= 65 && ccode <= 90 ) { pcode = ( ( ccode - 65 ) - key * 1 +26 ) % 26 + 65; } if ( ccode >= 97 && ccode <= 122 ) { pcode = ( ( ccode - 97 ) - key * 1 + 26) % 26 + 97; } // console.log(ccode + "," + pcode); plain += String.fromCharCode(pcode); } // console.log(-3 % 26); document.cipher.plain.value = plain; } </script> <formname="cipher"> <table> <tr><td>偏移:</td><td><inputtype="text"name="offset"size=5value=3></td></tr> <tr><td>明文:</td><td><inputtype="text"name="plain"size=50value="This is a test."></td></tr> <tr><td>密文:</td><td><inputtype="text"name="enc"size=50></td></tr> </table> <inputtype="button"value="加密"onClick="do_encrypt()"> <inputtype="button"value="解密"onClick="do_decrypt()"> </form>