JavaScript DataView getBigUint64() 方法



JavaScript DataView 的getBigUint64()方法用于从该 DataView 的指定字节偏移量开始检索 8 字节的数据段。随后,它将它们解码为64 位无符号整数。您可以从 DataView 范围内的任何偏移量检索多个字节。

如果您尝试读取超出 DataView 有效范围的位置的数据,此方法将抛出'RangeError'异常。

语法

以下是 JavaScript DataView getBigUint64()方法的语法:

getBigUnit64(byteOffset, littleEndian)

参数

此方法接受两个名为“byteOffset”和“littleEndian”的参数,如下所述:

  • byteOffset - 从 DataView 中读取数据的起始位置。
  • littleEndian - 指示数据是以小端序还是大端序格式存储。

返回值

此方法返回一个 BigInt,其范围从0264 - 1(包括)。

示例 1

以下程序演示了 JavaScript DataView getBigUint64()方法的使用。

<html>
<body>
<script>
   const buffer = new ArrayBuffer(16);
   const data_view = new DataView(buffer);
   const byteOffset = 0;
   //find the highest possible BigInt value that fits for the big unsigned integer 
   const value = 2n ** (64n - 1n) - 1n;
   document.write("The byte offset: ", byteOffset);
   document.write("<br>Value: ", value);
   //using the setBigUnit64() method to store value
   data_view.setBigUint64(byteOffset, value);
   //using the getBigUnit64() method
   document.write("<br>The stored value: ", data_view.getBigUint64(byteOffset));
</script>
</body>
</html>

输出

上述程序返回存储的值。

The byte offset: 0
Value: 9223372036854775807
The stored value: 9223372036854775807

示例 2

以下是setBigUint64()方法的另一个示例。我们使用此方法从指定的字节偏移量1检索数据视图的 8 字节数据段。

<html>
<body>
<script>
   const { buffer } = new Uint8Array([0, 1, 2, 3, 4, 5, 6, 7, 8, 9]);
   const data_view = new DataView(buffer);
   const byteOffset = 1;
   document.write("The byte offset: ", byteOffset);
   document.write("<br>The data_view.getBigUnit64(1) method returns: ", data_view.getBigUint64(byteOffset));
</script>
</body>
</html>

输出

执行上述程序后,它将返回一个 8 字节的数据段,如下所示:

The byte offset: 1
The data_view.getBigUnit64(1) method returns: 72623859790382856

示例 3

如果 byteOffset 参数的值超出此数据视图的范围,则会抛出'RangeError'异常。

<html>
<body>
<script>
   const buffer = new ArrayBuffer(16);
   const data_view = new DataView(buffer);
   const byteOffset = 1;
   //find the highest possible BigInt value 
   const value = 2n ** (64n - 1n) - 1n;
   document.write("The byte offset: ", byteOffset);
   document.write("<br>Value: ", value);
   //storing the value
   data_view.setBigInt64(byteOffset, value);
   try {
      //using the getBigUnit64() method
     document.write("<br>The store value: ", data_view.getBigUnit64(-1));
   } catch (error) {
     document.write("<br>", error);
   }
</script>
</body>
</html>

输出

执行上述程序后,将抛出以下异常:

The byte offset: 1
Value: 9223372036854775807
TypeError: data_view.getBigUnit64 is not a function
广告