@lumjs/encode 2.1.0 → 2.2.0

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/CHANGELOG.md CHANGED
@@ -6,6 +6,16 @@ and this project adheres to [Semantic Versioning](https://semver.org/spec/v2.0.0
6
6
 
7
7
  ## [Unreleased]
8
8
 
9
+ ## [2.2.0]
10
+ ### Added
11
+ - intToBytes() and hexToBytes() functions added to util.js
12
+ - A HMAC wrapper library, and a generic Signature class used by it.
13
+ - HOTP/TOTP generation and valdiation classes.
14
+ They are loosely based on the ones from the `notp` package, but while that
15
+ package exports some static functions and depends on the node.js `crypto`
16
+ module, this one has two JS classes and uses the SubtleCrypto API.
17
+ - A TODO file with things I want to do.
18
+
9
19
  ## [2.1.0]
10
20
  ### Changed
11
21
  - The `base64` library now supports the `Uint8Array.fromBase64` static method,
package/TODO.md ADDED
@@ -0,0 +1,3 @@
1
+ # TODO
2
+
3
+ - Write tests for HMAC, HOTP, TOTP, etc.
package/lib/hash.js CHANGED
@@ -1,3 +1,5 @@
1
+ 'use strict';
2
+
1
3
  const {S,F,isObj,isNil} = require('@lumjs/core/types');
2
4
 
3
5
  const util = require('./util');
package/lib/hmac.js ADDED
@@ -0,0 +1,73 @@
1
+ 'use strict';
2
+
3
+ const Signature = require('./signature');
4
+
5
+ const HMAC = 'HMAC';
6
+ const DEF_OPTS = { algorithm: 'SHA-256' };
7
+
8
+ /**
9
+ * The main class to perform HMAC signing.
10
+ * @exports module:@lumjs/encode/hmac
11
+ */
12
+ class HmacEncoder {
13
+ /**
14
+ * Create an encoder.
15
+ *
16
+ * @param {(string|TypedArray|ArrayBuffer)} keyValue - The secret key value.
17
+ * Will be used to generate the crypto key.
18
+ * @param {object} [options] Options
19
+ * @param {string} [options.algorithm="SHA-256"] Digest algorithm for HMAC.
20
+ */
21
+ constructor(keyValue, options) {
22
+ this.te = new TextEncoder();
23
+ this.keyBytes = ArrayBuffer.isView(keyValue)
24
+ ? keyValue
25
+ : this.te.encode(keyValue);
26
+ this.options = Object.assign({}, DEF_OPTS, options);
27
+ }
28
+
29
+ /**
30
+ * Get the crypto key for this encoder instance.
31
+ * @returns {Promise<CryptoKey>}
32
+ */
33
+ async getKey() {
34
+ if (this._key) {
35
+ return this._key;
36
+ }
37
+
38
+ let hmac = { name: HMAC, hash: this.options.algorithm }
39
+ let key = await crypto.subtle.importKey(
40
+ "raw", // Key format
41
+ this.keyBytes, // Key data
42
+ hmac, // Algorithm
43
+ false, // Not extractable
44
+ ["sign"] // Usages
45
+ );
46
+
47
+ this._key = key;
48
+ return key;
49
+ }
50
+
51
+ /**
52
+ * Sign a message (any kind of data).
53
+ * @param {(string|TypedArray|ArrayBuffer)} message - Message to be signed.
54
+ * @returns {Promise<module:@lumjs/encode/signature>}
55
+ */
56
+ async sign(message) {
57
+ if (!ArrayBuffer.isView(message)) {
58
+ message = this.te.encode(message);
59
+ }
60
+
61
+ let key = await this.getKey();
62
+ let sig = await crypto.subtle.sign(
63
+ HMAC, // Algorithm
64
+ key, // HMAC CryptoKey
65
+ message, // Data to sign
66
+ );
67
+
68
+ return new Signature(sig);
69
+ }
70
+
71
+ }
72
+
73
+ module.exports = HmacEncoder;
package/lib/hotp.js ADDED
@@ -0,0 +1,112 @@
1
+ 'use strict';
2
+
3
+ const HmacEncoder = require('./hmac');
4
+ const { intToBytes } = require('./util');
5
+
6
+ const DEF_OPTS = { algorithm: 'SHA-1', counter: 0, window: 50 };
7
+
8
+ const cp = Object.assign;
9
+ const isError = v => (typeof v === 'function' && Error.isPrototypeOf(v));
10
+
11
+ function needKey(key) {
12
+ if (!key) {
13
+ throw new Error("No signing key was specified");
14
+ }
15
+ }
16
+
17
+ /**
18
+ * HMAC-based One-Time-Passwords.
19
+ * @exports module:@lumjs/encode/hotp
20
+ */
21
+ class HOTP {
22
+ constructor(options) {
23
+ this.setOptions(options);
24
+ }
25
+
26
+ setOptions(options) {
27
+ if (this.options) {
28
+ cp(this.options, options);
29
+ }
30
+ else {
31
+ this.options = cp({}, ...this.defaultOptions, options);
32
+ }
33
+ return this;
34
+ }
35
+
36
+ getOptions() {
37
+ return cp({}, this.options, ...arguments);
38
+ }
39
+
40
+ get defaultKey() {
41
+ return this.options.key;
42
+ }
43
+
44
+ get defaultOptions() {
45
+ return [DEF_OPTS];
46
+ }
47
+
48
+ async generate(key = this.defaultKey, opts) {
49
+ needKey(key);
50
+ opts = this.getOptions(opts);
51
+
52
+ let encoder = new HmacEncoder(key, opts);
53
+ let data = new Uint8Array(intToBytes(opts.counter));
54
+ let hash = await encoder.sign(data);
55
+ let hb = hash.byteArray;
56
+
57
+ let offset = hb[19] & 0xf;
58
+ let v1 =
59
+ (hb[offset] & 0x7f) << 24 |
60
+ (hb[offset + 1] & 0xff) << 16 |
61
+ (hb[offset + 2] & 0xff) << 8 |
62
+ (hb[offset + 3] & 0xff);
63
+
64
+ let v2 = (v1 % 1000000) + '';
65
+ let code = Array(LEN - v2.length).join('0') + v2;
66
+
67
+ let res = {
68
+ opts,
69
+ data,
70
+ hash,
71
+ hashBytes: hb,
72
+ offset,
73
+ v1,
74
+ v2,
75
+ code,
76
+ toString,
77
+ }
78
+
79
+ if (opts.debug) console.debug(res.code, res);
80
+
81
+ return res;
82
+ }
83
+
84
+ async verify(token, key = this.defaultKey, opts) {
85
+ needKey(key);
86
+ opts = this.getOptions(opts);
87
+
88
+ let win = opts.window;
89
+ let cnt = opts.counter;
90
+ let info = { ok: false };
91
+
92
+ if (opts.debug) info.stack = [];
93
+
94
+ for (let i = cnt - win; i <= cnt + win; ++i) {
95
+ opts.counter = i;
96
+ let res = this.generate(key, opts);
97
+ if (opts.debug) info.stack.push(res);
98
+ if (res.code === token) {
99
+ return cp(info, { ok: true, delta: i - cnt });
100
+ }
101
+ }
102
+
103
+ if (opts.throw) {
104
+ let EClass = isError(opts.throw) ? opts.throw : Error;
105
+ throw new EClass("OTP verification failure");
106
+ }
107
+
108
+ return info;
109
+ }
110
+ }
111
+
112
+ module.exports = HOTP;
package/lib/index.js CHANGED
@@ -9,6 +9,12 @@ const E = def.e;
9
9
 
10
10
  const util = require('./util');
11
11
 
12
+ /**
13
+ * @alias module:@lumjs/encode.util
14
+ * @see {@link module:@lumjs/encode/util}
15
+ */
16
+ def(exports, 'util', {value: util}, E);
17
+
12
18
  /**
13
19
  * @alias module:@lumjs/encode.ord
14
20
  * @see {@link module:@lumjs/encode/util.ord}
@@ -39,3 +45,27 @@ lazy(exports, 'Base91', () => require('./base91'), E);
39
45
  * @see {@link module:@lumjs/encode/hash}
40
46
  */
41
47
  lazy(exports, 'Hash', () => require('./hash'), E);
48
+
49
+ /**
50
+ * @name module:@lumjs/encode.HMAC
51
+ * @see {@link module:@lumjs/encode/hmac}
52
+ */
53
+ lazy(exports, 'HMAC', () => require('./hmac'), E);
54
+
55
+ /**
56
+ * @name module:@lumjs/encode.HOTP
57
+ * @see {@link module:@lumjs/encode/hotp}
58
+ */
59
+ lazy(exports, 'HOTP', () => require('./hotp'), E);
60
+
61
+ /**
62
+ * @name module:@lumjs/encode.TOTP
63
+ * @see {@link module:@lumjs/encode/totp}
64
+ */
65
+ lazy(exports, 'TOTP', () => require('./totp'), E);
66
+
67
+ /**
68
+ * @name module:@lumjs/encode.Signature
69
+ * @see {@link module:@lumjs/encode/signature}
70
+ */
71
+ lazy(exports, 'Signature', () => require('./signature'), E);
@@ -0,0 +1,36 @@
1
+ 'use strict';
2
+
3
+ /**
4
+ * A small wrapepr class representing a crypto signature.
5
+ * @alias module:@lumjs/encode/signature
6
+ */
7
+ class Signature {
8
+ /**
9
+ * Build a Signature instance.
10
+ * @param {ArrayBuffer} buffer - The signature data.
11
+ */
12
+ constructor(buffer) {
13
+ this.buffer = buffer;
14
+ }
15
+
16
+ /**
17
+ * Get the signature as a Uint8Array.
18
+ */
19
+ get uint8Array() {
20
+ return new Uint8Array(this.buffer);
21
+ }
22
+
23
+ /**
24
+ * Get the signature as an array of bytes.
25
+ */
26
+ get byteArray() {
27
+ return Array.from(this.uint8Array);
28
+ }
29
+
30
+ /**
31
+ * Get the signature as a Hex string.
32
+ */
33
+ get hex() {
34
+ return this.byteArray.map(b => b.toString(16).padStart(2, '0')).join('');
35
+ }
36
+ }
package/lib/totp.js ADDED
@@ -0,0 +1,23 @@
1
+ 'use strict';
2
+
3
+ const HOTP = require('./hotp');
4
+ const DEF_OPTS = {step: 30};
5
+
6
+ /**
7
+ * Time-based One-Time-Passwords.
8
+ * @exports module:@lumjs/encode/totp
9
+ */
10
+ class TOTP extends HOTP {
11
+ get defaultOptions() {
12
+ return [...super.defaultOptions, DEF_OPTS];
13
+ }
14
+
15
+ getOptions() {
16
+ let opts = super.getOptions(...arguments);
17
+ if (!opts.time) opts.time = Date.now();
18
+ opts.counter = Math.floor((opts.time / 1000) / opts.step);
19
+ return opts;
20
+ }
21
+ }
22
+
23
+ module.exports = TOTP;
package/lib/util.js CHANGED
@@ -2,6 +2,8 @@
2
2
  * Low-level encoding utilities
3
3
  * @module @lumjs/encode/util
4
4
  */
5
+ 'use strict';
6
+
5
7
  const {N} = require('@lumjs/core/types');
6
8
 
7
9
  /**
@@ -189,3 +191,42 @@ exports.wordArrayToUint8Array = function(wordArray)
189
191
  }
190
192
  return result;
191
193
  }
194
+
195
+ /**
196
+ * Convert an integer to a byte array.
197
+ *
198
+ * This is a much simpler algorithm than numByteArray,
199
+ * and was borrowed from the `notp` package.
200
+ *
201
+ * @param {Integer} num
202
+ * @return {Array} bytes
203
+ */
204
+ exports.intToBytes = function(num)
205
+ {
206
+ let bytes = [];
207
+
208
+ for(let i=7 ; i>=0 ; --i)
209
+ {
210
+ bytes[i] = num & (255);
211
+ num = num >> 8;
212
+ }
213
+
214
+ return bytes;
215
+ }
216
+
217
+ /**
218
+ * Convert a hex value to a byte array.
219
+ *
220
+ * Also taken from the `notp` package.
221
+ *
222
+ * @param {String} hex string of hex to convert to a byte array
223
+ * @return {Array} bytes
224
+ */
225
+ exports.hexToBytes = function(hex) {
226
+ var bytes = [];
227
+ for(var c = 0, C = hex.length; c < C; c += 2) {
228
+ bytes.push(parseInt(hex.substr(c, 2), 16));
229
+ }
230
+ return bytes;
231
+ }
232
+
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@lumjs/encode",
3
- "version": "2.1.0",
3
+ "version": "2.2.0",
4
4
  "main": "lib/index.js",
5
5
  "exports":
6
6
  {
@@ -8,6 +8,10 @@
8
8
  "./base64": "./lib/base64.js",
9
9
  "./base91": "./lib/base91.js",
10
10
  "./hash": "./lib/hash.js",
11
+ "./hmac": "./lib/hmac.js",
12
+ "./hotp": "./lib/hotp.js",
13
+ "./signature": "./lib/signature.js",
14
+ "./totp": "./lib/totp.js",
11
15
  "./util": "./lib/util.js",
12
16
  "./package.json": "./package.json"
13
17
  },
@@ -19,7 +23,7 @@
19
23
  },
20
24
  "dependencies":
21
25
  {
22
- "@lumjs/core": "^1.26.0"
26
+ "@lumjs/core": "^1.28.0"
23
27
  },
24
28
  "devDependencies":
25
29
  {