| 9. Beyond Integer Addition and Subtraction.
    
     Part of 
      
      22C:60, Computer Organization Notes
      
     
      | 
 
In the previous chapter, we discussed the details of how computers
do binary addition and subtraction.  With that as background, we are
now ready to explore more complex arithmetic operations.  Integer
multiplication and division are primitive enough that many computers
implement them in hardware, but complex enough that in many other
very successful computers, they are entirely done by software.  This
introduces an important subject, the engineering tradeoffs that lead
to the decisions about which features to implement directly in hardware
and which are more economically done in software.
 
Before discussing efficient machine implementations of multiplicaton and
division, whether it is in hardware or software, we must back off and
discuss, first, the pencil and paper algorithms in decimal, and then how
we can do these in binary.
Consider the problem of multiplying 128 times 512
in decimal.  Here is how you were probably taught to work this problem
out using pencil and paper:
 
| 1 | 2 | 8 | multiplicand | |||
| × | 5 | 1 | 2 | multiplier | ||
|  | ||||||
| 2 | 5 | 6 | partial product 2 × 128 | |||
| 1 | 2 | 8 | partial product 1 × 128 | |||
| + | 6 | 4 | 0 | partial product 5 × 128 | ||
|  | ||||||
| 6 | 5 | 5 | 3 | 6 | product | |
 
The worksheet for carrying out a decimal problem as shown above
is actually a trace of the execution of an algorithm.  This algorithm
proceeds by first
multiplying the multiplicand by each digit of the multiplier to create a list
of partial products.  Each partial product is written shifted over one place
relative to its predecessor, so that it's least significant digit is under
the corresponding digit of the multiplier.  This shifting is equivalent to
multiplying the multiplicand by ten prior to computing each partial product.
Finally, the algorithm ends by adding up the partial products to compute
the product.  
The statement of this algorithm does not depend on the number base being used! Thus, we can use this exact same algorithm in base 16 or in base 8 or even in base 2. The hard part of this algorithm in decimal is multiplying the multiplicand by the digits of the multiplier. To do this, the typical elementary school student must memorize the multiplication tables for base 10. As we will see, the base 2 multiplication table is far simpler.
Exercises
a) Write code, in C, C++ or Java, to multiply two positive integers using the decimal algorithm you'd use with pen and paper. With each iteration, you should end up accumulating one partial product, multiplying the multiplicand by 10, and dividing the multiplier by 10. You can extract the least significant digit of the multiplier using the mod operator, written as % in these languages. Multiply this times the multiplicand to compute the partial product. This may seem silly -- both multiplying and dividing in order to multiply, but the only divisor used is 10, and the only only multipliers are from 0 to 10, so this code uses a limited set of operations to implement a much more general operation.
To multiply two binary numbers using pencil and paper, we use exactly the same multiplication algorithm we would use in decimal, but we do it using binary arithmetic. Consider, for example, the problem of multiplying 10010 by 1010. In binary, this is 11001002 times 10102, and if we work the problem using pencil and paper, we will get something like this:
| 1 | 1 | 0 | 0 | 1 | 0 | 0 | = 100 | multiplicand | ||||
| × | 1 | 0 | 1 | 0 | = 10 | multiplier | ||||||
|  | ||||||||||||
| 0 | 0 | 0 | 0 | 0 | 0 | 0 | = 0 × 100 | partial products | ||||
| 1 | 1 | 0 | 0 | 1 | 0 | 0 | = 1 × 100 | |||||
| 0 | 0 | 0 | 0 | 0 | 0 | 0 | = 0 × 100 | |||||
| + | 1 | 1 | 0 | 0 | 1 | 0 | 0 | = 1 × 100 | ||||
|  | ||||||||||||
| 1 | 1 | 1 | 1 | 1 | 0 | 1 | 0 | 0 | 0 | = 10 × 100 | = 1000 | |
This workshet for the binary algorithm shows the partial products computed by multiplying the multiplicand by each digit of the multiplier. Each partial product is written shifted over so that it's least significant digit is under the corresponding digit of the multiplier, and then the partial products are added to compute the product.
It is not too hard to reduce this paper-and-pencil algorithm to machine code for the Hawk machine! The first step in such a reduction is to work it out in a high-level language like C or Java:
| 
unsigned int multiply( unsigned int multiplier, unsigned int multiplicand )
{
        unsigned int product = 0;
        while (multiplier != 0) {
                if ((multiplier & 1) != 0) {
                        product = product + multiplicand;
                }
                multiplier = multiplier >> 1;
                multiplicand = multiplicand << 1;
        }
        return product;
}
 | 
In the above, we have shifted the multiplicand one place left on each iteration so we can add it in as a partial product when the corresponding multiplier bit is nonzero. For each iteration, we shift the multiplier one place right so that we can always check the least significant bit instead of testing a different bit for each iteration. We test the bit by using the bitwise and operator of C to mask out all but the least significant bit. Here is exactly the same code using operators many be more familiar:
| 
unsigned int multiply( unsigned int multiplier, unsigned int multiplicand)
{
        unsigned int product = 0;
        while (multiplier != 0) {
                if ((multiplier % 2) != 0) {
                        product = product + multiplicand;
                }
                multiplier = multiplier / 2;
                multiplicand = multiplicand * 2;
        }
        return product;
}
 | 
Here, we substituted multiplication and division by two for shifting, and we tested to see if the multiplier was even or odd by checking the remainder after division by two. Using multiplicaiton and division to implement multiplication is not useful on a machine without multiply hardware, but good compilers usually substitute shift and bit manipulation for multiplication and division by powers of two.
This algorithm is ancient and has been repeatedly rediscovered. It is sometimes called the the Russian peasant algorithm or Egyptian multiplicaton after two folk origins for the method.
The first multiply code given above only used operators available on the Hawk machine. For the left and right shifts, where C uses << and >>, we have SL and SRU, and for the and operator, where C uses &, we have AND. These let us rewrite the C code as follows:
| 
MULTIPLY:       ; link through R1
                ; R3 = multiplier on entry, product on return
                ; R4 = multiplicand on entry, destroyed
                ; R5 = temporary copy of multiplier, destroyed
                ; R6 = temporary used for anding with one
                ; uses no other registers
        MOVE    R5,R3           ; move the multiplier
        CLR     R3              ; product = 0;
MULTLP:
        TESTR   R5
        BZS     MULTLX          ; while (multiplier != 0) {
        LIS     R6,1
        AND     R6,R5
        BZS     MULTEI          ;   if ((multiplier & 1) != 0) {
        ADD     R3,R3,R4        ;     product = product + multiplicand;
MULTEI:                         ;   }
        SRU     R5,1            ;   multiplier = multiplier >> 1;
        SL      R4,1            ;   multiplicand = multiplicand << 1;
        BR      MULTLP
MULTLX:                         ; }
        JUMPS   R1              ; return product;
 | 
The above code takes either 8 or 9 instructions per iteration of the loop, depending on whether the bit of the multiplier is one or zero. The code is written in what might be called a bone-headed style, making as little use of auxiliary information as possible. In fact, a little study of the shift instructions leads quickly to some significant optimizations.
As a general rule, optimization is something to leave for last, but the very first candidates for optimization are those routines that are called repeatedly from many different applications. The subroutines for performing arithmetic operations that are not performed in hardware are excellent candidates for this. Clearly, the speed of the multiply routine could have a central effect on a wide variety of applications. Therefore, we will explore the possibility of optimizing this routine with more interest than we would have considered optimizing of other less frequently used routines.
All shift instructions on the Hawk set the condition codes, so after doing the SRU instruciton at the end of the loop, we can test to see whether the multiplicand has been reduced to zero, eliminating the need for the TESTR instruction at the top of the loop in all but the first iteration. We can test even more than this, because the shift operators also set the carry bit in the condition codes to the last bit shifted out of the operand, so the SRU instruction, with a shift count of one also tells us if the operand was even or odd prior to the shift. This leads us to the following faster unsigned multiplication code:
| 
MULTIPLY:       ; link through R1
                ; R3 = multiplier on entry, product on return
                ; R4 = multiplicand on entry, destroyed
                ; R5 = temporary copy of multiplier, destroyed
                ; uses no other registers
        MOVE    R5,R3           ; move the multiplier
        CLR     R3              ; product = 0;
        TESTR   R5
        BZS     MULTLX          ; if (multiplier != 0) {
MULTLP:                         ;   do {
        SRU     R5,1            ;     multiplier = multiplier >> 1;
        BCR     MULTEI          ;     if (multiplier was odd) {
        ADD     R3,R3,R4        ;       product = product + multiplicand;
MULTEI:                         ;     }
        SL      R4,1            ;     multiplicand = multiplicand << 1;
        TESTR   R5
        BZR     MULTLP          ;   } while (multiplier != 0);
MULTLX:                         ; }
        JUMPS   R1              ; return product;
 | 
This new version of the code takes either 5 or 6 instructions per iteration of the loop, so it will run about 30% faster than the original code. Furthermore, it uses one less register because of the way we are testing the bits of the multiplier. The above code is about as well optimized as you would normally hope for from a competent assembly language programmer, but further optimizations are possible. Consider the following:
| 
MULTIPLY:       ; link through R1
                ; R3 = multiplier on entry, product on return
                ; R4 = multiplicand on entry, destroyed
                ; R5 = temporary copy of multiplier, destroyed
                ; uses no other registers
        MOVE    R5,R3           ; move the multiplier
        CLR     R3              ; product = 0
        TESTR   R5
        BZR     MULTLE          ; go loop if nonzero multiplier
        JUMPS   R1              ; return product if not
MULTLP:                         ; continue main multiplication loop
        SL      R4,1            ;   multiplicand = multiplicant << 1
MULTLE:                         ; loop entry point
        SRU     R5,1            ;   multiplier = multiplier >> 1
        BCS     MULADD          ;   if (multiplier was odd) go add
        BZR     MULTLP          ; continue loop if multiplier nonzero
        JUMPS   R1              ; return product;
MULADD:                         ; annex to multiplication loop
        ADD     R3,R3,R4        ;   product = product + multiplicand;
        TESTR   R5
        BZR     MULTLP          ; continue loop if multiplier nonzero
        JUMPS   R1              ; return product;
 | 
This new version takes either 4 or 6 instructions per iteration, half an instruction per iteration faster than the previous one. Furthermore, duplicating the return instruction saved several instructions per call. The cost of this optimization is the destruction of the clean control structure of the original, so commenting with high-level-language code is impractical. Optimizations that produce unreadable results are rarely justified except where the code that is critical to performance.
This particular optimization is working toward a dead-end. Just as the key to fast string operations on the Hawk is to work with blocks of characters, the key to fast multiplication is is to operate in a higher number base than 2. For the Hawk, base 16 works well. Chapter 13 of the Hawk manual gives unsigned integer multiply code that has a worst-case cost of 2.8 instructions per bit to compute a 32-bit product; this code is even less readable than any of the above code, but if speed is the object, it is a clear winner.
Exercises
b) Flip coins to generate a random 8-bit multiplicand and a random 4-bit multiplier. Multiply them using the paper-and-pencil binary multiplication algorithm, then check your work by converting the multiplier, multiplicand and product to decimal for verification.
c) Rewrite the binary multiplication algorithm in C to work in base 16. This involves only extremely small changes to the code given above: You must allow for multiplier digits to have more than 2 possible values (zero and one) and you must change all references to the radix from 2 to 16 (or alternately, change all one-bit shifts to 4-bit shifts).
d) What happens with the Hawk binary multiplication code if you multiply numbers together that generate a result of 232 or greater. For example, what happens if you compute 125,000 squared using this code? 125,000 is near 217, so the answer should be near 234.
In all of our our binary multiply methods, multiplying two 32-bit numbers requires 32 shifts and up to 32 adds. We can do all of this in parallel using 31 adders. This takes quite a bit of hardware, but here is how it works for multiplying two 2-bit integers a and b to give the 4-bit product p.
|   | 
The above circuit is not optimized so it is easier to see how to expand it to handle more bits. The top row of adders can be eliminated, since that row adds the first partial product to zero. Also, if there are more than three bits per word, the additiion delay can be reduced by arranging the adders as a binary tree. If we opted to add this logic to the Hawk arithmetic logic unit, we would use 32 and gates to compute each partial product, plus 31 adders, each made of 32 full-adders, made of 12 gates each.
| A single full adder | 12 | 
| 32 bits per word | × 32 | 
| gates per 32-bit adder | 384 | 
| 31 adders to add 32 partial products | × 31 | 
| Subtotal: Cost of adding partial products | 11904 | 
| and gates to compute a partial product | 32 | 
| 32 partial products | × 32 | 
| Subtotal: Cost of computing partial products | 1024 | 
|  | |
| Estimated gate count for fast multiplication | 12928 | 
This is rather discouraging. 12000 gates is more than enough to build a whole CPU. Do we really want to use this many gates to do just one operation? In contrast, it takes under 2000 gates to implement the entire Hawk arithmetic logic unit and shifter, and this is central to most computations. Adding one additional function by using seven times the amount of harware does not seem to be a very economical approach to computer design. Therefore, few but the highest performance computers ever include high-speed multipliers that operate in this brute-force way.
Most computers that have multiply hardware do multiplication using the same arithmetic-logic unit as they use for addition, cycling the data through the arithmetic-logic unit as many times as is required to compute the product. This is why, when you look at data for the speed of the various instructions on real computers, it is quite common to find that integer multiplication is 10 or more times slower than integer addition. On the Intel Pentium, for example, the hardware can execute two integer add instructions in parallel in 1/10th the time it takes to execute one integer multiply instruction.
Because of the slow speed of hardware multiplication on most computers, compiler writers have long been urged to avoid using multiply instructions whenever they can find a short sequence of shift and add instructions that will do the same thing. These optimizations can be expressed quite easily in languages like C, C++ or Java:
| original | substitution | |||
|---|---|---|---|---|
| a * 2 | a << 1 | |||
| a * 3 | (a << 1) + a | |||
| a * 4 | a << 2 | |||
| a * 5 | (a << 2) + a | |||
| a * 6 | ((a << 1) + a) << 1 | |||
| a * 7 | (a << 3) - a | |||
| a * 8 | a << 3 | |||
| a * 9 | (a << 3) + a | |||
| a * 10 | ((a << 2) + a) << 1 | 
Don't write this kind of code in your C or Java programs unless your goal is to write code nobody can understand. Let the compiler do the optimization for you. Assembly language programmers and those who write compilers must generally work out the logic of such optimization. In addition, if you are trying to write fast code, it is useful to understand what a good compilers will do to your code.
In general there will be one partial product to add for each one in the binary representation of the multiplier, plus the shift operators required to align the partial products. On the Pentium, where an integer multiply takes about ten times as long as a simple shift or add, a good compiler will usually use a mix of shift and add instructions whenever a constant multiplier has five or fewer one bits.
Sometimes, however, we can do even better, as illustrated in the case for multiplication by seven in the above table. In that case, we could have used (((a<<1)+a)<<1)+a, adding three terms that correspond to the 3 one bits in the multiplier. Instead, in the table above, we multiplied by eight and then subtracted.
Another trick we can use is to factor a number and then multiply by each of the factors in succession. For example, to multiply by 100, we could multiply by 10 twice in succession, or we could multiply by 5 twice in succesison and then multiply the result by 4.
| a * 100 | (((a << 1) + a) << 3) + a) << 2 | 
| a * 10 * 10 | t = ((a << 2) + a) << 1; ((t << 2) + t) << 1 | 
| a * 5 * 5 * 4 | t = ((a << 2) + a); ((t << 2) + t) << 2 | 
Which of these optimizations will be fastest on some particular machine? In general, this cannot be determined from the high level language code, although we can make educated guesses. For classical computer architectures, each operator in the source file corresponds to one machine instruction, and when register to register operations are available, assignments to temporary variables used to hold intermediate results is frequently free. For such a machine, what matters is the total count of operators in the expression. Looking at the above table, we find that simple multiplication by 100 takes 3 shifts and 2 adds, a total of 5 operators, while multiplication by 10 and then 10 again takes 4 shifts and 2 adds, a total of 6 operators, and multiplying by 5 twice and then 4 takes 3 shifts and 2 adds.
The first thing we can conclude from the above estimates of performance is that all of the above methods of multiplication by 100 will be noticably faster than a hardware multiply on a machine like the Pentium. The numbers suggest that multiplication by ten twice in sequence might be a bit slower, but with a difference of just one operation between our fastest and slowest estimates, what we should really conclude is that these different approaches are all similar.
Reducing these to machine code requires looking at the repertoire of shift instructions on the target machine. On the Hawk, we have two left shift instructions, MOVSL, which does a register to register move plus a shift, in one instruction, and ADDSL, which shifts the contents of one register and then adds another register to it. The SL assembly language opcode is really ADDSL with the second register set to zero, indicating that nothing is to be added. Similar shift and add instrucitons are included in several architectures designed after the late 1970's, and in the early 1980's, a group at Hewlett Packard was the first to describe, in detail, how to fully exploit these instructions. Here is how we can use these on the Hawk:
| SL | R3,1 | ; R3 = R3 * 2 = R3 << 1 | 
| ADDSL | R3,R3,1 | ; R3 = R3 * 3 = (R3 << 1) + R3 | 
| SL | R3,2 | ; R3 = R3 * 4 = R3 << 2 | 
| ADDSL | R3,R3,2 | ; R3 = R3 * 5 = (R3 << 2) + R3 | 
| SL ADDSL | R3,1 R3,R3,1 | ; R3 = R3 * 6 = R3 * 2 * 3 | 
| NEG ADDSL | R1,R3 R3,R1,3 | ; R3 = R3 * 7 = (R3 << 3) - R3 | 
| SL | R3,3 | ; R3 = R3 * 8 = R3 << 3 | 
| ADDSL | R3,R3,2 | ; R3 = R3 * 9 = (R3 << 3) + R3 | 
| SL ADDSL | R3,1 R3,R3,2 | ; R3 = R3 * 10 = R3 * 2 * 3 | 
 
The Hawk ADDSL instruction allows us to multiply by a wide range
of small constants in just one or two instructions.  Multiplication by
11 takes three instructions, but there are also three instruction sequences
to multiply by all larger integers up to 38 and for many above that.
A large number of these
are documented in Chapter 10 of the Hawk CPU manual.
Exercises
e) Convert each of the three algorithms given above for multiplication by 100 into tightly coded Hawk instruciton sequences that compute R3 = R3 * 100. Rank them in order of speed! (Note that there could be a tie, and assume you can use R1 as an auxiliary register.)
f) Write hawk code to multiply R3 by 55.
g) Write hawk code to multiply R3 by 60.
h) Write hawk code to multiply R3 by 47.
i) What is the smallest constant multiplier for the Hawk that requires a 4-instruction sequence? (All the sequences given in the Hawk manual are only 3 instructions long.).
We have now covered enough ground to understand why the Hawk and a few other modern high performance 32-bit computer architectures have no hardware support for integer multiplication. The answer lies in the frequency with which application programs actually need to multiply. Large scale studies of real programs show that the vast majority of the multiply operations in most real code involve multiplication by small constants. Applications that actually need to multiply a variable times a variable are not common.
Because we have very short sequences of instructions to multiply by small constants, and because we have relatively fast subroutines for the rare occasions when it is necessary to multiply two constants, there is little advantages to a hardware implementation of multiplication.
Suppose hardware was so inexpensive that we could easily afford to dedicate thousands of gates to a fast hardware multiply unit. An important engineering question is, what are the competing uses we could make of those logic gates? Fast hardware multiplication might speed up a computation by a few percent. Can we use those gates to better effect somewhere else in the CPU? Perhaps we can use those gates to build a second CPU, potentially doubling the speed of some computations -- admittedly, only those computations that can make use of an extra CPU?
To divide one number by another using pencil and paper, we use the classical long division algorithm that most people learn in elementary school. As with the classical multiplication algorithm, this division algorithm involves building and filling in a work sheet as the computation progresses. Consider the problem of dividing 128 into 65538:
| 5 | 1 | 2 | quotient | |||||||
|  | ||||||||||
| divisor | 1 | 2 | 8 | ) | 6 | 5 | 5 | 3 | 8 | dividend | 
| - | 6 | 4 | 0 | partial product | ||||||
|  | ||||||||||
| 1 | 5 | 3 | 8 | |||||||
| - | 1 | 2 | 8 | partial product | ||||||
|  | ||||||||||
| 2 | 5 | 8 | ||||||||
| - | 2 | 5 | 6 | partial product | ||||||
|  | ||||||||||
| 2 | remainder | |||||||||
This decimal algorithm involves a series of subtractions from the dividend. The values subtracted are called partial products because they are the partial products we would add in multiplying the quotient by the divisor to recover the dividend (less the remainder). You can verify this by comparing with the multiplication problem given earlier in this chapter. Each partial products is the product of one digit of the quotient times the divisor. The hard part of learning the decimal long-division algorithm was learning to estimate the partial products. If we do our division in binary, that becomes much easier because each partial product is either zero or the divisor.
The classic way to divide one binary number by another is to shift both the quotient and the dividend left at each step instead of holding them statically and shifting the partial products rightward. We start with the 32-bit dividend in the least significant 32 bits of a 64-bit register, and after 32 shift-and-subtract steps, we end up with the remainder in the high 32 bits and the quotient in the low 32 bits. We can write this in C on a machine that supports the type int using 32 bits and long int using 64 bits:
| 
unsigned int divide( unsigned int dividend, unsigned int divisor )
{
        unsigned long int remquot = dividend;
        unsigned int remainder, quotient;
        int i;
        for (i = 0; i < 32; i++ ) {
                remquot = remquot << 1;
                if (remquot >= (divisor << 32)) {
                        remquot = (remquot - (divisor << 32)) + 1;
                }
        }
        remainder = remquot >> 32;     /* the upper 32 bits */
        quotient = remquot & 0xFFFFFFFF; /* the lower 32 bits */
        return quotient;
}
 | 
Note that this short but difficult bit of code computes both the remainder and the quotient, no matter which is actually needed. In C, it cannot easily return both, but both assembly language and hardware divide implementations usually return both the remainder and quotient.
To write equivalent Hawk code, we need a way to shift a 64-bit number one place left. Obviously, we can store the 64-bit quantity in two 32-bit registers. A secondary aspects of the Hawk shift instructions will help us shift it. On the Hawk as well as most other machines, the last bit shifted out of a register is always saved in the carry bit. Therefore, to extend a left shift operation, we need to add the carry bit into the least significant bit of the upper half of the result. There are many ways of doing this on the Hawk:
| 
        SL      R4,1            ; shift high half left first
        SL      R3,1            ; shift low half
        BCR     NOCARRY         ; if (one shifted out of low half) {
        ADDSI   R4,1            ;   add one to the high half
NOCARRY:                        ; }
 | 
| 
        SL      R4,1            ; shift high half left first
        SL      R3,1            ; shift low half
        ADDC    R4,R0           ; add the carry bit to the high half
 | 
| 
        SL      R3,1            ; shift low half left first
        ADDC    R4,R4           ; shift carry into high half
 | 
The first version above uses a conditional branch to test the carry after shifting the low half of the number, and then explicitly adds one to the high half if needed. The Hawk has a special instruction to add the carry to the sum of two registers, ADDC. The second version uses this to replace the conditional branch and incrment. Note that adding a number to itself shifts it one place, so ADDC can shift as it adds in the carry. This gives the final and fastest version. For completeness, here is a fast 64-bit right-shift:
| 
        SRU     R3,1            ; shift low half right first
        SRU     R4,1            ; shift high half second
        ADJUST  R3,CMSB         ; add carry bit to high bit of low half
 | 
These high-precision shifts give us the tools we need code a divide algorithm on the Hawk:
| 
DIVIDE:         ; link through R1
                ; R3 = dividend on entry, quotient on return
                ; R4 = unused on entry, remainder on return
                ; R5 = divisor, unchanged
                ; R6 = scratch -- used as a loop counter
                ; uses no other registers
        CLR     R4              ; remainder = 0
        LIS     R6,32           ; loopcount = 32
DIVLP:                          ; do {
        SL      R3,1            ;   quotient = quotient << 1, sets C bit
        ADDC    R4,R4           ;   remainder = (remainder << 1) + C
        CMP     R4,R5
        BLTU    DIVNO           ;   if (remainder >= divisor) {
        SUB     R4,R4,R5        ;     remainder = remainder - divisor
        ADDSI   R3,1            ;     quotient = quotient + 1;
DIVNO:                          ;   }
        ADDSI   R6,-1           ;   loopcount = loopcount - 1;
        BGT     DIVLP           ; } while (loopcount > 0)
        JUMPS   R1              ; return
 | 
Here, we have referred to the high half of our 64-bit working register as the remainder and the low half as the quotient, because that is what they eventually hold. As the code iterates, bits of the dividend are shifted out of the quotient register into the remainder before each partial product is subtracted.
It is not easy to optimize the loop body given above, but it can be improved by loop unrolling. To unroll a definite loop one step, we replicate the loop body and and halve the number of iterations. This makes a significant difference only when the loop body is very small. Here is the result, applied to the above C code:
| 
unsigned int divide( int dividend, unsigned int divisor )
{
        unsigned long int remquot = dividend;
        long int remainder, quotient;
        int i;
        for (i = 0; i < 16; i++ ) {
                remquot = remquot << 1;
                if (remquot >= (divisor << 32)) {
                        remquot = (remquot - (divisor << 32)) + 1;
                }
                remquot = remquot << 1;
                if (remquot >= (divisor << 32)) {
                        remquot = (remquot - (divisor << 32)) + 1;
                }
        }
        remainder = remquot >> 32;
        quotient = remquot & 0xFFFFFFFF;
        return quotient;
}
 | 
Unrolling the loop one step cuts the number of iterations to 16, eliminates half of the instructions used to increment and test the loop counter and half of the branch instructions back to the loop top. Unrolling the loop 4 steps would cuts the number of iterations to 8 while halving the overyead yet again. Unrolling the loop a full 32 times would entirely eliminate the loop control variable and related branch instructions at the expense large-scale duplication of the loop body.
Exercises
j) Write Hawk code for a 96-bit left shift and for a 96-bit right shift, storing the operand in registers 3, 4 and 5, least significant 32-bits first.
k) Write a new version of the Hawk division code given here with the loop body unrolled one step as in the C code given above.
The most obvious way to handle signed multiplication and division is to remember the signs of all the operands and then take their absolute values beforehand. After computing the product of the absolute values, the result should then be negated if the operands were of opposite signs. This is illustrated here for multiplication, but it is equally straightforward for division. In fact, on signed-magnitude computers, even addition had to be done done this way.
| 
int signed_multiply( int multiplier, int multiplicand )
{
        int product_negative = FALSE;
        int product;
        if (multiplier < 0) {
                multiplier = -multiplier;
                product_negative = ! product_negative;
        }
        if (multiplicand < 0) {
                multiplicand = -multiplicand;
                product_negative = ! product_negative;
        }
        product = multiply( multiplier, multiplicand );
        if (product_negative) product = -product;
        return product;
}
 | 
The only problem with this approach is that it is unnecessarily complicated! So long as we use two's complement numbers, we can take advantage of the simple place value interpretation of the binary digits of a two's complement number. For bits 0 to 30 of a 32-bit two's complement number, the weight of bit i is 2i, identical to the weight for a simple binary number. For the most significant bit, the sign bit, the weight is negated, so the weight of the sign bit is -231. This leads to the remarkable fact that, when multiplying two's complement signed integers, the final partial product should be subtracted from the result.
To use this fact, we recode our multiply algorithm to use a definite loop
instead of an indefinite loop, doing 31 multiply steps inside the loop and then
handling the partial product computed from the sign bit outside the loop,
subtracting where all the other partial products were added.
Here is an example signed multiply, coded using left shifts
for both the multiplier and the product:
 
| 
MULTIPLYS:              ; link through R1
                        ; R3 = multiplicand on entry, product on return
                        ; R4 = multiplier on entry, destroyed
                        ; R5 = temporary copy of multiplicand, destroyed
                        ; R6 = loop counter, destroyed
        MOVE    R5,R3           ; set aside multiplicand
        CLR     R3              ; product = 0
        SL      R4,1            ; multiplier = multiplier << 1, C = sign bit
        BCR     MULSEI          ; if (sign bit was 1) {
        SUB     R3,R0,R5        ;   product = product - multiplicand
MULSEI:                         ; }
        LIS     R6,31           ; loopcount = 31
MULSLP:                         ; do {
        SL      R3,1            ;   product = product << 1
        SL      R4,1            ;   multiplier = multiplier << 1; C = top bit
        BCR     MULSEIL         ;   if (top bit was 1) {
        ADD     R3,R3,R5        ;     product = product + multiplicand;
MULSEIL:                        ;   }
        ADDSI   R6,-1           ;   loopcount = loopcount - 1
        BGT     MULLP           ; } while (loopcount > 0)
        JUMPS   R1              ; return
 | 
The above code is pleasantly compact, but it can be accelerated by all of the methods we have already discussed. For example, the loop may be partially unrolled to reduce the number of iterations or completely unrolled in order to eliminate the loop counter. Consider, for example, using a 3-way unrolling, where the loop would iterate 10 times with 3 multiply steps in the loop body, and then one more multiply step outside the loop body before the final step that subtracts the multiplicand if the multiplier is negative.
Exercises
l) Write Hawk code for a naieve signed multiply routine that calls the unsigned multiply routine given previously.
m) Write C, C++ or Java code for a naieve signed divide routine that calls something akin to the unsigned divide routine given previously.
n) Modify the code for the signed multiply routine given here so that it computes the 64-bit product in registers 3 and 4. Note that this is almost an easy job! All you need to do is replace the two independent shifts of registers 3 and 4 with a single 64-bit shift!
o) Modify the code for the signed multiply routine given here to use 15 iterations where each iteration includes an unrolling of the loop.
p) Modify the code for signed multiply given here to do unsigned multiplication, and then compare it with the unsigned multiply code given previously. Which would be faster, and why?
As already noted, the Hawk architecture includes support for long shifts composed of a number of shorter 32-bit shifts. The same special support instructions that permit this are also useful for high precision addition and subtraction. Thus, if some problem requires the use of 128-bit numbers, for example, using registers 4 to 7 to hold one number and registers 8 to 11 to hold another, we can add or subtract these two numbers as follows:
| 
        ADD     R4,R4,R8        ; add least significant 32 bits first
        ADDC    R5,R9           ; 
        ADDC    R6,R10          ; 
        ADDC    R7,R11          ; add most significant 32 bits last
 | 
| 
        SUB     R4,R4,R8        ; subtract least significant 32 bits first
        SUBB    R5,R9           ; 
        SUBB    R6,R10          ; 
        SUBB    R7,R11          ; subtract most significant 32 bits last
 | 
There are two ways to build a high-precision multiply routine. One is to simply take a simple binary multiply routine and expand it, using multi-register shifts and multi-register adds. The other is to build a high-precision routine from multiple applications of a low precision routine. Given a 32-bit unsigned multiply, where ab and cd are 64-bit quantities, with a and c being the most significant half of each and b and d the least significant half, the product ab×cd is a×c×264+a×d×232+b×c×232+b×d. Each product here can be computed using 32-bit multiplies that produce 64-bit products, so only the final sum requires long add instructions. This extended precision multiply algorithm was thoroughly documented by Charles Babbage back in the 19th century, although he did it in decimal!
Exercises
q) Write Hawk code for a 128-bit right shift.
r) Write Hawk code for a 128-bit left shift.
s) Write Hawk code for a 64 bit unsigned integer multiply, producing a 128-bit product.
While binary arithmetic is easy, it is not the only alternative. Most computers built in the 1940s and 1950s used decimal, and decimal remains common today because some programming languages, notably COBOL, require it. True, COBOL is an archaic language, but millions of lines of code written in COBOL remain at the heart of the corporate management information systems of most of the major corporations in the United States, so efficient support for this language cannot be ignored. In addition, many lab instruments use decimal because their primary output is to a decimal display, and when these instruments have computer interfaces, the data is usually sent out in decimal. The internal number representations used on most pocket calculators are also decimal.
How are decimal numbers manipulated on binary computers? There are two common schemes, binary coded decimal and excess three decimal. In both, each digit is represented with 4 bits, but the coding systems differ:
| BCD | decimal | Excess 3 | ||||||||
|---|---|---|---|---|---|---|---|---|---|---|
| 0000 | 0 | 0011 | ||||||||
| 0001 | 1 | 0100 | ||||||||
| 0010 | 2 | 0101 | ||||||||
| 0011 | 3 | 0110 | ||||||||
| 0100 | 4 | 0111 | ||||||||
| 0101 | 5 | 1000 | ||||||||
| 0110 | 6 | 1001 | ||||||||
| 0111 | 7 | 1010 | ||||||||
| 1000 | 8 | 1011 | ||||||||
| 1001 | 9 | 1100 | ||||||||
 
Binary coded decimal or BCD uses the natural binary
representation for each decimal digit, while excess 3 adds
three to the simple binary value of each digit.  The reason this is
useful will become clearer in a moment, but one benefit of this
is that the excess three system is symmetric
in the sense that the numbers 5 and above are represented by the one's
complements of the numbers below 5.  This makes 10's complement representations
of signed numbers work nicely, if it is assumed that values of the
most significant decimal digit of 5 or greater represent negative numbers.
The hard part of designing a decimal adder is figuring out when to
generate a carry out of each decimal digit position.  We do this
when sum of two digits is greater than 10.  We
could construct a decimal adder directly, with circuitry to comparing
digit of the sum with 10, there is a simpler way to do this.
The trick, known since the early 1960's, is to bias the numbers so
that the simple binary carry out of each digit position is right.
We do this by adding 6 to each BCD digit of the sum, or alternatively,
by using an excess-3 representation where an extra 3 is included in
each excess-3 digit.  Of course, after
this is done, corrections must be made to the result!
Here is an example addition problem, done with 8-bit 2-digit BCD numbers:
 
| 1 | 1 | 1 | carry bits | |||||||
| 0 | 1 | 0 | 0 | 0 | 1 | 0 | 1 | addend = 45 | ||
| 0 | 1 | 0 | 0 | 0 | 1 | 1 | 0 | augend = 46 | ||
| + | 0 | 1 | 1 | 0 | 0 | 1 | 1 | 0 | sixes | |
|  | ||||||||||
| 1 | 1 | 1 | 1 | 0 | 0 | 0 | 1 | preliminary sum | ||
| - | 0 | 1 | 1 | 0 | 0 | 0 | 0 | 0 | correction | |
|  | ||||||||||
| 1 | 0 | 0 | 1 | 0 | 0 | 0 | 1 | the sum = 91 | ||
 
Here the initial sum for the decimal digits that produced a carry is correct,
but the sum for digits that did not produce a carry is off by 6.  To fix this,
we subtract 6 from the digits that did not produce a carry.
The BCD carry field in the processor status word of the Hawk
records the carry out of each decimal digit after each add instruction.
The idea is borrowed from the Intel 8080.  The only use for this field
is to support BCD and excess-3 arithmetic.
 
| 31 | 30 | 29 | 28 | 27 | 26 | 25 | 24 | 23 | 22 | 21 | 20 | 19 | 18 | 17 | 16 | 15 | 14 | 13 | 12 | 11 | 10 | 09 | 08 | 07 | 06 | 05 | 04 | 03 | 02 | 01 | 00 | 
| BCD carry | N | Z | V | C | |||||||||||||||||||||||||||
 
The BCD-carry field is used by the ADJUST instruction
to perform the appropriate adjustment after the preliminary ADD
instruction to complete the BCD or excess-3 sum, as illustrated here:
| ; precondition: R3 and R4 contain BCD numbers LIW R5,#66666666 ADD R5,R5,R3 ; correct addend by sixes ADD R5,R5,R4 ; produce preliminary sum ADJUST R5,BCD ; correct the result using the BCD carry bits ; postcondition: R5 = R3 + R4, the BCD sum | 
| ; precondition: R3 and R4 contain excess-3 numbers ADD R5,R3,R4 ; produce preliminary sum ADJUST R5,EX3 ; correct the result using the BCD carry bits ; postcondition: R5 = R3 + R4, the excess-3 sum | 
Here, the advantage of excess-3 should be clear! With BCD, we must keep the constant 6666666616 in a register, and we must always add this constant to one of our operands before each addition. With excess 3, because the extra 6 is incorporated into the values before addition, all we need to do is make a slightly more complex correction after each sum.
Exercises
t) Write Hawk code to take the 10's complement of a BCD number and then explain how to detect if the result is positive or negative.
u) Write Hawk code to take the 10's complement of an excess-3 number and then explain how to detect if the result is positive or negative.
v) Write Hawk code to convert from excess 3 to BCD and from BCD to excess 3.
w) What value is added to or subtracted from each decimal digit by the ADJUST ...,EX3 instruction? You may have to work a few examples to figure this out.
Floating point arithmetic is a common feature of modern computers, but it was not obvious, at the start of the computer age, that there was any need for it. John Von Neumann is reputed to have said "a good programmer should be able to keep the point in his head," when someone asked him about the value of floating point hardware. How do you keep the point in your head? The answer is remarkably easy. You do arithmetic using integers, but instead of counting, say, integer numbers of inches, you count integer numbers of fractional inches. If you are working in base 10, you might work in hundredths of an inch. If you are working in binary, you might use 128ths of an inch.
32-bit binary numbers represented as integer counts of 128ths of an inch can be thought of as follows:
| 24 | 23 | 22 | 21 | 20 | 19 | 18 | 14 | 16 | 15 | 14 | 13 | 12 | 11 | 10 | 09 | 08 | 07 | 06 | 05 | 04 | 03 | 02 | 01 | 00 | -1 | -2 | -3 | -4 | -5 | -6 | -7 | 
| Integer part | Fraction | ||||||||||||||||||||||||||||||
The bits of the fixed point fraction given above have been renumbered, so instead of considering the most significant bit to be bit 31, it is bit 24, and instead of considering the least significant bit to be bit 0, it is bit -7. This is because the least significant bit has the weight 2-7 in the place-value system, or 1/128, and the most significant bit has the value 224. We always number the bits so that the one's place is numbered 0. When we write a number on paper, this is exactly what the point signifies. That is why we avoid the use of the term decimal point here, because the point does not in any way depend on the number base -- in any number base, however, it marks the one's place, or the dividing line between the integer part of the number and the fractional part.
Consider the binary number 0.1000000; this is 1/2 or 64/128. Similarly, 0.0100000 is 1/4 or 32/128 in the fixed point number system outlined above. If we want to represent 0.110, we cannot do it exactly in this system; the closest we can come are 0.0001100, which is 12/128 or 0.9375, on the low side, and 0.0001101, which is 13/128 or 0.1015625, on the high side. The fundamental problem we face is that there is no exact representation of one tenth in binary, just as there is no exact representation of 1/3 in decimal. All we can hope for is a good approximation.
The rules for dealing with binary fixed point arithmetic are exactly the familiar rules for dealing with decimal fractions. When adding or subtracting two fixed-point numbers, first shift them to align the points, and then add or subtract. When multiplying, first multiply and then count off the digits left of the point on the multiplier and multiplicand and then count off the sum of these to determine where the point goes in the product.
A C programmer using the fixed point number represeentation here would do arithmetic as follows:
| int a, b, c; /* fixed point, with 7 places right of the point */ int d; /* fixed point, with 14 places right of the point */ /* all variables have the point in the same place, easy? */ a = b + c; /* no shifts needed */ a = b - c; /* no shifts needed */ a = (b * c) >> 7; /* product had 14 places left of the point */ /* variables with point in different places */ d = (a + b) << 7; /* shift result to fit */ a = (d >> 7) - b; /* align points before subtract */ d = b * c; /* luck! product has right number of places */ | 
Unfortunately, languages like C and Java provide no help to the programmer when doing fixed point arithmetic. Thus, it is up to the programmer to remember to shift all constants appropriately, or to code them with the correct built-in bias, and it is up to the programmer to remember to shift operands left or right as needed. This is something that John Von Neumann thought programmers could do in their heads, but it was clear by the early 1960's that programmers had real difficulty doing this. Floating point hardware or software eliminates the need for this.
Exercises
x) Given that the divisor and the dividend have points in the same place, where is the point in the quotient? Where is the point in the remainder? For a concrete example, consider the possibility that both divisor and dividend have 7 places after the point.
y) Give Hawk code to split a 2's complement fixed-point number given in register 3 into its integer part, in register 3, and its fractional part, in register 4. The initial number should have 7 places after the point. The fractional part of the result will have one bit for the sign and 31 bits after the point.