1

我对组装完全陌生,在为我的二维“数组”分配值时遇到了一个问题。我的数组是一个.space命名的screen并分配有HEIGHT * WIDTH * 4,所以有足够的空间。

在我执行数组下面的命令之前只包含0值(我知道这一点,因为在发出下面的命令之前,我循环遍历数组并将所有值设置为0,并通过打印出所有值来验证它)。

这就是我所做的:

movl $0, %eax
movl $1, %ebx
movl $20, screen(%eax, %ebx, 4)

这就是它的结果(列出所有行和列时):

x:0 y:0 value:0
x:0 y:1 value:20
x:0 y:2 value:0
x:0 y:3 value:0
x:0 y:4 value:0
x:1 y:0 value:335544320
x:1 y:1 value:0
x:1 y:2 value:0
x:1 y:3 value:0
x:1 y:4 value:0
x:2 y:0 value:1310720
x:2 y:1 value:0
x:2 y:2 value:0
x:2 y:3 value:0
x:2 y:4 value:0
x:3 y:0 value:5120
x:3 y:1 value:0
x:3 y:2 value:0
x:3 y:3 value:0
x:3 y:4 value:0
x:4 y:0 value:20
x:4 y:1 value:0
x:4 y:2 value:0
x:4 y:3 value:0
x:4 y:4 value:0

我所期待的只是看到 : 的screen[0][1]变化x:0 y:1 value:20。是什么导致了这些“垃圾”值(335544320,13107205120)?

正如我提到的,我是一个完整的初学者,所以要友善!

编辑: 我提供了零填充函数和列出数组中所有值的函数。

HEIGHT = 5
WIDTH = 5
EMPTY = 0

.section .data
counter: .int 0
counter2: .int 0

str3: .string "x:%d y:%d value:%d\n"

.section .text
#################################
# Fill screen array with zeroes
init_screen:
#################################
movl    $0, counter
init_screen_array_x:

    movl    $0, counter2
init_screen_array_y:
    movl    counter, %ebx
    movl    counter2, %ecx
    movl    $EMPTY, screen(%ebx, %ecx, 4)

    incl    counter2
    cmpl    $HEIGHT, counter2
    jl  init_screen_array_y

    incl    counter
    cmpl    $WIDTH, counter
    jl  init_screen_array_x

    ret
#################################
# end init_screen
#################################

#################################
# Debugging function, list all values in array
list_screen_array:
#################################
movl    $0, counter
list_screen_array_x:

    movl    $0, counter2
list_screen_array_y:
    movl    counter, %ebx
    movl    counter2, %ecx

    pushl   screen(%ebx, %ecx, 4)
    pushl   counter2
    pushl   counter
    pushl   $str3
    call    printf
    addl    $16, %esp

    incl    counter2
    cmpl    $HEIGHT, counter2
    jl  list_screen_array_y

    incl    counter
    cmpl    $WIDTH, counter
    jl  list_screen_array_x

    ret
#################################
# end list_screen
#################################

编辑2:在安德烈亚斯的输入之后,我做了这个功能:

# x should be stored in %eax
# y should be stored in %ebx
# saves address to screen[%eax][%ebx] in %eax
screen_get_address:
    imull $4, %eax
    imull $4, %ebx
    imull $WIDTH, %ebx
    addl %ebx, %eax
    addl screen, %eax
    ret

编辑 3 还有一些地方不对劲。现在这样做时:

movl $0, %eax
movl $2, %ebx
call screen_get_address
movl $20, (%eax)

我得到(3x3 数组):

x:0 y:0 value:0
x:0 y:1 value:0
x:0 y:2 value:20
x:1 y:0 value:0
x:1 y:1 value:20
x:1 y:2 value:0
x:2 y:0 value:20
x:2 y:1 value:0
x:2 y:2 value:0
4

1 回答 1

1

您计算地址的代码是错误的。要访问 2D dword 数组的 (%ebx=x,%ecx=y) 元素,您需要访问以下位置的数据

 screen + 4*(%ecx*WIDTH + %ebx)

您正在访问 screen(%ebx, %ecx, 4),即

screen + %ebx + 4*%ecx

即错误的位置。在您的 movl 指令之前,您必须首先生成地址(例如,使用 MUL,或者,如果 WIDTH 是 2 的幂,则使用 shift 指令)。如果您只想循环遍历所有元素,您可以只使用一个连续递增的指针来省去复杂的地址计算。

于 2012-10-18T23:30:39.697 回答