Perl: How do I extract certain bits from a byte and then covert these bits to a hex value?
What's the initial format?
my $chr = chr(0b11010010); # A character e.g. from read()
my $bin = '11010010'; # Binary
my $hex = 'D2'; # Hexadecimal
my $num = 0b11010010; # A number.
my $num = 0xD2; # A number.
You want to start by converting it to a number
my $num = ord($chr);
my $num = unpack('C', $chr); # Alternative
my $num = oct("0b$bin");
my $num = hex($hex);
Then you use shifts and masks.
my $channel = ($num >> 0) & 0xF; # Or just: $num & 0xF
my $controller = ($num >> 4) & 0x3;
my $port = ($num >> 6) & 0x3; # Or just: $num >> 6
(You could use 0b1111
, 0b11
and 0b11
for the masks. Most people work in hex.)
Or let vec
figure out the masks for you.
my $channel = vec $num, 0, 4;
my $controller = vec $num, 4, 2;
my $port = vec $num, 6, 2;
Here's an example for $controller
:
11010010
>> 4
--------
11010010
& 11
--------
01
(Some zeroes omitted for clarity.)
vec
is a good choice. I think this is pretty straightforward:
#!/usr/bin/env perl
use strict;
use warnings;
use feature 'say';
my @channels = map "channel_$_" => 0 .. 15;
my @controllers = map "controller_$_" => 0 .. 3;
my @ports = map "port_$_" => 0 .. 3;
my $bits = 0b11010010;
my $channel = vec $bits, 0, 4;
my $controller = vec $bits, 4, 2;
my $port = vec $bits, 6, 2;
say "channel : $channels[$channel]";
say "controller : $controllers[$controller]";
say "port : $ports[$port]";
Output:
channel : channel_2
controller : controller_1
port : port_3