Assembly language provides low-level instructions for performing arithmetic operations. These operations are fundamental for manipulating data and performing calculations in assembly programs.
Assembly offers several instructions for basic arithmetic operations:
Addition and subtraction are straightforward operations in assembly. They typically involve two operands: a destination and a source.
; Addition
ADD AX, BX   ; AX = AX + BX
; Subtraction
SUB CX, DX   ; CX = CX - DXMultiplication in assembly can be performed using the MUL (unsigned) or IMUL (signed) instructions. The result is often stored in multiple registers due to potential overflow.
; Unsigned multiplication
MOV AX, 5
MOV BX, 10
MUL BX       ; Result in DX:AX
; Signed multiplication
MOV AX, -5
MOV BX, 10
IMUL BX      ; Result in DX:AXDivision operations use the DIV (unsigned) or IDIV (signed) instructions. The dividend is typically stored in the AX or DX:AX registers, depending on the size of the operands.
; Unsigned division
MOV AX, 100
MOV BL, 10
DIV BL       ; Quotient in AL, Remainder in AH
; Signed division
MOV AX, -100
MOV BL, 10
IDIV BL      ; Quotient in AL, Remainder in AHFor more complex calculations, you may need to combine multiple instructions or use specialized instructions provided by specific CPU architectures. Understanding Assembly CPU Architecture can help optimize your arithmetic operations.
To improve performance, consider these optimization techniques:
Mastering arithmetic operations in assembly is crucial for efficient low-level programming. As you become more comfortable with these basic operations, you'll be better equipped to tackle more complex assembly programming tasks.