I recently found out that MIPS does not rotate bits, but only shifts them, so I kept digging this hole to make a rotate-like function for MIPS that works as far as I tested it (function named "shifting" at the code below). Basically it stores the 4 MSB's of a given number, turns it to LSB's, shifts the number 4 bits to the left and then joints the former-MSB's-turned-LSB's with the shifted number.
Aaaannnd alakazam! The number is "rotated" 4 bits to the left.
So I've been thinking of putting this to work as far as printing a number in full binary, by checking the last 4 bits for each rotation.
Let's say the given number looks like below:
aaaa bbbb cccc dddd eeee ffff gggg hhhh iiii
by rotating to the left for 4 bits, we check the value of aaaa
:
bbbb cccc dddd eeee ffff gggg hhhh iiii aaaa
and keep on rotating, checking and printing the value of bbbb
:
cccc dddd eeee ffff gggg hhhh iiii aaaa bbbb
until we finally get to the same number we started and check the last 4 bits, iiii
:
. . .
aaaa bbbb cccc dddd eeee ffff gggg hhhh iiii
But I've been having a problem with my code that keeps on adding 0's untill the compiler crashes.
.text
main:
li $v0, 5 #v0 = the given integer
syscall
move $t1, $v0 moving the integer to t1
add $s1, $zero, $zero #s1 = counter
shifting:
andi $t2, $t1, 0xF0000000 #t2 = the 4 MSB's that get pushed to the left
srl $t3, $t2, 28 #turning them to LSB's
sll $t4, $t1, 4 #shifting the integer
or $t5, $t3, $t4 #$t5 = the pseudo-rotated number
loop:
andi $t6, $t5, 0xF #isolating the 4 new LSB's
beq $t6, 0xF, one #print 1's where is necessary
li $v0, 1 #else print 0's
la $a0, 0
syscall
j shifting
next:
addi $s1, $s1, 1
beq $s1, 32, exit #stop printing at 32 numbers
one: #printing the aces
li $v0, 1
la $a0, 1
syscall
j shifting
exit:
li $v0, 10
syscall
It seems that I've toasted my brain overthinking about this thing, and I can't really keep up with the loops.
What is wrong with my code?
So I've lost a bit of focus for a moment but I got it working:
I'll try to make it work for float numbers, when I have the time.