使用boost throw异常进行Base64编码

时间:2012-05-09 18:01:27

标签: c++ string boost iterator base64

我尝试使用boost base64编码器,我找到了一个例子,但我得到了异常

typedef 
transform_width< binary_from_base64<std::string::const_iterator>, 8, 6 > it_binary_t

我用过

std::string b64E(it_binary_t(Encrip.begin()), it_binary_t(Encrip.end()));

我明白了

  

agentid_coder.exe中0x75b1b9bc处的未处理异常:Microsoft C ++   异常:内存中的boost :: archive :: iterators :: dataflow_exception   位置0x0046ed94 ..

我发现这个解决方法,但我得到了相同的结果

 string dec( 
        it_binary_t(Encrip.begin()), 
        it_binary_t(Encrip.begin() + Encrip.length() - 1) 
        ); 

我正在使用MSVS2008并提升1.38

1 个答案:

答案 0 :(得分:30)

不幸的是,两个iterator_adaptors binary_from_base64transform_width的组合不是完整的base64编码器/解码器。 Base64表示24位(3字节)的组,为4个字符,每个字符编码6位。如果输入数据不是这种3字节组的整数倍,则必须用一个或两个零字节填充。要指示添加了多少填充字节,将在编码字符串中附加一个或两个=个字符。

负责8位二进制到6位整数转换的

transform_width不会自动应用此填充,它由用户完成。一个简单的例子:

#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;
}

请注意,我添加了insert_linebreaksremove_whitespace迭代器,以便base64输出格式良好,并且可以解码带换行符的base64输入。这些是可选的。

使用需要不同填充的不同输入字符串运行:

$ ./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!!!

您可以使用此online-encoder/decoder检查base64字符串。