0

所以我遇到了如何在 6502 中处理某些地址的问题。基本上,我有 3 个值,我想在 6502 的监视器上表示一个像素的 12 位地址空间。我已经用一些构建了地址元素简单的改装。但是,我不太确定从这里去哪里。假设我的目标地址为 05ff,即右下角的像素。我目前拥有的是第一位,它将添加到 0200、第二位和第三位,但不知道如何从这些中建立一个 12 位的数量。任何人都可以提供帮助吗?除了讲课和方尖碑网站,我的老师有点让我们干了,就用它来弄清楚该怎么做而言,这仍然让我有点头晕目眩。有人知道我该怎么做吗?

目前,对于地址 05ff,我拥有的是一个 3、一个 f 和一个 f。我知道我可以移位以使第二个 f 移动,但我不确定如何将 0200 添加到 0300 以产生数量 0500,然后将其添加到 00ff。

4

2 回答 2

1

除非绝对必须,否则您真的不想考虑操纵单个位。

6502 是一台 8 位机器,所以一切都必须在 8 位边界上进行操作。如果您需要的位数少于“2 的偶数次幂”,则应使用逻辑AND. 它比尝试以另一种方式AFAIK“保存”四位更有效。

例子:

;Our first variable.  Holds a 12-bit value but we allocate 16 bits 
; to it because this is an 8-bit architecture
VAR_A_16_LO  EQU $80
VAR_A_16_HI  EQU $81
;Our second variable.  Same thing as above.
VAR_B_16_LO  EQU $82
VAR_B_16_HI  EQU $83
;Our variable where we store the result. 
VAR_C_16_LO  EQU $84
VAR_C_16_HI  EQU $85

             ;Ok, lets add some 12-bit numbers
             ;But first, we have to make sure the variables have 12-bit 
             ; quantities.  This means killing the top 4 bits of the high 
             ; bytes of the variables.  If this is known to be the case this
             ; can be skipped.
             LDA VAR_A_16_HI
             AND #%00001111 ;This logical AND operation will set the upper
                            ; four bits to 0 and keep the lower four bits.
                            ;Of the high byte only.  
             STA VAR_A_16_HI
             LDA VAR_B_16_HI
             AND #%00001111
             STA VAR_B_16_HI
             ;
             ; Now, we can add them as though they were two 16-bit numbers.
             CLC
             LDA VAR_A_16_LO
             ADC VAR_B_16_LO
             STA VAR_C_16_LO
             LDA VAR_A_16_HI
             ADC VAR_B_16_HI
             STA VAR_C_16_HI
             ;
             ; And cut off the top 12 bits of the result just in case of 
             ;overflow.
             LDA VAR_C_16_HI
             AND #%00001111
             STA VAR_C_16_HI
于 2015-04-29T18:57:20.770 回答
0

扩展已经发表的评论:6502 只有 8 位寄存器。它通过给零页一个提升的状态来增强这些:它可以快速引用,并且可以通过它获得矢量寻址。

例如

; ... calculate high 8 bits of address in A ...
; this assumes that #$00 is stored at address $00
STA $01

; ... calculate low 8 bits of address and move them into Y;
; calculate value to store in A ...
STA ($00), Y

这将从零页位置$00$01. 然后它将值添加Y到该地址。它将存储A到总数中。

于 2015-03-11T02:42:00.607 回答