我正在尝试将来自标准输入的 1 和 0 的传入字符串转换为它们各自的二进制值(其中诸如“11110111”之类的字符串将转换为 0xF7)。这似乎很简单,但我不想重新发明轮子,所以我想知道 C/C++ 标准库中是否有任何东西可以执行这样的操作?
grosauro
问问题
20697 次
5 回答
37
#include <stdio.h>
#include <stdlib.h>
int main(void) {
char * ptr;
long parsed = strtol("11110111", & ptr, 2);
printf("%lX\n", parsed);
return EXIT_SUCCESS;
}
对于更大的数字,有一个long long
版本,strtoll
.
于 2008-09-22T21:50:56.410 回答
14
您可以使用 std::bitset (如果在编译时知道您的位长度)
尽管使用某些程序您可以将其分解成块并组合。
#include <bitset>
#include <iostream>
int main()
{
std::bitset<5> x(std::string("01011"));
std::cout << x << ":" << x.to_ulong() << std::endl;
}
于 2008-09-22T22:28:12.920 回答
10
您可以使用 strtol
char string[] = "1101110100110100100000";
char * end;
long int value = strtol (string,&end,2);
于 2008-09-22T21:49:49.517 回答
6
您可以使用 Boost 动态位集:
boost::dynamic_bitset<> x(std::string("01011"));
std::cout << x << ":" << x.to_ulong() << std::endl;
于 2008-09-23T06:47:43.233 回答
0
#include <iostream>
#include <stdio.h>
#include <string>
using namespace std;
string getBinaryString(int value, unsigned int length, bool reverse) {
string output = string(length, '0');
if (!reverse) {
for (unsigned int i = 0; i < length; i++) {
if ((value & (1 << i)) != 0) {
output[i] = '1';
}
}
}
else {
for (unsigned int i = 0; i < length; i++) {
if ((value & (1 << (length - i - 1))) != 0) {
output[i] = '1';
}
}
}
return output;
}
unsigned long getInteger(const string& input, size_t lsbindex, size_t msbindex) {
unsigned long val = 0;
unsigned int offset = 0;
if (lsbindex > msbindex) {
size_t length = lsbindex - msbindex;
for (size_t i = msbindex; i <= lsbindex; i++, offset++) {
if (input[i] == '1') {
val |= (1 << (length - offset));
}
}
}
else { //lsbindex < msbindex
for (size_t i = lsbindex; i <= msbindex; i++, offset++) {
if (input[i] == '1') {
val |= (1 << offset);
}
}
}
return val;
}
int main() {
int value = 23;
cout << value << ": " << getBinaryString(value, 5, false) << endl;
string str = "01011";
cout << str << ": " << getInteger(str, 1, 3) << endl;
}
于 2020-07-24T06:29:34.863 回答