-
Notifications
You must be signed in to change notification settings - Fork 19
/
Copy pathbase64.c
76 lines (58 loc) · 1.69 KB
/
base64.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
#include "base64.h"
#include <stdio.h>
// from RFC4648
char base64alphabet[65] = {'A','B','C','D','E','F','G','H','I','J','K','L','M','N','O','P','Q','R','S','T','U','V','W','X','Y','Z','a','b','c','d','e','f','g','h','i','j','k','l','m','n','o','p','q','r','s','t','u','v','w','x','y','z','0','1','2','3','4','5','6','7','8','9','+','/','='};
int base64lookup[256];
int base64_bits[8];
int base64_bit_pos = 0;
int base64_init() {
for(int n=0;n<256;n++) {
base64lookup[n] = -1;
}
for(int n=0;n<65;n++) {
base64lookup[base64alphabet[n]]=n;
}
base64lookup[base64alphabet[64]]=0;
base64_bit_pos=0;
}
unsigned char base64_bits2byte() {
unsigned char byte=0;
for(int n=0;n<8;n++) {
if(base64_bits[n] == 1) {
byte |= (1 << (7-n));
}
}
return byte;
}
int base64_decode(char *input_string,int input_length,char *output_buffer,bool *failflag) {
int output_buffer_pos = 0;
*failflag=false;
for(int n=0;n<input_length;n++) {
// skip whitespace and linefeeds
if(input_string[n] == '\n') continue;
if(input_string[n] == '\r') continue;
if(input_string[n] == ' ' ) continue;
if(input_string[n] == '=' ) {
base64_bit_pos=0;
break;
}
int current = base64lookup[input_string[n]];
if(current == -1) {
*failflag=true;
base64_bit_pos=0;
break;
}
for(int i=5;i>=0;i--) {
int bit=0;
if((current & (1 << i)) > 0) bit = 1; else bit = 0;
base64_bits[base64_bit_pos] = bit;
base64_bit_pos++;
if(base64_bit_pos==8) {
output_buffer[output_buffer_pos] = base64_bits2byte();
base64_bit_pos = 0;
output_buffer_pos++;
}
}
}
return output_buffer_pos;
}