0

我有一个包含 10 个值的数组 T,特别是(如果重要的话)并按顺序:2d、5c、5b、d3、9b、9a、48、f1、e8 和 59。
在我的代码中,我试图找到总和、最小值、最大值和平均值。
好吧,我得到了总和和平均值,但由于某种原因,我必须将其除以 2 才能得到正确答案……很奇怪。现在有一次我的 findMin 代码正在工作,(给了我 2d),但现在它不是(只给了 0)。findMax 还给了我一个数组中甚至不存在的值。这是代码:

done:   
mov ebx, 0      ;clear for loop counter
mov ecx, 0      ;clear array pointer
mov eax, [T]    ;base case for sum

findSum:
cmp ebx, 10
jge done1       ;if loop count = 10, done
add ecx, 4      ;point to next array value
add eax, [T+ecx]    ;add to register eax
inc ebx
mov sum, eax    ;store sum in var 'sum'
jmp findSum

done1:
;; resets regs for loop counter
mov ebx, 0
mov ecx, 0
mov eax, [T]    ;first val of table is min by default
jmp findMin

findMin:
;; finds the lowest value in table, first value is min by default
cmp ebx, 10     ;while ebx != 10
jge done2       ;else done
add ecx, 4      ;point to next value of array
inc ebx     ;increment loop counter
cmp [T+ecx], eax    ;if value at T is greater than eax(min) 
jge findMin     ;compare next value to min
mov eax, [T+ecx]    ;else value is less than min, assigns to reg eax
mov min, eax    ;assigns it to var min
jmp findMin

done2:
;; resets regs for loop  counter
mov ebx, 0
mov ecx, 0
mov eax, [T]    ;first val of table is max by default
jmp findMax

findMax:
;; finds the highest value in the table, first val is max by default
cmp ebx, 10     ;while ebx != 0
jge findAvg     ; else done
add ecx, 4      ;to point to next value in array
inc ebx     ;increment loop counter
cmp [T+ecx], eax    ;if value at array is less than max(eax)
jle findMax     ;compare next values
mov eax, [T+ecx]    ;else value is greater than max, assign to reg eax
mov max, eax    ;assign to var max
jmp findMax

sum、min、max 都被声明为双字。
您是否看到我必须忽略的原因:
a)总和必须除以 2 才能得到正确的总和?
b) 我的 findMin 和 findMax 段不起作用?(最小值=0 & 最大值=acc)

4

1 回答 1

0

您正在处理循环外的第一个元素,但您的计数器仍然从零开始到 10。这意味着,您将处理 11 个元素,第 11 个元素访问内存中数组之后的任何内容。

下次使用调试器来单步调试您的代码,看看它在哪里做了一些意想不到的事情。

请注意,x86 支持有效寻址,其形式[T+ebx*4]可以简化您的代码。

于 2012-12-11T12:04:47.310 回答