| 1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283 | const nodeCrypto = require('crypto')module.exports = {  postgresMd5PasswordHash,  randomBytes,  deriveKey,  sha256,  hmacSha256,  md5,}/** * The Web Crypto API - grabbed from the Node.js library or the global * @type Crypto */const webCrypto = nodeCrypto.webcrypto || globalThis.crypto/** * The SubtleCrypto API for low level crypto operations. * @type SubtleCrypto */const subtleCrypto = webCrypto.subtleconst textEncoder = new TextEncoder()/** * * @param {*} length * @returns */function randomBytes(length) {  return webCrypto.getRandomValues(Buffer.alloc(length))}async function md5(string) {  try {    return nodeCrypto.createHash('md5').update(string, 'utf-8').digest('hex')  } catch (e) {    // `createHash()` failed so we are probably not in Node.js, use the WebCrypto API instead.    // Note that the MD5 algorithm on WebCrypto is not available in Node.js.    // This is why we cannot just use WebCrypto in all environments.    const data = typeof string === 'string' ? textEncoder.encode(string) : string    const hash = await subtleCrypto.digest('MD5', data)    return Array.from(new Uint8Array(hash))      .map((b) => b.toString(16).padStart(2, '0'))      .join('')  }}// See AuthenticationMD5Password at https://www.postgresql.org/docs/current/static/protocol-flow.htmlasync function postgresMd5PasswordHash(user, password, salt) {  var inner = await md5(password + user)  var outer = await md5(Buffer.concat([Buffer.from(inner), salt]))  return 'md5' + outer}/** * Create a SHA-256 digest of the given data * @param {Buffer} data */async function sha256(text) {  return await subtleCrypto.digest('SHA-256', text)}/** * Sign the message with the given key * @param {ArrayBuffer} keyBuffer * @param {string} msg */async function hmacSha256(keyBuffer, msg) {  const key = await subtleCrypto.importKey('raw', keyBuffer, { name: 'HMAC', hash: 'SHA-256' }, false, ['sign'])  return await subtleCrypto.sign('HMAC', key, textEncoder.encode(msg))}/** * Derive a key from the password and salt * @param {string} password * @param {Uint8Array} salt * @param {number} iterations */async function deriveKey(password, salt, iterations) {  const key = await subtleCrypto.importKey('raw', textEncoder.encode(password), 'PBKDF2', false, ['deriveBits'])  const params = { name: 'PBKDF2', hash: 'SHA-256', salt: salt, iterations: iterations }  return await subtleCrypto.deriveBits(params, key, 32 * 8, ['deriveBits'])}
 |