JavaScript DataView setInt16() 方法



JavaScript DataView 的setInt16() 方法将数值存储为16 位有符号整数,存储在从 DataView 指定字节偏移量开始的 2 个字节中。多个字节可以存储在边界内的任何偏移量。

如果数值不在-32768 到 32767的范围内,则不会将该值存储到此 DataView 中;如果 byteOffset 参数值超出此 DataView 的范围,则会抛出'RangeError'异常。

语法

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

setInt16(byteOffset, value, littleEndian)

参数

此方法接受三个参数,分别为“byteOffset”、“value”和“littleEndian”,如下所述:

  • byteOffset - DataView 中将存储字节的位置。
  • value - 需要存储的 16 位有符号整数。
  • littleEndian - 指示数据值是以小端还是大端格式存储。

返回值

此方法返回'undefined',因为它只存储字节值。

示例 1

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

<html>
<body>
<script>
   const buffer = new ArrayBuffer(16);
   const data_view = new DataView(buffer);
   const value = 255;
   const byteOffset = 1;
   document.write("Value: ", value);
   document.write("<br>The byte offset: ", byteOffset);
   //using the setInt16() method
   document.write("<br>The data_view.setInt16() method returns: ",  data_view.setInt16(byteOffset, value));
</script>
</body>
</html>

输出

上述程序返回 'undefined':

Value: 255
The byte offset: 1
The data_view.setInt16() method returns: undefined

示例 2

如果数据值超出-3276832767的范围,则setInt16()方法将不会存储指定的值,因为它超过了 8 位有符号整数的范围。

<html>
<body>
<script>
   const buffer = new ArrayBuffer(16);
   const data_view = new DataView(buffer);
   const value = 327678;
   const byteOffset = 0;
   document.write("Value: ", value);
   document.write("<br>The byte offset: ", byteOffset);
   //using the setInt16() method
   data_view.setInt16(byteOffset, value);
   document.write("<br>The store value: ", data_view.getInt32(1));
</script>
</body>
</html>

输出

程序执行后,由于数据值超出可接受值的范围,因此不会存储数据值:

Value: 327678
The byte offset: 0
The store value: -33554432

示例 3

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

<html>
<body>
<script>
   const buffer = new ArrayBuffer(16);
   const data_view = new DataView(buffer);
   const value = 300;
   const byteOffset = -2;
   document.write("Value: ", value);
   document.write("<br>The byte offset: ", byteOffset);
   try {
      //using the setInt16() method
      data_view.setInt16(byteOffset, value);
   } catch (error) {
      document.write("<br>", error);
   }
</script>
</body>
</html>

输出

执行上述程序后,将抛出 'RangeError' 异常,如下所示:

Value: 300
The byte offset: -2
RangeError: Offset is outside the bounds of the DataView
广告