- Ada
- Elixir
Select your favorite languages :
- Or search :
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).
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;
}
var a = Enumerable.Range(0, s.Length / 8)
.Select(i => s.Substring(i * 8, 8).ToCharArray())
.Select(block => (byte)block.Aggregate(0, (acc, c) => (acc << 1) + (c - '0')))
.ToArray();
subroutine to_s (s, a)
use iso_fortran_env, only: int8
character (len=*), intent(in) :: s
integer (kind=int8), allocatable, intent(out), dimension(:) :: a
allocate (a(len(s)/8))
read (unit=s,fmt='(*(B8.8))') a
end subroutine to_s
int8 is an eight-bit integer. This uses Fortran's internal I/O with bit format of eight bits to read the array from the string.
Size := Length(S) div 8;
SetLength(a, Size);
for i := 0 to Size - 1 do
begin
SBin := '%' + Copy(S, 1+(i*8), 8);
Val(SBin, a[i], Err);
if (Err <> 0) then
RunError(106);
end;
% is the prefix for binary representation in a string.
Strings in Paxal start at index 1.
Runtime error 106 means Invalid numeric format.
No sanity checkes are done on the length of input string s
Strings in Paxal start at index 1.
Runtime error 106 means Invalid numeric format.
No sanity checkes are done on the length of input string s
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.
f = lambda x: int(''.join(x), 2)
a = [*map(f, batched(s, 8))]
The `batched` function is from Python 3.12+.
programming-idioms.org