ethers.js/misc/admin/src.ts/cmds/spell-check.ts

235 lines
7.2 KiB
TypeScript
Raw Normal View History

"use strict";
import fs from "fs";
import { resolve } from "path";
import ts from "typescript";
2020-09-23 05:54:48 +03:00
import { colorify } from "../log";
const Words = fs.readFileSync("/usr/share/dict/words").toString().split("\n").reduce((accum, word) => {
accum[word.toLowerCase()] = true;
return accum;
}, <Record<string, boolean>>{ });
`
// Words missing from the dictionary
2020-06-03 10:47:17 +03:00
accessing addresses aligned autofill called cancelled changed censored
2020-09-11 09:10:58 +03:00
clamping compiled computed configured consumed creating decoded decoding
2020-09-17 02:44:55 +03:00
decreased decrypt decrypted decrypting deployed deploying deprecated detected
discontinued earliest email enabled encoded encoding encrypt
2020-04-25 10:54:54 +03:00
encrypted encrypting entries euro exceeded existing expected
expired failed fetches formatted formatting funding generated
2020-08-23 23:37:24 +03:00
hardened has highly ignoring implemented implementer imported including instantiate
2020-07-13 15:50:41 +03:00
joined keyword labelled larger lookup matches mined modified modifies multi
2020-06-01 12:04:12 +03:00
named needed nested neutered numeric offline optimizer overriding owned packed
2020-08-23 23:37:24 +03:00
padded parsed parsing passed placeholder processing properties prototyping reached
2020-04-25 10:54:54 +03:00
recommended recovered redacted remaining replaced required
2020-06-01 12:04:12 +03:00
serializes shared signed signing skipped stored supported tagging targetted
2020-08-23 23:37:24 +03:00
throttled transactions uninstall unstake unsubscribe using verifies website
// Overly Specific Words
2020-09-04 08:37:14 +03:00
bech BIP BIP39 BIP44 btc bzz crypto eip etc hashes hmac icap
keccak ltc namehash ripemd RLP scrypt secp sha xdai
blockhash
bitcoin ethereum finney gwei kwei mwei satoshi szabo wei weth
crowdsale hexlify hd hdnode underpriced
boolean int struct tuple uint
nonpayable
jumpdest mstore shr shl xor
// Classes
ABIEncoder testcase numberish Wordlist
// Common Code Strings
abi addr api app arg arrayify asm basex bigint bignumber bn byte
2020-07-13 15:50:41 +03:00
bytecode callback calldata checksum ciphertext cli codepoint commify config
2020-05-04 00:53:58 +03:00
contenthash ctr ctrl debug dd dklen eexist encseed eof ethaddr
2020-04-25 10:54:54 +03:00
ethseed ethers eval exec filename func gz hid http https hw iv
2020-05-04 00:53:58 +03:00
info init ipc json kdf kdfparams labelhash lang lib mm multihash nfc
2020-09-17 02:44:55 +03:00
nfkc nfd nfkd nodehash notok nowait nullish oob opcode pbkdf pc plugin
pragma pre prf repl rpc sighash topichash solc stdin stdout subclasses
subnode timeout todo txt ufixed utc utf util url uuid vm vs websocket
2020-07-13 15:50:41 +03:00
wikipedia wx xe xpriv xpub xx yyyy zlib
// AbiV2
abiv
// Query parameters
apikey asc endblock startblock
2020-07-05 07:03:50 +03:00
alchemyapi Cloudflare Etherscan INFURA IPFS MetaMask Nodesmith
Trezor ledgerhq axic bitcoinjs browserify easyseed ethereumjs
goerli homestead kotti kovan mainnet morden mordor rinkeby
ropsten testnet
// Demo words
args foo eth foo foobar ll localhost passwd ricmoo tx xxx yna
// nameprep tags
ALCat BiDi LCat nameprep
// Lanauge Codes (and short binary data)
cn cz en es fr it ja tw zh zh_cn zh_tw
OYAa IJBEJqXZJ
`.split("\n").filter((l) => (l.substring(0, 2) != "/\/")).join("\n").split(/\s+/g,).forEach((word) => {
word = word.trim();
if (word === "") { return; }
Words[word.toLowerCase()] = true;
});
type Bar = {
value: string;
lineNo: number;
}
type Foo = {
filename: string;
values: Array<Bar>;
};
function getStrings(source: string): Array<Bar> {
const sourceFile = ts.createSourceFile("filename.ts", source, ts.ScriptTarget.Latest);
const result: Array<Bar> = [ ];
function add(value: string, pos: number): void {
const lineNo = sourceFile.getLineAndCharacterOfPosition(pos).line + 1;
result.push({ value, lineNo });
}
//let lastClass = null, lastEnum = null;
function visit(node: ts.Node, depth: number): void {
switch (node.kind) {
//case ts.SyntaxKind.TemplateExpression:
// if (node.head) { visit(node.head); }
// console.dir(node, { depth: null });
// break;
case ts.SyntaxKind.TemplateHead:
case ts.SyntaxKind.TemplateMiddle:
case ts.SyntaxKind.TemplateTail:
case ts.SyntaxKind.StringLiteral:
case ts.SyntaxKind.NoSubstitutionTemplateLiteral:
add((<ts.LiteralLikeNode>node).text, node.pos);
break;
}
ts.forEachChild(node, (node) => { return visit(node, depth + 1); });
}
visit(sourceFile, 0);
return result;
}
const Include = new RegExp("packages/.*/src.ts/.*\.ts$");
const Exclude = new RegExp("/node_modules/|src.ts/.*browser.*");
function getAllStrings(path: string): Array<Foo> {
const Root = resolve(__dirname, path);
const readdir = function(path: string): Array<Foo> {
if (path.match(Exclude)) { return [ ]; }
const stat = fs.statSync(path);
if (stat.isDirectory()) {
return fs.readdirSync(path).reduce((result, filename) => {
readdir(resolve(path, filename)).forEach((file) => {
result.push(file);
});
return result;
}, [ ]);
}
if (path.match(Include)) {
const source = fs.readFileSync(path).toString();
return [ { filename: path.substring(Root.length), values: getStrings(source) } ]
}
return [ ];
}
return readdir(Root);
}
function checkWord(word: string): boolean {
word = word.toLowerCase();
// A word
if (Words[word]) { return true; }
// Simple Plural
if (word.match(/.*s$/) && Words[word.substring(0, word.length - 1)]) { return true; }
// Hex string
if (word.match(/^(0x)?[0-9a-f]*$/i)) { return true; }
return false;
}
function starts(text: string, prefix: string): boolean {
return (text.substring(0, prefix.length) === prefix);
}
(async function() {
2020-09-23 05:54:48 +03:00
console.log(colorify.bold("Spell checking source code strings..."));
let count = 0;
getAllStrings(resolve(__dirname, "../../../../packages")).forEach((file: Foo) => {
if (starts(file.filename, "/testcases/src.ts/generation-scripts")) { return; }
if (starts(file.filename, "/asm/src.ts/opcodes.ts")) { return; }
file.values.forEach((entry) => {
function problem(word: string): void {
count++;
console.log({
filename: file.filename,
word: JSON.stringify(word),
sentence: JSON.stringify(entry.value.substring(0, 80)),
line: entry.lineNo
});
}
const value = entry.value.trim();
// Emptry space
if (value === "") { return; }
// Prolly a require
if (value.match(/^@ethersproject\/[a-z0-9-]+$/)) { return; }
if (value.substring(0, 2) === "./") { return; }
// Prolly encoded binary data
if (value.indexOf(" ") === -1 && value.length > 20) { return; }
if (checkWord(value)) { return; }
value.replace(/([a-z+])([A-Z])/g, (all, first, secondLetter) => {
return first + " " + secondLetter;
}).replace(/((?:0x)?[A-Za-z]+)/gi, (all, word) => {
if (checkWord(word)) { return ""; }
problem(word);
return "";
});;
});
});
if (count) {
console.log(`Found ${ count } typos.`);
process.exit(1)
}
process.exit(0)
})().catch((error) => {
console.log(error);
process.exit(1);
});