装配GAS转换器十六进制为二进制

时间:2016-11-07 22:21:08

标签: assembly binary hex converter gas

您好我需要在Assembly GAS中开发十六进制数到二进制数的转换器。现在我有了这个:

.align 32

SYSEXIT = 1 
SYSREAD = 3
SYSWRITE = 4
STDOUT = 1
EXIT_SUCCESS = 0
Input_SIZE = 10

.bss
.lcomm Input, Input_SIZE

.data

msg: .ascii "Give hex number:\n"
msg_len = . - msg

newline: .ascii "\n"
    newline_len = . - newline

.text
.global _start

_start:

mov $SYSWRITE, %eax 
mov $STDOUT, %ebx 
mov $msg, %ecx 
mov $msg_len, %edx 
int $0x80

mov $SYSREAD, %eax 
mov $STDOUT, %ebx
mov $Input, %ecx
mov $Input_SIZE, %edx
int $0x80

    movl %eax, %edi
    movl %eax, %edx     
    dec %edx


loop1:
cmpl $1, %edx
je loop1_exit
movb Input(,%edx,1), %al


            cmpb 0x00, %al
            jl number
            cmpb 0x41, %al
            jg big_char 
            cmpb 0x46, %al
            jl big_char 
            cmpb 0x61, %al
            jg low_char 
            cmpb 0x66, %al
            jl low_char

jmp loop1

number:
    sub $'0', %al   
big_char:
    cmpb $'a', %al
    jae low_char
    sub $'A', %al
    add $10, %al

low_char:
    sub $'a', %al
    add $10, %al

loop1_exit:
movl $SYSWRITE, %eax
    movl $STDOUT, %ebx
    movl $newline, %ecx
    movl $newline_len, %edx
    int $0x80


    movl $SYSEXIT, %eax
    movl $EXIT_SUCCESS, %ebx
    int $0x80

我不知道下一步该怎么做。如何在程序中打印我的二进制数。我想我需要一些第二个循环来打印每个二进制四。这就是我现在的确定吗?

1 个答案:

答案 0 :(得分:0)

  

我现在的这个还好吗?

在调试器中运行它并尝试不同的输入,看看CPU的结果状态是否与您预期的一样(我有点怀疑它不会完全符合您的预期,并会对代码进行一些更改)。

  

如何在程序中打印我的二进制数。

对于数字123450x3039),二进制输出为11000000111001。怎么样?

(init部分)假设你在某个寄存器r1中有价值。将一些其他寄存器r2设置为零,除最高位外,对于32b数字r2 = 0x80000000。

to_binary_loop:
    test r1,r2   ; does bitwise AND, discards result, sets up flags
    output( zero_flag ? '0' : '1')
    shr  r2,1    ; moves the bit to right by 1 position
    jnz  to_binary_loop  ; loop till all bits were processed

这将显示完整32b二进制输出的初始零,如00000000000000000011000000111001。为避免这种情况,您可能希望在第一个循环之前放置另一个循环:

to_binary_skip_leading_zeroes:
    test  r1,r2
    jnz   to_binary_found_leading_one
    shr   r2,1    ; next bit
    jnz   to_binary_skip_leading_zeroes
    ; no "1" bit found in r1, enforce at least single 0 to display
    mov   r2,1
to_binary_found_leading_one:

output( zero_flag ? '0' : '1') ..我个人会写:

    ; somewhere defined (can be even in .text near the loop, read-only usage)
bin_digit: .ascii "01"

    ; in init of loop
    xor   r3,r3   ; pick one of eax,ebx,ecx,edx (spare one), set to zero

    ; during loop after "test r1,r2"
    setnz r3_byte_part
    mov   bin_digit(r3),al  ; al = '0' (ZF=1) or '1' (ZF=0)
    ; output char in "al"

对于任何指令,根据需要添加大小后缀,我不会用AT& T语法折磨自己。