I'm messing around with ASM in Delphi. From my understanding, EAX holds Result. In the following, I have to put RET at the end, otherwise Result is not correct (it is correct if the input is 0). What am I doing wrong, or should I say, what don't I understand about this?
function MSb(const Val: Integer): Integer;
label
Go;
asm
CMP EAX, 0
JNZ Go
MOV EAX, -1
RET
Go:
BSR EBX, EAX
MOV EAX, EBX
RET
end;
If I say the following:
MOV Result, EBX
Then I get the following compilation:
MOV [EPB-$04], EBX
MOV EAX, [EPB-$04]
However, my code above has the following postscript:
MOV EAX, EDX
RET
At least without optimization enabled, your function has a pre-amble and a post-amble. Have a look at it:
So the pre-amble sets up the stack frame. It saves away the
ebp
register, and modifies both theebp
andesp
registers. Notice also the post-amble. You do need to execute that code to restore the saved registers.The usual way to deal with this is to jump to the end of the function instead of using
ret
. So write your code like this:This way you ensure that the post-amble is executed. You really should get into the habit of writing the code this way to ensure that any pre-amble is executed.
Now, beyond that I suspect that the problem you mention in the question actually relates to a compiler bug relating to your use of a Pascal label rather than an asm label. Well, perhaps it is a compiler bug, but perhaps it is just a mistake to use a Pascal label. Consider the following program:
The output when compiled with optimization is:
So, what about that rather odd
4
. Well, let's look at the assembled code forMsb2
, which is essentially your code:Why on earth is the value of
edx
, a volatile register whose value has not been assigned, being moved intoeax
just before the function returns. This is the problem that you are reporting. My guess is that the use of a Pascal label is confusing the assembler. Stick to asm labels.Here is the assembled code for
Msb
:That's more like it! Notice how the compiler knows that there is no post-able here, and replaces the
jmp @@exit
with a straightret
.