blob: 915fe8adcef84d46de4d160834d5ce0a1a503702 (
plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
|
/* test_ctr_prng.c - TinyCrypt implementation of some CTR-PRNG tests */
#include <test_utils.h>
#include <stdio.h>
#include <stdlib.h>
#include <tinycrypt/ctr_prng.h>
/* utility function to convert hex character representation to their nibble (4 bit) values */
static uint8_t nibbleFromChar(char c)
{
if(c >= '0' && c <= '9') return c - '0';
if(c >= 'a' && c <= 'f') return c - 'a' + 10U;
if(c >= 'A' && c <= 'F') return c - 'A' + 10U;
return 255U;
}
/*
* Convert a string of characters representing a hex buffer into a series of
* bytes of that real value
*/
uint8_t *hexStringToBytes(char *inhex)
{
uint8_t *retval;
uint8_t *p;
int len, i;
len = strlen(inhex) / 2;
retval = (uint8_t *)malloc(len+1);
for(i=0, p = (uint8_t *) inhex; i<len; i++) {
retval[i] = (nibbleFromChar(*p) << 4) | nibbleFromChar(*(p+1));
p += 2;
}
retval[len] = 0;
return retval;
}
/*
* Main task to test CTR PRNG
*/
int main(void)
{
uint32_t result = TC_PASS;
uint8_t prngOutput[64];
TCCtrPrng_t ctx;
uint8_t * entropy = hexStringToBytes("ce50f33da5d4c1d3d4004eb35244b7f2cd7f2e5076fbf6780a7ff634b249a5fc");
int32_t ret = tc_ctr_prng_init(&ctx, entropy, 32, 0, 0);
TC_START("Performing CTR-PRNG tests:");
ret += tc_ctr_prng_generate(&ctx, prngOutput, sizeof prngOutput);
ret += tc_ctr_prng_generate(&ctx, prngOutput, sizeof prngOutput);
if (0 == ret)
{
result = TC_FAIL;
goto exitTest;
}
{
uint32_t i;
for (i = 0U; i < sizeof prngOutput; i++)
{
printf(" %02x", prngOutput[i]);
}
printf("\n");
}
exitTest:
TC_END_RESULT(result);
TC_END_REPORT(result);
}
|