我在数据部分中定义了一个2d数组和两个1d数组(一个用于列和,一个用于行和),我写了一个函数,将2d数组加到1d数组中。 我正在使用eax和ebx作为2d数组的索引,但是当eax或ebx因为1并尝试访问内存中的未知地址时,我的程序失败。 如何修复此行中对内存的访问:
mov edx,[ebp+columnsSumArray+type dword*ebx]
这是我的计划:
.386
.MODEL flat,stdcall
.STACK 4096
extern ExitProcess@4:Near
.data ;Data area
array2D Dword 1,2,3,4 ; 3 Rows by 4 Columns
Dword 5,6,7,8
Dword 9,10,11,12
rowSumArray Dword 1,1,1 ; two sum init array's
columnSumArray Dword 1,1,1,1
.code ;Code area
_main:
mov eax,offset columnSumArray
push offset columnSumArray
push offset rowSumArray
push 4
push 3
push offset array2D
call Sum2DimArray
push 0 ;Black box. Always terminate
call ExitProcess@4 ;program with this sequence
;----------------------------------------------------------------
; Name: Sum2DimArray
; Input: 2d array pointer, rows, columns, rowSumArray, columnSumArray,
; Description: this function sum the rows item in the 2d array and put it in the rowSumArray,
; and sum the columns and put it in the columnSumArray
;----------------------------------------------------------------
Sum2DimArray PROC
ParamSize = 5*4
matrixAddress = 8
rowsNumPlace = matrixAddress + 4
columnsNumPlace = rowsNumPlace + 4
rowsSumArray = columnsNumPlace + 4
columnsSumArray = rowsSumArray + 4
push ebp ; using the ebp as function variables pointer
mov ebp,esp
push ecx
push eax
push ebx
push esi ; 2d array item pointer
push edx
mov eax,0 ; rows counter
mov ebx,0 ; columns counter
mov esi,[ebp+matrixAddress] ; esi points on the first 2d array value
RowsLoop: ; rows loop
mov ebx,0
ColumnsLoop: ; columns loop
mov ecx,[esi] ; ecx is the current value
mov edx,[ebp+rowsSumArray+type dword*eax]
add [edx],ecx
mov edx,[ebp+columnsSumArray+type dword*ebx]
add [edx],ecx
inc ebx
add esi,sizeof Dword
cmp ebx,[ebp+columnsNumPlace]
jne ColumnsLoop
inc eax
cmp eax,[ebp+rowsNumPlace]
jne RowsLoop
pop edx
pop esi
pop ebx
pop eax
pop ecx
pop ebp
ret ParamSize
Sum2DimArray ENDP
end _main ;End of program. Label is the entry point.
答案 0 :(得分:5)
您正在将sum数组的偏移量添加到错误的位置。
mov edx,[ebp+rowsSumArray+type dword*eax]
add [edx],ecx
mov edx,[ebp+columnsSumArray+type dword*ebx]
add [edx],ecx
应阅读:
mov edx,[ebp+rowsSumArray]
add [edx+type dword*eax],ecx
mov edx,[ebp+columnsSumArray]
add [edx+type dword*ebx],ecx
那就是你应该首先从ebp
的已知偏移量加载堆栈中的指针,然后为所需元素添加偏移量。