NodeJS卡在cryto.pbkdf2Sync函数上

问题描述 投票:0回答:1

因此,我在MEAN Stack应用程序中使用随机盐字符串和密码字符串生成密码哈希。该程序成功生成了随机盐并将其打印在控制台上。但是,它卡在了pbkdf2Sync函数上,无法继续前进。

这是我的代码:

const crypto = require('crypto');

UserSchema.methods.setPassword = function(password){
  console.log('start');
  this.salt = crypto.randomBytes(16).toString('hex');
  console.log(this.salt);
  this.hash = crypto.pbkdf2Sync(new Buffer.alloc(password),  new Buffer.alloc(this.salt), 1000, 64, 'sha512').toString('hex');
  console.log(this.hash);
};

输出结果为:

start
ac09ae82b1fbb5b01257b5fa72bfc8614

然后程序只是卡在这里。

据我所知,该函数未弃用。我应该如何进行

javascript node.js mean-stack cryptojs
1个回答
0
投票
const crypto = require('crypto');

const hash = (password) => {
  console.log('start');
  const salt = crypto.randomBytes(16).toString('hex');
  console.log(salt);
  const hash = crypto
    .pbkdf2Sync(
      new Buffer.alloc(password.length),
      new Buffer.alloc(salt.length),
      1000,
      64,
      'sha512'
    )
    .toString('hex');
  console.log(hash);
};

hash('hello world');

这对我有用,本质上alloc正在寻找字节数(要在内存中分配的大小),字符串在这里不起作用。

如果要使用passwordsalt作为已填充的缓冲区(带有值),那么在使用密码的情况下,请使用第二个参数(fill):new Buffer.alloc(password.length, password)

相反,使用.length返回字节数(字符串大小),这将生成“正确”输出:

start
55387a56bd8ff87ac05be698d938ef04
ab3d65e9e6341a924c752a77b8dc6b78f1e6db5d31df7dd0cc534039dd9662a97bcaf0b959fe78248a49859c7952ddb25d66840f052b27ef1ab60b9446c0c9fd

参考:https://nodejs.org/api/buffer.html#buffer_class_method_buffer_alloc_size_fill_encoding

© www.soinside.com 2019 - 2024. All rights reserved.