我正在尝试使用Javascript将一系列八进制字节转换为文本,如下所示:
输入为\ 330 \ 265,输出应为ص
以下工具成功实现了这一目标:
我正在尝试复制这个逻辑
答案 0 :(得分:2)
这是一项非常简单的任务,您需要做的就是使用Number.toString(radix)
方法转换从String.charCodeAt(index)
返回的十进制整数值,以对字符串进行编码。
使用String.fromCharCode(charCode)
和parseInt(numberString, radix)
的组合,您可以使用值8作为基数来解码八进制值,并将其传递给fromCharCode
方法。
Input: Hello World
Encode: 110 145 154 154 157 040 127 157 162 154 144
Decode: Hello World
/* Redirect console output to HTML. */ document.body.innerHTML = '';
console.log=function(){document.body.innerHTML+=[].slice.apply(arguments).join(' ')+'\n';};
var octBytes, str;
console.log('Input: ', str = "Hello World");
console.log('Encode:', octBytes = encode(str));
console.log('Decode:', decode(octBytes));
function encode(str) {
return decToOctBytes(charsToBytes(str.split(''))).join(' ');
}
function decode(octBytes) {
return bytesToChars(octToDecBytes(octBytes.split(' '))).join('');
}
function charsToBytes(chars) {
return chars.map(function(char) {
return char.charCodeAt(0);
});
}
function bytesToChars(bytes) {
return bytes.map(function(byte) {
return String.fromCharCode(parseInt(byte, 10));
});
}
function decToOctBytes(decBytes) {
return decBytes.map(function(dec) {
return ('000' + dec.toString(8)).substr(-3);
});
}
function octToDecBytes(octBytes) {
return octBytes.map(function(oct) {
return parseInt(oct, 8);
});
}
body { font-family: monospace; white-space: pre; }