This repository was archived by the owner on May 18, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 51
/
Copy pathmodp_b85.c
109 lines (101 loc) · 2.8 KB
/
modp_b85.c
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
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
/**
* \file
* <PRE>
* MODP_B85 - High performance base85 encoder/decoder
* https://github.com/client9/stringencoders/
*
* Copyright © 2006-2016 Nick Galbreath -- nickg [at] client9 [dot] com
* All rights reserved.
* Released under MIT license. See LICENSE for details.
* </pre>
*/
/* exported public header */
#include "modp_b85.h"
#include "modp_stdint.h"
/* private header */
#include "modp_b85_data.h"
/*
* Might need changing depending on platform
* we need htonl, and ntohl
*/
#include <arpa/inet.h>
/**
* you can decode IN PLACE!
* no memory allocated
*/
size_t modp_b85_decode(char* out, const char* data, size_t len)
{
size_t i;
int j;
uint32_t tmp;
uint32_t digit;
uint32_t* o2;
const size_t buckets = len / 5;
const uint8_t* d2 = (const uint8_t*)data;
if (len % 5 != 0) {
return (size_t)-1;
}
o2 = (uint32_t*)out;
for (i = 0; i < buckets; ++i) {
tmp = 0;
for (j = 0; j < 5; ++j) {
digit = gsCharToInt[(uint32_t)*d2++];
if (digit >= 85) {
return (size_t)-1;
}
tmp = tmp * 85 + digit;
}
*o2++ = htonl(tmp);
}
return 4 * buckets;
}
/**
* src != out
*/
size_t modp_b85_encode(char* out, const char* src, size_t len)
{
size_t i;
uint32_t tmp;
const uint32_t* sary = (const uint32_t*)src;
const size_t buckets = len / 4;
if (len % 4 != 0) {
return (size_t)-1;
}
for (i = 0; i < buckets; ++i) {
tmp = *sary++;
tmp = htonl(tmp);
/* this crazy function */
#if 1
*out++ = (char)gsIntToChar[(tmp / 52200625)]; /* don't need % 85 here, always < 85 */
*out++ = (char)gsIntToChar[(tmp / 614125) % 85];
*out++ = (char)gsIntToChar[(tmp / 7225) % 85];
*out++ = (char)gsIntToChar[(tmp / 85) % 85];
*out++ = (char)gsIntToChar[tmp % 85];
#else
/* is really this */
*(out + 4) = gsIntToChar[tmp % 85];
tmp /= 85;
*(out + 3) = gsIntToChar[tmp % 85];
tmp /= 85;
*(out + 2) = gsIntToChar[tmp % 85];
tmp /= 85;
*(out + 1) = gsIntToChar[tmp % 85];
tmp /= 85;
*out = gsIntToChar[tmp];
out += 5;
#endif
/* NOTES
* Version 1 under -O3 is about 10-20 PERCENT faster than version 2
* BUT Version 1 is 10 TIMES SLOWER when used with -Os !!!
* Reason: gcc does a lot of tricks to remove the divisions
* op with multiplies and shift.
* In V1 with -O3 this works. Under -Os it reverts to very
* slow division.
* In V2 -O3 it does the same thing, but under Os, it's smart
* enough to know we want the quotient and remainder and only
* one div call per line.
*/
}
*out = 0; /* final null */
return buckets * 5;
}