CyberChef/src/core/operations/BLAKE2s.mjs

81 lines
2.5 KiB
JavaScript
Raw Normal View History

/**
2019-03-26 20:13:00 +01:00
* @author h345983745
* @copyright Crown Copyright 2019
* @license Apache-2.0
*/
import Operation from "../Operation.mjs";
import blakejs from "blakejs";
import OperationError from "../errors/OperationError.mjs";
import Utils from "../Utils.mjs";
import { toBase64 } from "../lib/Base64.mjs";
/**
* BLAKE2s Operation
*/
class BLAKE2s extends Operation {
/**
* BLAKE2s constructor
*/
constructor() {
super();
this.name = "BLAKE2s";
this.module = "Hashing";
2019-03-31 19:46:29 +02:00
this.description = `Performs BLAKE2s hashing on the input.
<br><br>BLAKE2s is a flavour of the BLAKE cryptographic hash function that is optimized for 8- to 32-bit platforms and produces digests of any size between 1 and 32 bytes.
<br><br>Supports the use of an optional key.`;
this.infoURL = "https://wikipedia.org/wiki/BLAKE_(hash_function)#BLAKE2";
this.inputType = "ArrayBuffer";
this.outputType = "string";
this.args = [
{
"name": "Size",
"type": "option",
"value": ["256", "160", "128"]
2019-03-26 22:12:03 +01:00
}, {
"name": "Output Encoding",
"type": "option",
"value": ["Hex", "Base64", "Raw"]
2019-03-31 19:32:53 +02:00
},
{
"name": "Key",
"type": "toggleString",
"value": "",
"toggleValues": ["UTF8", "Decimal", "Base64", "Hex", "Latin1"]
}
];
}
/**
* @param {ArrayBuffer} input
* @param {Object[]} args
2019-10-16 16:38:20 +02:00
* @returns {string} The input having been hashed with BLAKE2s in the encoding format specified.
*/
run(input, args) {
2019-03-26 22:12:03 +01:00
const [outSize, outFormat] = args;
2019-03-31 19:32:53 +02:00
let key = Utils.convertToByteArray(args[2].string || "", args[2].option);
if (key.length === 0) {
2019-03-31 19:32:53 +02:00
key = null;
} else if (key.length > 32) {
2019-03-31 19:46:29 +02:00
throw new OperationError(["Key cannot be greater than 32 bytes", "It is currently " + key.length + " bytes."].join("\n"));
2019-03-31 19:32:53 +02:00
}
input = new Uint8Array(input);
2019-03-26 22:12:03 +01:00
switch (outFormat) {
case "Hex":
2019-03-31 19:32:53 +02:00
return blakejs.blake2sHex(input, key, outSize / 8);
2019-03-26 22:12:03 +01:00
case "Base64":
2019-03-31 19:32:53 +02:00
return toBase64(blakejs.blake2s(input, key, outSize / 8));
2019-03-26 22:12:03 +01:00
case "Raw":
2019-03-31 19:32:53 +02:00
return Utils.arrayBufferToStr(blakejs.blake2s(input, key, outSize / 8).buffer);
2019-03-26 22:12:03 +01:00
default:
return new OperationError("Unsupported Output Type");
}
}
}
export default BLAKE2s;