Check if number is in range on 8051

末鹿安然 提交于 2019-12-12 12:52:07

问题


I have received a character over UART, and need to validate if it's a number character.

Normally I'd do

if (char >= '0' && char <= '9') { /* VALID */ }

However, I have to do it in assembly.

I haven't found any compare instruction (so I assume there is none).

How can I do this?

    mov A, SBUF    ; load the number

    ; -- pseudocode --
    cmp A, #'0'    ; In AVR, I'd do it this way
    brlt fail      ; but I'm new to 8051
    cmp A, #'9'
    brge fail
    ; -- pseudocode --

    ; number is good

fail:

edit: ok here's what I have now but it doesn't work

;======================================================
; check if r1 is number char -> r0 = 1 or 0
;------------------------------------------------------
fn_isnum:
    PUSH acc
    PUSH 1

    MOV r1,A

    SUBB A,#'0'
    JC isnum_bad

    MOV A,r1

    SUBB A,#'9'+1
    JC isnum_bad

    POP 1
    POP acc

    MOV r0,#1
    RET 

isnum_bad:

    POP 1
    POP acc

    MOV r0,#0
    RET
;======================================================

回答1:


The easiest thing to do is compile it in C and check the listing file. Here is what my compiler produces.

MOV     A, SBUF
CLR     C
SUBB    A, #030H
JC      ?C0026
MOV     A, SBUF
SETB    C
SUBB    A, #039H
JNC     ?C0026

; Put instructions here to execute when the code is valid

?C0026:



回答2:


Using this technique, if (a >= '0' && a <= '9') can be transformed into

if ((unsigned char)(a - '0') <= ('9'-'0'))

which saves you a comparison and a jump. Now only a single comparison is enough

The result might be like this

    SUBB A, #'0'  ;  A = a - '0'
    CLR  C
    MOV  R1, A    ; R1 = a - '0'
    MOV  A, #9    ;  A = '9' - '0'
    SUBB A, R1    ;  C = 1 if ('9' - '0') < (a - '0')
    JC   bad:     ; jump when C != 0, i.e. !((a - '0') <= ('9' - '0'))
valid:
    ; do something
bad:

Most modern compilers know how to optimize this range check. I can't find a 8051 online compiler nor do I have an offline compiler for it, but AVR would be close enough to give a demo. AVR gcc gives the same output for both the original condition and the transformed one

    mov r25,r24          ; input in r24
    subi r25,lo8(-(-48)) ; r25 = input - '0'
    ldi r24,lo8(1)       ; r24 = 1
    cpi r25,lo8(10)      ; if r25 < 10
    brlo .L2             ; jump to .L2
    ldi r24,lo8(0)       ; r24 = 0
.L2:
    ret                  ; return value in r24


来源:https://stackoverflow.com/questions/29519796/check-if-number-is-in-range-on-8051

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!