bash 中的十六进制到二进制转换

问题描述 投票:0回答:4

我正在尝试使用 bash 将一系列字节从十六进制转换为二进制。 但我不断从以下代码中收到(看似随机的)“(standard_in) 1:语法错误”回复:

for j in c4 97 91 8c 85 87 c4 90 8c 8d 9a 83 81
do
        BIN=$(echo "obase=2; ibase=16; $j" | bc )
        echo $BIN
done

我用 dec to bin 做了类似的事情,效果非常好:

for i in {0..120}
do
        KEYBIN=$(echo "obase=2; ibase=10; $i" | bc)
        echo $KEYBIN
done

有谁知道为什么它适用于十进制,但不适用于十六进制? 在我看来,语法几乎是相同的(除非我错过了一些非常困难的东西。)

bash binary hex bc
4个回答
24
投票

BC 对十六进制值的大小写有点敏感,更改为大写就可以了

for j in C4 97 91 8C 85 87 C4 90 8C 8D 9A 83 81
do
        BIN=$(echo "obase=2; ibase=16; $j" | bc )
        echo $BIN
done

输出:

11000100
10010111
10010001
10001100
10000101
10000111
11000100
10010000
10001100
10001101
10011010
10000011
10000001

17
投票

我想出了这个:

printf
转换为十六进制,
xxd -r -p
采用 ascii 十六进制流并使其成为实际的二进制

hexdump
倾销以证明它有效......

$ printf "%016x" 53687091200 | xxd -r -p | hexdump -C
00000000  00 00 00 0c 80 00 00 00                           |........|
00000008

进一步阅读:


7
投票

这是我使用的脚本:

#!/bin/bash
# SCRIPT:  hex2binary.sh
# USAGE:   hex2binary.sh Hex_Number(s)
# PURPOSE: Hex to Binary Conversion. Takes input as command line
#          arguments.
#####################################################################
#                      Script Starts Here                           #
#####################################################################

if [ $# -eq 0 ]
then
    echo "Argument(s) not supplied "
    echo "Usage: hex2binary.sh hex_number(s)"
else
    echo -e "\033[1mHEX                 \t\t BINARY\033[0m"

    while [ $# -ne 0 ]
    do
        DecNum=`printf "%d" $1`
        Binary=
        Number=$DecNum

        while [ $DecNum -ne 0 ]
        do
            Bit=$(expr $DecNum % 2)
            Binary=$Bit$Binary
            DecNum=$(expr $DecNum / 2)
        done

        echo -e "$Number              \t\t $Binary"
        shift
        # Shifts command line arguments one step.Now $1 holds second argument
        unset Binary
    done

fi

3
投票

试试这个:

for j in c4 97 91 8c 85 87 c4 90 8c 8d 9a 83 81
do
    BIN=$(echo "obase=2; ibase=16; ${j^^}" | bc )
    echo $BIN
done

输出示例:

$ for j in c4 97 91 8c 85 87 c4 90 8c 8d 9a 83 81
> do
>     BIN=$(echo "obase=2; ibase=16; ${j^^}" | bc )
>     echo $BIN
> done
11000100
10010111
10010001
10001100
10000101
10000111
11000100
10010000
10001100
10001101
10011010
10000011
10000001
© www.soinside.com 2019 - 2024. All rights reserved.