Idiom #275 Binary digits to byte array
From the string s consisting of 8n binary digit characters ('0' or '1'), build the equivalent array a of n bytes.
Each chunk of 8 binary digits (2 possible values per digit) is decoded into one byte (256 possible values).
my $s = '1000' . '0010' . '0101' . '1010'; # AZ
my @a;
for ( my $i = 0; $i < length $s; $i += 8) {
my @b = pack 'b8', substr($s, $i, 8);
push @a, @b;
}
String var $s is assigned the concatenation of 4 nybbles (defined as strings of 1's and 0's) forming two octets representing ASCII characters A and Z. The string is parsed 8 characters at a time using substr, and each group is encoded into a byte using perl pack. Then the byte is pushed onto the @a list.
const size_t n = s.length() / 8;
vector<uint8_t> a(n);
for(size_t block = 0; block < n; block++)
{
uint8_t acc = 0;
const size_t start = block * 8;
for(size_t offset = start; offset < start + 8; offset++)
{
acc = (acc << 1) + (s[offset] - '0');
}
a[block] = acc;
}