Создание HMAC BodyHash Sha256 nodejs

#node.js #hmac

#node.js #hmac

Вопрос:

Я пытаюсь интегрироваться с сервисом (paysera https://developers.paysera.com /), который использует аутентификацию HMAC. Мне удалось интегрировать каждую GET конечную точку. Тем не менее, когда дело доходит до POST запроса, кажется, что код не работает.

 createHMACAuth(data) {
    let bodyHash = crypto.createHash('sha256').update(JSON.stringify(data)).digest('base64');
    let method = 'POST';
    let path = `/rest/v1/transfers`;
    let ts = moment().unix();
    let nonce = GUID(32);
    let port = 443;
    let macString = `${ts}n${nonce}n${method}n${path}n${host}n${port}n${bodyHash || ''}n`;
    let my_mac_key = 'my_mac_key';
    let my_mac_id = 'my_mac_id';
    let mac = crypto.createHmac('sha256', my_mac_key).update(macString).digest('base64');
    let headerString = `MAC id="${my_mac_id}", ts="${ts}", nonce="${nonce}", mac="${mac}", ext="body_hash=${bodyHash}"`;
    return  headerString;
  }
  
  let data = {
    key: 'value',
    otherkey: 'othervalue'
  };
  let headers = {
      Host: 'wallet.paysera.com',
      'User-Agent': `Paysera node.js library`,
      mac_id: 'my_mac_id',
      Authorization: createHMACAuth(data);
   };

   POST_REQUEST(`${headers.host}/rest/v1/transfers`, data, headers, (err, res) => console.log(res))

 

Ответ, который я получаю,:

 { 
  error: 'unauthorized',
  error_description: 'Given MAC content body hash does not match actual hash of content' 
}

 

Любая помощь будет высоко оценена!

Ответ №1:

У меня возникла ошибка при генерации body_hash

Исправить

   createHMACAuth(method, path, data) {
    let bodyHash, ext;
    if (method === 'POST') {
      ext = `body_hash=${encodeURIComponent(this.createHash(JSON.stringify(data)))}`;
    }
    this.method = method;
    this.path = `/${path}`;
    let nonce = `${U.GUID(32)}`;
    let port = 443;
    let macString = `${this.ts}n${nonce}n${this.method}n${this.path}n${this.host}n${port}n${ext || ''}n`;
    let mac = this.createHMACHash(macString);
    let headerString = `MAC id="${this.mac_id}", ts="${this.ts}", nonce="${nonce}", mac="${mac}"`;
    if (method === 'POST') headerString  = `, ext="${ext}"`
    return  headerString;
  }
 

Ответ №2:

Ваш ответ помог мне заставить его работать. Полный код для других людей, которым это может понадобиться.

 import crypto from 'crypto'
import fetch from 'node-fetch'

function createHash(data) {
    return crypto.createHash('sha256').update(data).digest('base64');
}

function createHMACHash (macKey, macString) {
    return crypto.createHmac('sha256', macKey).update(macString).digest('base64');
}

async function createHMACAuth() {
    const macId = 'your-mac-id';
    const macKey = 'your-mac-key';

    const ts = new Date().getTime();
    const nonce = 'nQnNaSNyubfPErjRO55yaaEYo9YZfKYU';
    const method = 'POST';
    const uri = '/rest/v1/transaction'
    const host = 'wallet.paysera.com'
    const port = 443;
    const data = {
        "payments": [
            {
                "description": "Payment for order No. 1234",
                "price": 1299,
                "currency": "EUR",
                "parameters": {
                    "orderid": 1234
                }
            }
        ],
        "redirect_uri": "http://www.example.com/somePage"
    }

    let ext;
    if (method === 'POST') {
        ext = `body_hash=${encodeURIComponent(createHash(JSON.stringify(data)))}`;
    }
    let macString = `${ts}n${nonce}n${method}n${uri}n${host}n${port}n${ext || ''}n`;
    let mac = createHMACHash(macKey, macString);
    let headerString = `MAC id="${macId}", ts="${ts}", nonce="${nonce}", mac="${mac}"`;
    if (method === 'POST') headerString  = `, ext="${ext}"`

    const response = await fetch(`https://${host}${uri}`,{
        method:method,
        headers:{
            Authorization: headerString,
            'Content-Type':'application/json'
        },
        body: JSON.stringify(data)
    })

    return headerString;
}

await createHMACAuth()