我对MIPS和这个网站都很陌生(这是我的第一篇文章)所以请在这里跟我说...我必须取一个用户输入的数字,用整数反转整数(HI / LO并将剩余部分存储到一个新的寄存器中,以便将得到的反转数字与原始数据进行比较,看它是否是回文。那很好,得到了那个除法部分(我想?),但是一旦我将第二次除法并尝试将第二个余数加到第一个除法的余数上,它将简单地覆盖寄存器的内容,而不是在结束了吧?我无法在互联网上找到答案。我怎么能做到这一点?因为简单地做'移动'会覆盖内容,对吗?到目前为止,这是我的代码
li $v0, 4 # System call code for print string
la $a0, Prompt # Load address for Prompt into a0
syscall
li $v0, 5 # System call code for read integer
syscall # Read the integer into v0
move $t0, $v0 # Move the value into t0
move $t9, $t0
li $s0, 10 # Load 10 into s0 for division
li $s1, 0 # Load 0 into s1 for division
div $t0, $s0 # Divides t0 by 10
mfhi $t1 # Move remainder into t1
mflo $t0 # Move quotient into t0
基本上,我想将剩余部分连接在一起,而不是将它们连接在一起或覆盖寄存器。假设第一个余数是3,第二个是6,第三个是9.最后,我不希望它是18或9.我希望它是369.
答案 0 :(得分:1)
您的div
/ mfhi
/ mflo
没问题。你需要的是一个有第二个变量的循环。
我已经创建了等效的C代码并将其添加为注释块并创建了一个工作程序[请原谅无偿的样式清理]:
# int
# rev(int inp)
# {
# int acc;
# int dig;
#
# acc = 0;
#
# while (inp != 0) {
# dig = inp % 10;
# inp /= 10;
#
# acc *= 10;
# acc += dig;
# }
#
# return acc;
# }
.data
Prompt: .asciiz "Enter number to reverse:\n"
nl: .asciiz "\n"
.text
.globl main
main:
li $v0,4 # System call code for print string
la $a0,Prompt # Load address for Prompt into a0
syscall
li $v0,5 # System call code for read integer
syscall # Read the integer into v0
bltz $v0,exit # continue until stop requested
move $t0,$v0 # Move the value into t0
li $t3,0 # initialize accumulator
li $s0,10 # Load 10 into s0 for division
li $s1,0 # Load 0 into s1 for division
next_digit:
beqz $t0,print # more to do? if no, fly
div $t0,$s0 # Divides t0 by 10
mfhi $t1 # Move remainder into t1 (i.e. dig)
mflo $t0 # Move quotient into t0 (i.e. inp)
mul $t3,$t3,$s0 # acc *= 10
add $t3,$t3,$t1 # acc += dig
j next_digit # try for more
print:
li $v0,1 # print integer syscall
move $a0,$t3 # get value to print
syscall
li $v0,4
la $a0,nl
syscall
j main
exit:
li $v0,10
syscall