Base64.js
2.7 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
import { Word32Array } from "../Word32Array";
const map = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/=";
const reverseMap = [];
for (let i = 0; i < map.length; i++) {
reverseMap[map.charCodeAt(i)] = i;
}
export const Base64 = {
/**
* Converts a word array to a base64 string.
*
* @param {Word32Array} w An array of 32-bit words.
* @return {string} The base64 string.
* @example
* var hexString = Base64.stringify(new Word32Array([0x293892], 6));
*/
stringify(w) {
// Shortcuts
const words = w.words;
const sigBytes = w.nSigBytes;
// Clamp excess bits
w.clamp();
// Convert
const base64Chars = [];
for (let i = 0; i < sigBytes; i += 3) {
const byte1 = (words[i >>> 2] >>> (24 - (i % 4) * 8)) & 0xff;
const byte2 = (words[(i + 1) >>> 2] >>> (24 - ((i + 1) % 4) * 8)) & 0xff;
const byte3 = (words[(i + 2) >>> 2] >>> (24 - ((i + 2) % 4) * 8)) & 0xff;
const triplet = (byte1 << 16) | (byte2 << 8) | byte3;
for (let j = 0; (j < 4) && (i + j * 0.75 < sigBytes); j++) {
base64Chars.push(map.charAt((triplet >>> (6 * (3 - j))) & 0x3f));
}
}
// Add padding
const paddingChar = map.charAt(64);
if (paddingChar) {
while (base64Chars.length % 4) {
base64Chars.push(paddingChar);
}
}
return base64Chars.join("");
},
/**
* Converts a base64 string to a word array.
*
* @param {string} base64Str The base64 string.
* @return {Word32Array} The word array.
* @example
* var wordArray = Base64.parse(base64String);
*/
parse(base64Str) {
let base64StrLength = base64Str.length;
// Ignore padding
const paddingChar = map.charAt(64);
if (paddingChar) {
const paddingIndex = base64Str.indexOf(paddingChar);
if (paddingIndex !== -1) {
base64StrLength = paddingIndex;
}
}
const words = [];
let nBytes = 0;
for (let i = 0; i < base64StrLength; i++) {
if (i % 4) {
const bits1 = reverseMap[base64Str.charCodeAt(i - 1)] << ((i % 4) * 2);
const bits2 = reverseMap[base64Str.charCodeAt(i)] >>> (6 - (i % 4) * 2);
const bitsCombined = bits1 | bits2;
words[nBytes >>> 2] |= bitsCombined << (24 - (nBytes % 4) * 8);
nBytes++;
}
}
return new Word32Array(words, nBytes);
}
};