]> git.sur5r.net Git - cc65/blob - src/cc65/stmt.c
Reverted part of change 4108 that prevented an optimization step to find
[cc65] / src / cc65 / stmt.c
1 /*****************************************************************************/
2 /*                                                                           */
3 /*                                  stmt.c                                   */
4 /*                                                                           */
5 /*                             Parse a statement                             */
6 /*                                                                           */
7 /*                                                                           */
8 /*                                                                           */
9 /* (C) 1998-2009, Ullrich von Bassewitz                                      */
10 /*                Roemerstrasse 52                                           */
11 /*                D-70794 Filderstadt                                        */
12 /* EMail:         uz@cc65.org                                                */
13 /*                                                                           */
14 /*                                                                           */
15 /* This software is provided 'as-is', without any expressed or implied       */
16 /* warranty.  In no event will the authors be held liable for any damages    */
17 /* arising from the use of this software.                                    */
18 /*                                                                           */
19 /* Permission is granted to anyone to use this software for any purpose,     */
20 /* including commercial applications, and to alter it and redistribute it    */
21 /* freely, subject to the following restrictions:                            */
22 /*                                                                           */
23 /* 1. The origin of this software must not be misrepresented; you must not   */
24 /*    claim that you wrote the original software. If you use this software   */
25 /*    in a product, an acknowledgment in the product documentation would be  */
26 /*    appreciated but is not required.                                       */
27 /* 2. Altered source versions must be plainly marked as such, and must not   */
28 /*    be misrepresented as being the original software.                      */
29 /* 3. This notice may not be removed or altered from any source              */
30 /*    distribution.                                                          */
31 /*                                                                           */
32 /*****************************************************************************/
33
34
35
36 #include <stdio.h>
37 #include <string.h>
38
39 /* common */
40 #include "coll.h"
41 #include "xmalloc.h"
42
43 /* cc65 */
44 #include "asmcode.h"
45 #include "asmlabel.h"
46 #include "codegen.h"
47 #include "datatype.h"
48 #include "error.h"
49 #include "expr.h"
50 #include "function.h"
51 #include "global.h"
52 #include "goto.h"
53 #include "litpool.h"
54 #include "loadexpr.h"
55 #include "locals.h"
56 #include "loop.h"
57 #include "pragma.h"
58 #include "scanner.h"
59 #include "stackptr.h"
60 #include "stmt.h"
61 #include "swstmt.h"
62 #include "symtab.h"
63 #include "testexpr.h"
64 #include "typeconv.h"
65
66
67
68 /*****************************************************************************/
69 /*                             Helper functions                              */
70 /*****************************************************************************/
71
72
73
74 static void CheckLabelWithoutStatement (void)
75 /* Called from Statement() after a label definition. Will check for a
76  * following closing curly brace. This means that a label is not followed
77  * by a statement which is required by the standard. Output an error if so.
78  */
79 {
80     if (CurTok.Tok == TOK_RCURLY) {
81         Error ("Label at end of compound statement");
82     }
83 }
84
85
86
87 static void CheckTok (token_t Tok, const char* Msg, int* PendingToken)
88 /* Helper function for Statement. Will check for Tok and print Msg if not
89  * found. If PendingToken is NULL, it will the skip the token, otherwise
90  * it will store one to PendingToken.
91  */
92 {
93     if (CurTok.Tok != Tok) {
94         Error ("%s", Msg);
95     } else if (PendingToken) {
96         *PendingToken = 1;
97     } else {
98         NextToken ();
99     }
100 }
101
102
103
104 static void CheckSemi (int* PendingToken)
105 /* Helper function for Statement. Will check for a semicolon and print an
106  * error message if not found (plus some error recovery). If PendingToken is
107  * NULL, it will the skip the token, otherwise it will store one to
108  * PendingToken.
109  * This function is a special version of CheckTok with the addition of the
110  * error recovery.
111  */
112 {
113     int HaveToken = (CurTok.Tok == TOK_SEMI);
114     if (!HaveToken) {
115         Error ("`;' expected");
116         /* Try to be smart about errors */
117         if (CurTok.Tok == TOK_COLON || CurTok.Tok == TOK_COMMA) {
118             HaveToken = 1;
119         }
120     }
121     if (HaveToken) {
122         if (PendingToken) {
123             *PendingToken = 1;
124         } else {
125             NextToken ();
126         }
127     }
128 }
129
130
131
132 static void SkipPending (int PendingToken)
133 /* Skip the pending token if we have one */
134 {
135     if (PendingToken) {
136         NextToken ();
137     }
138 }
139
140
141
142 /*****************************************************************************/
143 /*                                   Code                                    */
144 /*****************************************************************************/
145
146
147
148 static int IfStatement (void)
149 /* Handle an 'if' statement */
150 {
151     unsigned Label1;
152     unsigned TestResult;
153     int GotBreak;
154
155     /* Skip the if */
156     NextToken ();
157
158     /* Generate a jump label and parse the condition */
159     Label1 = GetLocalLabel ();
160     TestResult = TestInParens (Label1, 0);
161
162     /* Parse the if body */
163     GotBreak = Statement (0);
164
165     /* Else clause present? */
166     if (CurTok.Tok != TOK_ELSE) {
167
168         g_defcodelabel (Label1);
169
170         /* Since there's no else clause, we're not sure, if the a break
171          * statement is really executed.
172          */
173         return 0;
174
175     } else {
176
177         /* Generate a jump around the else branch */
178         unsigned Label2 = GetLocalLabel ();
179         g_jump (Label2);
180
181         /* Skip the else */
182         NextToken ();
183
184         /* If the if expression was always true, the code in the else branch
185          * is never executed. Output a warning if this is the case.
186          */
187         if (TestResult == TESTEXPR_TRUE) {
188             Warning ("Unreachable code");
189         }
190
191         /* Define the target for the first test */
192         g_defcodelabel (Label1);
193
194         /* Total break only if both branches had a break. */
195         GotBreak &= Statement (0);
196
197         /* Generate the label for the else clause */
198         g_defcodelabel (Label2);
199
200         /* Done */
201         return GotBreak;
202     }
203 }
204
205
206
207 static void DoStatement (void)
208 /* Handle the 'do' statement */
209 {
210     /* Get the loop control labels */
211     unsigned LoopLabel      = GetLocalLabel ();
212     unsigned BreakLabel     = GetLocalLabel ();
213     unsigned ContinueLabel  = GetLocalLabel ();
214
215     /* Skip the while token */
216     NextToken ();
217
218     /* Add the loop to the loop stack */
219     AddLoop (BreakLabel, ContinueLabel);
220
221     /* Define the loop label */
222     g_defcodelabel (LoopLabel);
223
224     /* Parse the loop body */
225     Statement (0);
226
227     /* Output the label for a continue */
228     g_defcodelabel (ContinueLabel);
229
230     /* Parse the end condition */
231     Consume (TOK_WHILE, "`while' expected");
232     TestInParens (LoopLabel, 1);
233     ConsumeSemi ();
234
235     /* Define the break label */
236     g_defcodelabel (BreakLabel);
237
238     /* Remove the loop from the loop stack */
239     DelLoop ();
240 }
241
242
243
244 static void WhileStatement (void)
245 /* Handle the 'while' statement */
246 {
247     int PendingToken;
248
249     /* Get the loop control labels */
250     unsigned LoopLabel  = GetLocalLabel ();
251     unsigned BreakLabel = GetLocalLabel ();
252
253     /* Skip the while token */
254     NextToken ();
255
256     /* Add the loop to the loop stack. In case of a while loop, the loop head
257      * label is used for continue statements.
258      */
259     AddLoop (BreakLabel, LoopLabel);
260
261     /* Define the head label */
262     g_defcodelabel (LoopLabel);
263
264     /* Test the loop condition */
265     TestInParens (BreakLabel, 0);
266
267     /* Loop body */
268     Statement (&PendingToken);
269
270     /* Jump back to loop top */
271     g_jump (LoopLabel);
272
273     /* Exit label */
274     g_defcodelabel (BreakLabel);
275
276     /* Eat remaining tokens that were delayed because of line info
277      * correctness
278      */
279     SkipPending (PendingToken);
280
281     /* Remove the loop from the loop stack */
282     DelLoop ();
283 }
284
285
286
287 static void ReturnStatement (void)
288 /* Handle the 'return' statement */
289 {
290     ExprDesc Expr;
291
292     NextToken ();
293     if (CurTok.Tok != TOK_SEMI) {
294
295         /* Evaluate the return expression */
296         hie0 (&Expr);
297
298         /* If we return something in a void function, print an error and
299          * ignore the value. Otherwise convert the value to the type of the
300          * return.
301          */
302         if (F_HasVoidReturn (CurrentFunc)) {
303             Error ("Returning a value in function with return type void");
304         } else {
305             /* Convert the return value to the type of the function result */
306             TypeConversion (&Expr, F_GetReturnType (CurrentFunc));
307
308             /* Load the value into the primary */
309             LoadExpr (CF_NONE, &Expr);
310         }
311
312     } else if (!F_HasVoidReturn (CurrentFunc) && !F_HasOldStyleIntRet (CurrentFunc)) {
313         Error ("Function `%s' must return a value", F_GetFuncName (CurrentFunc));
314     }
315
316     /* Mark the function as having a return statement */
317     F_ReturnFound (CurrentFunc);
318
319     /* Cleanup the stack in case we're inside a block with locals */
320     g_space (StackPtr - F_GetTopLevelSP (CurrentFunc));
321
322     /* Output a jump to the function exit code */
323     g_jump (F_GetRetLab (CurrentFunc));
324 }
325
326
327
328 static void BreakStatement (void)
329 /* Handle the 'break' statement */
330 {
331     LoopDesc* L;
332
333     /* Skip the break */
334     NextToken ();
335
336     /* Get the current loop descriptor */
337     L = CurrentLoop ();
338
339     /* Check if we are inside a loop */
340     if (L == 0) {
341         /* Error: No current loop */
342         Error ("`break' statement not within loop or switch");
343         return;
344     }
345
346     /* Correct the stack pointer if needed */
347     g_space (StackPtr - L->StackPtr);
348
349     /* Jump to the exit label of the loop */
350     g_jump (L->BreakLabel);
351 }
352
353
354
355 static void ContinueStatement (void)
356 /* Handle the 'continue' statement */
357 {
358     LoopDesc* L;
359
360     /* Skip the continue */
361     NextToken ();
362
363     /* Get the current loop descriptor */
364     L = CurrentLoop ();
365     if (L) {
366         /* Search for a loop that has a continue label. */
367         do {
368             if (L->ContinueLabel) {
369                 break;
370             }
371             L = L->Next;
372         } while (L);
373     }
374
375     /* Did we find it? */
376     if (L == 0) {
377         Error ("`continue' statement not within a loop");
378         return;
379     }
380
381     /* Correct the stackpointer if needed */
382     g_space (StackPtr - L->StackPtr);
383
384     /* Jump to next loop iteration */
385     g_jump (L->ContinueLabel);
386 }
387
388
389
390 static void ForStatement (void)
391 /* Handle a 'for' statement */
392 {
393     ExprDesc lval1;
394     ExprDesc lval3;
395     int HaveIncExpr;
396     CodeMark IncExprStart;
397     CodeMark IncExprEnd;
398     int PendingToken;
399
400     /* Get several local labels needed later */
401     unsigned TestLabel    = GetLocalLabel ();
402     unsigned BreakLabel   = GetLocalLabel ();
403     unsigned IncLabel     = GetLocalLabel ();
404     unsigned BodyLabel    = GetLocalLabel ();
405
406     /* Skip the FOR token */
407     NextToken ();
408
409     /* Add the loop to the loop stack. A continue jumps to the start of the
410      * the increment condition.
411      */
412     AddLoop (BreakLabel, IncLabel);
413
414     /* Skip the opening paren */
415     ConsumeLParen ();
416
417     /* Parse the initializer expression */
418     if (CurTok.Tok != TOK_SEMI) {
419         Expression0 (&lval1);
420     }
421     ConsumeSemi ();
422
423     /* Label for the test expressions */
424     g_defcodelabel (TestLabel);
425
426     /* Parse the test expression */
427     if (CurTok.Tok != TOK_SEMI) {
428         Test (BodyLabel, 1);
429         g_jump (BreakLabel);
430     } else {
431         g_jump (BodyLabel);
432     }
433     ConsumeSemi ();
434
435     /* Remember the start of the increment expression */
436     GetCodePos (&IncExprStart);
437
438     /* Label for the increment expression */
439     g_defcodelabel (IncLabel);
440
441     /* Parse the increment expression */
442     HaveIncExpr = (CurTok.Tok != TOK_RPAREN);
443     if (HaveIncExpr) {
444         Expression0 (&lval3);
445     }
446
447     /* Jump to the test */
448     g_jump (TestLabel);
449
450     /* Remember the end of the increment expression */
451     GetCodePos (&IncExprEnd);
452
453     /* Skip the closing paren */
454     ConsumeRParen ();
455
456     /* Loop body */
457     g_defcodelabel (BodyLabel);
458     Statement (&PendingToken);
459
460     /* If we had an increment expression, move the code to the bottom of
461      * the loop. In this case we don't need to jump there at the end of
462      * the loop body.
463      */
464     if (HaveIncExpr) {
465         CodeMark Here;
466         GetCodePos (&Here);
467         MoveCode (&IncExprStart, &IncExprEnd, &Here);
468     } else {
469         /* Jump back to the increment expression */
470         g_jump (IncLabel);
471     }
472
473     /* Skip a pending token if we have one */
474     SkipPending (PendingToken);
475
476     /* Declare the break label */
477     g_defcodelabel (BreakLabel);
478
479     /* Remove the loop from the loop stack */
480     DelLoop ();
481 }
482
483
484
485 static int CompoundStatement (void)
486 /* Compound statement. Allow any number of statements inside braces. The
487  * function returns true if the last statement was a break or return.
488  */
489 {
490     int GotBreak;
491
492     /* Remember the stack at block entry */
493     int OldStack = StackPtr;
494
495     /* Enter a new lexical level */
496     EnterBlockLevel ();
497
498     /* Parse local variable declarations if any */
499     DeclareLocals ();
500
501     /* Now process statements in this block */
502     GotBreak = 0;
503     while (CurTok.Tok != TOK_RCURLY) {
504         if (CurTok.Tok != TOK_CEOF) {
505             GotBreak = Statement (0);
506         } else {
507             break;
508         }
509     }
510
511     /* Clean up the stack. */
512     if (!GotBreak) {
513         g_space (StackPtr - OldStack);
514     }
515     StackPtr = OldStack;
516
517     /* Emit references to imports/exports for this block */
518     EmitExternals ();
519
520     /* Leave the lexical level */
521     LeaveBlockLevel ();
522
523     return GotBreak;
524 }
525
526
527
528 int Statement (int* PendingToken)
529 /* Statement parser. Returns 1 if the statement does a return/break, returns
530  * 0 otherwise. If the PendingToken pointer is not NULL, the function will
531  * not skip the terminating token of the statement (closing brace or
532  * semicolon), but store true if there is a pending token, and false if there
533  * is none. The token is always checked, so there is no need for the caller to
534  * check this token, it must be skipped, however. If the argument pointer is
535  * NULL, the function will skip the token.
536  */
537 {
538     ExprDesc Expr;
539     int GotBreak;
540     CodeMark Start, End;
541
542     /* Assume no pending token */
543     if (PendingToken) {
544         *PendingToken = 0;
545     }
546
547     /* Check for a label. A label is always part of a statement, it does not
548      * replace one.
549      */
550     while (CurTok.Tok == TOK_IDENT && NextTok.Tok == TOK_COLON) {
551         /* Handle the label */
552         DoLabel ();
553         CheckLabelWithoutStatement ();
554     }
555
556     switch (CurTok.Tok) {
557
558         case TOK_LCURLY:
559             NextToken ();
560             GotBreak = CompoundStatement ();
561             CheckTok (TOK_RCURLY, "`{' expected", PendingToken);
562             return GotBreak;
563
564         case TOK_IF:
565             return IfStatement ();
566
567         case TOK_WHILE:
568             WhileStatement ();
569             break;
570
571         case TOK_DO:
572             DoStatement ();
573             break;
574
575         case TOK_SWITCH:
576             SwitchStatement ();
577             break;
578
579         case TOK_RETURN:
580             ReturnStatement ();
581             CheckSemi (PendingToken);
582             return 1;
583
584         case TOK_BREAK:
585             BreakStatement ();
586             CheckSemi (PendingToken);
587             return 1;
588
589         case TOK_CONTINUE:
590             ContinueStatement ();
591             CheckSemi (PendingToken);
592             return 1;
593
594         case TOK_FOR:
595             ForStatement ();
596             break;
597
598         case TOK_GOTO:
599             GotoStatement ();
600             CheckSemi (PendingToken);
601             return 1;
602
603         case TOK_SEMI:
604             /* Ignore it */
605             CheckSemi (PendingToken);
606             break;
607
608         case TOK_PRAGMA:
609             DoPragma ();
610             break;
611
612         case TOK_CASE:
613             CaseLabel ();
614             CheckLabelWithoutStatement ();
615             break;
616
617         case TOK_DEFAULT:
618             DefaultLabel ();
619             CheckLabelWithoutStatement ();
620             break;
621
622         default:
623             /* Remember the current code position */
624             GetCodePos (&Start);
625             /* Actual statement */
626             ExprWithCheck (hie0, &Expr);
627             /* Load the result only if it is an lvalue and the type is
628              * marked as volatile. Otherwise the load is useless.
629              */
630             if (ED_IsLVal (&Expr) && IsQualVolatile (Expr.Type)) {
631                 LoadExpr (CF_NONE, &Expr);
632             }
633             /* If the statement didn't generate code, and is not of type
634              * void, emit a warning.
635              */
636             GetCodePos (&End);
637             if (CodeRangeIsEmpty (&Start, &End) && !IsTypeVoid (Expr.Type)) {
638                 Warning ("Statement has no effect");
639             }
640             CheckSemi (PendingToken);
641     }
642     return 0;
643 }
644
645
646
647