Files
firmware/src/platform/portduino/CrossPlatformCryptoEngine.cpp

80 lines
2.3 KiB
C++
Raw Normal View History

#include "AES.h"
#include "CTR.h"
#include "CryptoEngine.h"
#include "configuration.h"
/** A platform independent AES engine implemented using Tiny-AES
*/
class CrossPlatformCryptoEngine : public CryptoEngine
{
CTRCommon *ctr = NULL;
public:
CrossPlatformCryptoEngine() {}
~CrossPlatformCryptoEngine() {}
/**
* Set the key used for encrypt, decrypt.
*
* As a special case: If all bytes are zero, we assume _no encryption_ and send all data in cleartext.
*
* @param numBytes must be 16 (AES128), 32 (AES256) or 0 (no crypt)
* @param bytes a _static_ buffer that will remain valid for the life of this crypto instance (i.e. this class will cache the
* provided pointer)
*/
2022-01-24 17:24:40 +00:00
virtual void setKey(const CryptoKey &k) override
{
2021-02-23 10:10:35 +08:00
CryptoEngine::setKey(k);
2022-12-29 20:41:37 -06:00
LOG_DEBUG("Installing AES%d key!\n", key.length * 8);
if (ctr) {
delete ctr;
ctr = NULL;
}
2021-02-23 16:56:28 +08:00
if (key.length != 0) {
if (key.length == 16)
ctr = new CTR<AES128>();
else
ctr = new CTR<AES256>();
2021-02-23 10:10:35 +08:00
ctr->setKey(key.bytes, key.length);
}
}
/**
* Encrypt a packet
*
* @param bytes is updated in place
*/
2022-03-20 11:40:13 +11:00
virtual void encrypt(uint32_t fromNode, uint64_t packetId, size_t numBytes, uint8_t *bytes) override
{
2021-02-23 10:10:35 +08:00
if (key.length > 0) {
2022-01-24 18:39:17 +00:00
//uint8_t stream_block[16];
static uint8_t scratch[MAX_BLOCKSIZE];
2022-01-24 18:39:17 +00:00
//size_t nc_off = 0;
2022-12-29 20:41:37 -06:00
// LOG_DEBUG("ESP32 encrypt!\n");
2022-03-20 11:40:13 +11:00
initNonce(fromNode, packetId);
assert(numBytes <= MAX_BLOCKSIZE);
memcpy(scratch, bytes, numBytes);
memset(scratch + numBytes, 0,
sizeof(scratch) - numBytes); // Fill rest of buffer with zero (in case cypher looks at it)
ctr->setIV(nonce, sizeof(nonce));
ctr->setCounterSize(4);
ctr->encrypt(bytes, scratch, numBytes);
}
}
2022-03-20 11:40:13 +11:00
virtual void decrypt(uint32_t fromNode, uint64_t packetId, size_t numBytes, uint8_t *bytes) override
{
// For CTR, the implementation is the same
2022-03-20 11:40:13 +11:00
encrypt(fromNode, packetId, numBytes, bytes);
}
private:
};
CryptoEngine *crypto = new CrossPlatformCryptoEngine();