我知道如何在Python中做到这一点。
#!/usr/bin/python
import sys
import os
import hashlib
import hmac
import base64
secretKey = bytes("passw@rd", 'UTF-8')
message = bytes(f'hello world\nhello deno', 'UTF-8')
encryptedKey = base64.b64encode(hmac.new(secretKey, message, digestmod=hashlib.sha256).digest())
print(encryptedKey)
但我不知道在德诺怎么做。我希望上面的python代码在deno中得到相同的结果。
发布于 2021-01-20 10:02:51
您可以使用内置的crypto.subtle工具(从2021年中期开始使用)创建HMAC- the 256散列,如下所示:
import { encode } from "https://deno.land/std/encoding/base64.ts"
const message = "hello world\nhello deno"
const encoder = new TextEncoder()
const keyBuf = encoder.encode("passw@rd");
const key = await crypto.subtle.importKey(
"raw",
keyBuf,
{name: "HMAC", hash: "SHA-256"},
true,
["sign", "verify"],
)
const data = encoder.encode(message);
const result = await crypto.subtle.sign("HMAC", key , data.buffer);
console.log(encode(new Uint8Array(result)));
kqfsOD/HMHBRL9F1Si4Y/qo9PCw2csuwXIGZK/P1IWc=
在Deno引入crypto.subtle之前,有两种基于外部包的选择:
您可以为此使用神密码,但这需要额外的Base64模块。重要的注意事项:上帝密码的拥有者停止了对软件包的维护,因此建议不再使用它。
import { hmac } from "https://deno.land/x/god_crypto@v1.4.10/mod.ts"
import * as base64 from "https://deno.land/x/base64@v0.2.1/mod.ts"
let secretKey = "passw@rd"
let message = "hello world\nhello deno"
const result: string = base64.fromUint8Array(hmac("sha256", secretKey, message))
console.log(result)
kqfsOD/HMHBRL9F1Si4Y/qo9PCw2csuwXIGZK/P1IWc=
或者您可以使用更方便的hmac模块,该模块集成了"base64“、"utf8”和“十六进制”的输出编码:
import { hmac } from "https://deno.land/x/hmac@v2.0.1/mod.ts";
let secretKey = "passw@rd"
let message = "hello world\nhello deno"
const result = hmac("sha256", secretKey , message , "utf8", "base64");
console.log(result)
kqfsOD/HMHBRL9F1Si4Y/qo9PCw2csuwXIGZK/P1IWc=
https://stackoverflow.com/questions/65805172
复制相似问题