我有一个带字符串的向量,表示位如下:
string str1[] = { "0b01100101", "0b01100101", "0b01011101", "0b11001111"}
我需要添加到uint8_t位向量的确切值:
uint8_t str2[] = { 0b01100101, 0b01100101, 0b01011101, 0b11001111}
最终结果应该与上面完全一样。 如果有人知道我怎么做,我会很感激。
答案 0 :(得分:2)
使用" 0b"解析二进制字符串没有标准函数。不幸的是,前缀。
您可以使用良好的旧std::strtoul
(1行调用std::strtoul
和5行错误检查):
#include <algorithm>
#include <stdexcept>
#include <cstdlib>
#include <string>
uint8_t binary_string_to_uint8(std::string const& s) {
if(s.size() != 10 || '0' != s[0] || 'b' != s[1])
throw std::runtime_error("Invalid bit string format: " + s);
char* end = 0;
auto n = std::strtoul(s.c_str() + 2, &end, 2);
if(end != s.c_str() + s.size())
throw std::runtime_error("Invalid bit string format: " + s);
return n;
}
int main() {
std::string str1[] = { "0b01100001", "0b01100101", "0b01011101", "0b11001111"};
uint8_t str2[sizeof str1 / sizeof *str1];
std::transform(std::begin(str1), std::end(str1), std::begin(str2), binary_string_to_uint8);
}
答案 1 :(得分:0)
请注意,这些可能会输出与算法几乎相同或相同的程序集,因此几乎总是首选其他答案中的算法。尽管如此,这里还有一些使用循环的选项:
std::stoul
- 至少需要C ++ 11。我们也没有在这里检查,我们假设所有字符串都是>=
2。
std::string str1[] = {"0b01100101", "0b01100101", "0b01011101", "0b11001111"};
const size_t sz = sizeof str1 / sizeof *str1;
uint8_t str2[sz];
for (size_t i = 0; i < sz; ++i)
str2[i] = static_cast<uint8_t>(std::stoul(&str1[i][2], nullptr, 2));
因为实际上这些数据很可能是可变大小的数组,所以最好在这里使用实际的vector
类型。
std::vector<std::string> vs;
// add a bunch of stuff to vs
...
std::vector<uint8_t> vi;
vi.reserve(vs.size());
for (const auto &s : vs)
vi.push_back(static_cast<uint8_t>(std::stoul(&s[2], nullptr, 2)));