1
0
mirror of https://github.com/rkd77/elinks.git synced 2024-11-04 08:17:17 -05:00
elinks/src/util/base64.c

134 lines
2.6 KiB
C
Raw Normal View History

/* Base64 encode/decode implementation. */
#ifdef HAVE_CONFIG_H
#include "config.h"
#endif
#include <string.h>
#include "elinks.h"
#include "util/base64.h"
#include "util/error.h"
#include "util/memory.h"
static unsigned char base64_chars[] = "ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789+/";
unsigned char *
base64_encode(register unsigned char *in)
{
unsigned char *out;
unsigned char *outstr;
int inlen;
assert(in && *in);
if_assert_failed return NULL;
inlen = strlen(in);
out = outstr = mem_alloc((inlen / 3) * 4 + 4 + 1);
if (!out) return NULL;
while (inlen >= 3) {
*out++ = base64_chars[ *in >> 2 ];
*out++ = base64_chars[ (*in << 4 | *(in + 1) >> 4) & 63 ];
*out++ = base64_chars[ (*(in + 1) << 2 | *(in + 2) >> 6) & 63 ];
*out++ = base64_chars[ *(in + 2) & 63 ];
inlen -= 3; in += 3;
}
if (inlen == 1) {
*out++ = base64_chars[ *in >> 2 ];
*out++ = base64_chars[ *in << 4 & 63 ];
*out++ = '=';
*out++ = '=';
}
if (inlen == 2) {
*out++ = base64_chars[ *in >> 2 ];
*out++ = base64_chars[ (*in << 4 | *(in + 1) >> 4) & 63 ];
*out++ = base64_chars[ (*(in + 1) << 2) & 63 ];
*out++ = '=';
}
*out = 0;
return outstr;
}
/* Base64 decoding is used only with the CONFIG_FORMHIST feature, so i'll #ifdef it */
#ifdef CONFIG_FORMHIST
/* base64_decode: @in string to decode
* returns the string decoded (must be freed by the caller) */
unsigned char *
base64_decode(register unsigned char *in)
{
static unsigned char is_base64_char[256]; /* static to force initialization at zero */
static unsigned char decode[256];
unsigned char *out;
unsigned char *outstr;
int count = 0;
unsigned int bits = 0;
static int once = 0;
assert(in && *in);
if_assert_failed return NULL;
outstr = out = mem_alloc(strlen(in) / 4 * 3 + 1);
if (!outstr) return NULL;
if (!once) {
int i = sizeof(base64_chars) - 1;
while (i >= 0) {
is_base64_char[base64_chars[i]] = 1;
decode[base64_chars[i]] = i;
i--;
}
once = 1;
}
while (*in) {
if (*in == '=') break;
if (!is_base64_char[*in])
goto decode_error;
bits += decode[*in];
count++;
if (count == 4) {
*out++ = bits >> 16;
*out++ = (bits >> 8) & 0xff;
*out++ = bits & 0xff;
bits = 0;
count = 0;
} else {
bits <<= 6;
}
++in;
}
if (!*in) {
if (count) goto decode_error;
} else { /* '=' */
switch (count) {
case 1:
goto decode_error;
break;
case 2:
*out++ = bits >> 10;
break;
case 3:
*out++ = bits >> 16;
*out++ = (bits >> 8) & 0xff;
break;
}
}
*out = 0;
return outstr;
decode_error:
mem_free(outstr);
return NULL;
}
#endif /* CONFIG_FORMHIST */