2019-03-11 14:32:44 +01:00
|
|
|
/**
|
|
|
|
* @author mshwed [m@ttshwed.com]
|
|
|
|
* @copyright Crown Copyright 2019
|
|
|
|
* @license Apache-2.0
|
|
|
|
*/
|
|
|
|
|
2024-03-31 16:57:03 +02:00
|
|
|
import Operation from "../Operation.mjs";
|
|
|
|
import { search } from "../lib/Extract.mjs";
|
2019-03-11 14:32:44 +01:00
|
|
|
|
|
|
|
/**
|
|
|
|
* Extract Hash Values operation
|
|
|
|
*/
|
|
|
|
class ExtractHashes extends Operation {
|
|
|
|
|
|
|
|
/**
|
|
|
|
* ExtractHashValues constructor
|
|
|
|
*/
|
|
|
|
constructor() {
|
|
|
|
super();
|
|
|
|
|
|
|
|
this.name = "Extract Hashes";
|
2019-03-11 14:53:12 +01:00
|
|
|
this.module = "Regex";
|
2019-03-12 01:02:49 +01:00
|
|
|
this.description = "Extracts potential hashes based on hash character length";
|
2019-03-11 14:32:44 +01:00
|
|
|
this.infoURL = "https://en.wikipedia.org/wiki/Comparison_of_cryptographic_hash_functions";
|
|
|
|
this.inputType = "string";
|
|
|
|
this.outputType = "string";
|
|
|
|
this.args = [
|
|
|
|
{
|
2019-03-12 01:02:49 +01:00
|
|
|
name: "Hash character length",
|
2019-03-11 14:32:44 +01:00
|
|
|
type: "number",
|
2019-03-12 15:13:28 +01:00
|
|
|
value: 40
|
2019-03-11 14:32:44 +01:00
|
|
|
},
|
|
|
|
{
|
|
|
|
name: "All hashes",
|
|
|
|
type: "boolean",
|
|
|
|
value: false
|
|
|
|
},
|
|
|
|
{
|
|
|
|
name: "Display Total",
|
|
|
|
type: "boolean",
|
|
|
|
value: false
|
|
|
|
}
|
|
|
|
];
|
|
|
|
}
|
|
|
|
|
|
|
|
/**
|
|
|
|
* @param {string} input
|
|
|
|
* @param {Object[]} args
|
|
|
|
* @returns {string}
|
|
|
|
*/
|
|
|
|
run(input, args) {
|
2019-03-12 15:13:28 +01:00
|
|
|
const results = [];
|
2019-03-11 14:32:44 +01:00
|
|
|
let hashCount = 0;
|
|
|
|
|
|
|
|
const hashLength = args[0];
|
|
|
|
const searchAllHashes = args[1];
|
|
|
|
const showDisplayTotal = args[2];
|
|
|
|
|
2019-03-12 01:02:49 +01:00
|
|
|
// Convert character length to bit length
|
|
|
|
let hashBitLengths = [(hashLength / 2) * 8];
|
2019-03-11 14:32:44 +01:00
|
|
|
|
2019-03-12 01:02:49 +01:00
|
|
|
if (searchAllHashes) hashBitLengths = [4, 8, 16, 32, 64, 128, 160, 192, 224, 256, 320, 384, 512, 1024];
|
|
|
|
|
2019-03-12 15:13:28 +01:00
|
|
|
for (const hashBitLength of hashBitLengths) {
|
2019-03-12 01:02:49 +01:00
|
|
|
// Convert bit length to character length
|
2019-03-12 15:13:28 +01:00
|
|
|
const hashCharacterLength = (hashBitLength / 8) * 2;
|
2019-03-12 01:02:49 +01:00
|
|
|
|
|
|
|
const regex = new RegExp(`(\\b|^)[a-f0-9]{${hashCharacterLength}}(\\b|$)`, "g");
|
2019-03-11 14:32:44 +01:00
|
|
|
const searchResults = search(input, regex, null, false);
|
|
|
|
|
|
|
|
hashCount += searchResults.split("\n").length - 1;
|
|
|
|
results.push(searchResults);
|
|
|
|
}
|
|
|
|
|
|
|
|
let output = "";
|
|
|
|
if (showDisplayTotal) {
|
|
|
|
output = `Total Results: ${hashCount}\n\n`;
|
|
|
|
}
|
|
|
|
|
|
|
|
output = output + results.join("");
|
|
|
|
return output;
|
|
|
|
}
|
|
|
|
|
|
|
|
}
|
|
|
|
|
|
|
|
export default ExtractHashes;
|