Files
TOTP-HW-Code/TOTP.cpp
2020-05-06 17:22:35 +02:00

61 lines
1.6 KiB
C++

#include "TOTP.h"
#include "sha1.h"
// Init the library with the private key, its length and the timeStep duration
TOTP::TOTP(uint8_t* hmacKey, int keyLength, int timeStep) {
_hmacKey = hmacKey;
_keyLength = keyLength;
_timeStep = timeStep;
};
// Init the library with the private key, its length and a time step of 30sec
TOTP::TOTP(uint8_t* hmacKey, int keyLength) {
_hmacKey = hmacKey;
_keyLength = keyLength;
_timeStep = 30;
};
// Generate a code, using the timestamp provided
char* TOTP::getCode(long timeStamp) {
long steps = timeStamp / _timeStep;
return getCodeFromSteps(steps);
}
// Generate a code, using the number of steps provided
char* TOTP::getCodeFromSteps(long steps) {
// STEP 0, map the number of steps in a 8-bytes array (counter value)
_byteArray[0] = 0x00;
_byteArray[1] = 0x00;
_byteArray[2] = 0x00;
_byteArray[3] = 0x00;
_byteArray[4] = (int)((steps >> 24) & 0xFF);
_byteArray[5] = (int)((steps >> 16) & 0xFF);
_byteArray[6] = (int)((steps >> 8) & 0XFF);
_byteArray[7] = (int)((steps & 0XFF));
// STEP 1, get the HMAC-SHA1 hash from counter and key
Sha1.initHmac(_hmacKey, _keyLength);
Sha1.write(_byteArray, 8);
_hash = Sha1.resultHmac();
// STEP 2, apply dynamic truncation to obtain a 4-bytes string
_offset = _hash[20 - 1] & 0xF;
_truncatedHash = 0;
for (int j = 0; j < 4; ++j) {
_truncatedHash <<= 8;
_truncatedHash |= _hash[_offset + j];
}
// STEP 3, compute the OTP value
_truncatedHash &= 0x7FFFFFFF;
_truncatedHash %= 1000000;
// convert the value in string, with heading zeroes
sprintf(_code, "%06ld", _truncatedHash);
return _code;
}