Convert encoded std::string from Base16 to Base10?
The following should work for you. The code below shows you how to do it with C-style strings, which is easy to conceptualize. Your previous question at Convert CryptoPP::Integer to LPCTSTR has the references.
#include <iostream>
#include <string>
using namespace std;
#include "cryptlib.h"
#include "integer.h"
using namespace CryptoPP;
int main(int argc, char* argv[])
{
string s2, s1 =
"bbb91c1c95b656f386b19ab284b9c0f66598e7761cd71569734bb72b6a7153b77613a6cef8e63"
"e9bd9bb1e0e53a0fd8fa2162b160fcb7b461689afddf098bfc32300cf6808960127f1d9f0e287"
"f948257f7e0574b56585dd1efe1192d784b9c93f9c2215bd4867062ea30f034265374fa013ab4"
"5af06cd8554fd55f1c442c2ed";
// Append 'h' to indicate Base16
// Integer n((s1 + "h").c_str());
// Prepend '0x' to indicate Base16
Integer n(("0x" + s1).c_str());
// Convert to Base10
s2 = IntToString<Integer>(n, 10);
cout << s2 << endl;
return 0;
}
The code above shows you how to do it with C-style strings, which is easy to conceptualize. Another way to do it uses a Crypto++ Pipeline
to convert the ASCII string into a big-endian array of bytes.
#include <iostream>
#include <string>
using namespace std;
#include "cryptlib.h"
#include "integer.h"
#include "filters.h"
#include "hex.h"
using namespace CryptoPP;
int main(int argc, char* argv[])
{
string s3, s2, s1 =
"bbb91c1c95b656f386b19ab284b9c0f66598e7761cd71569734bb72b6a7153b77613a6cef8e63"
"e9bd9bb1e0e53a0fd8fa2162b160fcb7b461689afddf098bfc32300cf6808960127f1d9f0e287"
"f948257f7e0574b56585dd1efe1192d784b9c93f9c2215bd4867062ea30f034265374fa013ab4"
"5af06cd8554fd55f1c442c2ed";
// Use a HexDecoder to convert to big-endian array
StringSource ss(s1, true, new HexDecoder(new StringSink(s2)));
// Use big-endian array to construct n
Integer n((const byte*)s2.data(), s2.size());
// Convert to Base10
s3 = IntToString<Integer>(n, 10);
cout << s3 << endl;
return 0;
}
Here's another way to perform the conversion using a Crypto++ Pipeline
.
#include <iostream>
#include <string>
using namespace std;
#include "cryptlib.h"
#include "integer.h"
#include "filters.h"
#include "hex.h"
using namespace CryptoPP;
int main(int argc, char* argv[])
{
string s2, s1 =
"bbb91c1c95b656f386b19ab284b9c0f66598e7761cd71569734bb72b6a7153b77613a6cef8e63"
"e9bd9bb1e0e53a0fd8fa2162b160fcb7b461689afddf098bfc32300cf6808960127f1d9f0e287"
"f948257f7e0574b56585dd1efe1192d784b9c93f9c2215bd4867062ea30f034265374fa013ab4"
"5af06cd8554fd55f1c442c2ed";
// Use a source to convert to big-endian array
StringSource ss(s1, true, new HexDecoder);
// Use big-endian array to construct n
Integer n;
n.Decode(ss, ss.MaxRetrievable());
// Convert to Base10
s2 = IntToString<Integer>(n, 10);
cout << s2 << endl;
return 0;
}
If you are interested in the algorithm that converts the ASCII string to a byte array for internal representation, then see StringToInteger
in integer.cpp
. It repeatedly divides by the base (2, 8, 10, 16, etc).