Source: opus/Opus.js

  1. // Partly based on https://github.com/Rantanen/node-opus/blob/master/lib/Encoder.js
  2. const { Transform } = require('stream');
  3. const loader = require('../util/loader');
  4. const CTL = {
  5. BITRATE: 4002,
  6. FEC: 4012,
  7. PLP: 4014,
  8. };
  9. let Opus = {};
  10. function loadOpus(refresh = false) {
  11. if (Opus.Encoder && !refresh) return Opus;
  12. Opus = loader.require([
  13. ['@discordjs/opus', opus => ({ Encoder: opus.OpusEncoder })],
  14. ['node-opus', opus => ({ Encoder: opus.OpusEncoder })],
  15. ['opusscript', opus => ({ Encoder: opus })],
  16. ]);
  17. return Opus;
  18. }
  19. const charCode = x => x.charCodeAt(0);
  20. const OPUS_HEAD = Buffer.from([...'OpusHead'].map(charCode));
  21. const OPUS_TAGS = Buffer.from([...'OpusTags'].map(charCode));
  22. // frame size = (channels * rate * frame_duration) / 1000
  23. /**
  24. * Takes a stream of Opus data and outputs a stream of PCM data, or the inverse.
  25. * **You shouldn't directly instantiate this class, see opus.Encoder and opus.Decoder instead!**
  26. * @memberof opus
  27. * @extends TransformStream
  28. * @protected
  29. */
  30. class OpusStream extends Transform {
  31. /**
  32. * Creates a new Opus transformer.
  33. * @private
  34. * @memberof opus
  35. * @param {Object} [options] options that you would pass to a regular Transform stream
  36. */
  37. constructor(options = {}) {
  38. if (!loadOpus().Encoder) {
  39. throw Error('Could not find an Opus module! Please install @discordjs/opus, node-opus, or opusscript.');
  40. }
  41. super(Object.assign({ readableObjectMode: true }, options));
  42. if (Opus.name === 'opusscript') {
  43. options.application = Opus.Encoder.Application[options.application];
  44. }
  45. this.encoder = new Opus.Encoder(options.rate, options.channels, options.application);
  46. this._options = options;
  47. this._required = this._options.frameSize * this._options.channels * 2;
  48. }
  49. _encode(buffer) {
  50. return this.encoder.encode(buffer, this._options.frameSize);
  51. }
  52. _decode(buffer) {
  53. return this.encoder.decode(buffer, Opus.name === 'opusscript' ? null : this._options.frameSize);
  54. }
  55. /**
  56. * Returns the Opus module being used - `opusscript`, `node-opus`, or `@discordjs/opus`.
  57. * @type {string}
  58. * @readonly
  59. * @example
  60. * console.log(`Using Opus module ${prism.opus.Encoder.type}`);
  61. */
  62. static get type() {
  63. return Opus.name;
  64. }
  65. /**
  66. * Sets the bitrate of the stream.
  67. * @param {number} bitrate the bitrate to use use, e.g. 48000
  68. * @public
  69. */
  70. setBitrate(bitrate) {
  71. (this.encoder.applyEncoderCTL || this.encoder.encoderCTL)
  72. .apply(this.encoder, [CTL.BITRATE, Math.min(128e3, Math.max(16e3, bitrate))]);
  73. }
  74. /**
  75. * Enables or disables forward error correction.
  76. * @param {boolean} enabled whether or not to enable FEC.
  77. * @public
  78. */
  79. setFEC(enabled) {
  80. (this.encoder.applyEncoderCTL || this.encoder.encoderCTL)
  81. .apply(this.encoder, [CTL.FEC, enabled ? 1 : 0]);
  82. }
  83. /**
  84. * Sets the expected packet loss over network transmission.
  85. * @param {number} [percentage] a percentage (represented between 0 and 1)
  86. */
  87. setPLP(percentage) {
  88. (this.encoder.applyEncoderCTL || this.encoder.encoderCTL)
  89. .apply(this.encoder, [CTL.PLP, Math.min(100, Math.max(0, percentage * 100))]);
  90. }
  91. _final(cb) {
  92. this._cleanup();
  93. cb();
  94. }
  95. _destroy(err, cb) {
  96. this._cleanup();
  97. return cb ? cb(err) : undefined;
  98. }
  99. /**
  100. * Cleans up the Opus stream when it is no longer needed
  101. * @private
  102. */
  103. _cleanup() {
  104. if (Opus.name === 'opusscript' && this.encoder) this.encoder.delete();
  105. this.encoder = null;
  106. }
  107. }
  108. /**
  109. * An Opus encoder stream.
  110. *
  111. * Outputs opus packets in [object mode.](https://nodejs.org/api/stream.html#stream_object_mode)
  112. * @extends opus.OpusStream
  113. * @memberof opus
  114. * @example
  115. * const encoder = new prism.opus.Encoder({ frameSize: 960, channels: 2, rate: 48000 });
  116. * pcmAudio.pipe(encoder);
  117. * // encoder will now output Opus-encoded audio packets
  118. */
  119. class Encoder extends OpusStream {
  120. /**
  121. * Creates a new Opus encoder stream.
  122. * @memberof opus
  123. * @param {Object} options options that you would pass to a regular OpusStream, plus a few more:
  124. * @param {number} options.frameSize the frame size in bytes to use (e.g. 960 for stereo audio at 48KHz with a frame
  125. * duration of 20ms)
  126. * @param {number} options.channels the number of channels to use
  127. * @param {number} options.rate the sampling rate in Hz
  128. */
  129. constructor(options) {
  130. super(options);
  131. this._buffer = Buffer.alloc(0);
  132. }
  133. _transform(chunk, encoding, done) {
  134. this._buffer = Buffer.concat([this._buffer, chunk]);
  135. let n = 0;
  136. while (this._buffer.length >= this._required * (n + 1)) {
  137. const buf = this._encode(this._buffer.slice(n * this._required, (n + 1) * this._required));
  138. this.push(buf);
  139. n++;
  140. }
  141. if (n > 0) this._buffer = this._buffer.slice(n * this._required);
  142. return done();
  143. }
  144. _destroy(err, cb) {
  145. super._destroy(err, cb);
  146. this._buffer = null;
  147. }
  148. }
  149. /**
  150. * An Opus decoder stream.
  151. *
  152. * Note that any stream you pipe into this must be in
  153. * [object mode](https://nodejs.org/api/stream.html#stream_object_mode) and should output Opus packets.
  154. * @extends opus.OpusStream
  155. * @memberof opus
  156. * @example
  157. * const decoder = new prism.opus.Decoder({ frameSize: 960, channels: 2, rate: 48000 });
  158. * input.pipe(decoder);
  159. * // decoder will now output PCM audio
  160. */
  161. class Decoder extends OpusStream {
  162. _transform(chunk, encoding, done) {
  163. const signature = chunk.slice(0, 8);
  164. if (chunk.length >= 8 && signature.equals(OPUS_HEAD)) {
  165. this.emit('format', {
  166. channels: this._options.channels,
  167. sampleRate: this._options.rate,
  168. bitDepth: 16,
  169. float: false,
  170. signed: true,
  171. version: chunk.readUInt8(8),
  172. preSkip: chunk.readUInt16LE(10),
  173. gain: chunk.readUInt16LE(16),
  174. });
  175. return done();
  176. }
  177. if (chunk.length >= 8 && signature.equals(OPUS_TAGS)) {
  178. this.emit('tags', chunk);
  179. return done();
  180. }
  181. try {
  182. this.push(this._decode(chunk));
  183. } catch (e) {
  184. return done(e);
  185. }
  186. return done();
  187. }
  188. }
  189. module.exports = { Decoder, Encoder };