]> git.sur5r.net Git - cc65/blob - src/cc65/codeseg.c
4ae945fd62fce5b70832e83036cf8882901de48c
[cc65] / src / cc65 / codeseg.c
1 /*****************************************************************************/
2 /*                                                                           */
3 /*                                 codeseg.c                                 */
4 /*                                                                           */
5 /*                          Code segment structure                           */
6 /*                                                                           */
7 /*                                                                           */
8 /*                                                                           */
9 /* (C) 2001-2004 Ullrich von Bassewitz                                       */
10 /*               Römerstrasse 52                                             */
11 /*               D-70794 Filderstadt                                         */
12 /* EMail:        uz@cc65.org                                                 */
13 /*                                                                           */
14 /*                                                                           */
15 /* This software is provided 'as-is', without any expressed or implied       */
16 /* warranty.  In no event will the authors be held liable for any damages    */
17 /* arising from the use of this software.                                    */
18 /*                                                                           */
19 /* Permission is granted to anyone to use this software for any purpose,     */
20 /* including commercial applications, and to alter it and redistribute it    */
21 /* freely, subject to the following restrictions:                            */
22 /*                                                                           */
23 /* 1. The origin of this software must not be misrepresented; you must not   */
24 /*    claim that you wrote the original software. If you use this software   */
25 /*    in a product, an acknowledgment in the product documentation would be  */
26 /*    appreciated but is not required.                                       */
27 /* 2. Altered source versions must be plainly marked as such, and must not   */
28 /*    be misrepresented as being the original software.                      */
29 /* 3. This notice may not be removed or altered from any source              */
30 /*    distribution.                                                          */
31 /*                                                                           */
32 /*****************************************************************************/
33
34
35
36 #include <string.h>
37 #include <ctype.h>
38
39 /* common */
40 #include "chartype.h"
41 #include "check.h"
42 #include "debugflag.h"
43 #include "global.h"
44 #include "hashstr.h"
45 #include "strutil.h"
46 #include "xmalloc.h"
47 #include "xsprintf.h"
48
49 /* cc65 */
50 #include "asmlabel.h"
51 #include "codeent.h"
52 #include "codeinfo.h"
53 #include "codeseg.h"
54 #include "datatype.h"
55 #include "error.h"
56 #include "global.h"
57 #include "ident.h"
58 #include "symentry.h"
59
60
61
62 /*****************************************************************************/
63 /*                             Helper functions                              */
64 /*****************************************************************************/
65
66
67
68 static void CS_PrintFunctionHeader (const CodeSeg* S, FILE* F)
69 /* Print a comment with the function signature to the given file */
70 {
71     /* Get the associated function */
72     const SymEntry* Func = S->Func;
73
74     /* If this is a global code segment, do nothing */
75     if (Func) {
76         fprintf (F,
77                  "; ---------------------------------------------------------------\n"
78                  "; ");
79         PrintFuncSig (F, Func->Name, Func->Type);
80         fprintf (F,
81                  "\n"
82                  "; ---------------------------------------------------------------\n"
83                  "\n");
84     }
85 }
86
87
88
89 static void CS_MoveLabelsToEntry (CodeSeg* S, CodeEntry* E)
90 /* Move all labels from the label pool to the given entry and remove them
91  * from the pool.
92  */
93 {
94     /* Transfer the labels if we have any */
95     unsigned I;
96     unsigned LabelCount = CollCount (&S->Labels);
97     for (I = 0; I < LabelCount; ++I) {
98
99         /* Get the label */
100         CodeLabel* L = CollAt (&S->Labels, I);
101
102         /* Attach it to the entry */
103         CE_AttachLabel (E, L);
104     }
105
106     /* Delete the transfered labels */
107     CollDeleteAll (&S->Labels);
108 }
109
110
111
112 static void CS_MoveLabelsToPool (CodeSeg* S, CodeEntry* E)
113 /* Move the labels of the code entry E to the label pool of the code segment */
114 {
115     unsigned LabelCount = CE_GetLabelCount (E);
116     while (LabelCount--) {
117         CodeLabel* L = CE_GetLabel (E, LabelCount);
118         L->Owner = 0;
119         CollAppend (&S->Labels, L);
120     }
121     CollDeleteAll (&E->Labels);
122 }
123
124
125
126 static CodeLabel* CS_FindLabel (CodeSeg* S, const char* Name, unsigned Hash)
127 /* Find the label with the given name. Return the label or NULL if not found */
128 {
129     /* Get the first hash chain entry */
130     CodeLabel* L = S->LabelHash[Hash];
131
132     /* Search the list */
133     while (L) {
134         if (strcmp (Name, L->Name) == 0) {
135             /* Found */
136             break;
137         }
138         L = L->Next;
139     }
140     return L;
141 }
142
143
144
145 static CodeLabel* CS_NewCodeLabel (CodeSeg* S, const char* Name, unsigned Hash)
146 /* Create a new label and insert it into the label hash table */
147 {
148     /* Create a new label */
149     CodeLabel* L = NewCodeLabel (Name, Hash);
150
151     /* Enter the label into the hash table */
152     L->Next = S->LabelHash[L->Hash];
153     S->LabelHash[L->Hash] = L;
154
155     /* Return the new label */
156     return L;
157 }
158
159
160
161 static void CS_RemoveLabelFromHash (CodeSeg* S, CodeLabel* L)
162 /* Remove the given code label from the hash list */
163 {
164     /* Get the first entry in the hash chain */
165     CodeLabel* List = S->LabelHash[L->Hash];
166     CHECK (List != 0);
167
168     /* First, remove the label from the hash chain */
169     if (List == L) {
170         /* First entry in hash chain */
171         S->LabelHash[L->Hash] = L->Next;
172     } else {
173         /* Must search through the chain */
174         while (List->Next != L) {
175             /* If we've reached the end of the chain, something is *really* wrong */
176             CHECK (List->Next != 0);
177             /* Next entry */
178             List = List->Next;
179         }
180         /* The next entry is the one, we have been searching for */
181         List->Next = L->Next;
182     }
183 }
184
185
186
187 /*****************************************************************************/
188 /*                    Functions for parsing instructions                     */
189 /*****************************************************************************/
190
191
192
193 static const char* SkipSpace (const char* S)
194 /* Skip white space and return an updated pointer */
195 {
196     while (IsSpace (*S)) {
197         ++S;
198     }
199     return S;
200 }
201
202
203
204 static const char* ReadToken (const char* L, const char* Term,
205                               char* Buf, unsigned BufSize)
206 /* Read the next token into Buf, return the updated line pointer. The
207  * token is terminated by one of the characters given in term.
208  */
209 {
210     /* Read/copy the token */
211     unsigned I = 0;
212     unsigned ParenCount = 0;
213     while (*L && (ParenCount > 0 || strchr (Term, *L) == 0)) {
214         if (I < BufSize-1) {
215             Buf[I] = *L;
216         } else if (I == BufSize-1) {
217             /* Cannot store this character, this is an input error (maybe
218              * identifier too long or similar).
219              */
220             Error ("ASM code error: syntax error");
221         }
222         ++I;
223         if (*L == ')') {
224             --ParenCount;
225         } else if (*L == '(') {
226             ++ParenCount;
227         }
228         ++L;
229     }
230
231     /* Terminate the buffer contents */
232     Buf[I] = '\0';
233
234     /* Return the updated line pointer */
235     return L;
236 }
237
238
239
240 static CodeEntry* ParseInsn (CodeSeg* S, LineInfo* LI, const char* L)
241 /* Parse an instruction nnd generate a code entry from it. If the line contains
242  * errors, output an error message and return NULL.
243  * For simplicity, we don't accept the broad range of input a "real" assembler
244  * does. The instruction and the argument are expected to be separated by
245  * white space, for example.
246  */
247 {
248     char                Mnemo[IDENTSIZE+10];
249     const OPCDesc*      OPC;
250     am_t                AM = 0;         /* Initialize to keep gcc silent */
251     char                Arg[IDENTSIZE+10];
252     char                Reg;
253     CodeEntry*          E;
254     CodeLabel*          Label;
255
256     /* Read the first token and skip white space after it */
257     L = SkipSpace (ReadToken (L, " \t:", Mnemo, sizeof (Mnemo)));
258
259     /* Check if we have a label */
260     if (*L == ':') {
261
262         /* Skip the colon and following white space */
263         L = SkipSpace (L+1);
264
265         /* Add the label */
266         CS_AddLabel (S, Mnemo);
267
268         /* If we have reached end of line, bail out, otherwise a mnemonic
269          * may follow.
270          */
271         if (*L == '\0') {
272             return 0;
273         }
274
275         L = SkipSpace (ReadToken (L, " \t", Mnemo, sizeof (Mnemo)));
276     }
277
278     /* Try to find the opcode description for the mnemonic */
279     OPC = FindOP65 (Mnemo);
280
281     /* If we didn't find the opcode, print an error and bail out */
282     if (OPC == 0) {
283         Error ("ASM code error: %s is not a valid mnemonic", Mnemo);
284         return 0;
285     }
286
287     /* Get the addressing mode */
288     Arg[0] = '\0';
289     switch (*L) {
290
291         case '\0':
292             /* Implicit or accu */
293             if (OPC->Info & OF_NOIMP) {
294                 AM = AM65_ACC;
295             } else {
296                 AM = AM65_IMP;
297             }
298             break;
299
300         case '#':
301             /* Immidiate */
302             StrCopy (Arg, sizeof (Arg), L+1);
303             AM = AM65_IMM;
304             break;
305
306         case '(':
307             /* Indirect */
308             L = ReadToken (L+1, ",)", Arg, sizeof (Arg));
309
310             /* Check for errors */
311             if (*L == '\0') {
312                 Error ("ASM code error: syntax error");
313                 return 0;
314             }
315
316             /* Check the different indirect modes */
317             if (*L == ',') {
318                 /* Expect zp x indirect */
319                 L = SkipSpace (L+1);
320                 if (toupper (*L) != 'X') {
321                     Error ("ASM code error: `X' expected");
322                     return 0;
323                 }
324                 L = SkipSpace (L+1);
325                 if (*L != ')') {
326                     Error ("ASM code error: `)' expected");
327                     return 0;
328                 }
329                 L = SkipSpace (L+1);
330                 if (*L != '\0') {
331                     Error ("ASM code error: syntax error");
332                     return 0;
333                 }
334                 AM = AM65_ZPX_IND;
335             } else if (*L == ')') {
336                 /* zp indirect or zp indirect, y */
337                 L = SkipSpace (L+1);
338                 if (*L == ',') {
339                     L = SkipSpace (L+1);
340                     if (toupper (*L) != 'Y') {
341                         Error ("ASM code error: `Y' expected");
342                         return 0;
343                     }
344                     L = SkipSpace (L+1);
345                     if (*L != '\0') {
346                         Error ("ASM code error: syntax error");
347                         return 0;
348                     }
349                     AM = AM65_ZP_INDY;
350                 } else if (*L == '\0') {
351                     AM = AM65_ZP_IND;
352                 } else {
353                     Error ("ASM code error: syntax error");
354                     return 0;
355                 }
356             }
357             break;
358
359         case 'a':
360         case 'A':
361             /* Accumulator? */
362             if (L[1] == '\0') {
363                 AM = AM65_ACC;
364                 break;
365             }
366             /* FALLTHROUGH */
367
368         default:
369             /* Absolute, maybe indexed */
370             L = ReadToken (L, ",", Arg, sizeof (Arg));
371             if (*L == '\0') {
372                 /* Absolute, zeropage or branch */
373                 if ((OPC->Info & OF_BRA) != 0) {
374                     /* Branch */
375                     AM = AM65_BRA;
376                 } else if (GetZPInfo(Arg) != 0) {
377                     AM = AM65_ZP;
378                 } else {
379                     AM = AM65_ABS;
380                 }
381             } else if (*L == ',') {
382                 /* Indexed */
383                 L = SkipSpace (L+1);
384                 if (*L == '\0') {
385                     Error ("ASM code error: syntax error");
386                     return 0;
387                 } else {
388                     Reg = toupper (*L);
389                     L = SkipSpace (L+1);
390                     if (Reg == 'X') {
391                         if (GetZPInfo(Arg) != 0) {
392                             AM = AM65_ZPX;
393                         } else {
394                             AM = AM65_ABSX;
395                         }
396                     } else if (Reg == 'Y') {
397                         AM = AM65_ABSY;
398                     } else {
399                         Error ("ASM code error: syntax error");
400                         return 0;
401                     }
402                     if (*L != '\0') {
403                         Error ("ASM code error: syntax error");
404                         return 0;
405                     }
406                 }
407             }
408             break;
409
410     }
411
412     /* If the instruction is a branch, check for the label and generate it
413      * if it does not exist. This may lead to unused labels (if the label
414      * is actually an external one) which are removed by the CS_MergeLabels
415      * function later.
416      */
417     Label = 0;
418     if (AM == AM65_BRA) {
419
420         /* Generate the hash over the label, then search for the label */
421         unsigned Hash = HashStr (Arg) % CS_LABEL_HASH_SIZE;
422         Label = CS_FindLabel (S, Arg, Hash);
423
424         /* If we don't have the label, it's a forward ref - create it */
425         if (Label == 0) {
426             /* Generate a new label */
427             Label = CS_NewCodeLabel (S, Arg, Hash);
428         }
429     }
430
431     /* We do now have the addressing mode in AM. Allocate a new CodeEntry
432      * structure and initialize it.
433      */
434     E = NewCodeEntry (OPC->OPC, AM, Arg, Label, LI);
435
436     /* Return the new code entry */
437     return E;
438 }
439
440
441
442 /*****************************************************************************/
443 /*                                   Code                                    */
444 /*****************************************************************************/
445
446
447
448 CodeSeg* NewCodeSeg (const char* SegName, SymEntry* Func)
449 /* Create a new code segment, initialize and return it */
450 {
451     unsigned I;
452     const type* RetType;
453
454     /* Allocate memory */
455     CodeSeg* S = xmalloc (sizeof (CodeSeg));
456
457     /* Initialize the fields */
458     S->SegName  = xstrdup (SegName);
459     S->Func     = Func;
460     InitCollection (&S->Entries);
461     InitCollection (&S->Labels);
462     for (I = 0; I < sizeof(S->LabelHash) / sizeof(S->LabelHash[0]); ++I) {
463         S->LabelHash[I] = 0;
464     }
465
466     /* If we have a function given, get the return type of the function.
467      * Assume ANY return type besides void will use the A and X registers.
468      */
469     if (S->Func && !IsTypeVoid ((RetType = GetFuncReturn (Func->Type)))) {
470         if (SizeOf (RetType) == SizeOf (type_long)) {
471             S->ExitRegs = REG_EAX;
472         } else {
473             S->ExitRegs = REG_AX;
474         }
475     } else {
476         S->ExitRegs = REG_NONE;
477     }
478
479     /* Copy the global optimization settings */
480     S->Optimize       = (unsigned char) IS_Get (&Optimize);
481     S->CodeSizeFactor = (unsigned) IS_Get (&CodeSizeFactor);
482
483     /* Return the new struct */
484     return S;
485 }
486
487
488
489 void CS_AddEntry (CodeSeg* S, struct CodeEntry* E)
490 /* Add an entry to the given code segment */
491 {
492     /* Transfer the labels if we have any */
493     CS_MoveLabelsToEntry (S, E);
494
495     /* Add the entry to the list of code entries in this segment */
496     CollAppend (&S->Entries, E);
497 }
498
499
500
501 void CS_AddVLine (CodeSeg* S, LineInfo* LI, const char* Format, va_list ap)
502 /* Add a line to the given code segment */
503 {
504     const char* L;
505     CodeEntry*  E;
506     char        Token[IDENTSIZE+10];
507
508     /* Format the line */
509     char Buf [256];
510     xvsprintf (Buf, sizeof (Buf), Format, ap);
511
512     /* Skip whitespace */
513     L = SkipSpace (Buf);
514
515     /* Check which type of instruction we have */
516     E = 0;      /* Assume no insn created */
517     switch (*L) {
518
519         case '\0':
520             /* Empty line, just ignore it */
521             break;
522
523         case ';':
524             /* Comment or hint, ignore it for now */
525             break;
526
527         case '.':
528             /* Control instruction */
529             ReadToken (L, " \t", Token, sizeof (Token));
530             Error ("ASM code error: Pseudo instruction `%s' not supported", Token);
531             break;
532
533         default:
534             E = ParseInsn (S, LI, L);
535             break;
536     }
537
538     /* If we have a code entry, transfer the labels and insert it */
539     if (E) {
540         CS_AddEntry (S, E);
541     }
542 }
543
544
545
546 void CS_AddLine (CodeSeg* S, LineInfo* LI, const char* Format, ...)
547 /* Add a line to the given code segment */
548 {
549     va_list ap;
550     va_start (ap, Format);
551     CS_AddVLine (S, LI, Format, ap);
552     va_end (ap);
553 }
554
555
556
557 void CS_InsertEntry (CodeSeg* S, struct CodeEntry* E, unsigned Index)
558 /* Insert the code entry at the index given. Following code entries will be
559  * moved to slots with higher indices.
560  */
561 {
562     /* Insert the entry into the collection */
563     CollInsert (&S->Entries, E, Index);
564 }
565
566
567
568 void CS_DelEntry (CodeSeg* S, unsigned Index)
569 /* Delete an entry from the code segment. This includes moving any associated
570  * labels, removing references to labels and even removing the referenced labels
571  * if the reference count drops to zero.
572  * Note: Labels are moved forward if possible, that is, they are moved to the
573  * next insn (not the preceeding one).
574  */
575 {
576     /* Get the code entry for the given index */
577     CodeEntry* E = CS_GetEntry (S, Index);
578
579     /* If the entry has a labels, we have to move this label to the next insn.
580      * If there is no next insn, move the label into the code segement label
581      * pool. The operation is further complicated by the fact that the next
582      * insn may already have a label. In that case change all reference to
583      * this label and delete the label instead of moving it.
584      */
585     unsigned Count = CE_GetLabelCount (E);
586     if (Count > 0) {
587
588         /* The instruction has labels attached. Check if there is a next
589          * instruction.
590          */
591         if (Index == CS_GetEntryCount (S)-1) {
592
593             /* No next instruction, move to the codeseg label pool */
594             CS_MoveLabelsToPool (S, E);
595
596         } else {
597
598             /* There is a next insn, get it */
599             CodeEntry* N = CS_GetEntry (S, Index+1);
600
601             /* Move labels to the next entry */
602             CS_MoveLabels (S, E, N);
603
604         }
605     }
606
607     /* If this insn references a label, remove the reference. And, if the
608      * the reference count for this label drops to zero, remove this label.
609      */
610     if (E->JumpTo) {
611         /* Remove the reference */
612         CS_RemoveLabelRef (S, E);
613     }
614
615     /* Delete the pointer to the insn */
616     CollDelete (&S->Entries, Index);
617
618     /* Delete the instruction itself */
619     FreeCodeEntry (E);
620 }
621
622
623
624 void CS_DelEntries (CodeSeg* S, unsigned Start, unsigned Count)
625 /* Delete a range of code entries. This includes removing references to labels,
626  * labels attached to the entries and so on.
627  */
628 {
629     /* Start deleting the entries from the rear, because this involves less
630      * memory moving.
631      */
632     while (Count--) {
633         CS_DelEntry (S, Start + Count);
634     }
635 }
636
637
638
639 void CS_MoveEntries (CodeSeg* S, unsigned Start, unsigned Count, unsigned NewPos)
640 /* Move a range of entries from one position to another. Start is the index
641  * of the first entry to move, Count is the number of entries and NewPos is
642  * the index of the target entry. The entry with the index Start will later
643  * have the index NewPos. All entries with indices NewPos and above are
644  * moved to higher indices. If the code block is moved to the end of the
645  * current code, and if pending labels exist, these labels will get attached
646  * to the first instruction of the moved block (the first one after the
647  * current code end)
648  */
649 {
650     /* If NewPos is at the end of the code segment, move any labels from the
651      * label pool to the first instruction of the moved range.
652      */
653     if (NewPos == CS_GetEntryCount (S)) {
654         CS_MoveLabelsToEntry (S, CS_GetEntry (S, Start));
655     }
656
657     /* Move the code block to the destination */
658     CollMoveMultiple (&S->Entries, Start, Count, NewPos);
659 }
660
661
662
663 struct CodeEntry* CS_GetPrevEntry (CodeSeg* S, unsigned Index)
664 /* Get the code entry preceeding the one with the index Index. If there is no
665  * preceeding code entry, return NULL.
666  */
667 {
668     if (Index == 0) {
669         /* This is the first entry */
670         return 0;
671     } else {
672         /* Previous entry available */
673         return CollAtUnchecked (&S->Entries, Index-1);
674     }
675 }
676
677
678
679 struct CodeEntry* CS_GetNextEntry (CodeSeg* S, unsigned Index)
680 /* Get the code entry following the one with the index Index. If there is no
681  * following code entry, return NULL.
682  */
683 {
684     if (Index >= CollCount (&S->Entries)-1) {
685         /* This is the last entry */
686         return 0;
687     } else {
688         /* Code entries left */
689         return CollAtUnchecked (&S->Entries, Index+1);
690     }
691 }
692
693
694
695 int CS_GetEntries (CodeSeg* S, struct CodeEntry** List,
696                    unsigned Start, unsigned Count)
697 /* Get Count code entries into List starting at index start. Return true if
698  * we got the lines, return false if not enough lines were available.
699  */
700 {
701     /* Check if enough entries are available */
702     if (Start + Count > CollCount (&S->Entries)) {
703         return 0;
704     }
705
706     /* Copy the entries */
707     while (Count--) {
708         *List++ = CollAtUnchecked (&S->Entries, Start++);
709     }
710
711     /* We have the entries */
712     return 1;
713 }
714
715
716
717 unsigned CS_GetEntryIndex (CodeSeg* S, struct CodeEntry* E)
718 /* Return the index of a code entry */
719 {
720     int Index = CollIndex (&S->Entries, E);
721     CHECK (Index >= 0);
722     return Index;
723 }
724
725
726
727 int CS_RangeHasLabel (CodeSeg* S, unsigned Start, unsigned Count)
728 /* Return true if any of the code entries in the given range has a label
729  * attached. If the code segment does not span the given range, check the
730  * possible span instead.
731  */
732 {
733     unsigned EntryCount = CS_GetEntryCount(S);
734
735     /* Adjust count. We expect at least Start to be valid. */
736     CHECK (Start < EntryCount);
737     if (Start + Count > EntryCount) {
738         Count = EntryCount - Start;
739     }
740
741     /* Check each entry. Since we have validated the index above, we may
742      * use the unchecked access function in the loop which is faster.
743      */
744     while (Count--) {
745         const CodeEntry* E = CollAtUnchecked (&S->Entries, Start++);
746         if (CE_HasLabel (E)) {
747             return 1;
748         }
749     }
750
751     /* No label in the complete range */
752     return 0;
753 }
754
755
756
757 CodeLabel* CS_AddLabel (CodeSeg* S, const char* Name)
758 /* Add a code label for the next instruction to follow */
759 {
760     /* Calculate the hash from the name */
761     unsigned Hash = HashStr (Name) % CS_LABEL_HASH_SIZE;
762
763     /* Try to find the code label if it does already exist */
764     CodeLabel* L = CS_FindLabel (S, Name, Hash);
765
766     /* Did we find it? */
767     if (L) {
768         /* We found it - be sure it does not already have an owner */
769         if (L->Owner) {
770             Error ("ASM label `%s' is already defined", Name);
771             return L;
772         }
773     } else {
774         /* Not found - create a new one */
775         L = CS_NewCodeLabel (S, Name, Hash);
776     }
777
778     /* Safety. This call is quite costly, but safety is better */
779     if (CollIndex (&S->Labels, L) >= 0) {
780         Error ("ASM label `%s' is already defined", Name);
781         return L;
782     }
783
784     /* We do now have a valid label. Remember it for later */
785     CollAppend (&S->Labels, L);
786
787     /* Return the label */
788     return L;
789 }
790
791
792
793 CodeLabel* CS_GenLabel (CodeSeg* S, struct CodeEntry* E)
794 /* If the code entry E does already have a label, return it. Otherwise
795  * create a new label, attach it to E and return it.
796  */
797 {
798     CodeLabel* L;
799
800     if (CE_HasLabel (E)) {
801
802         /* Get the label from this entry */
803         L = CE_GetLabel (E, 0);
804
805     } else {
806
807         /* Get a new name */
808         const char* Name = LocalLabelName (GetLocalLabel ());
809
810         /* Generate the hash over the name */
811         unsigned Hash = HashStr (Name) % CS_LABEL_HASH_SIZE;
812
813         /* Create a new label */
814         L = CS_NewCodeLabel (S, Name, Hash);
815
816         /* Attach this label to the code entry */
817         CE_AttachLabel (E, L);
818
819     }
820
821     /* Return the label */
822     return L;
823 }
824
825
826
827 void CS_DelLabel (CodeSeg* S, CodeLabel* L)
828 /* Remove references from this label and delete it. */
829 {
830     unsigned Count, I;
831
832     /* First, remove the label from the hash chain */
833     CS_RemoveLabelFromHash (S, L);
834
835     /* Remove references from insns jumping to this label */
836     Count = CollCount (&L->JumpFrom);
837     for (I = 0; I < Count; ++I) {
838         /* Get the insn referencing this label */
839         CodeEntry* E = CollAt (&L->JumpFrom, I);
840         /* Remove the reference */
841         CE_ClearJumpTo (E);
842     }
843     CollDeleteAll (&L->JumpFrom);
844
845     /* Remove the reference to the owning instruction if it has one. The
846      * function may be called for a label without an owner when deleting
847      * unfinished parts of the code. This is unfortunate since it allows
848      * errors to slip through.
849      */
850     if (L->Owner) {
851         CollDeleteItem (&L->Owner->Labels, L);
852     }
853
854     /* All references removed, delete the label itself */
855     FreeCodeLabel (L);
856 }
857
858
859
860 void CS_MergeLabels (CodeSeg* S)
861 /* Merge code labels. That means: For each instruction, remove all labels but
862  * one and adjust references accordingly.
863  */
864 {
865     unsigned I;
866     unsigned J;
867
868     /* First, remove all labels from the label symbol table that don't have an
869      * owner (this means that they are actually external labels but we didn't
870      * know that previously since they may have also been forward references).
871      */
872     for (I = 0; I < CS_LABEL_HASH_SIZE; ++I) {
873
874         /* Get the first label in this hash chain */
875         CodeLabel** L = &S->LabelHash[I];
876         while (*L) {
877             if ((*L)->Owner == 0) {
878
879                 /* The label does not have an owner, remove it from the chain */
880                 CodeLabel* X = *L;
881                 *L = X->Next;
882
883                 /* Cleanup any entries jumping to this label */
884                 for (J = 0; J < CL_GetRefCount (X); ++J) {
885                     /* Get the entry referencing this label */
886                     CodeEntry* E = CL_GetRef (X, J);
887                     /* And remove the reference. Do NOT call CE_ClearJumpTo
888                      * here, because this will also clear the label name,
889                      * which is not what we want.
890                      */
891                     E->JumpTo = 0;
892                 }
893
894                 /* Print some debugging output */
895                 if (Debug) {
896                     printf ("Removing unused global label `%s'", X->Name);
897                 }
898
899                 /* And free the label */
900                 FreeCodeLabel (X);
901             } else {
902                 /* Label is owned, point to next code label pointer */
903                 L = &((*L)->Next);
904             }
905         }
906     }
907
908     /* Walk over all code entries */
909     for (I = 0; I < CS_GetEntryCount (S); ++I) {
910
911         CodeLabel* RefLab;
912         unsigned   J;
913
914         /* Get a pointer to the next entry */
915         CodeEntry* E = CS_GetEntry (S, I);
916
917         /* If this entry has zero labels, continue with the next one */
918         unsigned LabelCount = CE_GetLabelCount (E);
919         if (LabelCount == 0) {
920             continue;
921         }
922
923         /* We have at least one label. Use the first one as reference label. */
924         RefLab = CE_GetLabel (E, 0);
925
926         /* Walk through the remaining labels and change references to these
927          * labels to a reference to the one and only label. Delete the labels
928          * that are no longer used. To increase performance, walk backwards
929          * through the list.
930          */
931         for (J = LabelCount-1; J >= 1; --J) {
932
933             /* Get the next label */
934             CodeLabel* L = CE_GetLabel (E, J);
935
936             /* Move all references from this label to the reference label */
937             CL_MoveRefs (L, RefLab);
938
939             /* Remove the label completely. */
940             CS_DelLabel (S, L);
941         }
942
943         /* The reference label is the only remaining label. Check if there
944          * are any references to this label, and delete it if this is not
945          * the case.
946          */
947         if (CollCount (&RefLab->JumpFrom) == 0) {
948             /* Delete the label */
949             CS_DelLabel (S, RefLab);
950         }
951     }
952 }
953
954
955
956 void CS_MoveLabels (CodeSeg* S, struct CodeEntry* Old, struct CodeEntry* New)
957 /* Move all labels from Old to New. The routine will move the labels itself
958  * if New does not have any labels, and move references if there is at least
959  * a label for new. If references are moved, the old label is deleted
960  * afterwards.
961  */
962 {
963     /* Get the number of labels to move */
964     unsigned OldLabelCount = CE_GetLabelCount (Old);
965
966     /* Does the new entry have itself a label? */
967     if (CE_HasLabel (New)) {
968
969         /* The new entry does already have a label - move references */
970         CodeLabel* NewLabel = CE_GetLabel (New, 0);
971         while (OldLabelCount--) {
972
973             /* Get the next label */
974             CodeLabel* OldLabel = CE_GetLabel (Old, OldLabelCount);
975
976             /* Move references */
977             CL_MoveRefs (OldLabel, NewLabel);
978
979             /* Delete the label */
980             CS_DelLabel (S, OldLabel);
981
982         }
983
984     } else {
985
986         /* The new entry does not have a label, just move them */
987         while (OldLabelCount--) {
988
989             /* Move the label to the new entry */
990             CE_MoveLabel (CE_GetLabel (Old, OldLabelCount), New);
991
992         }
993
994     }
995 }
996
997
998
999 void CS_RemoveLabelRef (CodeSeg* S, struct CodeEntry* E)
1000 /* Remove the reference between E and the label it jumps to. The reference
1001  * will be removed on both sides and E->JumpTo will be 0 after that. If
1002  * the reference was the only one for the label, the label will get
1003  * deleted.
1004  */
1005 {
1006     /* Get a pointer to the label and make sure it exists */
1007     CodeLabel* L = E->JumpTo;
1008     CHECK (L != 0);
1009
1010     /* Delete the entry from the label */
1011     CollDeleteItem (&L->JumpFrom, E);
1012
1013     /* The entry jumps no longer to L */
1014     CE_ClearJumpTo (E);
1015
1016     /* If there are no more references, delete the label */
1017     if (CollCount (&L->JumpFrom) == 0) {
1018         CS_DelLabel (S, L);
1019     }
1020 }
1021
1022
1023
1024 void CS_MoveLabelRef (CodeSeg* S, struct CodeEntry* E, CodeLabel* L)
1025 /* Change the reference of E to L instead of the current one. If this
1026  * was the only reference to the old label, the old label will get
1027  * deleted.
1028  */
1029 {
1030     /* Get the old label */
1031     CodeLabel* OldLabel = E->JumpTo;
1032
1033     /* Be sure that code entry references a label */
1034     PRECONDITION (OldLabel != 0);
1035
1036     /* Remove the reference to our label */
1037     CS_RemoveLabelRef (S, E);
1038
1039     /* Use the new label */
1040     CL_AddRef (L, E);
1041 }
1042
1043
1044
1045 void CS_DelCodeAfter (CodeSeg* S, unsigned Last)
1046 /* Delete all entries including the given one */
1047 {
1048     /* Get the number of entries in this segment */
1049     unsigned Count = CS_GetEntryCount (S);
1050
1051     /* First pass: Delete all references to labels. If the reference count
1052      * for a label drops to zero, delete it.
1053      */
1054     unsigned C = Count;
1055     while (Last < C--) {
1056
1057         /* Get the next entry */
1058         CodeEntry* E = CS_GetEntry (S, C);
1059
1060         /* Check if this entry has a label reference */
1061         if (E->JumpTo) {
1062             /* If the label is a label in the label pool and this is the last
1063              * reference to the label, remove the label from the pool.
1064              */
1065             CodeLabel* L = E->JumpTo;
1066             int Index = CollIndex (&S->Labels, L);
1067             if (Index >= 0 && CollCount (&L->JumpFrom) == 1) {
1068                 /* Delete it from the pool */
1069                 CollDelete (&S->Labels, Index);
1070             }
1071
1072             /* Remove the reference to the label */
1073             CS_RemoveLabelRef (S, E);
1074         }
1075
1076     }
1077
1078     /* Second pass: Delete the instructions. If a label attached to an
1079      * instruction still has references, it must be references from outside
1080      * the deleted area. Don't delete the label in this case, just make it
1081      * ownerless and move it to the label pool.
1082      */
1083     C = Count;
1084     while (Last < C--) {
1085
1086         /* Get the next entry */
1087         CodeEntry* E = CS_GetEntry (S, C);
1088
1089         /* Check if this entry has a label attached */
1090         if (CE_HasLabel (E)) {
1091             /* Move the labels to the pool and clear the owner pointer */
1092             CS_MoveLabelsToPool (S, E);
1093         }
1094
1095         /* Delete the pointer to the entry */
1096         CollDelete (&S->Entries, C);
1097
1098         /* Delete the entry itself */
1099         FreeCodeEntry (E);
1100     }
1101 }
1102
1103
1104
1105 void CS_ResetMarks (CodeSeg* S, unsigned First, unsigned Last)
1106 /* Remove all user marks from the entries in the given range */
1107 {
1108     while (First <= Last) {
1109         CE_ResetMark (CS_GetEntry (S, First++));
1110     }
1111 }
1112
1113
1114
1115 int CS_IsBasicBlock (CodeSeg* S, unsigned First, unsigned Last)
1116 /* Check if the given code segment range is a basic block. That is, check if
1117  * First is the only entrance and Last is the only exit. This means that no
1118  * jump/branch inside the block may jump to an insn below First or after(!)
1119  * Last, and that no insn may jump into this block from the outside.
1120  */
1121 {
1122     unsigned I;
1123
1124     /* Don't accept invalid ranges */
1125     CHECK (First <= Last);
1126
1127     /* First pass: Walk over the range and remove all marks from the entries */
1128     CS_ResetMarks (S, First, Last);
1129
1130     /* Second pass: Walk over the range checking all labels. Note: There may be
1131      * label on the first insn which is ok.
1132      */
1133     I = First + 1;
1134     while (I <= Last) {
1135
1136         /* Get the next entry */
1137         CodeEntry* E = CS_GetEntry (S, I);
1138
1139         /* Check if this entry has one or more labels, if so, check which
1140          * entries jump to this label.
1141          */
1142         unsigned LabelCount = CE_GetLabelCount (E);
1143         unsigned LabelIndex;
1144         for (LabelIndex = 0; LabelIndex < LabelCount; ++LabelIndex) {
1145
1146             /* Get this label */
1147             CodeLabel* L = CE_GetLabel (E, LabelIndex);
1148
1149             /* Walk over all entries that jump to this label. Check for each
1150              * of the entries if it is out of the range.
1151              */
1152             unsigned RefCount = CL_GetRefCount (L);
1153             unsigned RefIndex;
1154             for (RefIndex = 0; RefIndex < RefCount; ++RefIndex) {
1155
1156                 /* Get the code entry that jumps here */
1157                 CodeEntry* Ref = CL_GetRef (L, RefIndex);
1158
1159                 /* Walk over out complete range and check if we find the
1160                  * refering entry. This is cheaper than using CS_GetEntryIndex,
1161                  * because CS_GetEntryIndex will search the complete code
1162                  * segment and not just our range.
1163                  */
1164                 unsigned J;
1165                 for (J = First; J <= Last; ++J) {
1166                     if (Ref == CS_GetEntry (S, J)) {
1167                         break;
1168                     }
1169                 }
1170                 if (J > Last) {
1171                     /* We did not find the entry. This means that the jump to
1172                      * out code segment entry E came from outside the range,
1173                      * which in turn means that the given range is not a basic
1174                      * block.
1175                      */
1176                     CS_ResetMarks (S, First, Last);
1177                     return 0;
1178                 }
1179
1180                 /* If we come here, we found the entry. Mark it, so we know
1181                  * that the branch to the label is in range.
1182                  */
1183                 CE_SetMark (Ref);
1184             }
1185         }
1186
1187         /* Next entry */
1188         ++I;
1189     }
1190
1191     /* Third pass: Walk again over the range and check all branches. If we
1192      * find a branch that is not marked, its target is not inside the range
1193      * (since we checked all the labels in the range before).
1194      */
1195     I = First;
1196     while (I <= Last) {
1197
1198         /* Get the next entry */
1199         CodeEntry* E = CS_GetEntry (S, I);
1200
1201         /* Check if this is a branch and if so, if it has a mark */
1202         if (E->Info & (OF_UBRA | OF_CBRA)) {
1203             if (!CE_HasMark (E)) {
1204                 /* No mark means not a basic block. Before bailing out, be sure
1205                  * to remove the marks from the remaining entries.
1206                  */
1207                 CS_ResetMarks (S, I+1, Last);
1208                 return 0;
1209             }
1210
1211             /* Remove the mark */
1212             CE_ResetMark (E);
1213         }
1214
1215         /* Next entry */
1216         ++I;
1217     }
1218
1219     /* Done - this is a basic block */
1220     return 1;
1221 }
1222
1223
1224
1225 void CS_OutputPrologue (const CodeSeg* S, FILE* F)
1226 /* If the given code segment is a code segment for a function, output the
1227  * assembler prologue into the file. That is: Output a comment header, switch
1228  * to the correct segment and enter the local function scope. If the code
1229  * segment is global, do nothing.
1230  */
1231 {
1232     /* Get the function associated with the code segment */
1233     SymEntry* Func = S->Func;
1234
1235     /* If the code segment is associated with a function, print a function
1236      * header and enter a local scope. Be sure to switch to the correct
1237      * segment before outputing the function label.
1238      */
1239     if (Func) {
1240         /* Get the function descriptor */
1241         const FuncDesc* D = GetFuncDesc (Func->Type);
1242         CS_PrintFunctionHeader (S, F);
1243         fprintf (F, ".segment\t\"%s\"\n\n.proc\t_%s", S->SegName, Func->Name);
1244         if (D->Flags & FD_NEAR) {
1245             fputs (": near", F);
1246         } else if (D->Flags & FD_FAR) {
1247             fputs (": far", F);
1248         }
1249         fputs ("\n\n", F);
1250     }
1251
1252 }
1253
1254
1255
1256 void CS_OutputEpilogue (const CodeSeg* S, FILE* F)
1257 /* If the given code segment is a code segment for a function, output the
1258  * assembler epilogue into the file. That is: Close the local function scope.
1259  */
1260 {
1261     if (S->Func) {
1262         fputs ("\n.endproc\n\n", F);
1263     }
1264 }
1265
1266
1267
1268 void CS_Output (CodeSeg* S, FILE* F)
1269 /* Output the code segment data to a file */
1270 {
1271     unsigned I;
1272     const LineInfo* LI;
1273
1274     /* Get the number of entries in this segment */
1275     unsigned Count = CS_GetEntryCount (S);
1276
1277     /* If the code segment is empty, bail out here */
1278     if (Count == 0) {
1279         return;
1280     }
1281
1282     /* Generate register info */
1283     CS_GenRegInfo (S);
1284
1285     /* Output the segment directive */
1286     fprintf (F, ".segment\t\"%s\"\n\n", S->SegName);
1287
1288     /* Output all entries, prepended by the line information if it has changed */
1289     LI = 0;
1290     for (I = 0; I < Count; ++I) {
1291         /* Get the next entry */
1292         const CodeEntry* E = CollConstAt (&S->Entries, I);
1293         /* Check if the line info has changed. If so, output the source line
1294          * if the option is enabled and output debug line info if the debug
1295          * option is enabled.
1296          */
1297         if (E->LI != LI) {
1298             /* Line info has changed, remember the new line info */
1299             LI = E->LI;
1300
1301             /* Add the source line as a comment. Beware: When line continuation
1302              * was used, the line may contain newlines.
1303              */
1304             if (AddSource) {
1305                 const char* L = LI->Line;
1306                 fputs (";\n; ", F);
1307                 while (*L) {
1308                     if (*L == '\n') {
1309                         fputs ("\n; ", F);
1310                     } else {
1311                         fputc (*L, F);
1312                     }
1313                     ++L;
1314                 }
1315                 fputs ("\n;\n", F);
1316             }
1317
1318             /* Add line debug info */
1319             if (DebugInfo) {
1320                 fprintf (F, "\t.dbg\tline, \"%s\", %u\n",
1321                          GetInputName (LI), GetInputLine (LI));
1322             }
1323         }
1324         /* Output the code */
1325         CE_Output (E, F);
1326     }
1327
1328     /* If debug info is enabled, terminate the last line number information */
1329     if (DebugInfo) {
1330         fputs ("\t.dbg\tline\n", F);
1331     }
1332
1333     /* Free register info */
1334     CS_FreeRegInfo (S);
1335 }
1336
1337
1338
1339 void CS_FreeRegInfo (CodeSeg* S)
1340 /* Free register infos for all instructions */
1341 {
1342     unsigned I;
1343     for (I = 0; I < CS_GetEntryCount (S); ++I) {
1344         CE_FreeRegInfo (CS_GetEntry(S, I));
1345     }
1346 }
1347
1348
1349
1350 void CS_GenRegInfo (CodeSeg* S)
1351 /* Generate register infos for all instructions */
1352 {
1353     unsigned I;
1354     RegContents Regs;           /* Initial register contents */
1355     RegContents* CurrentRegs;   /* Current register contents */
1356     int WasJump;                /* True if last insn was a jump */
1357     int Done;                   /* All runs done flag */
1358
1359     /* Be sure to delete all register infos */
1360     CS_FreeRegInfo (S);
1361
1362     /* We may need two runs to get back references right */
1363     do {
1364
1365         /* Assume we're done after this run */
1366         Done = 1;
1367
1368         /* On entry, the register contents are unknown */
1369         RC_Invalidate (&Regs);
1370         CurrentRegs = &Regs;
1371
1372         /* Walk over all insns and note just the changes from one insn to the
1373          * next one.
1374          */
1375         WasJump = 0;
1376         for (I = 0; I < CS_GetEntryCount (S); ++I) {
1377
1378             CodeEntry* P;
1379
1380             /* Get the next instruction */
1381             CodeEntry* E = CollAtUnchecked (&S->Entries, I);
1382
1383             /* If the instruction has a label, we need some special handling */
1384             unsigned LabelCount = CE_GetLabelCount (E);
1385             if (LabelCount > 0) {
1386
1387                 /* Loop over all entry points that jump here. If these entry
1388                  * points already have register info, check if all values are
1389                  * known and identical. If all values are identical, and the
1390                  * preceeding instruction was not an unconditional branch, check
1391                  * if the register value on exit of the preceeding instruction
1392                  * is also identical. If all these values are identical, the
1393                  * value of a register is known, otherwise it is unknown.
1394                  */
1395                 CodeLabel* Label = CE_GetLabel (E, 0);
1396                 unsigned Entry;
1397                 if (WasJump) {
1398                     /* Preceeding insn was an unconditional branch */
1399                     CodeEntry* J = CL_GetRef(Label, 0);
1400                     if (J->RI) {
1401                         Regs = J->RI->Out2;
1402                     } else {
1403                         RC_Invalidate (&Regs);
1404                     }
1405                     Entry = 1;
1406                 } else {
1407                     Regs = *CurrentRegs;
1408                     Entry = 0;
1409                 }
1410
1411                 while (Entry < CL_GetRefCount (Label)) {
1412                     /* Get this entry */
1413                     CodeEntry* J = CL_GetRef (Label, Entry);
1414                     if (J->RI == 0) {
1415                         /* No register info for this entry. This means that the
1416                          * instruction that jumps here is at higher addresses and
1417                          * the jump is a backward jump. We need a second run to
1418                          * get the register info right in this case. Until then,
1419                          * assume unknown register contents.
1420                          */
1421                         Done = 0;
1422                         RC_Invalidate (&Regs);
1423                         break;
1424                     }
1425                     if (J->RI->Out2.RegA != Regs.RegA) {
1426                         Regs.RegA = UNKNOWN_REGVAL;
1427                     }
1428                     if (J->RI->Out2.RegX != Regs.RegX) {
1429                         Regs.RegX = UNKNOWN_REGVAL;
1430                     }
1431                     if (J->RI->Out2.RegY != Regs.RegY) {
1432                         Regs.RegY = UNKNOWN_REGVAL;
1433                     }
1434                     if (J->RI->Out2.SRegLo != Regs.SRegLo) {
1435                         Regs.SRegLo = UNKNOWN_REGVAL;
1436                     }
1437                     if (J->RI->Out2.SRegHi != Regs.SRegHi) {
1438                         Regs.SRegHi = UNKNOWN_REGVAL;
1439                     }
1440                     if (J->RI->Out2.Tmp1 != Regs.Tmp1) {
1441                         Regs.Tmp1 = UNKNOWN_REGVAL;
1442                     }
1443                     ++Entry;
1444                 }
1445
1446                 /* Use this register info */
1447                 CurrentRegs = &Regs;
1448
1449             }
1450
1451             /* Generate register info for this instruction */
1452             CE_GenRegInfo (E, CurrentRegs);
1453
1454             /* Remember for the next insn if this insn was an uncondition branch */
1455             WasJump = (E->Info & OF_UBRA) != 0;
1456
1457             /* Output registers for this insn are input for the next */
1458             CurrentRegs = &E->RI->Out;
1459
1460             /* If this insn is a branch on zero flag, we may have more info on
1461              * register contents for one of both flow directions, but only if
1462              * there is a previous instruction.
1463              */
1464             if ((E->Info & OF_ZBRA) != 0 && (P = CS_GetPrevEntry (S, I)) != 0) {
1465
1466                 /* Get the branch condition */
1467                 bc_t BC = GetBranchCond (E->OPC);
1468
1469                 /* Check the previous instruction */
1470                 switch (P->OPC) {
1471
1472                     case OP65_ADC:
1473                     case OP65_AND:
1474                     case OP65_DEA:
1475                     case OP65_EOR:
1476                     case OP65_INA:
1477                     case OP65_LDA:
1478                     case OP65_ORA:
1479                     case OP65_PLA:
1480                     case OP65_SBC:
1481                         /* A is zero in one execution flow direction */
1482                         if (BC == BC_EQ) {
1483                             E->RI->Out2.RegA = 0;
1484                         } else {
1485                             E->RI->Out.RegA = 0;
1486                         }
1487                         break;
1488
1489                     case OP65_CMP:
1490                         /* If this is an immidiate compare, the A register has
1491                          * the value of the compare later.
1492                          */
1493                         if (CE_KnownImm (P)) {
1494                             if (BC == BC_EQ) {
1495                                 E->RI->Out2.RegA = (unsigned char)P->Num;
1496                             } else {
1497                                 E->RI->Out.RegA = (unsigned char)P->Num;
1498                             }
1499                         }
1500                         break;
1501
1502                     case OP65_CPX:
1503                         /* If this is an immidiate compare, the X register has
1504                          * the value of the compare later.
1505                          */
1506                         if (CE_KnownImm (P)) {
1507                             if (BC == BC_EQ) {
1508                                 E->RI->Out2.RegX = (unsigned char)P->Num;
1509                             } else {
1510                                 E->RI->Out.RegX = (unsigned char)P->Num;
1511                             }
1512                         }
1513                         break;
1514
1515                     case OP65_CPY:
1516                         /* If this is an immidiate compare, the Y register has
1517                          * the value of the compare later.
1518                          */
1519                         if (CE_KnownImm (P)) {
1520                             if (BC == BC_EQ) {
1521                                 E->RI->Out2.RegY = (unsigned char)P->Num;
1522                             } else {
1523                                 E->RI->Out.RegY = (unsigned char)P->Num;
1524                             }
1525                         }
1526                         break;
1527
1528                     case OP65_DEX:
1529                     case OP65_INX:
1530                     case OP65_LDX:
1531                     case OP65_PLX:
1532                         /* X is zero in one execution flow direction */
1533                         if (BC == BC_EQ) {
1534                             E->RI->Out2.RegX = 0;
1535                         } else {
1536                             E->RI->Out.RegX = 0;
1537                         }
1538                         break;
1539
1540                     case OP65_DEY:
1541                     case OP65_INY:
1542                     case OP65_LDY:
1543                     case OP65_PLY:
1544                         /* X is zero in one execution flow direction */
1545                         if (BC == BC_EQ) {
1546                             E->RI->Out2.RegY = 0;
1547                         } else {
1548                             E->RI->Out.RegY = 0;
1549                         }
1550                         break;
1551
1552                     case OP65_TAX:
1553                     case OP65_TXA:
1554                         /* If the branch is a beq, both A and X are zero at the
1555                          * branch target, otherwise they are zero at the next
1556                          * insn.
1557                          */
1558                         if (BC == BC_EQ) {
1559                             E->RI->Out2.RegA = E->RI->Out2.RegX = 0;
1560                         } else {
1561                             E->RI->Out.RegA = E->RI->Out.RegX = 0;
1562                         }
1563                         break;
1564
1565                     case OP65_TAY:
1566                     case OP65_TYA:
1567                         /* If the branch is a beq, both A and Y are zero at the
1568                          * branch target, otherwise they are zero at the next
1569                          * insn.
1570                          */
1571                         if (BC == BC_EQ) {
1572                             E->RI->Out2.RegA = E->RI->Out2.RegY = 0;
1573                         } else {
1574                             E->RI->Out.RegA = E->RI->Out.RegY = 0;
1575                         }
1576                         break;
1577
1578                     default:
1579                         break;
1580
1581                 }
1582             }
1583         }
1584     } while (!Done);
1585
1586 }
1587
1588
1589