mirror of
https://github.com/gchq/CyberChef.git
synced 2026-03-22 14:52:13 -07:00
57 lines
1.6 KiB
JavaScript
57 lines
1.6 KiB
JavaScript
/**
|
|
* @author GCHQ Contributor [3]
|
|
* @copyright Crown Copyright 2019
|
|
* @license Apache-2.0
|
|
*/
|
|
|
|
import Operation from "../Operation.mjs";
|
|
import OperationError from "../errors/OperationError.mjs";
|
|
import Protobuf from "../lib/Protobuf.mjs";
|
|
|
|
/**
|
|
* VarInt Decode operation
|
|
*/
|
|
class VarIntDecode extends Operation {
|
|
|
|
/**
|
|
* VarIntDecode constructor
|
|
*/
|
|
constructor() {
|
|
super();
|
|
|
|
this.name = "VarInt Decode";
|
|
this.module = "Default";
|
|
this.description = "Decodes a VarInt encoded integer. VarInt is an efficient way of encoding variable length integers and is commonly used with Protobuf.";
|
|
this.infoURL = "https://developers.google.com/protocol-buffers/docs/encoding#varints";
|
|
this.inputType = "byteArray";
|
|
this.outputType = "string";
|
|
this.args = [];
|
|
}
|
|
|
|
/**
|
|
* @param {byteArray} input
|
|
* @param {Object[]} args
|
|
* @returns {number}
|
|
*/
|
|
run(input, args) {
|
|
try {
|
|
if (typeof BigInt === "function") {
|
|
let result = BigInt(0);
|
|
let offset = BigInt(0);
|
|
for (let i = 0; i < input.length; i++) {
|
|
result |= BigInt(input[i] & 0x7f) << offset;
|
|
if (!(input[i] & 0x80)) break;
|
|
offset += BigInt(7);
|
|
}
|
|
return result.toString();
|
|
} else {
|
|
return Protobuf.varIntDecode(input).toString();
|
|
}
|
|
} catch (err) {
|
|
throw new OperationError(err);
|
|
}
|
|
}
|
|
|
|
}
|
|
|
|
export default VarIntDecode;
|