Niestety kombinacja dwóch iterator_adaptors
binary_from_base64
i transform_width
nie jest kompletnym koderem/dekoderem base64. Base64 reprezentuje grupy 24 bitów (3 bajty) jako 4 znaki, z których każda koduje 6 bitów. Jeśli dane wejściowe nie są wielokrotnością całkowitą takich 3-bajtowych grup, muszą być wypełnione jednym lub dwoma zerowymi bajtami. Aby wskazać, ile bajtów dopełnienia zostało dodanych, jeden lub dwa znaki =
są dołączane do zakodowanego ciągu.
transform_width
, która jest odpowiedzialna za 8bit konwersji binarnej na 6bitową nie stosuje tego wypełnienia automatycznie, musi to zrobić użytkownik. Prosty przykład:
#include <boost/archive/iterators/base64_from_binary.hpp>
#include <boost/archive/iterators/binary_from_base64.hpp>
#include <boost/archive/iterators/transform_width.hpp>
#include <boost/archive/iterators/insert_linebreaks.hpp>
#include <boost/archive/iterators/remove_whitespace.hpp>
#include <iostream>
#include <string>
using namespace boost::archive::iterators;
using namespace std;
int main(int argc, char **argv) {
typedef transform_width< binary_from_base64<remove_whitespace<string::const_iterator> >, 8, 6 > it_binary_t;
typedef insert_linebreaks<base64_from_binary<transform_width<string::const_iterator,6,8> >, 72 > it_base64_t;
string s;
getline(cin, s, '\n');
cout << "Your string is: '"<<s<<"'"<<endl;
// Encode
unsigned int writePaddChars = (3-s.length()%3)%3;
string base64(it_base64_t(s.begin()),it_base64_t(s.end()));
base64.append(writePaddChars,'=');
cout << "Base64 representation: " << base64 << endl;
// Decode
unsigned int paddChars = count(base64.begin(), base64.end(), '=');
std::replace(base64.begin(),base64.end(),'=','A'); // replace '=' by base64 encoding of '\0'
string result(it_binary_t(base64.begin()), it_binary_t(base64.end())); // decode
result.erase(result.end()-paddChars,result.end()); // erase padding '\0' characters
cout << "Decoded: " << result << endl;
return 0;
}
Zauważ, że dodałem insert_linebreaks
i remove_whitespace
iteratory, tak że wyjście base64 jest ładnie sformatowany i wejście base64 z przerwami liniowych mogą być dekodowane. Są one jednak opcjonalne.
Run z różnych ciągów wejściowych, które wymagają innego padding:
$ ./base64example
Hello World!
Your string is: 'Hello World!'
Base64 representation: SGVsbG8gV29ybGQh
Decoded: Hello World!
$ ./base64example
Hello World!!
Your string is: 'Hello World!!'
Base64 representation: SGVsbG8gV29ybGQhIQ==
Decoded: Hello World!!
$ ./base64example
Hello World!!!
Your string is: 'Hello World!!!'
Base64 representation: SGVsbG8gV29ybGQhISE=
Decoded: Hello World!!!
Można sprawdzić ciągów base64 z tym online-encoder/decoder.
Funkcje kodowania Base64 przy użyciu biblioteki Boost C++: http://stackoverflow.com/questions/34680998/attempt-to-decode-a-value-not-in-base64-char-set – ap6491