编程语言
首页 > 编程语言> > 相当于htonl的JavaScript?

相当于htonl的JavaScript?

作者:互联网

对于AJAX请求,我需要发送一个幻数作为请求正文的前四个字节,最高有效字节在前,以及请求正文中的其他几个(非恒定)值. JavaScript中是否有等同于htonl的东西?

例如,给定0x42656566,我需要产生字符串“ Beef”.不幸的是,我的电话号码是0xc1ba5ba9.服务器读取请求时,它将获取值-1014906182(而不是-1044751447).

解决方法:

没有内置功能,但是类似这样的方法应该起作用:

// Convert an integer to an array of "bytes" in network/big-endian order.
function htonl(n)
{
    // Mask off 8 bytes at a time then shift them into place
    return [
        (n & 0xFF000000) >>> 24,
        (n & 0x00FF0000) >>> 16,
        (n & 0x0000FF00) >>>  8,
        (n & 0x000000FF) >>>  0,
    ];
}

要将字节作为字符串获取,只需在每个字节上调用String.fromCharCode并将它们连接起来:

// Convert an integer to a string made up of the bytes in network/big-endian order.
function htonl(n)
{
    // Mask off 8 bytes at a time then shift them into place
    return String.fromCharCode((n & 0xFF000000) >>> 24) +
           String.fromCharCode((n & 0x00FF0000) >>> 16) +
           String.fromCharCode((n & 0x0000FF00) >>>  8) +
           String.fromCharCode((n & 0x000000FF) >>>  0);
}

标签:endianness,network-programming,javascript
来源: https://codeday.me/bug/20191101/1985491.html