Suppose the index of the element you want is in eax, you should write
lea edx, [arr+eax*4]
mov edx, [edx]
It is equivalent
edx = arr [eax]
Edit:
Sorry, but I forgot that this is a built-in asm. lea edx, [arr] will load the effective address of the arr parameter onto the stack, not the pointer itself. Try the following:
mov eax, 1; //index you want to access
mov ebx, arr;
lea edx, [ebx+eax*4];
mov edx, [edx];
int binarySearch (int* arr)
{
int test;
__asm
{
push eax;
push ebx;
push edx;
mov eax, 2;
mov ebx, arr;
lea edx, [ebx+eax*4];
mov edx, [edx];
mov test, edx
pop edx;
pop ebx;
pop eax;
}
return test;
}
int main(void)
{
int a[5];
a[0] = 0;
a[1] = 1;
a[2] = 21;
int t = binarySearch(a);
return 0;
}
t == 21 after running this program. I believe that this is what you are looking for.
Mario source
share