CS143 PA3 cool语法解析

代码

/*
*  cool.y
*              Parser definition for the COOL language.
*
*/
%{#include <iostream>#include "cool-tree.h"#include "stringtab.h"#include "utilities.h"extern char *curr_filename;/* Locations */#define YYLTYPE int              /* the type of locations */#define cool_yylloc curr_lineno  /* use the curr_lineno from the lexerfor the location of tokens */extern int node_lineno;          /* set before constructing a tree nodeto whatever you want the line numberfor the tree node to be */#define YYLLOC_DEFAULT(Current, Rhs, N)         \Current = Rhs[1];                             \node_lineno = Current;#define SET_NODELOC(Current)  \node_lineno = Current;/* IMPORTANT NOTE ON LINE NUMBERS********************************** The above definitions and macros cause every terminal in your grammar to * have the line number supplied by the lexer. The only task you have to* implement for line numbers to work correctly, is to use SET_NODELOC()* before constructing any constructs from non-terminals in your grammar.* Example: Consider you are matching on the following very restrictive * (fictional) construct that matches a plus between two integer constants. * (SUCH A RULE SHOULD NOT BE  PART OF YOUR PARSER):plus_consts	: INT_CONST '+' INT_CONST * where INT_CONST is a terminal for an integer constant. Now, a correct* action for this rule that attaches the correct line number to plus_const* would look like the following:plus_consts	: INT_CONST '+' INT_CONST {// Set the line number of the current non-terminal:// ***********************************************// You can access the line numbers of the i'th item with @i, just// like you acess the value of the i'th exporession with $i.//// Here, we choose the line number of the last INT_CONST (@3) as the// line number of the resulting expression (@$). You are free to pick// any reasonable line as the line number of non-terminals. If you // omit the statement @$=..., bison has default rules for deciding which // line number to use. Check the manual for details if you are interested.@$ = @3;// Observe that we call SET_NODELOC(@3); this will set the global variable// node_lineno to @3. Since the constructor call "plus" uses the value of // this global, the plus node will now have the correct line number.SET_NODELOC(@3);// construct the result node:$$ = plus(int_const($1), int_const($3));}*/void yyerror(char *s);        /*  defined below; called for each parse error */extern int yylex();           /*  the entry point to the lexer  *//************************************************************************//*                DONT CHANGE ANYTHING IN THIS SECTION                  */Program ast_root;	      /* the result of the parse  */Classes parse_results;        /* for use in semantic analysis */int omerrs = 0;               /* number of errors in lexing and parsing */%}/* A union of all the types that can be the result of parsing actions. */%union {Boolean boolean;Symbol symbol;Program program;Class_ class_;Classes classes;Feature feature;Features features;Formal formal;Formals formals;Case case_;Cases cases;Expression expression;Expressions expressions;char *error_msg;}/* Declare the terminals; a few have types for associated lexemes.The token ERROR is never used in the parser; thus, it is a parseerror when the lexer returns it.The integer following token declaration is the numeric constant usedto represent that token internally.  Typically, Bison generates theseon its own, but we give explicit numbers to prevent version parityproblems (bison 1.25 and earlier start at 258, later versions -- at257)*/%token CLASS 258 ELSE 259 FI 260 IF 261 IN 262 %token INHERITS 263 LET 264 LOOP 265 POOL 266 THEN 267 WHILE 268%token CASE 269 ESAC 270 OF 271 DARROW 272 NEW 273 ISVOID 274%token <symbol>  STR_CONST 275 INT_CONST 276 %token <boolean> BOOL_CONST 277%token <symbol>  TYPEID 278 OBJECTID 279 %token ASSIGN 280 NOT 281 LE 282 ERROR 283/*  DON'T CHANGE ANYTHING ABOVE THIS LINE, OR YOUR PARSER WONT WORK       *//**************************************************************************//* Complete the nonterminal list below, giving a type for the semanticvalue of each non terminal. (See section 3.6 in the bison documentation for details). *//* Declare types for the grammar's non-terminals. */%type <program> program%type <classes> class_list%type <class_> class/* You will want to change the following line. */%type <features> dummy_feature_list%type <feature> feature%type <formals> formal_list%type <formal> formal%type <expression> expression%type <expressions> expression_list%type <expressions> expressions%type <case_> case%type <cases> case_list%type <expression> let_list/* Precedence declarations go here. */%right ASSIGN%left NOT%nonassoc '<' '=' LE%left '+' '-'%left '*' '/'%left ISVOID%left '~'%left '@'%left '.'%%/* Save the root of the abstract syntax tree in a global variable.*/program	: class_list	{ @$ = @1; ast_root = program($1); };class_list: class			/* single class */{ $$ = single_Classes($1);parse_results = $$; }| class_list class	/* several classes */{ $$ = append_Classes($1,single_Classes($2)); parse_results = $$; }| error ';' class_list{ $$ = $3; };/* If no parent is specified, the class inherits from the Object class. */class	: CLASS TYPEID '{' dummy_feature_list '}' ';'{ $$ = class_($2,idtable.add_string("Object"),$4,stringtable.add_string(curr_filename)); }| CLASS TYPEID INHERITS TYPEID '{' dummy_feature_list '}' ';'{ $$ = class_($2,$4,$6,stringtable.add_string(curr_filename)); };/* Feature list may be empty, but no empty features in list. */dummy_feature_list:		/* empty */{  $$ = nil_Features(); }| dummy_feature_list feature ';'{  $$ = append_Features($1,single_Features($2)); }| error ';' dummy_feature_list{  $$ = $3; };feature : OBJECTID '(' formal_list ')' ':' TYPEID '{' expression '}' {  $$ = method($1,$3,$6,$8); }| OBJECTID ':' TYPEID{  $$ = attr($1,$3,no_expr());}| OBJECTID ':' TYPEID ASSIGN expression {  $$ = attr($1,$3,$5); };formal_list: /* empty */{  $$ = nil_Formals(); }| formal			/* single formal */{  $$ = single_Formals($1); }| formal_list ',' formal		/* several formals */{  $$ = append_Formals($1,single_Formals($3)); };formal : OBJECTID ':' TYPEID		/* single formal */{  $$ = formal($1,$3); };expression_list: /* empty */{  $$ = nil_Expressions(); }| expression			/* single expression */{  $$ = single_Expressions($1); }| expression_list ',' expression		/* several expressions */{  $$ = append_Expressions($1,single_Expressions($3)); };expressions:  /* empty */{  $$ = nil_Expressions(); }|  expression ';' expressions		/* several expressions */{  $$ = append_Expressions(single_Expressions($1),$3); };expression : OBJECTID ASSIGN expression	/* assignment */ {  $$ = assign($1,$3); }| expression '.' OBJECTID '(' expression_list ')'	/* method call */{  $$ = dispatch($1,$3,$5); }| OBJECTID '(' expression_list ')'	/* object creation */{  $$ = dispatch(object(idtable.add_string("self")),$1,$3);}| expression '@' TYPEID '.' OBJECTID '(' expression_list ')'	/* static method call */{  $$ = static_dispatch($1,$3,$5,$7);}| IF expression THEN expression ELSE expression FI	/* conditional */{  $$ = cond($2,$4,$6); }| WHILE expression LOOP expression POOL	/* loop */{  $$ = loop($2,$4); }| '{' expressions '}'		/* block */{  $$ = block($2); }| LET let_list{  $$ = $2; }| CASE expression OF case_list ESAC	/* case */{  $$ = typcase($2,$4);}| NEW TYPEID			/* object creation */{  $$ = new_($2); }| ISVOID expression			/* void check */{  $$ = isvoid($2); }| '(' expression ')'{  $$ = $2; }| expression '*' expression		/* multiplication */{  $$ = mul($1,$3); }| expression '/' expression		/* division */{  $$ = divide($1,$3); }| expression '+' expression		/* addition */{  $$ = plus($1,$3); }| expression '-' expression		/* subtraction */{  $$ = sub($1,$3); }| '~' expression			/* complement */{  $$ = neg($2); }| expression '<' expression		/* less than */{  $$ = lt($1,$3); }| expression LE expression		/* less than or equal */{  $$ = leq($1,$3); }| expression '=' expression		/* equality */{  $$ = eq($1,$3); }| NOT expression			/* negation */{  $$ = comp($2); }| OBJECTID			/* variable reference */{  $$ = object($1); }| INT_CONST			/* integer constant */{  $$ = int_const($1); }| STR_CONST			/* string constant */{  $$ = string_const($1); }| BOOL_CONST				/* boolean constant */{  $$ = bool_const($1); };case_list : case				/* single case */{  $$ = single_Cases($1); }| case_list case			/* several cases */{  $$ = append_Cases($1,single_Cases($2)); };case : OBJECTID ':' TYPEID DARROW expression ';'	/* single case */{  $$ = branch($1,$3,$5); };let_list : OBJECTID ':' TYPEID ASSIGN expression IN expression{  $$ = let($1,$3,$5,$7); }| OBJECTID ':' TYPEID IN expression{  $$ = let($1,$3,no_expr(),$5); }| OBJECTID ':' TYPEID ASSIGN expression ',' let_list{  $$ = let($1,$3,$5,$7); }| OBJECTID ':' TYPEID ',' let_list{  $$ = let($1,$3,no_expr(),$5); }| error ',' let_list{  $$ = $3; };/* end of grammar */%%/* This function is called automatically when Bison detects a parse error. */void yyerror(char *s){extern int curr_lineno;cerr << "\"" << curr_filename << "\", line " << curr_lineno << ": " \<< s << " at or near ";print_cool_token(yychar);cerr << endl;omerrs++;if(omerrs>50) {fprintf(stdout, "More than 50 errors\n"); exit(1);}}

实现流程

  1. 创建节点的API在cool-tree.h的末尾
  2. 定义语法规则,在handouts/cool-manual.pdf,照着写表达式就行
  3. 使用colordiff对自己编写的文件和老师给的lexer parser文件的输出结果进行对比,找出语法错误

注意事项

  1. 语法规则需要改写,比方说对[] * ? 这些符号
  2. 语法规则需要加error
  3. vscode 对语法解析进行调试(因为输入流是其他文件的输出流),见vscode 调试, 调试程序依赖输入流启动 然后按下F5,可以在.y文件中打断点 (bison记得加调试选项)

结果展示

老师用例

先对老师给的俩用例进行测试

make parser
make dotest

输出


Running parser on good.cl./myparser good.cl 
#1
_program#1_classAObject"good.cl"(#2_methodanaInt#3_plus#3_letxInt#3_int1: _no_type#3_letyInt#3_int5: _no_type#3_int2: _no_type: _no_type: _no_type#3_int3: _no_type: _no_type)#7_classBB__A"good.cl"()Running parser on bad.cl./myparser bad.cl
"bad.cl", line 15: syntax error at or near OBJECTID = b
"bad.cl", line 19: syntax error at or near OBJECTID = a
"bad.cl", line 23: syntax error at or near OBJECTID = inherts
"bad.cl", line 28: syntax error at or near ';'
Compilation halted due to lex and parse errors
make: [Makefile:57:dotest] 错误 1 (已忽略)

应该没错误

老师给的example

#!/bin/bash
# colordiff -u (lexer test.cl | psub) (./lexer test.cl | psub)for file in /home/sjk/project/cool-compiler/examples/*.cl; doif [ -f "$file" ]; thenecho "Running colordiff -u for file: $file"colordiff -u <(./myparser "$file") <( lexer "$file" | parser)fi
done

就是对目录下所有的cl文件进行编译,然后对比老师的lexer,parser的输出结果。

大部分都能通过用例

少数几个有问题的地方:

  1. 部分行号显示为0,这个是老师程序的bug
Running colordiff -u for file: /home/sjk/project/cool-compiler/examples/sort_list.cl
--- /dev/fd/63	2024-06-28 11:23:17.864209020 +0800
+++ /dev/fd/62	2024-06-28 11:23:17.864209020 +0800
@@ -193,14 +193,14 @@_attrxcarInt
-      #57
+      #0_no_expr: _no_type#58_attrxcdrList
-      #58
+      #0_no_expr: _no_type#62
@@ -557,7 +557,7 @@_attrlList
-      #118
+      #0_no_expr: _no_type#121
  1. life.cl 232行的将两个语句相加,加法运算符的行号出错了,这个我猜测是reduce的时候,先把expression的condition条件语句给reduce,然后再reduce加法运算符,导致行号出错。 我也不知道怎么解决。
Running colordiff -u for file: /home/sjk/project/cool-compiler/examples/sort_list.cl
--- /dev/fd/63	2024-06-28 11:23:17.864209020 +0800
+++ /dev/fd/62	2024-06-28 11:23:17.864209020 +0800
@@ -193,14 +193,14 @@_attrxcarInt
-      #57
+      #0_no_expr: _no_type#58_attrxcdrList
-      #58
+      #0_no_expr: _no_type#62
@@ -557,7 +557,7 @@_attrlList
-      #118
+      #0_no_expr: _no_type#121

容易出错的地方

  1. 函数参数expression_list,语句之间expressions,一个是 ,分隔,一个是 ;分隔
  2. expression_list是可以为空的,忘记写了
  3. error的地方,要写,不然bad.cl过不了
  4. neg和comp,难分清楚,哈哈,可以照着老师给的程序写
  5. * / + - 运算符的优先级,先声明的优先级低

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/862296.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Spring Boot框架的原理及应用详解(二)

本系列文章简介: 在当今的软件开发世界中,快速迭代、高效开发以及易于维护成为了开发者们不断追求的目标。Spring Boot作为Spring框架的一个子项目,自其诞生以来就凭借其“约定大于配置”的理念和自动配置的特性,迅速在Java开发社区中获得了广泛的关注和认可。它简化了Spri…

LSTM理解

目录 一、LSTM的本质 二、LSTM的原理 三、LSTM的应用 本文将从LSTM的本质、LSTM的原理、LSTM的应用三个方面&#xff0c;带您一文搞懂长短期记忆网络Long Short Term Memory | LSTM。 一、LSTM的本质 RNN 面临问题&#xff1a;RNN&#xff08;递归神经网络&#xff09;在处理…

数字时代的软件架构:持续架构的兴起与架构师角色的转变

在数字化浪潮的推动下&#xff0c;软件架构领域正经历着前所未有的变革。Eoin Woods在《数字时代的软件架构》演讲中&#xff0c;深入探讨了这一变革&#xff0c;并提出了“持续架构”这一概念。本文将基于Eoin的观点&#xff0c;结合个人理解&#xff0c;探讨持续架构的重要性…

微信小程序怎么使用地图?

微信小程序使用地图功能时&#xff0c;主要涉及地图组件的引入、配置以及相关的API调用。以下是详细的使用步骤和说明&#xff1a; 1. 引入地图组件 在微信小程序的.wxml文件中&#xff0c;通过<map>标签引入地图组件。你可以设置地图的经纬度、缩放级别、控件等属性。…

Kali系统的中英文切换

执行命令&#xff1a;sudo dpkg-reconfigure locales 命令作用&#xff1a;重新生成locales配置文件并允许你重新选择所需的语言环境。 中文&#xff1a;zh_CN.UTF-8 UTF-8 英文&#xff1a;en_US.UTF-8 UTF-8 用空格键选中和取消选项。 要设置成中文&#xff1a;取消选择en…

MySQL的`EXPLAIN`和Oracle的`EXPLAIN PLAN FOR`都是用于分析和理解SQL查询的执行计划的工具

MySQL的EXPLAIN和Oracle的EXPLAIN PLAN FOR都是用于分析和理解SQL查询的执行计划的工具。它们提供了查询的详细信息&#xff0c;包括表的访问顺序、索引的使用情况、预计的行数和成本等。以下是两者的一些关键点和区别&#xff1a; ### MySQL EXPLAIN&#xff1a; - EXPLAIN用…

ISA95-标准1-模型定义部分的解析

ISA-95定义了五个层次的自动化模型,在MES(制造执行系统)或MOM(制造运营管理)系统中,各个层次的功能模块通常与ISA-95模型的层次相对应。以下是自动化模型定义涉及到的功能模块描述: 1. 0级:物理过程控制 - 功能模块:传感器和执行器管理、基础自动化控制、设备状态监控…

C语言课程回顾:四、C语言最简单的C程序设计—顺序程序设计

提示&#xff1a;文章写完后&#xff0c;目录可以自动生成&#xff0c;如何生成可参考右边的帮助文档 最简单的C程序设计—顺序程序设计 4 最简单的C程序设计—顺序程序设计4.1 &#xff23;语句概述4.2 赋值语句4.4 字符数据的输入输出4.4.1 putchar 函数&#xff08;字符输出…

【Git】远程仓库

一、常用的托管服务[远程仓库] 二、注册码云 三、创建远程仓库 四、配置SSH公钥 五、操作远程仓库 5.1、添加远程仓库 5.2、查看远程仓库 5.3、推送到远程仓库 5.4、 本地分支与远程分支的关联关系 5.5、从远程仓库克隆 5.6、从远程仓库中抓取和拉取 5.7、解决合并冲突 一、常…

Ubuntu 22.04上编译安装c++ libconfig library

Libconfig是一个简单的c及c库&#xff0c;用于处理结构化的配置文件。libconfig的配置的文件格式非常简洁&#xff0c;可读性也非常的好&#xff0c;而且是type-aware&#xff0c;普通的配置文件读取后存取的类型为字符串&#xff0c;而Libconfig具有类型意识&#xff0c;因此不…

Labview_Occurrencel(事件发生)

PS&#xff1a;这里遇到 一个很Low的事情&#xff1a; 在停止第二个while循环的时候出现了停止不了的情况。因为等待事件发生设置的超时时间为:-1。所以等事件发生后出现了条件接线端已经执行的情况&#xff0c;所以当下次事件发生时未能及时停止。初版的停止设置如下图&#x…

MMM部署

一.MySQL&#xff0c;MySQL主主复制管理器&#xff09; 是一套支持双主故障切换和双主日常管理的脚本程序。MMM 使用 Perl 语言开发&#xff0c;主要用来监控和管理 MySQL Master-Master &#xff08;双主&#xff09;复制&#xff0c;虽然叫做双主复制&#xff0c;但是业务上同…

六西格玛项目实战:数据驱动,手机PCM率直线下降

在当前智能手机市场日益竞争激烈的背景下&#xff0c;消费者对手机质量的要求达到了前所未有的高度。PCM&#xff08;可能指生产过程中的某种不良率或缺陷率&#xff09;作为影响手机质量的关键因素&#xff0c;直接关联到消费者满意度和品牌形象。为了应对这一挑战&#xff0c…

应用场景:CPU通过网络将IP camera的RTSP流(H.264编码或是H.265编码)拉回, 交给GPU解码并显示 , 叙述下这个流程

这个流程涉及到从IP摄像头获取视频流&#xff08;通过RTSP协议&#xff09;&#xff0c;然后将流传输给GPU进行解码和显示的过程。详细的流程描述如下&#xff1a; 1. 获取视频流: - **IP摄像头**: 摄像头通过RTSP&#xff08;Real-Time Streaming Protocol&#xff09;将…

XGboost详解

文章最前&#xff1a; 我是Octopus&#xff0c;这个名字来源于我的中文名–章鱼&#xff1b;我热爱编程、热爱算法、热爱开源。所有源码在我的个人github &#xff1b;这博客是记录我学习的点点滴滴&#xff0c;如果您对 Python、Java、AI、算法有兴趣&#xff0c;可以关注我的…

热门开源项目推荐--机器学习TensorFlow

简介 TensorFlow 2.x是谷歌开发的一个开源机器学习库&#xff0c;它是TensorFlow的第二个主要版本&#xff0c;带来了许多新特性和改进&#xff0c;使得机器学习模型的开发和部署更加容易和高效。 特性 1. 易用性提升 TensorFlow 2.x在设计上更加注重用户体验&#xff0c;简…

设计模式原则——接口隔离原则

设计模式原则 设计模式示例代码库地址&#xff1a; https://gitee.com/Jasonpupil/designPatterns 接口隔离原则 要求程序员尽量将臃肿庞大的接口拆分为更小的和更具体的接口&#xff0c;让接口中只包含客户感兴趣的方法接口隔离原则的目标是降低类或模块之间的耦合度&…

智慧校园-缴费管理系统总体概述

在构建现代化教育环境的过程中&#xff0c;智慧校园缴费管理系统脱颖而出&#xff0c;成为提升校园财务管理效率与服务质量的关键一环。缴费管理系统需要精心设计&#xff0c;通过科技力量&#xff0c;让原本繁琐的缴费流程变得简单快捷&#xff0c;同时增强家校之间的互动与信…

光学相机市场格局:中国光学相机市场评估及未来发展趋势研究报告

欢迎关注GZH《光场视觉》 光学相机行业定义 光学相机是一种利用光学镜头和感光材料&#xff08;如胶片&#xff09;或数字传感器来捕捉图像的装置。光学相机&#xff0c;也常被称作传统相机或胶片相机&#xff0c;其工作原理基于光的折射和聚焦。当光线通过相机的镜头进入时&…

分享暄桐林曦老师的精进心法

暄桐是一间传统美学教育教室&#xff0c;创办于2011年&#xff0c;林曦是创办人和授课老师&#xff0c;教授以书法为主的传统文化和技艺&#xff0c;皆在以书法为起点&#xff0c;亲近中国传统之美&#xff0c;以实践和所得&#xff0c;滋养当下生活。      清风雅致林曦老…