]> git.sur5r.net Git - cc65/blob - src/cc65/expr.c
Fixed _textcolor definition.
[cc65] / src / cc65 / expr.c
1 /* expr.c
2 **
3 ** 1998-06-21, Ullrich von Bassewitz
4 ** 2017-12-05, Greg King
5 */
6
7
8
9 #include <stdio.h>
10 #include <stdlib.h>
11
12 /* common */
13 #include "check.h"
14 #include "debugflag.h"
15 #include "xmalloc.h"
16
17 /* cc65 */
18 #include "asmcode.h"
19 #include "asmlabel.h"
20 #include "asmstmt.h"
21 #include "assignment.h"
22 #include "codegen.h"
23 #include "declare.h"
24 #include "error.h"
25 #include "funcdesc.h"
26 #include "function.h"
27 #include "global.h"
28 #include "litpool.h"
29 #include "loadexpr.h"
30 #include "macrotab.h"
31 #include "preproc.h"
32 #include "scanner.h"
33 #include "shiftexpr.h"
34 #include "stackptr.h"
35 #include "standard.h"
36 #include "stdfunc.h"
37 #include "symtab.h"
38 #include "typecmp.h"
39 #include "typeconv.h"
40 #include "expr.h"
41
42
43
44 /*****************************************************************************/
45 /*                                   Data                                    */
46 /*****************************************************************************/
47
48
49
50 /* Generator attributes */
51 #define GEN_NOPUSH      0x01            /* Don't push lhs */
52 #define GEN_COMM        0x02            /* Operator is commutative */
53 #define GEN_NOFUNC      0x04            /* Not allowed for function pointers */
54
55 /* Map a generator function and its attributes to a token */
56 typedef struct {
57     token_t       Tok;                  /* Token to map to */
58     unsigned      Flags;                /* Flags for generator function */
59     void          (*Func) (unsigned, unsigned long);    /* Generator func */
60 } GenDesc;
61
62 /* Descriptors for the operations */
63 static GenDesc GenPASGN  = { TOK_PLUS_ASSIGN,   GEN_NOPUSH,     g_add };
64 static GenDesc GenSASGN  = { TOK_MINUS_ASSIGN,  GEN_NOPUSH,     g_sub };
65 static GenDesc GenMASGN  = { TOK_MUL_ASSIGN,    GEN_NOPUSH,     g_mul };
66 static GenDesc GenDASGN  = { TOK_DIV_ASSIGN,    GEN_NOPUSH,     g_div };
67 static GenDesc GenMOASGN = { TOK_MOD_ASSIGN,    GEN_NOPUSH,     g_mod };
68 static GenDesc GenSLASGN = { TOK_SHL_ASSIGN,    GEN_NOPUSH,     g_asl };
69 static GenDesc GenSRASGN = { TOK_SHR_ASSIGN,    GEN_NOPUSH,     g_asr };
70 static GenDesc GenAASGN  = { TOK_AND_ASSIGN,    GEN_NOPUSH,     g_and };
71 static GenDesc GenXOASGN = { TOK_XOR_ASSIGN,    GEN_NOPUSH,     g_xor };
72 static GenDesc GenOASGN  = { TOK_OR_ASSIGN,     GEN_NOPUSH,     g_or  };
73
74
75
76 /*****************************************************************************/
77 /*                             Helper functions                              */
78 /*****************************************************************************/
79
80
81
82 static unsigned GlobalModeFlags (const ExprDesc* Expr)
83 /* Return the addressing mode flags for the given expression */
84 {
85     switch (ED_GetLoc (Expr)) {
86         case E_LOC_ABS:         return CF_ABSOLUTE;
87         case E_LOC_GLOBAL:      return CF_EXTERNAL;
88         case E_LOC_STATIC:      return CF_STATIC;
89         case E_LOC_REGISTER:    return CF_REGVAR;
90         case E_LOC_STACK:       return CF_NONE;
91         case E_LOC_PRIMARY:     return CF_NONE;
92         case E_LOC_EXPR:        return CF_NONE;
93         case E_LOC_LITERAL:     return CF_STATIC;       /* Same as static */
94         default:
95             Internal ("GlobalModeFlags: Invalid location flags value: 0x%04X", Expr->Flags);
96             /* NOTREACHED */
97             return 0;
98     }
99 }
100
101
102
103 void ExprWithCheck (void (*Func) (ExprDesc*), ExprDesc* Expr)
104 /* Call an expression function with checks. */
105 {
106     /* Remember the stack pointer */
107     int OldSP = StackPtr;
108
109     /* Call the expression function */
110     (*Func) (Expr);
111
112     /* Do some checks to see if code generation is still consistent */
113     if (StackPtr != OldSP) {
114         if (Debug) {
115             Error ("Code generation messed up: "
116                    "StackPtr is %d, should be %d",
117                    StackPtr, OldSP);
118         } else {
119             Internal ("Code generation messed up: "
120                       "StackPtr is %d, should be %d",
121                       StackPtr, OldSP);
122         }
123     }
124 }
125
126
127
128 void MarkedExprWithCheck (void (*Func) (ExprDesc*), ExprDesc* Expr)
129 /* Call an expression function with checks and record start and end of the
130 ** generated code.
131 */
132 {
133     CodeMark Start, End;
134     GetCodePos (&Start);
135     ExprWithCheck (Func, Expr);
136     GetCodePos (&End);
137     ED_SetCodeRange (Expr, &Start, &End);
138 }
139
140
141
142 static Type* promoteint (Type* lhst, Type* rhst)
143 /* In an expression with two ints, return the type of the result */
144 {
145     /* Rules for integer types:
146     **   - If one of the values is a long, the result is long.
147     **   - If one of the values is unsigned, the result is also unsigned.
148     **   - Otherwise the result is an int.
149     */
150     if (IsTypeLong (lhst) || IsTypeLong (rhst)) {
151         if (IsSignUnsigned (lhst) || IsSignUnsigned (rhst)) {
152             return type_ulong;
153         } else {
154             return type_long;
155         }
156     } else {
157         if (IsSignUnsigned (lhst) || IsSignUnsigned (rhst)) {
158             return type_uint;
159         } else {
160             return type_int;
161         }
162     }
163 }
164
165
166
167 static unsigned typeadjust (ExprDesc* lhs, ExprDesc* rhs, int NoPush)
168 /* Adjust the two values for a binary operation. lhs is expected on stack or
169 ** to be constant, rhs is expected to be in the primary register or constant.
170 ** The function will put the type of the result into lhs and return the
171 ** code generator flags for the operation.
172 ** If NoPush is given, it is assumed that the operation does not expect the lhs
173 ** to be on stack, and that lhs is in a register instead.
174 ** Beware: The function does only accept int types.
175 */
176 {
177     unsigned ltype, rtype;
178     unsigned flags;
179
180     /* Get the type strings */
181     Type* lhst = lhs->Type;
182     Type* rhst = rhs->Type;
183
184     /* Generate type adjustment code if needed */
185     ltype = TypeOf (lhst);
186     if (ED_IsLocAbs (lhs)) {
187         ltype |= CF_CONST;
188     }
189     if (NoPush) {
190         /* Value is in primary register*/
191         ltype |= CF_REG;
192     }
193     rtype = TypeOf (rhst);
194     if (ED_IsLocAbs (rhs)) {
195         rtype |= CF_CONST;
196     }
197     flags = g_typeadjust (ltype, rtype);
198
199     /* Set the type of the result */
200     lhs->Type = promoteint (lhst, rhst);
201
202     /* Return the code generator flags */
203     return flags;
204 }
205
206
207
208 static const GenDesc* FindGen (token_t Tok, const GenDesc* Table)
209 /* Find a token in a generator table */
210 {
211     while (Table->Tok != TOK_INVALID) {
212         if (Table->Tok == Tok) {
213             return Table;
214         }
215         ++Table;
216     }
217     return 0;
218 }
219
220
221
222 static int TypeSpecAhead (void)
223 /* Return true if some sort of type is waiting (helper for cast and sizeof()
224 ** in hie10).
225 */
226 {
227     SymEntry* Entry;
228
229     /* There's a type waiting if:
230     **
231     ** We have an opening paren, and
232     **   a.  the next token is a type, or
233     **   b.  the next token is a type qualifier, or
234     **   c.  the next token is a typedef'd type
235     */
236     return CurTok.Tok == TOK_LPAREN && (
237            TokIsType (&NextTok)                         ||
238            TokIsTypeQual (&NextTok)                     ||
239            (NextTok.Tok  == TOK_IDENT                   &&
240            (Entry = FindSym (NextTok.Ident)) != 0       &&
241            SymIsTypeDef (Entry)));
242 }
243
244
245
246 void PushAddr (const ExprDesc* Expr)
247 /* If the expression contains an address that was somehow evaluated,
248 ** push this address on the stack. This is a helper function for all
249 ** sorts of implicit or explicit assignment functions where the lvalue
250 ** must be saved if it's not constant, before evaluating the rhs.
251 */
252 {
253     /* Get the address on stack if needed */
254     if (ED_IsLocExpr (Expr)) {
255         /* Push the address (always a pointer) */
256         g_push (CF_PTR, 0);
257     }
258 }
259
260
261
262 static void WarnConstCompareResult (void)
263 /* If the result of a comparison is constant, this is suspicious when not in
264 ** preprocessor mode.
265 */
266 {
267     if (!Preprocessing && IS_Get (&WarnConstComparison) != 0) {
268         Warning ("Result of comparison is constant");
269     }
270 }
271
272
273
274 /*****************************************************************************/
275 /*                                   code                                    */
276 /*****************************************************************************/
277
278
279
280 static unsigned FunctionParamList (FuncDesc* Func, int IsFastcall)
281 /* Parse a function parameter list and pass the parameters to the called
282 ** function. Depending on several criteria this may be done by just pushing
283 ** each parameter separately, or creating the parameter frame once and then
284 ** storing into this frame.
285 ** The function returns the size of the parameters pushed.
286 */
287 {
288     ExprDesc Expr;
289
290     /* Initialize variables */
291     SymEntry* Param       = 0;  /* Keep gcc silent */
292     unsigned  ParamSize   = 0;  /* Size of parameters pushed */
293     unsigned  ParamCount  = 0;  /* Number of parameters pushed */
294     unsigned  FrameSize   = 0;  /* Size of parameter frame */
295     unsigned  FrameParams = 0;  /* Number of params in frame */
296     int       FrameOffs   = 0;  /* Offset into parameter frame */
297     int       Ellipsis    = 0;  /* Function is variadic */
298
299     /* As an optimization, we may allocate the complete parameter frame at
300     ** once instead of pushing each parameter as it comes. We may do that,
301     ** if...
302     **
303     **  - optimizations that increase code size are enabled (allocating the
304     **    stack frame at once gives usually larger code).
305     **  - we have more than one parameter to push (don't count the last param
306     **    for __fastcall__ functions).
307     **
308     ** The FrameSize variable will contain a value > 0 if storing into a frame
309     ** (instead of pushing) is enabled.
310     **
311     */
312     if (IS_Get (&CodeSizeFactor) >= 200) {
313
314         /* Calculate the number and size of the parameters */
315         FrameParams = Func->ParamCount;
316         FrameSize   = Func->ParamSize;
317         if (FrameParams > 0 && IsFastcall) {
318             /* Last parameter is not pushed */
319             FrameSize -= CheckedSizeOf (Func->LastParam->Type);
320             --FrameParams;
321         }
322
323         /* Do we have more than one parameter in the frame? */
324         if (FrameParams > 1) {
325             /* Okeydokey, setup the frame */
326             FrameOffs = StackPtr;
327             g_space (FrameSize);
328             StackPtr -= FrameSize;
329         } else {
330             /* Don't use a preallocated frame */
331             FrameSize = 0;
332         }
333     }
334
335     /* Parse the actual parameter list */
336     while (CurTok.Tok != TOK_RPAREN) {
337
338         unsigned Flags;
339
340         /* Count arguments */
341         ++ParamCount;
342
343         /* Fetch the pointer to the next argument, check for too many args */
344         if (ParamCount <= Func->ParamCount) {
345             /* Beware: If there are parameters with identical names, they
346             ** cannot go into the same symbol table, which means that in this
347             ** case of errorneous input, the number of nodes in the symbol
348             ** table and ParamCount are NOT equal. We have to handle this case
349             ** below to avoid segmentation violations. Since we know that this
350             ** problem can only occur if there is more than one parameter,
351             ** we will just use the last one.
352             */
353             if (ParamCount == 1) {
354                 /* First argument */
355                 Param = Func->SymTab->SymHead;
356             } else if (Param->NextSym != 0) {
357                 /* Next argument */
358                 Param = Param->NextSym;
359                 CHECK ((Param->Flags & SC_PARAM) != 0);
360             }
361         } else if (!Ellipsis) {
362             /* Too many arguments. Do we have an open param list? */
363             if ((Func->Flags & FD_VARIADIC) == 0) {
364                 /* End of param list reached, no ellipsis */
365                 Error ("Too many arguments in function call");
366             }
367             /* Assume an ellipsis even in case of errors to avoid an error
368             ** message for each other argument.
369             */
370             Ellipsis = 1;
371         }
372
373         /* Evaluate the parameter expression */
374         hie1 (&Expr);
375
376         /* If we don't have an argument spec, accept anything, otherwise
377         ** convert the actual argument to the type needed.
378         */
379         Flags = CF_NONE;
380         if (!Ellipsis) {
381
382             /* Convert the argument to the parameter type if needed */
383             TypeConversion (&Expr, Param->Type);
384
385             /* If we have a prototype, chars may be pushed as chars */
386             Flags |= CF_FORCECHAR;
387
388         } else {
389
390             /* No prototype available. Convert array to "pointer to first
391             ** element", and function to "pointer to function".
392             */
393             Expr.Type = PtrConversion (Expr.Type);
394
395         }
396
397         /* Load the value into the primary if it is not already there */
398         LoadExpr (Flags, &Expr);
399
400         /* Use the type of the argument for the push */
401         Flags |= TypeOf (Expr.Type);
402
403         /* If this is a fastcall function, don't push the last argument */
404         if (ParamCount != Func->ParamCount || !IsFastcall) {
405             unsigned ArgSize = sizeofarg (Flags);
406             if (FrameSize > 0) {
407                 /* We have the space already allocated, store in the frame.
408                 ** Because of invalid type conversions (that have produced an
409                 ** error before), we can end up here with a non-aligned stack
410                 ** frame. Since no output will be generated anyway, handle
411                 ** these cases gracefully instead of doing a CHECK.
412                 */
413                 if (FrameSize >= ArgSize) {
414                     FrameSize -= ArgSize;
415                 } else {
416                     FrameSize = 0;
417                 }
418                 FrameOffs -= ArgSize;
419                 /* Store */
420                 g_putlocal (Flags | CF_NOKEEP, FrameOffs, Expr.IVal);
421             } else {
422                 /* Push the argument */
423                 g_push (Flags, Expr.IVal);
424             }
425
426             /* Calculate total parameter size */
427             ParamSize += ArgSize;
428         }
429
430         /* Check for end of argument list */
431         if (CurTok.Tok != TOK_COMMA) {
432             break;
433         }
434         NextToken ();
435     }
436
437     /* Check if we had enough parameters */
438     if (ParamCount < Func->ParamCount) {
439         Error ("Too few arguments in function call");
440     }
441
442     /* The function returns the size of all parameters pushed onto the stack.
443     ** However, if there are parameters missing (which is an error and was
444     ** flagged by the compiler) AND a stack frame was preallocated above,
445     ** we would loose track of the stackpointer and generate an internal error
446     ** later. So we correct the value by the parameters that should have been
447     ** pushed to avoid an internal compiler error. Since an error was
448     ** generated before, no code will be output anyway.
449     */
450     return ParamSize + FrameSize;
451 }
452
453
454
455 static void FunctionCall (ExprDesc* Expr)
456 /* Perform a function call. */
457 {
458     FuncDesc*     Func;           /* Function descriptor */
459     int           IsFuncPtr;      /* Flag */
460     unsigned      ParamSize;      /* Number of parameter bytes */
461     CodeMark      Mark;
462     int           PtrOffs = 0;    /* Offset of function pointer on stack */
463     int           IsFastcall = 0; /* True if it's a fast-call function */
464     int           PtrOnStack = 0; /* True if a pointer copy is on stack */
465
466     /* Skip the left paren */
467     NextToken ();
468
469     /* Get a pointer to the function descriptor from the type string */
470     Func = GetFuncDesc (Expr->Type);
471
472     /* Handle function pointers transparently */
473     IsFuncPtr = IsTypeFuncPtr (Expr->Type);
474     if (IsFuncPtr) {
475         /* Check whether it's a fastcall function that has parameters */
476         IsFastcall = (Func->Flags & FD_VARIADIC) == 0 && Func->ParamCount > 0 &&
477             (AutoCDecl ?
478              IsQualFastcall (Expr->Type + 1) :
479              !IsQualCDecl (Expr->Type + 1));
480
481         /* Things may be difficult, depending on where the function pointer
482         ** resides. If the function pointer is an expression of some sort
483         ** (not a local or global variable), we have to evaluate this
484         ** expression now and save the result for later. Since calls to
485         ** function pointers may be nested, we must save it onto the stack.
486         ** For fastcall functions we do also need to place a copy of the
487         ** pointer on stack, since we cannot use a/x.
488         */
489         PtrOnStack = IsFastcall || !ED_IsConst (Expr);
490         if (PtrOnStack) {
491
492             /* Not a global or local variable, or a fastcall function. Load
493             ** the pointer into the primary and mark it as an expression.
494             */
495             LoadExpr (CF_NONE, Expr);
496             ED_MakeRValExpr (Expr);
497
498             /* Remember the code position */
499             GetCodePos (&Mark);
500
501             /* Push the pointer onto the stack and remember the offset */
502             g_push (CF_PTR, 0);
503             PtrOffs = StackPtr;
504         }
505
506     } else {
507         /* Check function attributes */
508         if (Expr->Sym && SymHasAttr (Expr->Sym, atNoReturn)) {
509             /* For now, handle as if a return statement was encountered */
510             F_ReturnFound (CurrentFunc);
511         }
512
513         /* Check for known standard functions and inline them */
514         if (Expr->Name != 0) {
515             int StdFunc = FindStdFunc ((const char*) Expr->Name);
516             if (StdFunc >= 0) {
517                 /* Inline this function */
518                 HandleStdFunc (StdFunc, Func, Expr);
519                 return;
520             }
521         }
522
523         /* If we didn't inline the function, get fastcall info */
524         IsFastcall = (Func->Flags & FD_VARIADIC) == 0 &&
525             (AutoCDecl ?
526              IsQualFastcall (Expr->Type) :
527              !IsQualCDecl (Expr->Type));
528     }
529
530     /* Parse the parameter list */
531     ParamSize = FunctionParamList (Func, IsFastcall);
532
533     /* We need the closing paren here */
534     ConsumeRParen ();
535
536     /* Special handling for function pointers */
537     if (IsFuncPtr) {
538
539         if (Func->WrappedCall) {
540             Warning ("Calling a wrapped function via a pointer, wrapped-call will not be used");
541         }
542
543         /* If the function is not a fastcall function, load the pointer to
544         ** the function into the primary.
545         */
546         if (!IsFastcall) {
547
548             /* Not a fastcall function - we may use the primary */
549             if (PtrOnStack) {
550                 /* If we have no parameters, the pointer is still in the
551                 ** primary. Remove the code to push it and correct the
552                 ** stack pointer.
553                 */
554                 if (ParamSize == 0) {
555                     RemoveCode (&Mark);
556                     PtrOnStack = 0;
557                 } else {
558                     /* Load from the saved copy */
559                     g_getlocal (CF_PTR, PtrOffs);
560                 }
561             } else {
562                 /* Load from original location */
563                 LoadExpr (CF_NONE, Expr);
564             }
565
566             /* Call the function */
567             g_callind (TypeOf (Expr->Type+1), ParamSize, PtrOffs);
568
569         } else {
570
571             /* Fastcall function. We cannot use the primary for the function
572             ** pointer and must therefore use an offset to the stack location.
573             ** Since fastcall functions may never be variadic, we can use the
574             ** index register for this purpose.
575             */
576             g_callind (CF_LOCAL, ParamSize, PtrOffs);
577         }
578
579         /* If we have a pointer on stack, remove it */
580         if (PtrOnStack) {
581             g_drop (SIZEOF_PTR);
582             pop (CF_PTR);
583         }
584
585         /* Skip T_PTR */
586         ++Expr->Type;
587
588     } else {
589
590         /* Normal function */
591         if (Func->WrappedCall) {
592             char tmp[64];
593             StrBuf S = AUTO_STRBUF_INITIALIZER;
594
595             /* Store the WrappedCall data in tmp4 */
596             sprintf(tmp, "ldy #%u", Func->WrappedCallData);
597             SB_AppendStr (&S, tmp);
598             g_asmcode (&S);
599             SB_Clear(&S);
600
601             SB_AppendStr (&S, "sty tmp4");
602             g_asmcode (&S);
603             SB_Clear(&S);
604
605             /* Store the original function address in ptr4 */
606             SB_AppendStr (&S, "ldy #<(_");
607             SB_AppendStr (&S, (const char*) Expr->Name);
608             SB_AppendChar (&S, ')');
609             g_asmcode (&S);
610             SB_Clear(&S);
611
612             SB_AppendStr (&S, "sty ptr4");
613             g_asmcode (&S);
614             SB_Clear(&S);
615
616             SB_AppendStr (&S, "ldy #>(_");
617             SB_AppendStr (&S, (const char*) Expr->Name);
618             SB_AppendChar (&S, ')');
619             g_asmcode (&S);
620             SB_Clear(&S);
621
622             SB_AppendStr (&S, "sty ptr4+1");
623             g_asmcode (&S);
624             SB_Clear(&S);
625
626             SB_Done (&S);
627
628             g_call (TypeOf (Expr->Type), Func->WrappedCall->Name, ParamSize);
629         } else {
630             g_call (TypeOf (Expr->Type), (const char*) Expr->Name, ParamSize);
631         }
632
633     }
634
635     /* The function result is an rvalue in the primary register */
636     ED_MakeRValExpr (Expr);
637     Expr->Type = GetFuncReturn (Expr->Type);
638 }
639
640
641
642 static void Primary (ExprDesc* E)
643 /* This is the lowest level of the expression parser. */
644 {
645     SymEntry* Sym;
646
647     /* Initialize fields in the expression stucture */
648     ED_Init (E);
649
650     /* Character and integer constants. */
651     if (CurTok.Tok == TOK_ICONST || CurTok.Tok == TOK_CCONST) {
652         E->IVal  = CurTok.IVal;
653         E->Flags = E_LOC_ABS | E_RTYPE_RVAL;
654         E->Type  = CurTok.Type;
655         NextToken ();
656         return;
657     }
658
659     /* Floating point constant */
660     if (CurTok.Tok == TOK_FCONST) {
661         E->FVal  = CurTok.FVal;
662         E->Flags = E_LOC_ABS | E_RTYPE_RVAL;
663         E->Type  = CurTok.Type;
664         NextToken ();
665         return;
666     }
667
668     /* Process parenthesized subexpression by calling the whole parser
669     ** recursively.
670     */
671     if (CurTok.Tok == TOK_LPAREN) {
672         NextToken ();
673         hie0 (E);
674         ConsumeRParen ();
675         return;
676     }
677
678     /* If we run into an identifier in preprocessing mode, we assume that this
679     ** is an undefined macro and replace it by a constant value of zero.
680     */
681     if (Preprocessing && CurTok.Tok == TOK_IDENT) {
682         NextToken ();
683         ED_MakeConstAbsInt (E, 0);
684         return;
685     }
686
687     /* All others may only be used if the expression evaluation is not called
688     ** recursively by the preprocessor.
689     */
690     if (Preprocessing) {
691         /* Illegal expression in PP mode */
692         Error ("Preprocessor expression expected");
693         ED_MakeConstAbsInt (E, 1);
694         return;
695     }
696
697     switch (CurTok.Tok) {
698
699         case TOK_BOOL_AND:
700             /* A computed goto label address */
701             if (IS_Get (&Standard) >= STD_CC65) {
702                 SymEntry* Entry;
703                 NextToken ();
704                 Entry = AddLabelSym (CurTok.Ident, SC_REF | SC_GOTO_IND);
705                 /* output its label */
706                 E->Flags = E_RTYPE_RVAL | E_LOC_STATIC;
707                 E->Name = Entry->V.L.Label;
708                 E->Type = PointerTo (type_void);
709                 NextToken ();
710             } else {
711                 Error ("Computed gotos are a C extension, not supported with this --standard");
712                 ED_MakeConstAbsInt (E, 1);
713             }
714             break;
715
716         case TOK_IDENT:
717             /* Identifier. Get a pointer to the symbol table entry */
718             Sym = E->Sym = FindSym (CurTok.Ident);
719
720             /* Is the symbol known? */
721             if (Sym) {
722
723                 /* We found the symbol - skip the name token */
724                 NextToken ();
725
726                 /* Check for illegal symbol types */
727                 CHECK ((Sym->Flags & SC_LABEL) != SC_LABEL);
728                 if (Sym->Flags & SC_TYPE) {
729                     /* Cannot use type symbols */
730                     Error ("Variable identifier expected");
731                     /* Assume an int type to make E valid */
732                     E->Flags = E_LOC_STACK | E_RTYPE_LVAL;
733                     E->Type  = type_int;
734                     return;
735                 }
736
737                 /* Mark the symbol as referenced */
738                 Sym->Flags |= SC_REF;
739
740                 /* The expression type is the symbol type */
741                 E->Type = Sym->Type;
742
743                 /* Check for legal symbol types */
744                 if ((Sym->Flags & SC_CONST) == SC_CONST) {
745                     /* Enum or some other numeric constant */
746                     E->Flags = E_LOC_ABS | E_RTYPE_RVAL;
747                     E->IVal = Sym->V.ConstVal;
748                 } else if ((Sym->Flags & SC_FUNC) == SC_FUNC) {
749                     /* Function */
750                     E->Flags = E_LOC_GLOBAL | E_RTYPE_LVAL;
751                     E->Name = (uintptr_t) Sym->Name;
752                 } else if ((Sym->Flags & SC_AUTO) == SC_AUTO) {
753                     /* Local variable. If this is a parameter for a variadic
754                     ** function, we have to add some address calculations, and the
755                     ** address is not const.
756                     */
757                     if ((Sym->Flags & SC_PARAM) == SC_PARAM && F_IsVariadic (CurrentFunc)) {
758                         /* Variadic parameter */
759                         g_leavariadic (Sym->V.Offs - F_GetParamSize (CurrentFunc));
760                         E->Flags = E_LOC_EXPR | E_RTYPE_LVAL;
761                     } else {
762                         /* Normal parameter */
763                         E->Flags = E_LOC_STACK | E_RTYPE_LVAL;
764                         E->IVal  = Sym->V.Offs;
765                     }
766                 } else if ((Sym->Flags & SC_REGISTER) == SC_REGISTER) {
767                     /* Register variable, zero page based */
768                     E->Flags = E_LOC_REGISTER | E_RTYPE_LVAL;
769                     E->Name  = Sym->V.R.RegOffs;
770                 } else if ((Sym->Flags & SC_STATIC) == SC_STATIC) {
771                     /* Static variable */
772                     if (Sym->Flags & (SC_EXTERN | SC_STORAGE)) {
773                         E->Flags = E_LOC_GLOBAL | E_RTYPE_LVAL;
774                         E->Name = (uintptr_t) Sym->Name;
775                     } else {
776                         E->Flags = E_LOC_STATIC | E_RTYPE_LVAL;
777                         E->Name = Sym->V.L.Label;
778                     }
779                 } else {
780                     /* Local static variable */
781                     E->Flags = E_LOC_STATIC | E_RTYPE_LVAL;
782                     E->Name  = Sym->V.Offs;
783                 }
784
785                 /* We've made all variables lvalues above. However, this is
786                 ** not always correct: An array is actually the address of its
787                 ** first element, which is a rvalue, and a function is a
788                 ** rvalue, too, because we cannot store anything in a function.
789                 ** So fix the flags depending on the type.
790                 */
791                 if (IsTypeArray (E->Type) || IsTypeFunc (E->Type)) {
792                     ED_MakeRVal (E);
793                 }
794
795             } else {
796
797                 /* We did not find the symbol. Remember the name, then skip it */
798                 ident Ident;
799                 strcpy (Ident, CurTok.Ident);
800                 NextToken ();
801
802                 /* IDENT is either an auto-declared function or an undefined variable. */
803                 if (CurTok.Tok == TOK_LPAREN) {
804                     /* C99 doesn't allow calls to undefined functions, so
805                     ** generate an error and otherwise a warning. Declare a
806                     ** function returning int. For that purpose, prepare a
807                     ** function signature for a function having an empty param
808                     ** list and returning int.
809                     */
810                     if (IS_Get (&Standard) >= STD_C99) {
811                         Error ("Call to undefined function '%s'", Ident);
812                     } else {
813                         Warning ("Call to undefined function '%s'", Ident);
814                     }
815                     Sym = AddGlobalSym (Ident, GetImplicitFuncType(), SC_EXTERN | SC_REF | SC_FUNC);
816                     E->Type  = Sym->Type;
817                     E->Flags = E_LOC_GLOBAL | E_RTYPE_RVAL;
818                     E->Name  = (uintptr_t) Sym->Name;
819                 } else {
820                     /* Undeclared Variable */
821                     Sym = AddLocalSym (Ident, type_int, SC_AUTO | SC_REF, 0);
822                     E->Flags = E_LOC_STACK | E_RTYPE_LVAL;
823                     E->Type = type_int;
824                     Error ("Undefined symbol: '%s'", Ident);
825                 }
826
827             }
828             break;
829
830         case TOK_SCONST:
831         case TOK_WCSCONST:
832             /* String literal */
833             E->LVal  = UseLiteral (CurTok.SVal);
834             E->Type  = GetCharArrayType (GetLiteralSize (CurTok.SVal));
835             E->Flags = E_LOC_LITERAL | E_RTYPE_RVAL;
836             E->IVal  = 0;
837             E->Name  = GetLiteralLabel (CurTok.SVal);
838             NextToken ();
839             break;
840
841         case TOK_ASM:
842             /* ASM statement */
843             AsmStatement ();
844             E->Flags = E_LOC_EXPR | E_RTYPE_RVAL;
845             E->Type  = type_void;
846             break;
847
848         case TOK_A:
849             /* Register pseudo variable */
850             E->Type  = type_uchar;
851             E->Flags = E_LOC_PRIMARY | E_RTYPE_LVAL;
852             NextToken ();
853             break;
854
855         case TOK_AX:
856             /* Register pseudo variable */
857             E->Type  = type_uint;
858             E->Flags = E_LOC_PRIMARY | E_RTYPE_LVAL;
859             NextToken ();
860             break;
861
862         case TOK_EAX:
863             /* Register pseudo variable */
864             E->Type  = type_ulong;
865             E->Flags = E_LOC_PRIMARY | E_RTYPE_LVAL;
866             NextToken ();
867             break;
868
869         default:
870             /* Illegal primary. Be sure to skip the token to avoid endless
871             ** error loops.
872             */
873             Error ("Expression expected");
874             NextToken ();
875             ED_MakeConstAbsInt (E, 1);
876             break;
877     }
878 }
879
880
881
882 static void ArrayRef (ExprDesc* Expr)
883 /* Handle an array reference. This function needs a rewrite. */
884 {
885     int         ConstBaseAddr;
886     ExprDesc    Subscript;
887     CodeMark    Mark1;
888     CodeMark    Mark2;
889     TypeCode    Qualifiers;
890     Type*       ElementType;
891     Type*       tptr1;
892
893
894     /* Skip the bracket */
895     NextToken ();
896
897     /* Get the type of left side */
898     tptr1 = Expr->Type;
899
900     /* We can apply a special treatment for arrays that have a const base
901     ** address. This is true for most arrays and will produce a lot better
902     ** code. Check if this is a const base address.
903     */
904     ConstBaseAddr = ED_IsRVal (Expr) &&
905                     (ED_IsLocConst (Expr) || ED_IsLocStack (Expr));
906
907     /* If we have a constant base, we delay the address fetch */
908     GetCodePos (&Mark1);
909     if (!ConstBaseAddr) {
910         /* Get a pointer to the array into the primary */
911         LoadExpr (CF_NONE, Expr);
912
913         /* Get the array pointer on stack. Do not push more than 16
914         ** bit, even if this value is greater, since we cannot handle
915         ** other than 16bit stuff when doing indexing.
916         */
917         GetCodePos (&Mark2);
918         g_push (CF_PTR, 0);
919     }
920
921     /* TOS now contains ptr to array elements. Get the subscript. */
922     MarkedExprWithCheck (hie0, &Subscript);
923
924     /* Check the types of array and subscript. We can either have a
925     ** pointer/array to the left, in which case the subscript must be of an
926     ** integer type, or we have an integer to the left, in which case the
927     ** subscript must be a pointer/array.
928     ** Since we do the necessary checking here, we can rely later on the
929     ** correct types.
930     */
931     Qualifiers = T_QUAL_NONE;
932     if (IsClassPtr (Expr->Type)) {
933         if (!IsClassInt (Subscript.Type))  {
934             Error ("Array subscript is not an integer");
935             /* To avoid any compiler errors, make the expression a valid int */
936             ED_MakeConstAbsInt (&Subscript, 0);
937         }
938         if (IsTypeArray (Expr->Type)) {
939             Qualifiers = GetQualifier (Expr->Type);
940         }
941         ElementType = Indirect (Expr->Type);
942     } else if (IsClassInt (Expr->Type)) {
943         if (!IsClassPtr (Subscript.Type)) {
944             Error ("Subscripted value is neither array nor pointer");
945             /* To avoid compiler errors, make the subscript a char[] at
946             ** address 0.
947             */
948             ED_MakeConstAbs (&Subscript, 0, GetCharArrayType (1));
949         } else if (IsTypeArray (Subscript.Type)) {
950             Qualifiers = GetQualifier (Subscript.Type);
951         }
952         ElementType = Indirect (Subscript.Type);
953     } else {
954         Error ("Cannot subscript");
955         /* To avoid compiler errors, fake both the array and the subscript, so
956         ** we can just proceed.
957         */
958         ED_MakeConstAbs (Expr, 0, GetCharArrayType (1));
959         ED_MakeConstAbsInt (&Subscript, 0);
960         ElementType = Indirect (Expr->Type);
961     }
962
963     /* The element type has the combined qualifiers from itself and the array,
964     ** it is a member of (if any).
965     */
966     if (GetQualifier (ElementType) != (GetQualifier (ElementType) | Qualifiers)) {
967         ElementType = TypeDup (ElementType);
968         ElementType->C |= Qualifiers;
969     }
970
971     /* If the subscript is a bit-field, load it and make it an rvalue */
972     if (ED_IsBitField (&Subscript)) {
973         LoadExpr (CF_NONE, &Subscript);
974         ED_MakeRValExpr (&Subscript);
975     }
976
977     /* Check if the subscript is constant absolute value */
978     if (ED_IsConstAbs (&Subscript) && ED_CodeRangeIsEmpty (&Subscript)) {
979
980         /* The array subscript is a numeric constant. If we had pushed the
981         ** array base address onto the stack before, we can remove this value,
982         ** since we can generate expression+offset.
983         */
984         if (!ConstBaseAddr) {
985             RemoveCode (&Mark2);
986         } else {
987             /* Get an array pointer into the primary */
988             LoadExpr (CF_NONE, Expr);
989         }
990
991         if (IsClassPtr (Expr->Type)) {
992
993             /* Lhs is pointer/array. Scale the subscript value according to
994             ** the element size.
995             */
996             Subscript.IVal *= CheckedSizeOf (ElementType);
997
998             /* Remove the address load code */
999             RemoveCode (&Mark1);
1000
1001             /* In case of an array, we can adjust the offset of the expression
1002             ** already in Expr. If the base address was a constant, we can even
1003             ** remove the code that loaded the address into the primary.
1004             */
1005             if (IsTypeArray (Expr->Type)) {
1006
1007                 /* Adjust the offset */
1008                 Expr->IVal += Subscript.IVal;
1009
1010             } else {
1011
1012                 /* It's a pointer, so we do have to load it into the primary
1013                 ** first (if it's not already there).
1014                 */
1015                 if (ConstBaseAddr || ED_IsLVal (Expr)) {
1016                     LoadExpr (CF_NONE, Expr);
1017                     ED_MakeRValExpr (Expr);
1018                 }
1019
1020                 /* Use the offset */
1021                 Expr->IVal = Subscript.IVal;
1022             }
1023
1024         } else {
1025
1026             /* Scale the rhs value according to the element type */
1027             g_scale (TypeOf (tptr1), CheckedSizeOf (ElementType));
1028
1029             /* Add the subscript. Since arrays are indexed by integers,
1030             ** we will ignore the true type of the subscript here and
1031             ** use always an int. #### Use offset but beware of LoadExpr!
1032             */
1033             g_inc (CF_INT | CF_CONST, Subscript.IVal);
1034
1035         }
1036
1037     } else {
1038
1039         /* Array subscript is not constant. Load it into the primary */
1040         GetCodePos (&Mark2);
1041         LoadExpr (CF_NONE, &Subscript);
1042
1043         /* Do scaling */
1044         if (IsClassPtr (Expr->Type)) {
1045
1046             /* Indexing is based on unsigneds, so we will just use the integer
1047             ** portion of the index (which is in (e)ax, so there's no further
1048             ** action required).
1049             */
1050             g_scale (CF_INT, CheckedSizeOf (ElementType));
1051
1052         } else {
1053
1054             /* Get the int value on top. If we come here, we're sure, both
1055             ** values are 16 bit (the first one was truncated if necessary
1056             ** and the second one is a pointer). Note: If ConstBaseAddr is
1057             ** true, we don't have a value on stack, so to "swap" both, just
1058             ** push the subscript.
1059             */
1060             if (ConstBaseAddr) {
1061                 g_push (CF_INT, 0);
1062                 LoadExpr (CF_NONE, Expr);
1063                 ConstBaseAddr = 0;
1064             } else {
1065                 g_swap (CF_INT);
1066             }
1067
1068             /* Scale it */
1069             g_scale (TypeOf (tptr1), CheckedSizeOf (ElementType));
1070
1071         }
1072
1073         /* The offset is now in the primary register. It we didn't have a
1074         ** constant base address for the lhs, the lhs address is already
1075         ** on stack, and we must add the offset. If the base address was
1076         ** constant, we call special functions to add the address to the
1077         ** offset value.
1078         */
1079         if (!ConstBaseAddr) {
1080
1081             /* The array base address is on stack and the subscript is in the
1082             ** primary. Add both.
1083             */
1084             g_add (CF_INT, 0);
1085
1086         } else {
1087
1088             /* The subscript is in the primary, and the array base address is
1089             ** in Expr. If the subscript has itself a constant address, it is
1090             ** often a better idea to reverse again the order of the
1091             ** evaluation. This will generate better code if the subscript is
1092             ** a byte sized variable. But beware: This is only possible if the
1093             ** subscript was not scaled, that is, if this was a byte array
1094             ** or pointer.
1095             */
1096             if ((ED_IsLocConst (&Subscript) || ED_IsLocStack (&Subscript)) &&
1097                 CheckedSizeOf (ElementType) == SIZEOF_CHAR) {
1098
1099                 unsigned Flags;
1100
1101                 /* Reverse the order of evaluation */
1102                 if (CheckedSizeOf (Subscript.Type) == SIZEOF_CHAR) {
1103                     Flags = CF_CHAR;
1104                 } else {
1105                     Flags = CF_INT;
1106                 }
1107                 RemoveCode (&Mark2);
1108
1109                 /* Get a pointer to the array into the primary. */
1110                 LoadExpr (CF_NONE, Expr);
1111
1112                 /* Add the variable */
1113                 if (ED_IsLocStack (&Subscript)) {
1114                     g_addlocal (Flags, Subscript.IVal);
1115                 } else {
1116                     Flags |= GlobalModeFlags (&Subscript);
1117                     g_addstatic (Flags, Subscript.Name, Subscript.IVal);
1118                 }
1119             } else {
1120
1121                 if (ED_IsLocAbs (Expr)) {
1122                     /* Constant numeric address. Just add it */
1123                     g_inc (CF_INT, Expr->IVal);
1124                 } else if (ED_IsLocStack (Expr)) {
1125                     /* Base address is a local variable address */
1126                     if (IsTypeArray (Expr->Type)) {
1127                         g_addaddr_local (CF_INT, Expr->IVal);
1128                     } else {
1129                         g_addlocal (CF_PTR, Expr->IVal);
1130                     }
1131                 } else {
1132                     /* Base address is a static variable address */
1133                     unsigned Flags = CF_INT | GlobalModeFlags (Expr);
1134                     if (ED_IsRVal (Expr)) {
1135                         /* Add the address of the location */
1136                         g_addaddr_static (Flags, Expr->Name, Expr->IVal);
1137                     } else {
1138                         /* Add the contents of the location */
1139                         g_addstatic (Flags, Expr->Name, Expr->IVal);
1140                     }
1141                 }
1142             }
1143
1144
1145         }
1146
1147         /* The result is an expression in the primary */
1148         ED_MakeRValExpr (Expr);
1149
1150     }
1151
1152     /* Result is of element type */
1153     Expr->Type = ElementType;
1154
1155     /* An array element is actually a variable. So the rules for variables
1156     ** with respect to the reference type apply: If it's an array, it is
1157     ** a rvalue, otherwise it's an lvalue. (A function would also be a rvalue,
1158     ** but an array cannot contain functions).
1159     */
1160     if (IsTypeArray (Expr->Type)) {
1161         ED_MakeRVal (Expr);
1162     } else {
1163         ED_MakeLVal (Expr);
1164     }
1165
1166     /* Consume the closing bracket */
1167     ConsumeRBrack ();
1168 }
1169
1170
1171
1172 static void StructRef (ExprDesc* Expr)
1173 /* Process struct field after . or ->. */
1174 {
1175     ident Ident;
1176     SymEntry* Field;
1177     Type* FinalType;
1178     TypeCode Q;
1179
1180     /* Skip the token and check for an identifier */
1181     NextToken ();
1182     if (CurTok.Tok != TOK_IDENT) {
1183         Error ("Identifier expected");
1184         /* Make the expression an integer at address zero */
1185         ED_MakeConstAbs (Expr, 0, type_int);
1186         return;
1187     }
1188
1189     /* Get the symbol table entry and check for a struct field */
1190     strcpy (Ident, CurTok.Ident);
1191     NextToken ();
1192     Field = FindStructField (Expr->Type, Ident);
1193     if (Field == 0) {
1194         Error ("Struct/union has no field named '%s'", Ident);
1195         /* Make the expression an integer at address zero */
1196         ED_MakeConstAbs (Expr, 0, type_int);
1197         return;
1198     }
1199
1200     /* If we have a struct pointer that is an lvalue and not already in the
1201     ** primary, load it now.
1202     */
1203     if (ED_IsLVal (Expr) && IsTypePtr (Expr->Type)) {
1204
1205         /* Load into the primary */
1206         LoadExpr (CF_NONE, Expr);
1207
1208         /* Make it an lvalue expression */
1209         ED_MakeLValExpr (Expr);
1210     }
1211
1212     /* The type is the type of the field plus any qualifiers from the struct */
1213     if (IsClassStruct (Expr->Type)) {
1214         Q = GetQualifier (Expr->Type);
1215     } else {
1216         Q = GetQualifier (Indirect (Expr->Type));
1217     }
1218     if (GetQualifier (Field->Type) == (GetQualifier (Field->Type) | Q)) {
1219         FinalType = Field->Type;
1220     } else {
1221         FinalType = TypeDup (Field->Type);
1222         FinalType->C |= Q;
1223     }
1224
1225     /* A struct is usually an lvalue. If not, it is a struct in the primary
1226     ** register.
1227     */
1228     if (ED_IsRVal (Expr) && ED_IsLocExpr (Expr) && !IsTypePtr (Expr->Type)) {
1229
1230         unsigned Flags = 0;
1231         unsigned BitOffs;
1232
1233         /* Get the size of the type */
1234         unsigned Size = SizeOf (Expr->Type);
1235
1236         /* Safety check */
1237         CHECK (Field->V.Offs + Size <= SIZEOF_LONG);
1238
1239         /* The type of the operation depends on the type of the struct */
1240         switch (Size) {
1241             case 1:     Flags = CF_CHAR | CF_UNSIGNED | CF_CONST;       break;
1242             case 2:     Flags = CF_INT  | CF_UNSIGNED | CF_CONST;       break;
1243             case 3:     /* FALLTHROUGH */
1244             case 4:     Flags = CF_LONG | CF_UNSIGNED | CF_CONST;       break;
1245             default:    Internal ("Invalid struct size: %u", Size);     break;
1246         }
1247
1248         /* Generate a shift to get the field in the proper position in the
1249         ** primary. For bit fields, mask the value.
1250         */
1251         BitOffs = Field->V.Offs * CHAR_BITS;
1252         if (SymIsBitField (Field)) {
1253             BitOffs += Field->V.B.BitOffs;
1254             g_asr (Flags, BitOffs);
1255             /* Mask the value. This is unnecessary if the shift executed above
1256             ** moved only zeroes into the value.
1257             */
1258             if (BitOffs + Field->V.B.BitWidth != Size * CHAR_BITS) {
1259                 g_and (CF_INT | CF_UNSIGNED | CF_CONST,
1260                        (0x0001U << Field->V.B.BitWidth) - 1U);
1261             }
1262         } else {
1263             g_asr (Flags, BitOffs);
1264         }
1265
1266         /* Use the new type */
1267         Expr->Type = FinalType;
1268
1269     } else {
1270
1271         /* Set the struct field offset */
1272         Expr->IVal += Field->V.Offs;
1273
1274         /* Use the new type */
1275         Expr->Type = FinalType;
1276
1277         /* An struct member is actually a variable. So the rules for variables
1278         ** with respect to the reference type apply: If it's an array, it is
1279         ** a rvalue, otherwise it's an lvalue. (A function would also be a rvalue,
1280         ** but a struct field cannot be a function).
1281         */
1282         if (IsTypeArray (Expr->Type)) {
1283             ED_MakeRVal (Expr);
1284         } else {
1285             ED_MakeLVal (Expr);
1286         }
1287
1288         /* Make the expression a bit field if necessary */
1289         if (SymIsBitField (Field)) {
1290             ED_MakeBitField (Expr, Field->V.B.BitOffs, Field->V.B.BitWidth);
1291         }
1292     }
1293
1294 }
1295
1296
1297
1298 static void hie11 (ExprDesc *Expr)
1299 /* Handle compound types (structs and arrays) */
1300 {
1301     /* Name value used in invalid function calls */
1302     static const char IllegalFunc[] = "illegal_function_call";
1303
1304     /* Evaluate the lhs */
1305     Primary (Expr);
1306
1307     /* Check for a rhs */
1308     while (CurTok.Tok == TOK_LBRACK || CurTok.Tok == TOK_LPAREN ||
1309            CurTok.Tok == TOK_DOT    || CurTok.Tok == TOK_PTR_REF) {
1310
1311         switch (CurTok.Tok) {
1312
1313             case TOK_LBRACK:
1314                 /* Array reference */
1315                 ArrayRef (Expr);
1316                 break;
1317
1318             case TOK_LPAREN:
1319                 /* Function call. */
1320                 if (!IsTypeFunc (Expr->Type) && !IsTypeFuncPtr (Expr->Type)) {
1321                     /* Not a function */
1322                     Error ("Illegal function call");
1323                     /* Force the type to be a implicitly defined function, one
1324                     ** returning an int and taking any number of arguments.
1325                     ** Since we don't have a name, invent one.
1326                     */
1327                     ED_MakeConstAbs (Expr, 0, GetImplicitFuncType ());
1328                     Expr->Name = (uintptr_t) IllegalFunc;
1329                 }
1330                 /* Call the function */
1331                 FunctionCall (Expr);
1332                 break;
1333
1334             case TOK_DOT:
1335                 if (!IsClassStruct (Expr->Type)) {
1336                     Error ("Struct expected");
1337                 }
1338                 StructRef (Expr);
1339                 break;
1340
1341             case TOK_PTR_REF:
1342                 /* If we have an array, convert it to pointer to first element */
1343                 if (IsTypeArray (Expr->Type)) {
1344                     Expr->Type = ArrayToPtr (Expr->Type);
1345                 }
1346                 if (!IsClassPtr (Expr->Type) || !IsClassStruct (Indirect (Expr->Type))) {
1347                     Error ("Struct pointer expected");
1348                 }
1349                 StructRef (Expr);
1350                 break;
1351
1352             default:
1353                 Internal ("Invalid token in hie11: %d", CurTok.Tok);
1354
1355         }
1356     }
1357 }
1358
1359
1360
1361 void Store (ExprDesc* Expr, const Type* StoreType)
1362 /* Store the primary register into the location denoted by Expr. If StoreType
1363 ** is given, use this type when storing instead of Expr->Type. If StoreType
1364 ** is NULL, use Expr->Type instead.
1365 */
1366 {
1367     unsigned Flags;
1368
1369     /* If StoreType was not given, use Expr->Type instead */
1370     if (StoreType == 0) {
1371         StoreType = Expr->Type;
1372     }
1373
1374     /* Prepare the code generator flags */
1375     Flags = TypeOf (StoreType) | GlobalModeFlags (Expr);
1376
1377     /* Do the store depending on the location */
1378     switch (ED_GetLoc (Expr)) {
1379
1380         case E_LOC_ABS:
1381             /* Absolute: numeric address or const */
1382             g_putstatic (Flags, Expr->IVal, 0);
1383             break;
1384
1385         case E_LOC_GLOBAL:
1386             /* Global variable */
1387             g_putstatic (Flags, Expr->Name, Expr->IVal);
1388             break;
1389
1390         case E_LOC_STATIC:
1391         case E_LOC_LITERAL:
1392             /* Static variable or literal in the literal pool */
1393             g_putstatic (Flags, Expr->Name, Expr->IVal);
1394             break;
1395
1396         case E_LOC_REGISTER:
1397             /* Register variable */
1398             g_putstatic (Flags, Expr->Name, Expr->IVal);
1399             break;
1400
1401         case E_LOC_STACK:
1402             /* Value on the stack */
1403             g_putlocal (Flags, Expr->IVal, 0);
1404             break;
1405
1406         case E_LOC_PRIMARY:
1407             /* The primary register (value is already there) */
1408             break;
1409
1410         case E_LOC_EXPR:
1411             /* An expression in the primary register */
1412             g_putind (Flags, Expr->IVal);
1413             break;
1414
1415         default:
1416             Internal ("Invalid location in Store(): 0x%04X", ED_GetLoc (Expr));
1417     }
1418
1419     /* Assume that each one of the stores will invalidate CC */
1420     ED_MarkAsUntested (Expr);
1421 }
1422
1423
1424
1425 static void PreInc (ExprDesc* Expr)
1426 /* Handle the preincrement operators */
1427 {
1428     unsigned Flags;
1429     unsigned long Val;
1430
1431     /* Skip the operator token */
1432     NextToken ();
1433
1434     /* Evaluate the expression and check that it is an lvalue */
1435     hie10 (Expr);
1436     if (!ED_IsLVal (Expr)) {
1437         Error ("Invalid lvalue");
1438         return;
1439     }
1440
1441     /* We cannot modify const values */
1442     if (IsQualConst (Expr->Type)) {
1443         Error ("Increment of read-only variable");
1444     }
1445
1446     /* Get the data type */
1447     Flags = TypeOf (Expr->Type) | GlobalModeFlags (Expr) | CF_FORCECHAR | CF_CONST;
1448
1449     /* Get the increment value in bytes */
1450     Val = IsTypePtr (Expr->Type)? CheckedPSizeOf (Expr->Type) : 1;
1451
1452     /* Check the location of the data */
1453     switch (ED_GetLoc (Expr)) {
1454
1455         case E_LOC_ABS:
1456             /* Absolute: numeric address or const */
1457             g_addeqstatic (Flags, Expr->IVal, 0, Val);
1458             break;
1459
1460         case E_LOC_GLOBAL:
1461             /* Global variable */
1462             g_addeqstatic (Flags, Expr->Name, Expr->IVal, Val);
1463             break;
1464
1465         case E_LOC_STATIC:
1466         case E_LOC_LITERAL:
1467             /* Static variable or literal in the literal pool */
1468             g_addeqstatic (Flags, Expr->Name, Expr->IVal, Val);
1469             break;
1470
1471         case E_LOC_REGISTER:
1472             /* Register variable */
1473             g_addeqstatic (Flags, Expr->Name, Expr->IVal, Val);
1474             break;
1475
1476         case E_LOC_STACK:
1477             /* Value on the stack */
1478             g_addeqlocal (Flags, Expr->IVal, Val);
1479             break;
1480
1481         case E_LOC_PRIMARY:
1482             /* The primary register */
1483             g_inc (Flags, Val);
1484             break;
1485
1486         case E_LOC_EXPR:
1487             /* An expression in the primary register */
1488             g_addeqind (Flags, Expr->IVal, Val);
1489             break;
1490
1491         default:
1492             Internal ("Invalid location in PreInc(): 0x%04X", ED_GetLoc (Expr));
1493     }
1494
1495     /* Result is an expression, no reference */
1496     ED_MakeRValExpr (Expr);
1497 }
1498
1499
1500
1501 static void PreDec (ExprDesc* Expr)
1502 /* Handle the predecrement operators */
1503 {
1504     unsigned Flags;
1505     unsigned long Val;
1506
1507     /* Skip the operator token */
1508     NextToken ();
1509
1510     /* Evaluate the expression and check that it is an lvalue */
1511     hie10 (Expr);
1512     if (!ED_IsLVal (Expr)) {
1513         Error ("Invalid lvalue");
1514         return;
1515     }
1516
1517     /* We cannot modify const values */
1518     if (IsQualConst (Expr->Type)) {
1519         Error ("Decrement of read-only variable");
1520     }
1521
1522     /* Get the data type */
1523     Flags = TypeOf (Expr->Type) | GlobalModeFlags (Expr) | CF_FORCECHAR | CF_CONST;
1524
1525     /* Get the increment value in bytes */
1526     Val = IsTypePtr (Expr->Type)? CheckedPSizeOf (Expr->Type) : 1;
1527
1528     /* Check the location of the data */
1529     switch (ED_GetLoc (Expr)) {
1530
1531         case E_LOC_ABS:
1532             /* Absolute: numeric address or const */
1533             g_subeqstatic (Flags, Expr->IVal, 0, Val);
1534             break;
1535
1536         case E_LOC_GLOBAL:
1537             /* Global variable */
1538             g_subeqstatic (Flags, Expr->Name, Expr->IVal, Val);
1539             break;
1540
1541         case E_LOC_STATIC:
1542         case E_LOC_LITERAL:
1543             /* Static variable or literal in the literal pool */
1544             g_subeqstatic (Flags, Expr->Name, Expr->IVal, Val);
1545             break;
1546
1547         case E_LOC_REGISTER:
1548             /* Register variable */
1549             g_subeqstatic (Flags, Expr->Name, Expr->IVal, Val);
1550             break;
1551
1552         case E_LOC_STACK:
1553             /* Value on the stack */
1554             g_subeqlocal (Flags, Expr->IVal, Val);
1555             break;
1556
1557         case E_LOC_PRIMARY:
1558             /* The primary register */
1559             g_inc (Flags, Val);
1560             break;
1561
1562         case E_LOC_EXPR:
1563             /* An expression in the primary register */
1564             g_subeqind (Flags, Expr->IVal, Val);
1565             break;
1566
1567         default:
1568             Internal ("Invalid location in PreDec(): 0x%04X", ED_GetLoc (Expr));
1569     }
1570
1571     /* Result is an expression, no reference */
1572     ED_MakeRValExpr (Expr);
1573 }
1574
1575
1576
1577 static void PostInc (ExprDesc* Expr)
1578 /* Handle the postincrement operator */
1579 {
1580     unsigned Flags;
1581
1582     NextToken ();
1583
1584     /* The expression to increment must be an lvalue */
1585     if (!ED_IsLVal (Expr)) {
1586         Error ("Invalid lvalue");
1587         return;
1588     }
1589
1590     /* We cannot modify const values */
1591     if (IsQualConst (Expr->Type)) {
1592         Error ("Increment of read-only variable");
1593     }
1594
1595     /* Get the data type */
1596     Flags = TypeOf (Expr->Type);
1597
1598     /* Emit smaller code if a char variable is at a constant location */
1599     if ((Flags & CF_CHAR) == CF_CHAR && ED_IsLocConst(Expr)) {
1600
1601         LoadExpr (CF_NONE, Expr);
1602         AddCodeLine ("inc %s", ED_GetLabelName(Expr, 0));
1603
1604     } else {
1605
1606         /* Push the address if needed */
1607         PushAddr (Expr);
1608
1609         /* Fetch the value and save it (since it's the result of the expression) */
1610         LoadExpr (CF_NONE, Expr);
1611         g_save (Flags | CF_FORCECHAR);
1612
1613         /* If we have a pointer expression, increment by the size of the type */
1614         if (IsTypePtr (Expr->Type)) {
1615             g_inc (Flags | CF_CONST | CF_FORCECHAR, CheckedSizeOf (Expr->Type + 1));
1616         } else {
1617             g_inc (Flags | CF_CONST | CF_FORCECHAR, 1);
1618         }
1619
1620         /* Store the result back */
1621         Store (Expr, 0);
1622
1623         /* Restore the original value in the primary register */
1624         g_restore (Flags | CF_FORCECHAR);
1625     }
1626
1627     /* The result is always an expression, no reference */
1628     ED_MakeRValExpr (Expr);
1629 }
1630
1631
1632
1633 static void PostDec (ExprDesc* Expr)
1634 /* Handle the postdecrement operator */
1635 {
1636     unsigned Flags;
1637
1638     NextToken ();
1639
1640     /* The expression to increment must be an lvalue */
1641     if (!ED_IsLVal (Expr)) {
1642         Error ("Invalid lvalue");
1643         return;
1644     }
1645
1646     /* We cannot modify const values */
1647     if (IsQualConst (Expr->Type)) {
1648         Error ("Decrement of read-only variable");
1649     }
1650
1651     /* Get the data type */
1652     Flags = TypeOf (Expr->Type);
1653
1654     /* Emit smaller code if a char variable is at a constant location */
1655     if ((Flags & CF_CHAR) == CF_CHAR && ED_IsLocConst(Expr)) {
1656
1657         LoadExpr (CF_NONE, Expr);
1658         AddCodeLine ("dec %s", ED_GetLabelName(Expr, 0));
1659
1660     } else {
1661
1662         /* Push the address if needed */
1663         PushAddr (Expr);
1664
1665         /* Fetch the value and save it (since it's the result of the expression) */
1666         LoadExpr (CF_NONE, Expr);
1667         g_save (Flags | CF_FORCECHAR);
1668
1669         /* If we have a pointer expression, increment by the size of the type */
1670         if (IsTypePtr (Expr->Type)) {
1671             g_dec (Flags | CF_CONST | CF_FORCECHAR, CheckedSizeOf (Expr->Type + 1));
1672         } else {
1673             g_dec (Flags | CF_CONST | CF_FORCECHAR, 1);
1674         }
1675
1676         /* Store the result back */
1677         Store (Expr, 0);
1678
1679         /* Restore the original value in the primary register */
1680         g_restore (Flags | CF_FORCECHAR);
1681     }
1682
1683     /* The result is always an expression, no reference */
1684     ED_MakeRValExpr (Expr);
1685 }
1686
1687
1688
1689 static void UnaryOp (ExprDesc* Expr)
1690 /* Handle unary -/+ and ~ */
1691 {
1692     unsigned Flags;
1693
1694     /* Remember the operator token and skip it */
1695     token_t Tok = CurTok.Tok;
1696     NextToken ();
1697
1698     /* Get the expression */
1699     hie10 (Expr);
1700
1701     /* We can only handle integer types */
1702     if (!IsClassInt (Expr->Type)) {
1703         Error ("Argument must have integer type");
1704         ED_MakeConstAbsInt (Expr, 1);
1705     }
1706
1707     /* Check for a constant expression */
1708     if (ED_IsConstAbs (Expr)) {
1709         /* Value is constant */
1710         switch (Tok) {
1711             case TOK_MINUS: Expr->IVal = -Expr->IVal;   break;
1712             case TOK_PLUS:                              break;
1713             case TOK_COMP:  Expr->IVal = ~Expr->IVal;   break;
1714             default:        Internal ("Unexpected token: %d", Tok);
1715         }
1716     } else {
1717         /* Value is not constant */
1718         LoadExpr (CF_NONE, Expr);
1719
1720         /* Get the type of the expression */
1721         Flags = TypeOf (Expr->Type);
1722
1723         /* Handle the operation */
1724         switch (Tok) {
1725             case TOK_MINUS: g_neg (Flags);  break;
1726             case TOK_PLUS:                  break;
1727             case TOK_COMP:  g_com (Flags);  break;
1728             default:        Internal ("Unexpected token: %d", Tok);
1729         }
1730
1731         /* The result is a rvalue in the primary */
1732         ED_MakeRValExpr (Expr);
1733     }
1734 }
1735
1736
1737
1738 void hie10 (ExprDesc* Expr)
1739 /* Handle ++, --, !, unary - etc. */
1740 {
1741     unsigned long Size;
1742
1743     switch (CurTok.Tok) {
1744
1745         case TOK_INC:
1746             PreInc (Expr);
1747             break;
1748
1749         case TOK_DEC:
1750             PreDec (Expr);
1751             break;
1752
1753         case TOK_PLUS:
1754         case TOK_MINUS:
1755         case TOK_COMP:
1756             UnaryOp (Expr);
1757             break;
1758
1759         case TOK_BOOL_NOT:
1760             NextToken ();
1761             if (evalexpr (CF_NONE, hie10, Expr) == 0) {
1762                 /* Constant expression */
1763                 Expr->IVal = !Expr->IVal;
1764             } else {
1765                 g_bneg (TypeOf (Expr->Type));
1766                 ED_MakeRValExpr (Expr);
1767                 ED_TestDone (Expr);             /* bneg will set cc */
1768             }
1769             break;
1770
1771         case TOK_STAR:
1772             NextToken ();
1773             ExprWithCheck (hie10, Expr);
1774             if (ED_IsLVal (Expr) || !(ED_IsLocConst (Expr) || ED_IsLocStack (Expr))) {
1775                 /* Not a const, load it into the primary and make it a
1776                 ** calculated value.
1777                 */
1778                 LoadExpr (CF_NONE, Expr);
1779                 ED_MakeRValExpr (Expr);
1780             }
1781             /* If the expression is already a pointer to function, the
1782             ** additional dereferencing operator must be ignored. A function
1783             ** itself is represented as "pointer to function", so any number
1784             ** of dereference operators is legal, since the result will
1785             ** always be converted to "pointer to function".
1786             */
1787             if (IsTypeFuncPtr (Expr->Type) || IsTypeFunc (Expr->Type)) {
1788                 /* Expression not storable */
1789                 ED_MakeRVal (Expr);
1790             } else {
1791                 if (IsClassPtr (Expr->Type)) {
1792                     Expr->Type = Indirect (Expr->Type);
1793                 } else {
1794                     Error ("Illegal indirection");
1795                 }
1796                 /* If the expression points to an array, then don't convert the
1797                 ** address -- it already is the location of the first element.
1798                 */
1799                 if (!IsTypeArray (Expr->Type)) {
1800                     /* The * operator yields an lvalue */
1801                     ED_MakeLVal (Expr);
1802                 }
1803             }
1804             break;
1805
1806         case TOK_AND:
1807             NextToken ();
1808             ExprWithCheck (hie10, Expr);
1809             /* The & operator may be applied to any lvalue, and it may be
1810             ** applied to functions, even if they're no lvalues.
1811             */
1812             if (ED_IsRVal (Expr) && !IsTypeFunc (Expr->Type) && !IsTypeArray (Expr->Type)) {
1813                 Error ("Illegal address");
1814             } else {
1815                 if (ED_IsBitField (Expr)) {
1816                     Error ("Cannot take address of bit-field");
1817                     /* Do it anyway, just to avoid further warnings */
1818                     Expr->Flags &= ~E_BITFIELD;
1819                 }
1820                 Expr->Type = PointerTo (Expr->Type);
1821                 /* The & operator yields an rvalue */
1822                 ED_MakeRVal (Expr);
1823             }
1824             break;
1825
1826         case TOK_SIZEOF:
1827             NextToken ();
1828             if (TypeSpecAhead ()) {
1829                 Type T[MAXTYPELEN];
1830                 NextToken ();
1831                 Size = CheckedSizeOf (ParseType (T));
1832                 ConsumeRParen ();
1833             } else {
1834                 /* Remember the output queue pointer */
1835                 CodeMark Mark;
1836                 GetCodePos (&Mark);
1837                 hie10 (Expr);
1838                 /* If the expression is a literal string, release it, so it
1839                 ** won't be output as data if not used elsewhere.
1840                 */
1841                 if (ED_IsLocLiteral (Expr)) {
1842                     ReleaseLiteral (Expr->LVal);
1843                 }
1844                 /* Calculate the size */
1845                 Size = CheckedSizeOf (Expr->Type);
1846                 /* Remove any generated code */
1847                 RemoveCode (&Mark);
1848             }
1849             ED_MakeConstAbs (Expr, Size, type_size_t);
1850             ED_MarkAsUntested (Expr);
1851             break;
1852
1853         default:
1854             if (TypeSpecAhead ()) {
1855
1856                 /* A typecast */
1857                 TypeCast (Expr);
1858
1859             } else {
1860
1861                 /* An expression */
1862                 hie11 (Expr);
1863
1864                 /* Handle post increment */
1865                 switch (CurTok.Tok) {
1866                     case TOK_INC:   PostInc (Expr); break;
1867                     case TOK_DEC:   PostDec (Expr); break;
1868                     default:                        break;
1869                 }
1870
1871             }
1872             break;
1873     }
1874 }
1875
1876
1877
1878 static void hie_internal (const GenDesc* Ops,   /* List of generators */
1879                           ExprDesc* Expr,
1880                           void (*hienext) (ExprDesc*),
1881                           int* UsedGen)
1882 /* Helper function */
1883 {
1884     ExprDesc Expr2;
1885     CodeMark Mark1;
1886     CodeMark Mark2;
1887     const GenDesc* Gen;
1888     token_t Tok;                        /* The operator token */
1889     unsigned ltype, type;
1890     int lconst;                         /* Left operand is a constant */
1891     int rconst;                         /* Right operand is a constant */
1892
1893
1894     ExprWithCheck (hienext, Expr);
1895
1896     *UsedGen = 0;
1897     while ((Gen = FindGen (CurTok.Tok, Ops)) != 0) {
1898
1899         /* Tell the caller that we handled it's ops */
1900         *UsedGen = 1;
1901
1902         /* All operators that call this function expect an int on the lhs */
1903         if (!IsClassInt (Expr->Type)) {
1904             Error ("Integer expression expected");
1905             /* To avoid further errors, make Expr a valid int expression */
1906             ED_MakeConstAbsInt (Expr, 1);
1907         }
1908
1909         /* Remember the operator token, then skip it */
1910         Tok = CurTok.Tok;
1911         NextToken ();
1912
1913         /* Get the lhs on stack */
1914         GetCodePos (&Mark1);
1915         ltype = TypeOf (Expr->Type);
1916         lconst = ED_IsConstAbs (Expr);
1917         if (lconst) {
1918             /* Constant value */
1919             GetCodePos (&Mark2);
1920             /* If the operator is commutative, don't push the left side, if
1921             ** it's a constant, since we will exchange both operands.
1922             */
1923             if ((Gen->Flags & GEN_COMM) == 0) {
1924                 g_push (ltype | CF_CONST, Expr->IVal);
1925             }
1926         } else {
1927             /* Value not constant */
1928             LoadExpr (CF_NONE, Expr);
1929             GetCodePos (&Mark2);
1930             g_push (ltype, 0);
1931         }
1932
1933         /* Get the right hand side */
1934         MarkedExprWithCheck (hienext, &Expr2);
1935
1936         /* Check for a constant expression */
1937         rconst = (ED_IsConstAbs (&Expr2) && ED_CodeRangeIsEmpty (&Expr2));
1938         if (!rconst) {
1939             /* Not constant, load into the primary */
1940             LoadExpr (CF_NONE, &Expr2);
1941         }
1942
1943         /* Check the type of the rhs */
1944         if (!IsClassInt (Expr2.Type)) {
1945             Error ("Integer expression expected");
1946         }
1947
1948         /* Check for const operands */
1949         if (lconst && rconst) {
1950
1951             /* Both operands are constant, remove the generated code */
1952             RemoveCode (&Mark1);
1953
1954             /* Get the type of the result */
1955             Expr->Type = promoteint (Expr->Type, Expr2.Type);
1956
1957             /* Handle the op differently for signed and unsigned types */
1958             if (IsSignSigned (Expr->Type)) {
1959
1960                 /* Evaluate the result for signed operands */
1961                 signed long Val1 = Expr->IVal;
1962                 signed long Val2 = Expr2.IVal;
1963                 switch (Tok) {
1964                     case TOK_OR:
1965                         Expr->IVal = (Val1 | Val2);
1966                         break;
1967                     case TOK_XOR:
1968                         Expr->IVal = (Val1 ^ Val2);
1969                         break;
1970                     case TOK_AND:
1971                         Expr->IVal = (Val1 & Val2);
1972                         break;
1973                     case TOK_STAR:
1974                         Expr->IVal = (Val1 * Val2);
1975                         break;
1976                     case TOK_DIV:
1977                         if (Val2 == 0) {
1978                             Error ("Division by zero");
1979                             Expr->IVal = 0x7FFFFFFF;
1980                         } else {
1981                             Expr->IVal = (Val1 / Val2);
1982                         }
1983                         break;
1984                     case TOK_MOD:
1985                         if (Val2 == 0) {
1986                             Error ("Modulo operation with zero");
1987                             Expr->IVal = 0;
1988                         } else {
1989                             Expr->IVal = (Val1 % Val2);
1990                         }
1991                         break;
1992                     default:
1993                         Internal ("hie_internal: got token 0x%X\n", Tok);
1994                 }
1995             } else {
1996
1997                 /* Evaluate the result for unsigned operands */
1998                 unsigned long Val1 = Expr->IVal;
1999                 unsigned long Val2 = Expr2.IVal;
2000                 switch (Tok) {
2001                     case TOK_OR:
2002                         Expr->IVal = (Val1 | Val2);
2003                         break;
2004                     case TOK_XOR:
2005                         Expr->IVal = (Val1 ^ Val2);
2006                         break;
2007                     case TOK_AND:
2008                         Expr->IVal = (Val1 & Val2);
2009                         break;
2010                     case TOK_STAR:
2011                         Expr->IVal = (Val1 * Val2);
2012                         break;
2013                     case TOK_DIV:
2014                         if (Val2 == 0) {
2015                             Error ("Division by zero");
2016                             Expr->IVal = 0xFFFFFFFF;
2017                         } else {
2018                             Expr->IVal = (Val1 / Val2);
2019                         }
2020                         break;
2021                     case TOK_MOD:
2022                         if (Val2 == 0) {
2023                             Error ("Modulo operation with zero");
2024                             Expr->IVal = 0;
2025                         } else {
2026                             Expr->IVal = (Val1 % Val2);
2027                         }
2028                         break;
2029                     default:
2030                         Internal ("hie_internal: got token 0x%X\n", Tok);
2031                 }
2032             }
2033
2034         } else if (lconst && (Gen->Flags & GEN_COMM) && !rconst) {
2035
2036             /* The left side is constant, the right side is not, and the
2037             ** operator allows swapping the operands. We haven't pushed the
2038             ** left side onto the stack in this case, and will reverse the
2039             ** operation because this allows for better code.
2040             */
2041             unsigned rtype = ltype | CF_CONST;
2042             ltype = TypeOf (Expr2.Type);       /* Expr2 is now left */
2043             type = CF_CONST;
2044             if ((Gen->Flags & GEN_NOPUSH) == 0) {
2045                 g_push (ltype, 0);
2046             } else {
2047                 ltype |= CF_REG;        /* Value is in register */
2048             }
2049
2050             /* Determine the type of the operation result. */
2051             type |= g_typeadjust (ltype, rtype);
2052             Expr->Type = promoteint (Expr->Type, Expr2.Type);
2053
2054             /* Generate code */
2055             Gen->Func (type, Expr->IVal);
2056
2057             /* We have a rvalue in the primary now */
2058             ED_MakeRValExpr (Expr);
2059
2060         } else {
2061
2062             /* If the right hand side is constant, and the generator function
2063             ** expects the lhs in the primary, remove the push of the primary
2064             ** now.
2065             */
2066             unsigned rtype = TypeOf (Expr2.Type);
2067             type = 0;
2068             if (rconst) {
2069                 /* Second value is constant - check for div */
2070                 type |= CF_CONST;
2071                 rtype |= CF_CONST;
2072                 if (Tok == TOK_DIV && Expr2.IVal == 0) {
2073                     Error ("Division by zero");
2074                 } else if (Tok == TOK_MOD && Expr2.IVal == 0) {
2075                     Error ("Modulo operation with zero");
2076                 }
2077                 if ((Gen->Flags & GEN_NOPUSH) != 0) {
2078                     RemoveCode (&Mark2);
2079                     ltype |= CF_REG;    /* Value is in register */
2080                 }
2081             }
2082
2083             /* Determine the type of the operation result. */
2084             type |= g_typeadjust (ltype, rtype);
2085             Expr->Type = promoteint (Expr->Type, Expr2.Type);
2086
2087             /* Generate code */
2088             Gen->Func (type, Expr2.IVal);
2089
2090             /* We have a rvalue in the primary now */
2091             ED_MakeRValExpr (Expr);
2092         }
2093     }
2094 }
2095
2096
2097
2098 static void hie_compare (const GenDesc* Ops,    /* List of generators */
2099                          ExprDesc* Expr,
2100                          void (*hienext) (ExprDesc*))
2101 /* Helper function for the compare operators */
2102 {
2103     ExprDesc Expr2;
2104     CodeMark Mark0;
2105     CodeMark Mark1;
2106     CodeMark Mark2;
2107     const GenDesc* Gen;
2108     token_t Tok;                        /* The operator token */
2109     unsigned ltype;
2110     int rconst;                         /* Operand is a constant */
2111
2112
2113     GetCodePos (&Mark0);
2114     ExprWithCheck (hienext, Expr);
2115
2116     while ((Gen = FindGen (CurTok.Tok, Ops)) != 0) {
2117
2118         /* Remember the generator function */
2119         void (*GenFunc) (unsigned, unsigned long) = Gen->Func;
2120
2121         /* Remember the operator token, then skip it */
2122         Tok = CurTok.Tok;
2123         NextToken ();
2124
2125         /* If lhs is a function, convert it to pointer to function */
2126         if (IsTypeFunc (Expr->Type)) {
2127             Expr->Type = PointerTo (Expr->Type);
2128         }
2129
2130         /* Get the lhs on stack */
2131         GetCodePos (&Mark1);
2132         ltype = TypeOf (Expr->Type);
2133         if (ED_IsConstAbs (Expr)) {
2134             /* Constant value */
2135             GetCodePos (&Mark2);
2136             g_push (ltype | CF_CONST, Expr->IVal);
2137         } else {
2138             /* Value not constant */
2139             LoadExpr (CF_NONE, Expr);
2140             GetCodePos (&Mark2);
2141             g_push (ltype, 0);
2142         }
2143
2144         /* Get the right hand side */
2145         MarkedExprWithCheck (hienext, &Expr2);
2146
2147         /* If rhs is a function, convert it to pointer to function */
2148         if (IsTypeFunc (Expr2.Type)) {
2149             Expr2.Type = PointerTo (Expr2.Type);
2150         }
2151
2152         /* Check for a constant expression */
2153         rconst = (ED_IsConstAbs (&Expr2) && ED_CodeRangeIsEmpty (&Expr2));
2154         if (!rconst) {
2155             /* Not constant, load into the primary */
2156             LoadExpr (CF_NONE, &Expr2);
2157         }
2158
2159         /* Some operations aren't allowed on function pointers */
2160         if ((Gen->Flags & GEN_NOFUNC) != 0) {
2161             /* Output only one message even if both sides are wrong */
2162             if (IsTypeFuncPtr (Expr->Type)) {
2163                 Error ("Invalid left operand for relational operator");
2164                 /* Avoid further errors */
2165                 ED_MakeConstAbsInt (Expr, 0);
2166                 ED_MakeConstAbsInt (&Expr2, 0);
2167             } else if (IsTypeFuncPtr (Expr2.Type)) {
2168                 Error ("Invalid right operand for relational operator");
2169                 /* Avoid further errors */
2170                 ED_MakeConstAbsInt (Expr, 0);
2171                 ED_MakeConstAbsInt (&Expr2, 0);
2172             }
2173         }
2174
2175         /* Make sure, the types are compatible */
2176         if (IsClassInt (Expr->Type)) {
2177             if (!IsClassInt (Expr2.Type) && !(IsClassPtr(Expr2.Type) && ED_IsNullPtr(Expr))) {
2178                 Error ("Incompatible types");
2179             }
2180         } else if (IsClassPtr (Expr->Type)) {
2181             if (IsClassPtr (Expr2.Type)) {
2182                 /* Both pointers are allowed in comparison if they point to
2183                 ** the same type, or if one of them is a void pointer.
2184                 */
2185                 Type* left  = Indirect (Expr->Type);
2186                 Type* right = Indirect (Expr2.Type);
2187                 if (TypeCmp (left, right) < TC_QUAL_DIFF && left->C != T_VOID && right->C != T_VOID) {
2188                     /* Incompatible pointers */
2189                     Error ("Incompatible types");
2190                 }
2191             } else if (!ED_IsNullPtr (&Expr2)) {
2192                 Error ("Incompatible types");
2193             }
2194         }
2195
2196         /* Check for const operands */
2197         if (ED_IsConstAbs (Expr) && rconst) {
2198
2199             /* If the result is constant, this is suspicious when not in
2200             ** preprocessor mode.
2201             */
2202             WarnConstCompareResult ();
2203
2204             /* Both operands are constant, remove the generated code */
2205             RemoveCode (&Mark1);
2206
2207             /* Determine if this is a signed or unsigned compare */
2208             if (IsClassInt (Expr->Type) && IsSignSigned (Expr->Type) &&
2209                 IsClassInt (Expr2.Type) && IsSignSigned (Expr2.Type)) {
2210
2211                 /* Evaluate the result for signed operands */
2212                 signed long Val1 = Expr->IVal;
2213                 signed long Val2 = Expr2.IVal;
2214                 switch (Tok) {
2215                     case TOK_EQ: Expr->IVal = (Val1 == Val2);   break;
2216                     case TOK_NE: Expr->IVal = (Val1 != Val2);   break;
2217                     case TOK_LT: Expr->IVal = (Val1 < Val2);    break;
2218                     case TOK_LE: Expr->IVal = (Val1 <= Val2);   break;
2219                     case TOK_GE: Expr->IVal = (Val1 >= Val2);   break;
2220                     case TOK_GT: Expr->IVal = (Val1 > Val2);    break;
2221                     default:     Internal ("hie_compare: got token 0x%X\n", Tok);
2222                 }
2223
2224             } else {
2225
2226                 /* Evaluate the result for unsigned operands */
2227                 unsigned long Val1 = Expr->IVal;
2228                 unsigned long Val2 = Expr2.IVal;
2229                 switch (Tok) {
2230                     case TOK_EQ: Expr->IVal = (Val1 == Val2);   break;
2231                     case TOK_NE: Expr->IVal = (Val1 != Val2);   break;
2232                     case TOK_LT: Expr->IVal = (Val1 < Val2);    break;
2233                     case TOK_LE: Expr->IVal = (Val1 <= Val2);   break;
2234                     case TOK_GE: Expr->IVal = (Val1 >= Val2);   break;
2235                     case TOK_GT: Expr->IVal = (Val1 > Val2);    break;
2236                     default:     Internal ("hie_compare: got token 0x%X\n", Tok);
2237                 }
2238             }
2239
2240         } else {
2241
2242             /* Determine the signedness of the operands */
2243             int LeftSigned  = IsSignSigned (Expr->Type);
2244             int RightSigned = IsSignSigned (Expr2.Type);
2245
2246             /* If the right hand side is constant, and the generator function
2247             ** expects the lhs in the primary, remove the push of the primary
2248             ** now.
2249             */
2250             unsigned flags = 0;
2251             if (rconst) {
2252                 flags |= CF_CONST;
2253                 if ((Gen->Flags & GEN_NOPUSH) != 0) {
2254                     RemoveCode (&Mark2);
2255                     ltype |= CF_REG;    /* Value is in register */
2256                 }
2257             }
2258
2259             /* Determine the type of the operation. */
2260             if (IsTypeChar (Expr->Type) && rconst) {
2261
2262                 /* Left side is unsigned char, right side is constant.
2263                 ** Determine the minimum and maximum values
2264                 */
2265                 int LeftMin, LeftMax;
2266                 if (LeftSigned) {
2267                     LeftMin = -128;
2268                     LeftMax = 127;
2269                 } else {
2270                     LeftMin = 0;
2271                     LeftMax = 255;
2272                 }
2273                 /* An integer value is always represented as a signed in the
2274                 ** ExprDesc structure. This may lead to false results below,
2275                 ** if it is actually unsigned, but interpreted as signed
2276                 ** because of the representation. Fortunately, in this case,
2277                 ** the actual value doesn't matter, since it's always greater
2278                 ** than what can be represented in a char. So correct the
2279                 ** value accordingly.
2280                 */
2281                 if (!RightSigned && Expr2.IVal < 0) {
2282                     /* Correct the value so it is an unsigned. It will then
2283                     ** anyway match one of the cases below.
2284                     */
2285                     Expr2.IVal = LeftMax + 1;
2286                 }
2287
2288                 /* Comparing a char against a constant may have a constant
2289                 ** result. Please note: It is not possible to remove the code
2290                 ** for the compare alltogether, because it may have side
2291                 ** effects.
2292                 */
2293                 switch (Tok) {
2294
2295                     case TOK_EQ:
2296                         if (Expr2.IVal < LeftMin || Expr2.IVal > LeftMax) {
2297                             ED_MakeConstAbsInt (Expr, 0);
2298                             WarnConstCompareResult ();
2299                             goto Done;
2300                         }
2301                         break;
2302
2303                     case TOK_NE:
2304                         if (Expr2.IVal < LeftMin || Expr2.IVal > LeftMax) {
2305                             ED_MakeConstAbsInt (Expr, 1);
2306                             WarnConstCompareResult ();
2307                             goto Done;
2308                         }
2309                         break;
2310
2311                     case TOK_LT:
2312                         if (Expr2.IVal <= LeftMin || Expr2.IVal > LeftMax) {
2313                             ED_MakeConstAbsInt (Expr, Expr2.IVal > LeftMax);
2314                             WarnConstCompareResult ();
2315                             goto Done;
2316                         }
2317                         break;
2318
2319                     case TOK_LE:
2320                         if (Expr2.IVal < LeftMin || Expr2.IVal >= LeftMax) {
2321                             ED_MakeConstAbsInt (Expr, Expr2.IVal >= LeftMax);
2322                             WarnConstCompareResult ();
2323                             goto Done;
2324                         }
2325                         break;
2326
2327                     case TOK_GE:
2328                         if (Expr2.IVal <= LeftMin || Expr2.IVal > LeftMax) {
2329                             ED_MakeConstAbsInt (Expr, Expr2.IVal <= LeftMin);
2330                             WarnConstCompareResult ();
2331                             goto Done;
2332                         }
2333                         break;
2334
2335                     case TOK_GT:
2336                         if (Expr2.IVal < LeftMin || Expr2.IVal >= LeftMax) {
2337                             ED_MakeConstAbsInt (Expr, Expr2.IVal < LeftMin);
2338                             WarnConstCompareResult ();
2339                             goto Done;
2340                         }
2341                         break;
2342
2343                     default:
2344                         Internal ("hie_compare: got token 0x%X\n", Tok);
2345                 }
2346
2347                 /* If the result is not already constant (as evaluated in the
2348                 ** switch above), we can execute the operation as a char op,
2349                 ** since the right side constant is in a valid range.
2350                 */
2351                 flags |= (CF_CHAR | CF_FORCECHAR);
2352                 if (!LeftSigned) {
2353                     flags |= CF_UNSIGNED;
2354                 }
2355
2356             } else if (IsTypeChar (Expr->Type) && IsTypeChar (Expr2.Type) &&
2357                 GetSignedness (Expr->Type) == GetSignedness (Expr2.Type)) {
2358
2359                 /* Both are chars with the same signedness. We can encode the
2360                 ** operation as a char operation.
2361                 */
2362                 flags |= CF_CHAR;
2363                 if (rconst) {
2364                     flags |= CF_FORCECHAR;
2365                 }
2366                 if (!LeftSigned) {
2367                     flags |= CF_UNSIGNED;
2368                 }
2369             } else {
2370                 unsigned rtype = TypeOf (Expr2.Type) | (flags & CF_CONST);
2371                 flags |= g_typeadjust (ltype, rtype);
2372             }
2373
2374             /* If the left side is an unsigned and the right is a constant,
2375             ** we may be able to change the compares to something more
2376             ** effective.
2377             */
2378             if (!LeftSigned && rconst) {
2379
2380                 switch (Tok) {
2381
2382                     case TOK_LT:
2383                         if (Expr2.IVal == 1) {
2384                             /* An unsigned compare to one means that the value
2385                             ** must be zero.
2386                             */
2387                             GenFunc = g_eq;
2388                             Expr2.IVal = 0;
2389                         }
2390                         break;
2391
2392                     case TOK_LE:
2393                         if (Expr2.IVal == 0) {
2394                             /* An unsigned compare to zero means that the value
2395                             ** must be zero.
2396                             */
2397                             GenFunc = g_eq;
2398                         }
2399                         break;
2400
2401                     case TOK_GE:
2402                         if (Expr2.IVal == 1) {
2403                             /* An unsigned compare to one means that the value
2404                             ** must not be zero.
2405                             */
2406                             GenFunc = g_ne;
2407                             Expr2.IVal = 0;
2408                         }
2409                         break;
2410
2411                     case TOK_GT:
2412                         if (Expr2.IVal == 0) {
2413                             /* An unsigned compare to zero means that the value
2414                             ** must not be zero.
2415                             */
2416                             GenFunc = g_ne;
2417                         }
2418                         break;
2419
2420                     default:
2421                         break;
2422
2423                 }
2424
2425             }
2426
2427             /* Generate code */
2428             GenFunc (flags, Expr2.IVal);
2429
2430             /* The result is an rvalue in the primary */
2431             ED_MakeRValExpr (Expr);
2432         }
2433
2434         /* Result type is always int */
2435         Expr->Type = type_int;
2436
2437 Done:   /* Condition codes are set */
2438         ED_TestDone (Expr);
2439     }
2440 }
2441
2442
2443
2444 static void hie9 (ExprDesc *Expr)
2445 /* Process * and / operators. */
2446 {
2447     static const GenDesc hie9_ops[] = {
2448         { TOK_STAR,     GEN_NOPUSH | GEN_COMM,  g_mul   },
2449         { TOK_DIV,      GEN_NOPUSH,             g_div   },
2450         { TOK_MOD,      GEN_NOPUSH,             g_mod   },
2451         { TOK_INVALID,  0,                      0       }
2452     };
2453     int UsedGen;
2454
2455     hie_internal (hie9_ops, Expr, hie10, &UsedGen);
2456 }
2457
2458
2459
2460 static void parseadd (ExprDesc* Expr)
2461 /* Parse an expression with the binary plus operator. Expr contains the
2462 ** unprocessed left hand side of the expression and will contain the
2463 ** result of the expression on return.
2464 */
2465 {
2466     ExprDesc Expr2;
2467     unsigned flags;             /* Operation flags */
2468     CodeMark Mark;              /* Remember code position */
2469     Type* lhst;                 /* Type of left hand side */
2470     Type* rhst;                 /* Type of right hand side */
2471
2472     /* Skip the PLUS token */
2473     NextToken ();
2474
2475     /* Get the left hand side type, initialize operation flags */
2476     lhst = Expr->Type;
2477     flags = 0;
2478
2479     /* Check for constness on both sides */
2480     if (ED_IsConst (Expr)) {
2481
2482         /* The left hand side is a constant of some sort. Good. Get rhs */
2483         ExprWithCheck (hie9, &Expr2);
2484         if (ED_IsConstAbs (&Expr2)) {
2485
2486             /* Right hand side is a constant numeric value. Get the rhs type */
2487             rhst = Expr2.Type;
2488
2489             /* Both expressions are constants. Check for pointer arithmetic */
2490             if (IsClassPtr (lhst) && IsClassInt (rhst)) {
2491                 /* Left is pointer, right is int, must scale rhs */
2492                 Expr->IVal += Expr2.IVal * CheckedPSizeOf (lhst);
2493                 /* Result type is a pointer */
2494             } else if (IsClassInt (lhst) && IsClassPtr (rhst)) {
2495                 /* Left is int, right is pointer, must scale lhs */
2496                 Expr->IVal = Expr->IVal * CheckedPSizeOf (rhst) + Expr2.IVal;
2497                 /* Result type is a pointer */
2498                 Expr->Type = Expr2.Type;
2499             } else if (IsClassInt (lhst) && IsClassInt (rhst)) {
2500                 /* Integer addition */
2501                 Expr->IVal += Expr2.IVal;
2502                 typeadjust (Expr, &Expr2, 1);
2503             } else {
2504                 /* OOPS */
2505                 Error ("Invalid operands for binary operator '+'");
2506             }
2507
2508         } else {
2509
2510             /* lhs is a constant and rhs is not constant. Load rhs into
2511             ** the primary.
2512             */
2513             LoadExpr (CF_NONE, &Expr2);
2514
2515             /* Beware: The check above (for lhs) lets not only pass numeric
2516             ** constants, but also constant addresses (labels), maybe even
2517             ** with an offset. We have to check for that here.
2518             */
2519
2520             /* First, get the rhs type. */
2521             rhst = Expr2.Type;
2522
2523             /* Setup flags */
2524             if (ED_IsLocAbs (Expr)) {
2525                 /* A numerical constant */
2526                 flags |= CF_CONST;
2527             } else {
2528                 /* Constant address label */
2529                 flags |= GlobalModeFlags (Expr) | CF_CONSTADDR;
2530             }
2531
2532             /* Check for pointer arithmetic */
2533             if (IsClassPtr (lhst) && IsClassInt (rhst)) {
2534                 /* Left is pointer, right is int, must scale rhs */
2535                 g_scale (CF_INT, CheckedPSizeOf (lhst));
2536                 /* Operate on pointers, result type is a pointer */
2537                 flags |= CF_PTR;
2538                 /* Generate the code for the add */
2539                 if (ED_GetLoc (Expr) == E_LOC_ABS) {
2540                     /* Numeric constant */
2541                     g_inc (flags, Expr->IVal);
2542                 } else {
2543                     /* Constant address */
2544                     g_addaddr_static (flags, Expr->Name, Expr->IVal);
2545                 }
2546             } else if (IsClassInt (lhst) && IsClassPtr (rhst)) {
2547
2548                 /* Left is int, right is pointer, must scale lhs. */
2549                 unsigned ScaleFactor = CheckedPSizeOf (rhst);
2550
2551                 /* Operate on pointers, result type is a pointer */
2552                 flags |= CF_PTR;
2553                 Expr->Type = Expr2.Type;
2554
2555                 /* Since we do already have rhs in the primary, if lhs is
2556                 ** not a numeric constant, and the scale factor is not one
2557                 ** (no scaling), we must take the long way over the stack.
2558                 */
2559                 if (ED_IsLocAbs (Expr)) {
2560                     /* Numeric constant, scale lhs */
2561                     Expr->IVal *= ScaleFactor;
2562                     /* Generate the code for the add */
2563                     g_inc (flags, Expr->IVal);
2564                 } else if (ScaleFactor == 1) {
2565                     /* Constant address but no need to scale */
2566                     g_addaddr_static (flags, Expr->Name, Expr->IVal);
2567                 } else {
2568                     /* Constant address that must be scaled */
2569                     g_push (TypeOf (Expr2.Type), 0);    /* rhs --> stack */
2570                     g_getimmed (flags, Expr->Name, Expr->IVal);
2571                     g_scale (CF_PTR, ScaleFactor);
2572                     g_add (CF_PTR, 0);
2573                 }
2574             } else if (IsClassInt (lhst) && IsClassInt (rhst)) {
2575                 /* Integer addition */
2576                 flags |= typeadjust (Expr, &Expr2, 1);
2577                 /* Generate the code for the add */
2578                 if (ED_IsLocAbs (Expr)) {
2579                     /* Numeric constant */
2580                     g_inc (flags, Expr->IVal);
2581                 } else {
2582                     /* Constant address */
2583                     g_addaddr_static (flags, Expr->Name, Expr->IVal);
2584                 }
2585             } else {
2586                 /* OOPS */
2587                 Error ("Invalid operands for binary operator '+'");
2588                 flags = CF_INT;
2589             }
2590
2591             /* Result is a rvalue in primary register */
2592             ED_MakeRValExpr (Expr);
2593         }
2594
2595     } else {
2596
2597         /* Left hand side is not constant. Get the value onto the stack. */
2598         LoadExpr (CF_NONE, Expr);              /* --> primary register */
2599         GetCodePos (&Mark);
2600         g_push (TypeOf (Expr->Type), 0);        /* --> stack */
2601
2602         /* Evaluate the rhs */
2603         MarkedExprWithCheck (hie9, &Expr2);
2604
2605         /* Check for a constant rhs expression */
2606         if (ED_IsConstAbs (&Expr2) && ED_CodeRangeIsEmpty (&Expr2)) {
2607
2608             /* Right hand side is a constant. Get the rhs type */
2609             rhst = Expr2.Type;
2610
2611             /* Remove pushed value from stack */
2612             RemoveCode (&Mark);
2613
2614             /* Check for pointer arithmetic */
2615             if (IsClassPtr (lhst) && IsClassInt (rhst)) {
2616                 /* Left is pointer, right is int, must scale rhs */
2617                 Expr2.IVal *= CheckedPSizeOf (lhst);
2618                 /* Operate on pointers, result type is a pointer */
2619                 flags = CF_PTR;
2620             } else if (IsClassInt (lhst) && IsClassPtr (rhst)) {
2621                 /* Left is int, right is pointer, must scale lhs (ptr only) */
2622                 g_scale (CF_INT | CF_CONST, CheckedPSizeOf (rhst));
2623                 /* Operate on pointers, result type is a pointer */
2624                 flags = CF_PTR;
2625                 Expr->Type = Expr2.Type;
2626             } else if (IsClassInt (lhst) && IsClassInt (rhst)) {
2627                 /* Integer addition */
2628                 flags = typeadjust (Expr, &Expr2, 1);
2629             } else {
2630                 /* OOPS */
2631                 Error ("Invalid operands for binary operator '+'");
2632                 flags = CF_INT;
2633             }
2634
2635             /* Generate code for the add */
2636             g_inc (flags | CF_CONST, Expr2.IVal);
2637
2638         } else {
2639
2640             /* Not constant, load into the primary */
2641             LoadExpr (CF_NONE, &Expr2);
2642
2643             /* lhs and rhs are not constant. Get the rhs type. */
2644             rhst = Expr2.Type;
2645
2646             /* Check for pointer arithmetic */
2647             if (IsClassPtr (lhst) && IsClassInt (rhst)) {
2648                 /* Left is pointer, right is int, must scale rhs */
2649                 g_scale (CF_INT, CheckedPSizeOf (lhst));
2650                 /* Operate on pointers, result type is a pointer */
2651                 flags = CF_PTR;
2652             } else if (IsClassInt (lhst) && IsClassPtr (rhst)) {
2653                 /* Left is int, right is pointer, must scale lhs */
2654                 g_tosint (TypeOf (lhst));       /* Make sure TOS is int */
2655                 g_swap (CF_INT);                /* Swap TOS and primary */
2656                 g_scale (CF_INT, CheckedPSizeOf (rhst));
2657                 /* Operate on pointers, result type is a pointer */
2658                 flags = CF_PTR;
2659                 Expr->Type = Expr2.Type;
2660             } else if (IsClassInt (lhst) && IsClassInt (rhst)) {
2661                 /* Integer addition. Note: Result is never constant.
2662                 ** Problem here is that typeadjust does not know if the
2663                 ** variable is an rvalue or lvalue, so if both operands
2664                 ** are dereferenced constant numeric addresses, typeadjust
2665                 ** thinks the operation works on constants. Removing
2666                 ** CF_CONST here means handling the symptoms, however, the
2667                 ** whole parser is such a mess that I fear to break anything
2668                 ** when trying to apply another solution.
2669                 */
2670                 flags = typeadjust (Expr, &Expr2, 0) & ~CF_CONST;
2671             } else {
2672                 /* OOPS */
2673                 Error ("Invalid operands for binary operator '+'");
2674                 flags = CF_INT;
2675             }
2676
2677             /* Generate code for the add */
2678             g_add (flags, 0);
2679
2680         }
2681
2682         /* Result is a rvalue in primary register */
2683         ED_MakeRValExpr (Expr);
2684     }
2685
2686     /* Condition codes not set */
2687     ED_MarkAsUntested (Expr);
2688 }
2689
2690
2691
2692 static void parsesub (ExprDesc* Expr)
2693 /* Parse an expression with the binary minus operator. Expr contains the
2694 ** unprocessed left hand side of the expression and will contain the
2695 ** result of the expression on return.
2696 */
2697 {
2698     ExprDesc Expr2;
2699     unsigned flags;             /* Operation flags */
2700     Type* lhst;                 /* Type of left hand side */
2701     Type* rhst;                 /* Type of right hand side */
2702     CodeMark Mark1;             /* Save position of output queue */
2703     CodeMark Mark2;             /* Another position in the queue */
2704     int rscale;                 /* Scale factor for the result */
2705
2706
2707     /* lhs cannot be function or pointer to function */
2708     if (IsTypeFunc (Expr->Type) || IsTypeFuncPtr (Expr->Type)) {
2709         Error ("Invalid left operand for binary operator '-'");
2710         /* Make it pointer to char to avoid further errors */
2711         Expr->Type = type_uchar;
2712     }
2713
2714     /* Skip the MINUS token */
2715     NextToken ();
2716
2717     /* Get the left hand side type, initialize operation flags */
2718     lhst = Expr->Type;
2719     rscale = 1;                 /* Scale by 1, that is, don't scale */
2720
2721     /* Remember the output queue position, then bring the value onto the stack */
2722     GetCodePos (&Mark1);
2723     LoadExpr (CF_NONE, Expr);  /* --> primary register */
2724     GetCodePos (&Mark2);
2725     g_push (TypeOf (lhst), 0);  /* --> stack */
2726
2727     /* Parse the right hand side */
2728     MarkedExprWithCheck (hie9, &Expr2);
2729
2730     /* rhs cannot be function or pointer to function */
2731     if (IsTypeFunc (Expr2.Type) || IsTypeFuncPtr (Expr2.Type)) {
2732         Error ("Invalid right operand for binary operator '-'");
2733         /* Make it pointer to char to avoid further errors */
2734         Expr2.Type = type_uchar;
2735     }
2736
2737     /* Check for a constant rhs expression */
2738     if (ED_IsConstAbs (&Expr2) && ED_CodeRangeIsEmpty (&Expr2)) {
2739
2740         /* The right hand side is constant. Get the rhs type. */
2741         rhst = Expr2.Type;
2742
2743         /* Check left hand side */
2744         if (ED_IsConstAbs (Expr)) {
2745
2746             /* Both sides are constant, remove generated code */
2747             RemoveCode (&Mark1);
2748
2749             /* Check for pointer arithmetic */
2750             if (IsClassPtr (lhst) && IsClassInt (rhst)) {
2751                 /* Left is pointer, right is int, must scale rhs */
2752                 Expr->IVal -= Expr2.IVal * CheckedPSizeOf (lhst);
2753                 /* Operate on pointers, result type is a pointer */
2754             } else if (IsClassPtr (lhst) && IsClassPtr (rhst)) {
2755                 /* Left is pointer, right is pointer, must scale result */
2756                 if (TypeCmp (Indirect (lhst), Indirect (rhst)) < TC_QUAL_DIFF) {
2757                     Error ("Incompatible pointer types");
2758                 } else {
2759                     Expr->IVal = (Expr->IVal - Expr2.IVal) /
2760                                       CheckedPSizeOf (lhst);
2761                 }
2762                 /* Operate on pointers, result type is an integer */
2763                 Expr->Type = type_int;
2764             } else if (IsClassInt (lhst) && IsClassInt (rhst)) {
2765                 /* Integer subtraction */
2766                 typeadjust (Expr, &Expr2, 1);
2767                 Expr->IVal -= Expr2.IVal;
2768             } else {
2769                 /* OOPS */
2770                 Error ("Invalid operands for binary operator '-'");
2771             }
2772
2773             /* Result is constant, condition codes not set */
2774             ED_MarkAsUntested (Expr);
2775
2776         } else {
2777
2778             /* Left hand side is not constant, right hand side is.
2779             ** Remove pushed value from stack.
2780             */
2781             RemoveCode (&Mark2);
2782
2783             if (IsClassPtr (lhst) && IsClassInt (rhst)) {
2784                 /* Left is pointer, right is int, must scale rhs */
2785                 Expr2.IVal *= CheckedPSizeOf (lhst);
2786                 /* Operate on pointers, result type is a pointer */
2787                 flags = CF_PTR;
2788             } else if (IsClassPtr (lhst) && IsClassPtr (rhst)) {
2789                 /* Left is pointer, right is pointer, must scale result */
2790                 if (TypeCmp (Indirect (lhst), Indirect (rhst)) < TC_QUAL_DIFF) {
2791                     Error ("Incompatible pointer types");
2792                 } else {
2793                     rscale = CheckedPSizeOf (lhst);
2794                 }
2795                 /* Operate on pointers, result type is an integer */
2796                 flags = CF_PTR;
2797                 Expr->Type = type_int;
2798             } else if (IsClassInt (lhst) && IsClassInt (rhst)) {
2799                 /* Integer subtraction */
2800                 flags = typeadjust (Expr, &Expr2, 1);
2801             } else {
2802                 /* OOPS */
2803                 Error ("Invalid operands for binary operator '-'");
2804                 flags = CF_INT;
2805             }
2806
2807             /* Do the subtraction */
2808             g_dec (flags | CF_CONST, Expr2.IVal);
2809
2810             /* If this was a pointer subtraction, we must scale the result */
2811             if (rscale != 1) {
2812                 g_scale (flags, -rscale);
2813             }
2814
2815             /* Result is a rvalue in the primary register */
2816             ED_MakeRValExpr (Expr);
2817             ED_MarkAsUntested (Expr);
2818
2819         }
2820
2821     } else {
2822
2823         /* Not constant, load into the primary */
2824         LoadExpr (CF_NONE, &Expr2);
2825
2826         /* Right hand side is not constant. Get the rhs type. */
2827         rhst = Expr2.Type;
2828
2829         /* Check for pointer arithmetic */
2830         if (IsClassPtr (lhst) && IsClassInt (rhst)) {
2831             /* Left is pointer, right is int, must scale rhs */
2832             g_scale (CF_INT, CheckedPSizeOf (lhst));
2833             /* Operate on pointers, result type is a pointer */
2834             flags = CF_PTR;
2835         } else if (IsClassPtr (lhst) && IsClassPtr (rhst)) {
2836             /* Left is pointer, right is pointer, must scale result */
2837             if (TypeCmp (Indirect (lhst), Indirect (rhst)) < TC_QUAL_DIFF) {
2838                 Error ("Incompatible pointer types");
2839             } else {
2840                 rscale = CheckedPSizeOf (lhst);
2841             }
2842             /* Operate on pointers, result type is an integer */
2843             flags = CF_PTR;
2844             Expr->Type = type_int;
2845         } else if (IsClassInt (lhst) && IsClassInt (rhst)) {
2846             /* Integer subtraction. If the left hand side descriptor says that
2847             ** the lhs is const, we have to remove this mark, since this is no
2848             ** longer true, lhs is on stack instead.
2849             */
2850             if (ED_IsLocAbs (Expr)) {
2851                 ED_MakeRValExpr (Expr);
2852             }
2853             /* Adjust operand types */
2854             flags = typeadjust (Expr, &Expr2, 0);
2855         } else {
2856             /* OOPS */
2857             Error ("Invalid operands for binary operator '-'");
2858             flags = CF_INT;
2859         }
2860
2861         /* Generate code for the sub (the & is a hack here) */
2862         g_sub (flags & ~CF_CONST, 0);
2863
2864         /* If this was a pointer subtraction, we must scale the result */
2865         if (rscale != 1) {
2866             g_scale (flags, -rscale);
2867         }
2868
2869         /* Result is a rvalue in the primary register */
2870         ED_MakeRValExpr (Expr);
2871         ED_MarkAsUntested (Expr);
2872     }
2873 }
2874
2875
2876
2877 void hie8 (ExprDesc* Expr)
2878 /* Process + and - binary operators. */
2879 {
2880     ExprWithCheck (hie9, Expr);
2881     while (CurTok.Tok == TOK_PLUS || CurTok.Tok == TOK_MINUS) {
2882         if (CurTok.Tok == TOK_PLUS) {
2883             parseadd (Expr);
2884         } else {
2885             parsesub (Expr);
2886         }
2887     }
2888 }
2889
2890
2891
2892 static void hie6 (ExprDesc* Expr)
2893 /* Handle greater-than type comparators */
2894 {
2895     static const GenDesc hie6_ops [] = {
2896         { TOK_LT,       GEN_NOPUSH | GEN_NOFUNC,     g_lt    },
2897         { TOK_LE,       GEN_NOPUSH | GEN_NOFUNC,     g_le    },
2898         { TOK_GE,       GEN_NOPUSH | GEN_NOFUNC,     g_ge    },
2899         { TOK_GT,       GEN_NOPUSH | GEN_NOFUNC,     g_gt    },
2900         { TOK_INVALID,  0,                           0       }
2901     };
2902     hie_compare (hie6_ops, Expr, ShiftExpr);
2903 }
2904
2905
2906
2907 static void hie5 (ExprDesc* Expr)
2908 /* Handle == and != */
2909 {
2910     static const GenDesc hie5_ops[] = {
2911         { TOK_EQ,       GEN_NOPUSH,     g_eq    },
2912         { TOK_NE,       GEN_NOPUSH,     g_ne    },
2913         { TOK_INVALID,  0,              0       }
2914     };
2915     hie_compare (hie5_ops, Expr, hie6);
2916 }
2917
2918
2919
2920 static void hie4 (ExprDesc* Expr)
2921 /* Handle & (bitwise and) */
2922 {
2923     static const GenDesc hie4_ops[] = {
2924         { TOK_AND,      GEN_NOPUSH | GEN_COMM,  g_and   },
2925         { TOK_INVALID,  0,                      0       }
2926     };
2927     int UsedGen;
2928
2929     hie_internal (hie4_ops, Expr, hie5, &UsedGen);
2930 }
2931
2932
2933
2934 static void hie3 (ExprDesc* Expr)
2935 /* Handle ^ (bitwise exclusive or) */
2936 {
2937     static const GenDesc hie3_ops[] = {
2938         { TOK_XOR,      GEN_NOPUSH | GEN_COMM,  g_xor   },
2939         { TOK_INVALID,  0,                      0       }
2940     };
2941     int UsedGen;
2942
2943     hie_internal (hie3_ops, Expr, hie4, &UsedGen);
2944 }
2945
2946
2947
2948 static void hie2 (ExprDesc* Expr)
2949 /* Handle | (bitwise or) */
2950 {
2951     static const GenDesc hie2_ops[] = {
2952         { TOK_OR,       GEN_NOPUSH | GEN_COMM,  g_or    },
2953         { TOK_INVALID,  0,                      0       }
2954     };
2955     int UsedGen;
2956
2957     hie_internal (hie2_ops, Expr, hie3, &UsedGen);
2958 }
2959
2960
2961
2962 static void hieAndPP (ExprDesc* Expr)
2963 /* Process "exp && exp" in preprocessor mode (that is, when the parser is
2964 ** called recursively from the preprocessor.
2965 */
2966 {
2967     ExprDesc Expr2;
2968
2969     ConstAbsIntExpr (hie2, Expr);
2970     while (CurTok.Tok == TOK_BOOL_AND) {
2971
2972         /* Skip the && */
2973         NextToken ();
2974
2975         /* Get rhs */
2976         ConstAbsIntExpr (hie2, &Expr2);
2977
2978         /* Combine the two */
2979         Expr->IVal = (Expr->IVal && Expr2.IVal);
2980     }
2981 }
2982
2983
2984
2985 static void hieOrPP (ExprDesc *Expr)
2986 /* Process "exp || exp" in preprocessor mode (that is, when the parser is
2987 ** called recursively from the preprocessor.
2988 */
2989 {
2990     ExprDesc Expr2;
2991
2992     ConstAbsIntExpr (hieAndPP, Expr);
2993     while (CurTok.Tok == TOK_BOOL_OR) {
2994
2995         /* Skip the && */
2996         NextToken ();
2997
2998         /* Get rhs */
2999         ConstAbsIntExpr (hieAndPP, &Expr2);
3000
3001         /* Combine the two */
3002         Expr->IVal = (Expr->IVal || Expr2.IVal);
3003     }
3004 }
3005
3006
3007
3008 static void hieAnd (ExprDesc* Expr, unsigned TrueLab, int* BoolOp)
3009 /* Process "exp && exp" */
3010 {
3011     int FalseLab;
3012     ExprDesc Expr2;
3013
3014     ExprWithCheck (hie2, Expr);
3015     if (CurTok.Tok == TOK_BOOL_AND) {
3016
3017         /* Tell our caller that we're evaluating a boolean */
3018         *BoolOp = 1;
3019
3020         /* Get a label that we will use for false expressions */
3021         FalseLab = GetLocalLabel ();
3022
3023         /* If the expr hasn't set condition codes, set the force-test flag */
3024         if (!ED_IsTested (Expr)) {
3025             ED_MarkForTest (Expr);
3026         }
3027
3028         /* Load the value */
3029         LoadExpr (CF_FORCECHAR, Expr);
3030
3031         /* Generate the jump */
3032         g_falsejump (CF_NONE, FalseLab);
3033
3034         /* Parse more boolean and's */
3035         while (CurTok.Tok == TOK_BOOL_AND) {
3036
3037             /* Skip the && */
3038             NextToken ();
3039
3040             /* Get rhs */
3041             hie2 (&Expr2);
3042             if (!ED_IsTested (&Expr2)) {
3043                 ED_MarkForTest (&Expr2);
3044             }
3045             LoadExpr (CF_FORCECHAR, &Expr2);
3046
3047             /* Do short circuit evaluation */
3048             if (CurTok.Tok == TOK_BOOL_AND) {
3049                 g_falsejump (CF_NONE, FalseLab);
3050             } else {
3051                 /* Last expression - will evaluate to true */
3052                 g_truejump (CF_NONE, TrueLab);
3053             }
3054         }
3055
3056         /* Define the false jump label here */
3057         g_defcodelabel (FalseLab);
3058
3059         /* The result is an rvalue in primary */
3060         ED_MakeRValExpr (Expr);
3061         ED_TestDone (Expr);     /* Condition codes are set */
3062     }
3063 }
3064
3065
3066
3067 static void hieOr (ExprDesc *Expr)
3068 /* Process "exp || exp". */
3069 {
3070     ExprDesc Expr2;
3071     int BoolOp = 0;             /* Did we have a boolean op? */
3072     int AndOp;                  /* Did we have a && operation? */
3073     unsigned TrueLab;           /* Jump to this label if true */
3074     unsigned DoneLab;
3075
3076     /* Get a label */
3077     TrueLab = GetLocalLabel ();
3078
3079     /* Call the next level parser */
3080     hieAnd (Expr, TrueLab, &BoolOp);
3081
3082     /* Any boolean or's? */
3083     if (CurTok.Tok == TOK_BOOL_OR) {
3084
3085         /* If the expr hasn't set condition codes, set the force-test flag */
3086         if (!ED_IsTested (Expr)) {
3087             ED_MarkForTest (Expr);
3088         }
3089
3090         /* Get first expr */
3091         LoadExpr (CF_FORCECHAR, Expr);
3092
3093         /* For each expression jump to TrueLab if true. Beware: If we
3094         ** had && operators, the jump is already in place!
3095         */
3096         if (!BoolOp) {
3097             g_truejump (CF_NONE, TrueLab);
3098         }
3099
3100         /* Remember that we had a boolean op */
3101         BoolOp = 1;
3102
3103         /* while there's more expr */
3104         while (CurTok.Tok == TOK_BOOL_OR) {
3105
3106             /* skip the || */
3107             NextToken ();
3108
3109             /* Get a subexpr */
3110             AndOp = 0;
3111             hieAnd (&Expr2, TrueLab, &AndOp);
3112             if (!ED_IsTested (&Expr2)) {
3113                 ED_MarkForTest (&Expr2);
3114             }
3115             LoadExpr (CF_FORCECHAR, &Expr2);
3116
3117             /* If there is more to come, add shortcut boolean eval. */
3118             g_truejump (CF_NONE, TrueLab);
3119
3120         }
3121
3122         /* The result is an rvalue in primary */
3123         ED_MakeRValExpr (Expr);
3124         ED_TestDone (Expr);                     /* Condition codes are set */
3125     }
3126
3127     /* If we really had boolean ops, generate the end sequence */
3128     if (BoolOp) {
3129         DoneLab = GetLocalLabel ();
3130         g_getimmed (CF_INT | CF_CONST, 0, 0);   /* Load FALSE */
3131         g_falsejump (CF_NONE, DoneLab);
3132         g_defcodelabel (TrueLab);
3133         g_getimmed (CF_INT | CF_CONST, 1, 0);   /* Load TRUE */
3134         g_defcodelabel (DoneLab);
3135     }
3136 }
3137
3138
3139
3140 static void hieQuest (ExprDesc* Expr)
3141 /* Parse the ternary operator */
3142 {
3143     int         FalseLab;
3144     int         TrueLab;
3145     CodeMark    TrueCodeEnd;
3146     ExprDesc    Expr2;          /* Expression 2 */
3147     ExprDesc    Expr3;          /* Expression 3 */
3148     int         Expr2IsNULL;    /* Expression 2 is a NULL pointer */
3149     int         Expr3IsNULL;    /* Expression 3 is a NULL pointer */
3150     Type*       ResultType;     /* Type of result */
3151
3152
3153     /* Call the lower level eval routine */
3154     if (Preprocessing) {
3155         ExprWithCheck (hieOrPP, Expr);
3156     } else {
3157         ExprWithCheck (hieOr, Expr);
3158     }
3159
3160     /* Check if it's a ternary expression */
3161     if (CurTok.Tok == TOK_QUEST) {
3162         NextToken ();
3163         if (!ED_IsTested (Expr)) {
3164             /* Condition codes not set, request a test */
3165             ED_MarkForTest (Expr);
3166         }
3167         LoadExpr (CF_NONE, Expr);
3168         FalseLab = GetLocalLabel ();
3169         g_falsejump (CF_NONE, FalseLab);
3170
3171         /* Parse second expression. Remember for later if it is a NULL pointer
3172         ** expression, then load it into the primary.
3173         */
3174         ExprWithCheck (hie1, &Expr2);
3175         Expr2IsNULL = ED_IsNullPtr (&Expr2);
3176         if (!IsTypeVoid (Expr2.Type)) {
3177             /* Load it into the primary */
3178             LoadExpr (CF_NONE, &Expr2);
3179             ED_MakeRValExpr (&Expr2);
3180             Expr2.Type = PtrConversion (Expr2.Type);
3181         }
3182
3183         /* Remember the current code position */
3184         GetCodePos (&TrueCodeEnd);
3185
3186         /* Jump around the evaluation of the third expression */
3187         TrueLab = GetLocalLabel ();
3188         ConsumeColon ();
3189         g_jump (TrueLab);
3190
3191         /* Jump here if the first expression was false */
3192         g_defcodelabel (FalseLab);
3193
3194         /* Parse third expression. Remember for later if it is a NULL pointer
3195         ** expression, then load it into the primary.
3196         */
3197         ExprWithCheck (hie1, &Expr3);
3198         Expr3IsNULL = ED_IsNullPtr (&Expr3);
3199         if (!IsTypeVoid (Expr3.Type)) {
3200             /* Load it into the primary */
3201             LoadExpr (CF_NONE, &Expr3);
3202             ED_MakeRValExpr (&Expr3);
3203             Expr3.Type = PtrConversion (Expr3.Type);
3204         }
3205
3206         /* Check if any conversions are needed, if so, do them.
3207         ** Conversion rules for ?: expression are:
3208         **   - if both expressions are int expressions, default promotion
3209         **     rules for ints apply.
3210         **   - if both expressions are pointers of the same type, the
3211         **     result of the expression is of this type.
3212         **   - if one of the expressions is a pointer and the other is
3213         **     a zero constant, the resulting type is that of the pointer
3214         **     type.
3215         **   - if both expressions are void expressions, the result is of
3216         **     type void.
3217         **   - all other cases are flagged by an error.
3218         */
3219         if (IsClassInt (Expr2.Type) && IsClassInt (Expr3.Type)) {
3220
3221             CodeMark    CvtCodeStart;
3222             CodeMark    CvtCodeEnd;
3223
3224
3225             /* Get common type */
3226             ResultType = promoteint (Expr2.Type, Expr3.Type);
3227
3228             /* Convert the third expression to this type if needed */
3229             TypeConversion (&Expr3, ResultType);
3230
3231             /* Emit conversion code for the second expression, but remember
3232             ** where it starts end ends.
3233             */
3234             GetCodePos (&CvtCodeStart);
3235             TypeConversion (&Expr2, ResultType);
3236             GetCodePos (&CvtCodeEnd);
3237
3238             /* If we had conversion code, move it to the right place */
3239             if (!CodeRangeIsEmpty (&CvtCodeStart, &CvtCodeEnd)) {
3240                 MoveCode (&CvtCodeStart, &CvtCodeEnd, &TrueCodeEnd);
3241             }
3242
3243         } else if (IsClassPtr (Expr2.Type) && IsClassPtr (Expr3.Type)) {
3244             /* Must point to same type */
3245             if (TypeCmp (Indirect (Expr2.Type), Indirect (Expr3.Type)) < TC_EQUAL) {
3246                 Error ("Incompatible pointer types");
3247             }
3248             /* Result has the common type */
3249             ResultType = Expr2.Type;
3250         } else if (IsClassPtr (Expr2.Type) && Expr3IsNULL) {
3251             /* Result type is pointer, no cast needed */
3252             ResultType = Expr2.Type;
3253         } else if (Expr2IsNULL && IsClassPtr (Expr3.Type)) {
3254             /* Result type is pointer, no cast needed */
3255             ResultType = Expr3.Type;
3256         } else if (IsTypeVoid (Expr2.Type) && IsTypeVoid (Expr3.Type)) {
3257             /* Result type is void */
3258             ResultType = Expr3.Type;
3259         } else {
3260             Error ("Incompatible types");
3261             ResultType = Expr2.Type;            /* Doesn't matter here */
3262         }
3263
3264         /* Define the final label */
3265         g_defcodelabel (TrueLab);
3266
3267         /* Setup the target expression */
3268         ED_MakeRValExpr (Expr);
3269         Expr->Type  = ResultType;
3270     }
3271 }
3272
3273
3274
3275 static void opeq (const GenDesc* Gen, ExprDesc* Expr, const char* Op)
3276 /* Process "op=" operators. */
3277 {
3278     ExprDesc Expr2;
3279     unsigned flags;
3280     CodeMark Mark;
3281     int MustScale;
3282
3283     /* op= can only be used with lvalues */
3284     if (!ED_IsLVal (Expr)) {
3285         Error ("Invalid lvalue in assignment");
3286         return;
3287     }
3288
3289     /* The left side must not be const qualified */
3290     if (IsQualConst (Expr->Type)) {
3291         Error ("Assignment to const");
3292     }
3293
3294     /* There must be an integer or pointer on the left side */
3295     if (!IsClassInt (Expr->Type) && !IsTypePtr (Expr->Type)) {
3296         Error ("Invalid left operand type");
3297         /* Continue. Wrong code will be generated, but the compiler won't
3298         ** break, so this is the best error recovery.
3299         */
3300     }
3301
3302     /* Skip the operator token */
3303     NextToken ();
3304
3305     /* Determine the type of the lhs */
3306     flags = TypeOf (Expr->Type);
3307     MustScale = (Gen->Func == g_add || Gen->Func == g_sub) && IsTypePtr (Expr->Type);
3308
3309     /* Get the lhs address on stack (if needed) */
3310     PushAddr (Expr);
3311
3312     /* Fetch the lhs into the primary register if needed */
3313     LoadExpr (CF_NONE, Expr);
3314
3315     /* Bring the lhs on stack */
3316     GetCodePos (&Mark);
3317     g_push (flags, 0);
3318
3319     /* Evaluate the rhs */
3320     MarkedExprWithCheck (hie1, &Expr2);
3321
3322     /* The rhs must be an integer (or a float, but we don't support that yet */
3323     if (!IsClassInt (Expr2.Type)) {
3324         Error ("Invalid right operand for binary operator '%s'", Op);
3325         /* Continue. Wrong code will be generated, but the compiler won't
3326         ** break, so this is the best error recovery.
3327         */
3328     }
3329
3330     /* Check for a constant expression */
3331     if (ED_IsConstAbs (&Expr2) && ED_CodeRangeIsEmpty (&Expr2)) {
3332         /* The resulting value is a constant. If the generator has the NOPUSH
3333         ** flag set, don't push the lhs.
3334         */
3335         if (Gen->Flags & GEN_NOPUSH) {
3336             RemoveCode (&Mark);
3337         }
3338         if (MustScale) {
3339             /* lhs is a pointer, scale rhs */
3340             Expr2.IVal *= CheckedSizeOf (Expr->Type+1);
3341         }
3342
3343         /* If the lhs is character sized, the operation may be later done
3344         ** with characters.
3345         */
3346         if (CheckedSizeOf (Expr->Type) == SIZEOF_CHAR) {
3347             flags |= CF_FORCECHAR;
3348         }
3349
3350         /* Special handling for add and sub - some sort of a hack, but short code */
3351         if (Gen->Func == g_add) {
3352             g_inc (flags | CF_CONST, Expr2.IVal);
3353         } else if (Gen->Func == g_sub) {
3354             g_dec (flags | CF_CONST, Expr2.IVal);
3355         } else {
3356             if (Expr2.IVal == 0) {
3357                 /* Check for div by zero/mod by zero */
3358                 if (Gen->Func == g_div) {
3359                     Error ("Division by zero");
3360                 } else if (Gen->Func == g_mod) {
3361                     Error ("Modulo operation with zero");
3362                 }
3363             }
3364             Gen->Func (flags | CF_CONST, Expr2.IVal);
3365         }
3366     } else {
3367
3368         /* rhs is not constant. Load into the primary */
3369         LoadExpr (CF_NONE, &Expr2);
3370         if (MustScale) {
3371             /* lhs is a pointer, scale rhs */
3372             g_scale (TypeOf (Expr2.Type), CheckedSizeOf (Expr->Type+1));
3373         }
3374
3375         /* If the lhs is character sized, the operation may be later done
3376         ** with characters.
3377         */
3378         if (CheckedSizeOf (Expr->Type) == SIZEOF_CHAR) {
3379             flags |= CF_FORCECHAR;
3380         }
3381
3382         /* Adjust the types of the operands if needed */
3383         Gen->Func (g_typeadjust (flags, TypeOf (Expr2.Type)), 0);
3384     }
3385     Store (Expr, 0);
3386     ED_MakeRValExpr (Expr);
3387 }
3388
3389
3390
3391 static void addsubeq (const GenDesc* Gen, ExprDesc *Expr, const char* Op)
3392 /* Process the += and -= operators */
3393 {
3394     ExprDesc Expr2;
3395     unsigned lflags;
3396     unsigned rflags;
3397     int      MustScale;
3398
3399
3400     /* We're currently only able to handle some adressing modes */
3401     if (ED_GetLoc (Expr) == E_LOC_EXPR || ED_GetLoc (Expr) == E_LOC_PRIMARY) {
3402         /* Use generic routine */
3403         opeq (Gen, Expr, Op);
3404         return;
3405     }
3406
3407     /* We must have an lvalue */
3408     if (ED_IsRVal (Expr)) {
3409         Error ("Invalid lvalue in assignment");
3410         return;
3411     }
3412
3413     /* The left side must not be const qualified */
3414     if (IsQualConst (Expr->Type)) {
3415         Error ("Assignment to const");
3416     }
3417
3418     /* There must be an integer or pointer on the left side */
3419     if (!IsClassInt (Expr->Type) && !IsTypePtr (Expr->Type)) {
3420         Error ("Invalid left operand type");
3421         /* Continue. Wrong code will be generated, but the compiler won't
3422         ** break, so this is the best error recovery.
3423         */
3424     }
3425
3426     /* Skip the operator */
3427     NextToken ();
3428
3429     /* Check if we have a pointer expression and must scale rhs */
3430     MustScale = IsTypePtr (Expr->Type);
3431
3432     /* Initialize the code generator flags */
3433     lflags = 0;
3434     rflags = 0;
3435
3436     /* Evaluate the rhs. We expect an integer here, since float is not
3437     ** supported
3438     */
3439     hie1 (&Expr2);
3440     if (!IsClassInt (Expr2.Type)) {
3441         Error ("Invalid right operand for binary operator '%s'", Op);
3442         /* Continue. Wrong code will be generated, but the compiler won't
3443         ** break, so this is the best error recovery.
3444         */
3445     }
3446     if (ED_IsConstAbs (&Expr2)) {
3447         /* The resulting value is a constant. Scale it. */
3448         if (MustScale) {
3449             Expr2.IVal *= CheckedSizeOf (Indirect (Expr->Type));
3450         }
3451         rflags |= CF_CONST;
3452         lflags |= CF_CONST;
3453     } else {
3454         /* Not constant, load into the primary */
3455         LoadExpr (CF_NONE, &Expr2);
3456         if (MustScale) {
3457             /* lhs is a pointer, scale rhs */
3458             g_scale (TypeOf (Expr2.Type), CheckedSizeOf (Indirect (Expr->Type)));
3459         }
3460     }
3461
3462     /* Setup the code generator flags */
3463     lflags |= TypeOf (Expr->Type) | GlobalModeFlags (Expr) | CF_FORCECHAR;
3464     rflags |= TypeOf (Expr2.Type) | CF_FORCECHAR;
3465
3466     /* Convert the type of the lhs to that of the rhs */
3467     g_typecast (lflags, rflags);
3468
3469     /* Output apropriate code depending on the location */
3470     switch (ED_GetLoc (Expr)) {
3471
3472         case E_LOC_ABS:
3473             /* Absolute: numeric address or const */
3474             if (Gen->Tok == TOK_PLUS_ASSIGN) {
3475                 g_addeqstatic (lflags, Expr->Name, Expr->IVal, Expr2.IVal);
3476             } else {
3477                 g_subeqstatic (lflags, Expr->Name, Expr->IVal, Expr2.IVal);
3478             }
3479             break;
3480
3481         case E_LOC_GLOBAL:
3482             /* Global variable */
3483             if (Gen->Tok == TOK_PLUS_ASSIGN) {
3484                 g_addeqstatic (lflags, Expr->Name, Expr->IVal, Expr2.IVal);
3485             } else {
3486                 g_subeqstatic (lflags, Expr->Name, Expr->IVal, Expr2.IVal);
3487             }
3488             break;
3489
3490         case E_LOC_STATIC:
3491         case E_LOC_LITERAL:
3492             /* Static variable or literal in the literal pool */
3493             if (Gen->Tok == TOK_PLUS_ASSIGN) {
3494                 g_addeqstatic (lflags, Expr->Name, Expr->IVal, Expr2.IVal);
3495             } else {
3496                 g_subeqstatic (lflags, Expr->Name, Expr->IVal, Expr2.IVal);
3497             }
3498             break;
3499
3500         case E_LOC_REGISTER:
3501             /* Register variable */
3502             if (Gen->Tok == TOK_PLUS_ASSIGN) {
3503                 g_addeqstatic (lflags, Expr->Name, Expr->IVal, Expr2.IVal);
3504             } else {
3505                 g_subeqstatic (lflags, Expr->Name, Expr->IVal, Expr2.IVal);
3506             }
3507             break;
3508
3509         case E_LOC_STACK:
3510             /* Value on the stack */
3511             if (Gen->Tok == TOK_PLUS_ASSIGN) {
3512                 g_addeqlocal (lflags, Expr->IVal, Expr2.IVal);
3513             } else {
3514                 g_subeqlocal (lflags, Expr->IVal, Expr2.IVal);
3515             }
3516             break;
3517
3518         default:
3519             Internal ("Invalid location in Store(): 0x%04X", ED_GetLoc (Expr));
3520     }
3521
3522     /* Expression is a rvalue in the primary now */
3523     ED_MakeRValExpr (Expr);
3524 }
3525
3526
3527
3528 void hie1 (ExprDesc* Expr)
3529 /* Parse first level of expression hierarchy. */
3530 {
3531     hieQuest (Expr);
3532     switch (CurTok.Tok) {
3533
3534         case TOK_ASSIGN:
3535             Assignment (Expr);
3536             break;
3537
3538         case TOK_PLUS_ASSIGN:
3539             addsubeq (&GenPASGN, Expr, "+=");
3540             break;
3541
3542         case TOK_MINUS_ASSIGN:
3543             addsubeq (&GenSASGN, Expr, "-=");
3544             break;
3545
3546         case TOK_MUL_ASSIGN:
3547             opeq (&GenMASGN, Expr, "*=");
3548             break;
3549
3550         case TOK_DIV_ASSIGN:
3551             opeq (&GenDASGN, Expr, "/=");
3552             break;
3553
3554         case TOK_MOD_ASSIGN:
3555             opeq (&GenMOASGN, Expr, "%=");
3556             break;
3557
3558         case TOK_SHL_ASSIGN:
3559             opeq (&GenSLASGN, Expr, "<<=");
3560             break;
3561
3562         case TOK_SHR_ASSIGN:
3563             opeq (&GenSRASGN, Expr, ">>=");
3564             break;
3565
3566         case TOK_AND_ASSIGN:
3567             opeq (&GenAASGN, Expr, "&=");
3568             break;
3569
3570         case TOK_XOR_ASSIGN:
3571             opeq (&GenXOASGN, Expr, "^=");
3572             break;
3573
3574         case TOK_OR_ASSIGN:
3575             opeq (&GenOASGN, Expr, "|=");
3576             break;
3577
3578         default:
3579             break;
3580     }
3581 }
3582
3583
3584
3585 void hie0 (ExprDesc *Expr)
3586 /* Parse comma operator. */
3587 {
3588     hie1 (Expr);
3589     while (CurTok.Tok == TOK_COMMA) {
3590         NextToken ();
3591         hie1 (Expr);
3592     }
3593 }
3594
3595
3596
3597 int evalexpr (unsigned Flags, void (*Func) (ExprDesc*), ExprDesc* Expr)
3598 /* Will evaluate an expression via the given function. If the result is a
3599 ** constant, 0 is returned and the value is put in the Expr struct. If the
3600 ** result is not constant, LoadExpr is called to bring the value into the
3601 ** primary register and 1 is returned.
3602 */
3603 {
3604     /* Evaluate */
3605     ExprWithCheck (Func, Expr);
3606
3607     /* Check for a constant expression */
3608     if (ED_IsConstAbs (Expr)) {
3609         /* Constant expression */
3610         return 0;
3611     } else {
3612         /* Not constant, load into the primary */
3613         LoadExpr (Flags, Expr);
3614         return 1;
3615     }
3616 }
3617
3618
3619
3620 void Expression0 (ExprDesc* Expr)
3621 /* Evaluate an expression via hie0 and put the result into the primary register */
3622 {
3623     ExprWithCheck (hie0, Expr);
3624     LoadExpr (CF_NONE, Expr);
3625 }
3626
3627
3628
3629 void ConstExpr (void (*Func) (ExprDesc*), ExprDesc* Expr)
3630 /* Will evaluate an expression via the given function. If the result is not
3631 ** a constant of some sort, a diagnostic will be printed, and the value is
3632 ** replaced by a constant one to make sure there are no internal errors that
3633 ** result from this input error.
3634 */
3635 {
3636     ExprWithCheck (Func, Expr);
3637     if (!ED_IsConst (Expr)) {
3638         Error ("Constant expression expected");
3639         /* To avoid any compiler errors, make the expression a valid const */
3640         ED_MakeConstAbsInt (Expr, 1);
3641     }
3642 }
3643
3644
3645
3646 void BoolExpr (void (*Func) (ExprDesc*), ExprDesc* Expr)
3647 /* Will evaluate an expression via the given function. If the result is not
3648 ** something that may be evaluated in a boolean context, a diagnostic will be
3649 ** printed, and the value is replaced by a constant one to make sure there
3650 ** are no internal errors that result from this input error.
3651 */
3652 {
3653     ExprWithCheck (Func, Expr);
3654     if (!ED_IsBool (Expr)) {
3655         Error ("Boolean expression expected");
3656         /* To avoid any compiler errors, make the expression a valid int */
3657         ED_MakeConstAbsInt (Expr, 1);
3658     }
3659 }
3660
3661
3662
3663 void ConstAbsIntExpr (void (*Func) (ExprDesc*), ExprDesc* Expr)
3664 /* Will evaluate an expression via the given function. If the result is not
3665 ** a constant numeric integer value, a diagnostic will be printed, and the
3666 ** value is replaced by a constant one to make sure there are no internal
3667 ** errors that result from this input error.
3668 */
3669 {
3670     ExprWithCheck (Func, Expr);
3671     if (!ED_IsConstAbsInt (Expr)) {
3672         Error ("Constant integer expression expected");
3673         /* To avoid any compiler errors, make the expression a valid const */
3674         ED_MakeConstAbsInt (Expr, 1);
3675     }
3676 }