SlideShare a Scribd company logo
1 of 46
Introducing of Bison 天官 2011-09-15 1
Flex and Bison statement:   NAME '=' expression expression: NUMBER '+' NUMBER 	   | NUMBER '-' NUMBER Flex: recognizes regular expressions. divides the input stream into pieces(token) terminal symbol: 	Symbols produced by the lexer are called terminal symbols or tokens nonterminal symbol: Those that are defined on the left-hand side of rules are called nonterminal symbols or nonterminals. VS Bison ,[object Object]
takes these pieces and groups them together logically.,[object Object]
Parsing methods Bison parsers can use either of two parsing methods, known as LALR(1) and GLR LALR(1) (Look Ahead Left to Right with a one-token lookahead), which is less powerful but considerably faster and easier to use than GLR. GLR (Generalized Left to Right). The most common kind of language that computer parsers handle is a context-free grammar(CFG) The standard form to write down a CFG is Baskus-Naur Form (BNF)
LR parser LR parser is a parser that reads input from Left to right and produces a Rightmost derivation.  The term LR(k) parser is also used; where the k refers to the number of unconsumed "look ahead" input symbols that are used in making parsing decisions. Usually k is 1 and the term LR parser is often intended to refer to this case. (LALR(1))
look ahead LALR(1) cannot deal with grammars that need more than one token of lookahead to tell whether it has matched a rule. phrase:	     cart_animal  AND CART 	  |  work_animal  AND PLOW cart_animal:     HORSE | GOAT work_animal:   HORSE | OX phrase:	     cart_animalCART 	  |  work_animalPLOW cart_animal:     HORSE | GOAT work_animal:   HORSE | OX Not support! OR phrase:	     cart_animal  AND CART 	  |  work_animal  AND PLOW cart_animal:     HORSE | GOAT work_animal:   OX
Rightmost Derivation Rule 1 expr  expr – digit exprexpr – digit exprexpr + digit expr digit digit 0|1|2|…|9 Example input:    3 + 8 - 2 The rightmost non-terminal is replaced in each step Rule 4 expr – digit  expr – 2 Rule 2 expr – 2 expr + digit - 2 Rule 4 expr + digit - 2  expr + 8-2 Rule 3 expr + 8-2 digit + 8-2 Rule 4 digit + 8-23+8 -2
Leftmost Derivation Rule 1 expr  expr – digit The leftmost non-terminal is replaced in each step expr 1 1 Rule 2 expr – digit  expr + digit – digit 2 2 3 expr - digit Rule 3 expr + digit – digit  digit + digit – digit 3 5 4 expr digit + Rule 4 4 digit + digit – digit3 + digit – digit 2 Rule 4 3 + digit – digit 3 + 8 – digit 5 6 digit 8 Rule 4 3 + 8 – digit 3 + 8 – 2 6 3
Leftmost Derivation Rule 1 expr  expr – digit expr  expr – digit expr  expr + digit expr  digit digit 0|1|2|…|9 Example input:    3 + 8 - 2 The leftmost non-terminal is replaced in each step Rule 2 expr – digit  expr + digit – digit Rule 3 expr + digit – digit  digit + digit – digit Rule 4 digit + digit – digit3 + digit – digit Rule 4 3 + digit – digit 3 + 8 – digit Rule 4 3 + 8 – digit 3 + 8 – 2
Leftmost Derivation Rule 1 expr  expr – digit The leftmost non-terminal is replaced in each step expr 1 1 Rule 2 expr – digit  expr + digit – digit 6 2 2 expr - digit Rule 3 expr + digit – digit  digit + digit – digit 3 3 5 expr digit + Rule 4 4 digit + digit – digit3 + digit – digit 2 Rule 4 3 + digit – digit 3 + 8 – digit 5 4 digit 8 Rule 4 3 + 8 – digit 3 + 8 – 2 6 3
Context-Free Grammars A context-free grammar G is defined by the 4-tuple: G = (V, ∑, R, S) where V is a finite set; each element  v ϵ V is called a non-terminal character or a variable. Each variable represents a different type of phrase or clause in the sentence. Variables are also sometimes called syntactic categories. Each variable defines a sub-language of the language defined by . ∑ is a finite set of terminals, disjoint from V, which make up the actual content of the sentence. The set of terminals is the alphabet of the language defined by the grammar G. R is a finite relation from V to (V U ∑)*. The members of R are called the (rewrite) rules or productions of the grammar. S is the start variable (or start symbol), used to represent the whole sentence (or program). It must be an element of V. The asterisk represents the Kleene star operation.
Context-free language The language of grammar G = (V, ∑, R, S) is the set 	L(G) = { ωϵ ∑* : S ωω } 	A language L is said to be context-free languange(CFL), if there exists a CFG G, such that L = L(G).
Context-Free Grammars Comprised of A set of tokens or terminal symbols A set of non-terminal symbols A set of rules or productions which express the legal relationships between symbols A start or goal symbol Example: exprexpr – digit exprexpr + digit expr digit digit 0|1|2|…|9 ,[object Object]
Non-terminals: expr, digit
Start symbol: expr,[object Object]
Terms Symbols are strings of letters, digits, periods, and underscores that do not start with a digit. error is reserved for error recovery. Do not use C reserved words or bison's own symbols such as yyparse. Symbols produced by the lexer are called terminal symbols or tokens Those that are defined on the left-hand side of rules are called nonterminal symbols or nonterminals.
Structure of a Bison Specification ... definition section ... 	%% 	... rules section ... 	%% 	... user subroutines ...
Literal Block 	%{ 	... C code and declarations ... 	%} The contents of the literal block are copied verbatim to the generated C source file near the beginning, before the beginning of yypare(). Usually contains declarations of variables and functions, as well as #include. Bison also provides an experimental %code POS { ... } where POS is a keyword to suggest where in the generated parser the code should go.
Delaration %parse-param %require "2.4“  declare the minimum version of bison needed to compile it %start identifies the top-level rule (Named the first rule.) %union %token %type %left %right %nonassoc %expect
Token Define the ternimators. Bison treats a character in single quotes as a token Bison also allows you to decalre strings as aliases for tokens This defines the token NE and lets you use NE and != interchangeably in the parser. The lexer must still return the internal token values for NE when the token is read, not a string. expr: '(' expr ')'; %token NE "!=" %% ... expr:	expr "!=" exp;
Parse-param Normally, you call yyparse() with no arguments, if you need, youcan add parameters to its definition: %parse-param { char *modulename } 		%parse-param { int intensity } This allows you to call yyparse("mymodule", 42)
Type The %union declaration specifies the entire list of possible types %token is used for declaring token types %type is used for declaring nonterminal symbols %{ #include "calc.h“      /* Contains definition of `symrec' */  %}  %union {  	double val;              /* For returning numbers. */  symrec *tptr;           /* For returning symbol-table pointers */  }  %token <tptr> VAR FNCT   /* Variable and Function */  %type <val> exp  %%
Structure of a Bison Specification 	... definition section ... 	%% ... rules section ... 	%% 	... user subroutines ...
Actions An action is C code executed when bison matches a rule in the grammar. The action can refer to the values associated with the symbols in the rule by using a dollar sign followed by a number. The name $$ refers to the value for the left-hand side (LHS) symbol. For rules with no action, bison uses a default of the following date: month '/' day '/' year	{ printf("date %d-%d-%d found", $1, $3, $5); } ; { $$ = $1; }
Rules Recursive Rules The action can refer to the values associated with the symbols in the rule by using a dollar sign followed by a number. In most cases, Bison handles left recursion much more efficiently than right recursion. numberlist  :	/* empty */                    |	numberlist NUMBER 	     ; exprlist: exprlist ',' expr;	/* left recursion */ or exprlist: expr ',' exprlist;	/* right recursion */
Special Characters %	All of the declarations in the definition section start with %. $	In actions, a dollar sign introduces a value reference. @	In actions, an @ sign introduces a location reference, such as @2 for the location of the second symbol in the RHS. '	Literal tokens are enclosed in single quotes. "	Bison lets you declare quoted string as parser alias for tokens. <>	In a value reference in an action, you can override the value's default type by enclosing the type name in angle brackets. {}	The C code in actions is enclosed in curly braces. ;	Each rule in the rules section should end with a semicolon. |	or syntax for multi-rules with same LHS. :	separate left-hand side and right-hand side -	Symbols may include underscores along with letters, digits, and periods. .	Symbols may include periods along with letters, digits, and underscores.
Reserved YYABORT In an action makes the parser routine yyparse() return immediately with a nonzero value, indicating failure. YYACCEPT In an action makes the parser routine yyparse() return immediately with a value 0, indicating success. YYBACKUP The macro YYBACKUP lets you unshift the current token and replace it with something else. sym:	TOKEN	{ YYBACKUP(newtok, newval); } It is extremely difficult to use YYBACKUP() correctly, so you're best off not using it.
Reserved yyclearin The macro yyclearin in an action discards a lookahead token if one has been read. It is most oftern useful in error recovery in an interactive parser to put the paarser into a known state after an error: YYDEBUG To include the trace code, either use the -t flag on the bison command line or else define the C preprocessor symbol YYDEBUG to be nonzero either on the C compiler command line or by inlcuding something like this in the definition section: stmtlist   :	stmt | stmtlist stmt; stmt	:	error { reset_input(); yyclearin; }; %{ #define YYDEBUG 1 %}
Ambiguity and Conflicts The grammar is truly ambiguous Shift/Reduce Conflicts Reduce/Reduce Conflicts The grammar is unambiguous, but the standard parsing technique that bison uses is not powerful enough to parse the grammar. (need to look more than one token ahead) We have already told about it of LALR(1).
Reduce/Reduce Conflicts A reduce/reduce conflict occurs when the same token could complete two different rules. 	%% 	prog:	proga | progb; 	proga:	'X'; 	progb:	'X';
Shift/Reduce Conflicts %type <a> exp ... %% ... expr: expr '+' exp          { $$ = newast('+', $1, $3); }        | expr '-' exp           { $$ = newast('-', $1, $3); }        | expr '*' exp           { $$ = newast('*', $1, $3); }        | expr '/' exp           { $$ = newast('/', $1, $3); }        | '|' exp           { $$ = newast('|', $2, NULL); }        | '(' exp ')'           { $$ = $2); }        | '-' exp           { $$ = newast('M', $2, NULL); }        | NUMBER { $$ = newnum($1); }        ; %% Example   2+3*4
Problem At this point, the parser looks at the * and could either reduce 2+3 using; to an expression or shift the *, expecting to be able to reduce: 	later on. 2		shift NUMBER E		reduce E->NUMBER E +		shift + E + 3		shift NUMBER E + E		reduce E->NUMBER Example   2+3 * 4 expr:    expr '+' exp expr:    expr ‘*' exp
Analysis The problem is that we haven't told bison about the precedence and associativity of the operators. Precedence controls which operators execute first in an expression. In and expression grammar, operators are grouped into levels of precedence from lowest to highest.The total number of levels depends on the language. The C language is notorious for having too many precedence levels, a total of 15 levels. Associativity controls the grouping of operators at the same precedence level.
Implicitly Solution %type <a> exp exp1 exp2 ... %% ... expr : expr1 '+' exp1 { $$ = newast('+', $1, $3); }         | expr1 '-' exp1 { $$ = newast('-', $1, $3); }         | expr1 { $$ = $1; } expr1: expr2 '*' exp2 { $$ = newast('*', $1, $3); }          | expr2 '/' exp2 { $$ = newast('/', $1, $3); }          | expr2 { $$ = $1; } expr2: '|' exp { $$ = newast('|', $2, NULL); }          | '(' exp ')' { $$ = $2); }          | '-' exp { $$ = newast('M', $2, NULL); }          | NUMBER { $$ = newnum($1); }          ; %%
Explicitly Solution %left '+' '-’ %left '*' '/’ %nonassoc '|' NMINUS %type <a> exp exp1 exp2 ... %% ... expr: expr '+' exp { $$ = newast('+', $1, $3); }        | expr '-' exp { $$ = newast('-', $1, $3); }        | expr '*' exp { $$ = newast('*', $1, $3); }        | expr '/' exp { $$ = newast('/', $1, $3); }        | '|' exp { $$ = newast('|', $2, NULL); }        | '(' exp ')' { $$ = $2); }        | '-' exp %prec UMINUS { $$ = newast('M', $2, NULL); }        | NUMBER { $$ = newnum($1); }        ; %%
Explicitly Solution %left, %right, and %nonassoc declarations defining the order of precedence from lowest to highest. %left, left associative %right, right associative %nonaccoc, no associativity UMINUS, pseudo token standing fro unary minus %prec UMINUS, %prec tells bison to use the precedence of UMINUS for this rule.
IF/THEN/ELSE conflict When Not to Use Precedence Rules In expression grammars and to resolve the "dangling else" conflict in grammars for if/then/else language constructs, it is easy to understand. But in other situations, it can be extremely difficult to understand. stmt:	IF '(' cond ')' stmt        |	IF '(' cond ')' stmt ELSE stmt        |	TERMINAL cond:	TERMINAL Ambiguous!!! IF ( cond ) IF ( cond ) stmt ELSE stmt Which one? IF ( cond ) { IF ( cond ) stmt  } ELSE stmt IF ( cond ) { IF ( cond ) stmt ELSE stmt }
Implicitly Solution stmt :matched        |	unmatched         ; matched  :other_stmt    |	IF expr THEN matched ELSE matched    ; unmatched  :	IF expr THEN stmt        |	IF expr THEN matched ELSE unmatched 			; other_stmt:	/* rules for other kinds of statement */ ... IF ( cond ) { IF ( cond ) stmt ELSE stmt }
Explicitly Solution %nonassoc	THEN %nonassoc	ELSE %% stmt  :	IF expr THEN stmt          |	IF expr stmt ELSE stmt          ; Equal to: %nonassoc LOWER_THAN_ELSE %nonassoc ELSE %% stmt  :	IF expr stmt %prec LOWER_THAN_ELSE          |	IF expr stmt ELSE stmt         ; IF ( cond ) { IF ( cond ) stmt ELSE stmt }
expect Occasionally you may have a grammar that has a few conflicts, you are confident that bison will resolve them the way you want, and it's too much hassle to rewrite the grammar to get rid of them. %expect N tells bison that your parser should have N shift/reduce conflicts. %expect-rr N to tell it how many reduce/reduce conflicts to expect.
Common Bugs In Bison Programs Infinite Recursion %% xlist:	xlist  ‘X’ ; should be ==> %% xlist  :	'X' |	xlist  'X’        ;
Common Bugs In Bison Programs Interchanging Precedence %token NUMBER %left PLUS %left MUL %% expr	:	expr PLUS expr %prec MUL 	|	expr MUL expr %prec PLUS 	|	NUMBER 	;
Lexical Feedback Parsers can sometimes feed information back to the lexer to handle otherwise difficult situations.  E.g. syntax like this: message ( any characters ) /* parser */ %{ 	init parenstring = 0; }% ... %% statement: MESSAGE { parenstring = 1; } '(' STRING ')';
Lexical Feedback /* lexer */ %{ 	extern int parenstring; %} %s PSTRING %% "message"	 return MESSAGE; "(" {     if(parenstring)  BEGIN PSTRING;     return '(';  } <PSTRING>[^)]* {     yylval.svalue = strdup(yytext);      BEGIN INITIAL;     return STRING;                             }
Structure of a Bison Specification 	... definition section ... 	%% 	... rules section ... 	%% ... user subroutines ...
User subroutines Section This section typically includes routines called from the actions. Nothing special.

More Related Content

What's hot

Ll(1) Parser in Compilers
Ll(1) Parser in CompilersLl(1) Parser in Compilers
Ll(1) Parser in CompilersMahbubur Rahman
 
Python dictionary
Python dictionaryPython dictionary
Python dictionaryeman lotfy
 
Compiler Design lab manual for Computer Engineering .pdf
Compiler Design lab manual for Computer Engineering .pdfCompiler Design lab manual for Computer Engineering .pdf
Compiler Design lab manual for Computer Engineering .pdfkalpana Manudhane
 
Arithmetic and Arithmetic assignment operators
Arithmetic and Arithmetic assignment operatorsArithmetic and Arithmetic assignment operators
Arithmetic and Arithmetic assignment operatorsimtiazalijoono
 
Syntax analyzer
Syntax analyzerSyntax analyzer
Syntax analyzerahmed51236
 
Regular expressions in Python
Regular expressions in PythonRegular expressions in Python
Regular expressions in PythonSujith Kumar
 
Py.test
Py.testPy.test
Py.testsoasme
 
Lexical Analysis
Lexical AnalysisLexical Analysis
Lexical AnalysisMunni28
 
Python Programming | JNTUK | UNIT 2 | Lecture 6 & 7 | Conditional & Control S...
Python Programming | JNTUK | UNIT 2 | Lecture 6 & 7 | Conditional & Control S...Python Programming | JNTUK | UNIT 2 | Lecture 6 & 7 | Conditional & Control S...
Python Programming | JNTUK | UNIT 2 | Lecture 6 & 7 | Conditional & Control S...FabMinds
 
Reduction & Handle Pruning
Reduction & Handle PruningReduction & Handle Pruning
Reduction & Handle PruningMdAshikJiddney
 
Compiler design syntax analysis
Compiler design syntax analysisCompiler design syntax analysis
Compiler design syntax analysisRicha Sharma
 
Data Structures in Python
Data Structures in PythonData Structures in Python
Data Structures in PythonDevashish Kumar
 

What's hot (20)

Ll(1) Parser in Compilers
Ll(1) Parser in CompilersLl(1) Parser in Compilers
Ll(1) Parser in Compilers
 
First and follow set
First and follow setFirst and follow set
First and follow set
 
Python dictionary
Python dictionaryPython dictionary
Python dictionary
 
Input-Buffering
Input-BufferingInput-Buffering
Input-Buffering
 
Compiler Design lab manual for Computer Engineering .pdf
Compiler Design lab manual for Computer Engineering .pdfCompiler Design lab manual for Computer Engineering .pdf
Compiler Design lab manual for Computer Engineering .pdf
 
Stack and queue
Stack and queueStack and queue
Stack and queue
 
LL(1) parsing
LL(1) parsingLL(1) parsing
LL(1) parsing
 
Arithmetic and Arithmetic assignment operators
Arithmetic and Arithmetic assignment operatorsArithmetic and Arithmetic assignment operators
Arithmetic and Arithmetic assignment operators
 
Syntax analyzer
Syntax analyzerSyntax analyzer
Syntax analyzer
 
Regular expressions in Python
Regular expressions in PythonRegular expressions in Python
Regular expressions in Python
 
Py.test
Py.testPy.test
Py.test
 
Lexical Analysis
Lexical AnalysisLexical Analysis
Lexical Analysis
 
Python Programming | JNTUK | UNIT 2 | Lecture 6 & 7 | Conditional & Control S...
Python Programming | JNTUK | UNIT 2 | Lecture 6 & 7 | Conditional & Control S...Python Programming | JNTUK | UNIT 2 | Lecture 6 & 7 | Conditional & Control S...
Python Programming | JNTUK | UNIT 2 | Lecture 6 & 7 | Conditional & Control S...
 
Reduction & Handle Pruning
Reduction & Handle PruningReduction & Handle Pruning
Reduction & Handle Pruning
 
Compiler design syntax analysis
Compiler design syntax analysisCompiler design syntax analysis
Compiler design syntax analysis
 
Parsing LL(1), SLR, LR(1)
Parsing LL(1), SLR, LR(1)Parsing LL(1), SLR, LR(1)
Parsing LL(1), SLR, LR(1)
 
LR PARSE.pptx
LR PARSE.pptxLR PARSE.pptx
LR PARSE.pptx
 
LR Parsing
LR ParsingLR Parsing
LR Parsing
 
Stacks and Queue - Data Structures
Stacks and Queue - Data StructuresStacks and Queue - Data Structures
Stacks and Queue - Data Structures
 
Data Structures in Python
Data Structures in PythonData Structures in Python
Data Structures in Python
 

Similar to Introduction of bison

Compiler Design File
Compiler Design FileCompiler Design File
Compiler Design FileArchita Misra
 
Chapter Three(1)
Chapter Three(1)Chapter Three(1)
Chapter Three(1)bolovv
 
The Java Script Programming Language
The  Java Script  Programming  LanguageThe  Java Script  Programming  Language
The Java Script Programming Languagezone
 
Javascript by Yahoo
Javascript by YahooJavascript by Yahoo
Javascript by Yahoobirbal
 
The JavaScript Programming Language
The JavaScript Programming LanguageThe JavaScript Programming Language
The JavaScript Programming LanguageRaghavan Mohan
 
Les origines de Javascript
Les origines de JavascriptLes origines de Javascript
Les origines de JavascriptBernard Loire
 
8-Practice problems on operator precedence parser-24-05-2023.docx
8-Practice problems on operator precedence parser-24-05-2023.docx8-Practice problems on operator precedence parser-24-05-2023.docx
8-Practice problems on operator precedence parser-24-05-2023.docxvenkatapranaykumarGa
 
LISP: Input And Output
LISP: Input And OutputLISP: Input And Output
LISP: Input And OutputLISP Content
 
Lexical Analysis - Compiler design
Lexical Analysis - Compiler design Lexical Analysis - Compiler design
Lexical Analysis - Compiler design Aman Sharma
 
Chapter-3 compiler.pptx course materials
Chapter-3 compiler.pptx course materialsChapter-3 compiler.pptx course materials
Chapter-3 compiler.pptx course materialsgadisaAdamu
 
Unitiv 111206005201-phpapp01
Unitiv 111206005201-phpapp01Unitiv 111206005201-phpapp01
Unitiv 111206005201-phpapp01riddhi viradiya
 
Generating parsers using Ragel and Lemon
Generating parsers using Ragel and LemonGenerating parsers using Ragel and Lemon
Generating parsers using Ragel and LemonTristan Penman
 

Similar to Introduction of bison (20)

Syntax analysis
Syntax analysisSyntax analysis
Syntax analysis
 
Module 11
Module 11Module 11
Module 11
 
Compiler Design File
Compiler Design FileCompiler Design File
Compiler Design File
 
Chapter Three(1)
Chapter Three(1)Chapter Three(1)
Chapter Three(1)
 
The Java Script Programming Language
The  Java Script  Programming  LanguageThe  Java Script  Programming  Language
The Java Script Programming Language
 
Javascript by Yahoo
Javascript by YahooJavascript by Yahoo
Javascript by Yahoo
 
The JavaScript Programming Language
The JavaScript Programming LanguageThe JavaScript Programming Language
The JavaScript Programming Language
 
Javascript
JavascriptJavascript
Javascript
 
Les origines de Javascript
Les origines de JavascriptLes origines de Javascript
Les origines de Javascript
 
Javascript
JavascriptJavascript
Javascript
 
8-Practice problems on operator precedence parser-24-05-2023.docx
8-Practice problems on operator precedence parser-24-05-2023.docx8-Practice problems on operator precedence parser-24-05-2023.docx
8-Practice problems on operator precedence parser-24-05-2023.docx
 
LISP: Input And Output
LISP: Input And OutputLISP: Input And Output
LISP: Input And Output
 
LISP: Input And Output
LISP: Input And OutputLISP: Input And Output
LISP: Input And Output
 
Ch3
Ch3Ch3
Ch3
 
Assignment5
Assignment5Assignment5
Assignment5
 
Lexical Analysis - Compiler design
Lexical Analysis - Compiler design Lexical Analysis - Compiler design
Lexical Analysis - Compiler design
 
Token and operators
Token and operatorsToken and operators
Token and operators
 
Chapter-3 compiler.pptx course materials
Chapter-3 compiler.pptx course materialsChapter-3 compiler.pptx course materials
Chapter-3 compiler.pptx course materials
 
Unitiv 111206005201-phpapp01
Unitiv 111206005201-phpapp01Unitiv 111206005201-phpapp01
Unitiv 111206005201-phpapp01
 
Generating parsers using Ragel and Lemon
Generating parsers using Ragel and LemonGenerating parsers using Ragel and Lemon
Generating parsers using Ragel and Lemon
 

Recently uploaded

Accessible design: Minimum effort, maximum impact
Accessible design: Minimum effort, maximum impactAccessible design: Minimum effort, maximum impact
Accessible design: Minimum effort, maximum impactdawncurless
 
CARE OF CHILD IN INCUBATOR..........pptx
CARE OF CHILD IN INCUBATOR..........pptxCARE OF CHILD IN INCUBATOR..........pptx
CARE OF CHILD IN INCUBATOR..........pptxGaneshChakor2
 
Call Girls in Dwarka Mor Delhi Contact Us 9654467111
Call Girls in Dwarka Mor Delhi Contact Us 9654467111Call Girls in Dwarka Mor Delhi Contact Us 9654467111
Call Girls in Dwarka Mor Delhi Contact Us 9654467111Sapana Sha
 
URLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website AppURLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website AppCeline George
 
Introduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxIntroduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxpboyjonauth
 
Z Score,T Score, Percential Rank and Box Plot Graph
Z Score,T Score, Percential Rank and Box Plot GraphZ Score,T Score, Percential Rank and Box Plot Graph
Z Score,T Score, Percential Rank and Box Plot GraphThiyagu K
 
Advanced Views - Calendar View in Odoo 17
Advanced Views - Calendar View in Odoo 17Advanced Views - Calendar View in Odoo 17
Advanced Views - Calendar View in Odoo 17Celine George
 
Measures of Central Tendency: Mean, Median and Mode
Measures of Central Tendency: Mean, Median and ModeMeasures of Central Tendency: Mean, Median and Mode
Measures of Central Tendency: Mean, Median and ModeThiyagu K
 
Sanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdfSanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdfsanyamsingh5019
 
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptxSOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptxiammrhaywood
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxNirmalaLoungPoorunde1
 
1029-Danh muc Sach Giao Khoa khoi 6.pdf
1029-Danh muc Sach Giao Khoa khoi  6.pdf1029-Danh muc Sach Giao Khoa khoi  6.pdf
1029-Danh muc Sach Giao Khoa khoi 6.pdfQucHHunhnh
 
Privatization and Disinvestment - Meaning, Objectives, Advantages and Disadva...
Privatization and Disinvestment - Meaning, Objectives, Advantages and Disadva...Privatization and Disinvestment - Meaning, Objectives, Advantages and Disadva...
Privatization and Disinvestment - Meaning, Objectives, Advantages and Disadva...RKavithamani
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Educationpboyjonauth
 
Presentation by Andreas Schleicher Tackling the School Absenteeism Crisis 30 ...
Presentation by Andreas Schleicher Tackling the School Absenteeism Crisis 30 ...Presentation by Andreas Schleicher Tackling the School Absenteeism Crisis 30 ...
Presentation by Andreas Schleicher Tackling the School Absenteeism Crisis 30 ...EduSkills OECD
 
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991RKavithamani
 
Activity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdfActivity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdfciinovamais
 

Recently uploaded (20)

Accessible design: Minimum effort, maximum impact
Accessible design: Minimum effort, maximum impactAccessible design: Minimum effort, maximum impact
Accessible design: Minimum effort, maximum impact
 
CARE OF CHILD IN INCUBATOR..........pptx
CARE OF CHILD IN INCUBATOR..........pptxCARE OF CHILD IN INCUBATOR..........pptx
CARE OF CHILD IN INCUBATOR..........pptx
 
Call Girls in Dwarka Mor Delhi Contact Us 9654467111
Call Girls in Dwarka Mor Delhi Contact Us 9654467111Call Girls in Dwarka Mor Delhi Contact Us 9654467111
Call Girls in Dwarka Mor Delhi Contact Us 9654467111
 
URLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website AppURLs and Routing in the Odoo 17 Website App
URLs and Routing in the Odoo 17 Website App
 
Introduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptxIntroduction to AI in Higher Education_draft.pptx
Introduction to AI in Higher Education_draft.pptx
 
Z Score,T Score, Percential Rank and Box Plot Graph
Z Score,T Score, Percential Rank and Box Plot GraphZ Score,T Score, Percential Rank and Box Plot Graph
Z Score,T Score, Percential Rank and Box Plot Graph
 
Advanced Views - Calendar View in Odoo 17
Advanced Views - Calendar View in Odoo 17Advanced Views - Calendar View in Odoo 17
Advanced Views - Calendar View in Odoo 17
 
Measures of Central Tendency: Mean, Median and Mode
Measures of Central Tendency: Mean, Median and ModeMeasures of Central Tendency: Mean, Median and Mode
Measures of Central Tendency: Mean, Median and Mode
 
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdfTataKelola dan KamSiber Kecerdasan Buatan v022.pdf
TataKelola dan KamSiber Kecerdasan Buatan v022.pdf
 
Sanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdfSanyam Choudhary Chemistry practical.pdf
Sanyam Choudhary Chemistry practical.pdf
 
Staff of Color (SOC) Retention Efforts DDSD
Staff of Color (SOC) Retention Efforts DDSDStaff of Color (SOC) Retention Efforts DDSD
Staff of Color (SOC) Retention Efforts DDSD
 
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptxSOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
SOCIAL AND HISTORICAL CONTEXT - LFTVD.pptx
 
Employee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptxEmployee wellbeing at the workplace.pptx
Employee wellbeing at the workplace.pptx
 
Mattingly "AI & Prompt Design: Structured Data, Assistants, & RAG"
Mattingly "AI & Prompt Design: Structured Data, Assistants, & RAG"Mattingly "AI & Prompt Design: Structured Data, Assistants, & RAG"
Mattingly "AI & Prompt Design: Structured Data, Assistants, & RAG"
 
1029-Danh muc Sach Giao Khoa khoi 6.pdf
1029-Danh muc Sach Giao Khoa khoi  6.pdf1029-Danh muc Sach Giao Khoa khoi  6.pdf
1029-Danh muc Sach Giao Khoa khoi 6.pdf
 
Privatization and Disinvestment - Meaning, Objectives, Advantages and Disadva...
Privatization and Disinvestment - Meaning, Objectives, Advantages and Disadva...Privatization and Disinvestment - Meaning, Objectives, Advantages and Disadva...
Privatization and Disinvestment - Meaning, Objectives, Advantages and Disadva...
 
Introduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher EducationIntroduction to ArtificiaI Intelligence in Higher Education
Introduction to ArtificiaI Intelligence in Higher Education
 
Presentation by Andreas Schleicher Tackling the School Absenteeism Crisis 30 ...
Presentation by Andreas Schleicher Tackling the School Absenteeism Crisis 30 ...Presentation by Andreas Schleicher Tackling the School Absenteeism Crisis 30 ...
Presentation by Andreas Schleicher Tackling the School Absenteeism Crisis 30 ...
 
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
Industrial Policy - 1948, 1956, 1973, 1977, 1980, 1991
 
Activity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdfActivity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdf
 

Introduction of bison

  • 1. Introducing of Bison 天官 2011-09-15 1
  • 2.
  • 3.
  • 4. Parsing methods Bison parsers can use either of two parsing methods, known as LALR(1) and GLR LALR(1) (Look Ahead Left to Right with a one-token lookahead), which is less powerful but considerably faster and easier to use than GLR. GLR (Generalized Left to Right). The most common kind of language that computer parsers handle is a context-free grammar(CFG) The standard form to write down a CFG is Baskus-Naur Form (BNF)
  • 5. LR parser LR parser is a parser that reads input from Left to right and produces a Rightmost derivation. The term LR(k) parser is also used; where the k refers to the number of unconsumed "look ahead" input symbols that are used in making parsing decisions. Usually k is 1 and the term LR parser is often intended to refer to this case. (LALR(1))
  • 6. look ahead LALR(1) cannot deal with grammars that need more than one token of lookahead to tell whether it has matched a rule. phrase: cart_animal AND CART | work_animal AND PLOW cart_animal: HORSE | GOAT work_animal: HORSE | OX phrase: cart_animalCART | work_animalPLOW cart_animal: HORSE | GOAT work_animal: HORSE | OX Not support! OR phrase: cart_animal AND CART | work_animal AND PLOW cart_animal: HORSE | GOAT work_animal: OX
  • 7. Rightmost Derivation Rule 1 expr  expr – digit exprexpr – digit exprexpr + digit expr digit digit 0|1|2|…|9 Example input: 3 + 8 - 2 The rightmost non-terminal is replaced in each step Rule 4 expr – digit  expr – 2 Rule 2 expr – 2 expr + digit - 2 Rule 4 expr + digit - 2  expr + 8-2 Rule 3 expr + 8-2 digit + 8-2 Rule 4 digit + 8-23+8 -2
  • 8. Leftmost Derivation Rule 1 expr  expr – digit The leftmost non-terminal is replaced in each step expr 1 1 Rule 2 expr – digit  expr + digit – digit 2 2 3 expr - digit Rule 3 expr + digit – digit  digit + digit – digit 3 5 4 expr digit + Rule 4 4 digit + digit – digit3 + digit – digit 2 Rule 4 3 + digit – digit 3 + 8 – digit 5 6 digit 8 Rule 4 3 + 8 – digit 3 + 8 – 2 6 3
  • 9. Leftmost Derivation Rule 1 expr  expr – digit expr  expr – digit expr  expr + digit expr  digit digit 0|1|2|…|9 Example input: 3 + 8 - 2 The leftmost non-terminal is replaced in each step Rule 2 expr – digit  expr + digit – digit Rule 3 expr + digit – digit  digit + digit – digit Rule 4 digit + digit – digit3 + digit – digit Rule 4 3 + digit – digit 3 + 8 – digit Rule 4 3 + 8 – digit 3 + 8 – 2
  • 10. Leftmost Derivation Rule 1 expr  expr – digit The leftmost non-terminal is replaced in each step expr 1 1 Rule 2 expr – digit  expr + digit – digit 6 2 2 expr - digit Rule 3 expr + digit – digit  digit + digit – digit 3 3 5 expr digit + Rule 4 4 digit + digit – digit3 + digit – digit 2 Rule 4 3 + digit – digit 3 + 8 – digit 5 4 digit 8 Rule 4 3 + 8 – digit 3 + 8 – 2 6 3
  • 11. Context-Free Grammars A context-free grammar G is defined by the 4-tuple: G = (V, ∑, R, S) where V is a finite set; each element v ϵ V is called a non-terminal character or a variable. Each variable represents a different type of phrase or clause in the sentence. Variables are also sometimes called syntactic categories. Each variable defines a sub-language of the language defined by . ∑ is a finite set of terminals, disjoint from V, which make up the actual content of the sentence. The set of terminals is the alphabet of the language defined by the grammar G. R is a finite relation from V to (V U ∑)*. The members of R are called the (rewrite) rules or productions of the grammar. S is the start variable (or start symbol), used to represent the whole sentence (or program). It must be an element of V. The asterisk represents the Kleene star operation.
  • 12. Context-free language The language of grammar G = (V, ∑, R, S) is the set L(G) = { ωϵ ∑* : S ωω } A language L is said to be context-free languange(CFL), if there exists a CFG G, such that L = L(G).
  • 13.
  • 15.
  • 16. Terms Symbols are strings of letters, digits, periods, and underscores that do not start with a digit. error is reserved for error recovery. Do not use C reserved words or bison's own symbols such as yyparse. Symbols produced by the lexer are called terminal symbols or tokens Those that are defined on the left-hand side of rules are called nonterminal symbols or nonterminals.
  • 17. Structure of a Bison Specification ... definition section ... %% ... rules section ... %% ... user subroutines ...
  • 18. Literal Block %{ ... C code and declarations ... %} The contents of the literal block are copied verbatim to the generated C source file near the beginning, before the beginning of yypare(). Usually contains declarations of variables and functions, as well as #include. Bison also provides an experimental %code POS { ... } where POS is a keyword to suggest where in the generated parser the code should go.
  • 19. Delaration %parse-param %require "2.4“ declare the minimum version of bison needed to compile it %start identifies the top-level rule (Named the first rule.) %union %token %type %left %right %nonassoc %expect
  • 20. Token Define the ternimators. Bison treats a character in single quotes as a token Bison also allows you to decalre strings as aliases for tokens This defines the token NE and lets you use NE and != interchangeably in the parser. The lexer must still return the internal token values for NE when the token is read, not a string. expr: '(' expr ')'; %token NE "!=" %% ... expr: expr "!=" exp;
  • 21. Parse-param Normally, you call yyparse() with no arguments, if you need, youcan add parameters to its definition: %parse-param { char *modulename } %parse-param { int intensity } This allows you to call yyparse("mymodule", 42)
  • 22. Type The %union declaration specifies the entire list of possible types %token is used for declaring token types %type is used for declaring nonterminal symbols %{ #include "calc.h“ /* Contains definition of `symrec' */ %} %union { double val; /* For returning numbers. */ symrec *tptr; /* For returning symbol-table pointers */ } %token <tptr> VAR FNCT /* Variable and Function */ %type <val> exp %%
  • 23. Structure of a Bison Specification ... definition section ... %% ... rules section ... %% ... user subroutines ...
  • 24. Actions An action is C code executed when bison matches a rule in the grammar. The action can refer to the values associated with the symbols in the rule by using a dollar sign followed by a number. The name $$ refers to the value for the left-hand side (LHS) symbol. For rules with no action, bison uses a default of the following date: month '/' day '/' year { printf("date %d-%d-%d found", $1, $3, $5); } ; { $$ = $1; }
  • 25. Rules Recursive Rules The action can refer to the values associated with the symbols in the rule by using a dollar sign followed by a number. In most cases, Bison handles left recursion much more efficiently than right recursion. numberlist : /* empty */ | numberlist NUMBER ; exprlist: exprlist ',' expr; /* left recursion */ or exprlist: expr ',' exprlist; /* right recursion */
  • 26. Special Characters % All of the declarations in the definition section start with %. $ In actions, a dollar sign introduces a value reference. @ In actions, an @ sign introduces a location reference, such as @2 for the location of the second symbol in the RHS. ' Literal tokens are enclosed in single quotes. " Bison lets you declare quoted string as parser alias for tokens. <> In a value reference in an action, you can override the value's default type by enclosing the type name in angle brackets. {} The C code in actions is enclosed in curly braces. ; Each rule in the rules section should end with a semicolon. | or syntax for multi-rules with same LHS. : separate left-hand side and right-hand side - Symbols may include underscores along with letters, digits, and periods. . Symbols may include periods along with letters, digits, and underscores.
  • 27. Reserved YYABORT In an action makes the parser routine yyparse() return immediately with a nonzero value, indicating failure. YYACCEPT In an action makes the parser routine yyparse() return immediately with a value 0, indicating success. YYBACKUP The macro YYBACKUP lets you unshift the current token and replace it with something else. sym: TOKEN { YYBACKUP(newtok, newval); } It is extremely difficult to use YYBACKUP() correctly, so you're best off not using it.
  • 28. Reserved yyclearin The macro yyclearin in an action discards a lookahead token if one has been read. It is most oftern useful in error recovery in an interactive parser to put the paarser into a known state after an error: YYDEBUG To include the trace code, either use the -t flag on the bison command line or else define the C preprocessor symbol YYDEBUG to be nonzero either on the C compiler command line or by inlcuding something like this in the definition section: stmtlist : stmt | stmtlist stmt; stmt : error { reset_input(); yyclearin; }; %{ #define YYDEBUG 1 %}
  • 29. Ambiguity and Conflicts The grammar is truly ambiguous Shift/Reduce Conflicts Reduce/Reduce Conflicts The grammar is unambiguous, but the standard parsing technique that bison uses is not powerful enough to parse the grammar. (need to look more than one token ahead) We have already told about it of LALR(1).
  • 30. Reduce/Reduce Conflicts A reduce/reduce conflict occurs when the same token could complete two different rules. %% prog: proga | progb; proga: 'X'; progb: 'X';
  • 31. Shift/Reduce Conflicts %type <a> exp ... %% ... expr: expr '+' exp { $$ = newast('+', $1, $3); } | expr '-' exp { $$ = newast('-', $1, $3); } | expr '*' exp { $$ = newast('*', $1, $3); } | expr '/' exp { $$ = newast('/', $1, $3); } | '|' exp { $$ = newast('|', $2, NULL); } | '(' exp ')' { $$ = $2); } | '-' exp { $$ = newast('M', $2, NULL); } | NUMBER { $$ = newnum($1); } ; %% Example 2+3*4
  • 32. Problem At this point, the parser looks at the * and could either reduce 2+3 using; to an expression or shift the *, expecting to be able to reduce: later on. 2 shift NUMBER E reduce E->NUMBER E + shift + E + 3 shift NUMBER E + E reduce E->NUMBER Example 2+3 * 4 expr: expr '+' exp expr: expr ‘*' exp
  • 33. Analysis The problem is that we haven't told bison about the precedence and associativity of the operators. Precedence controls which operators execute first in an expression. In and expression grammar, operators are grouped into levels of precedence from lowest to highest.The total number of levels depends on the language. The C language is notorious for having too many precedence levels, a total of 15 levels. Associativity controls the grouping of operators at the same precedence level.
  • 34. Implicitly Solution %type <a> exp exp1 exp2 ... %% ... expr : expr1 '+' exp1 { $$ = newast('+', $1, $3); } | expr1 '-' exp1 { $$ = newast('-', $1, $3); } | expr1 { $$ = $1; } expr1: expr2 '*' exp2 { $$ = newast('*', $1, $3); } | expr2 '/' exp2 { $$ = newast('/', $1, $3); } | expr2 { $$ = $1; } expr2: '|' exp { $$ = newast('|', $2, NULL); } | '(' exp ')' { $$ = $2); } | '-' exp { $$ = newast('M', $2, NULL); } | NUMBER { $$ = newnum($1); } ; %%
  • 35. Explicitly Solution %left '+' '-’ %left '*' '/’ %nonassoc '|' NMINUS %type <a> exp exp1 exp2 ... %% ... expr: expr '+' exp { $$ = newast('+', $1, $3); } | expr '-' exp { $$ = newast('-', $1, $3); } | expr '*' exp { $$ = newast('*', $1, $3); } | expr '/' exp { $$ = newast('/', $1, $3); } | '|' exp { $$ = newast('|', $2, NULL); } | '(' exp ')' { $$ = $2); } | '-' exp %prec UMINUS { $$ = newast('M', $2, NULL); } | NUMBER { $$ = newnum($1); } ; %%
  • 36. Explicitly Solution %left, %right, and %nonassoc declarations defining the order of precedence from lowest to highest. %left, left associative %right, right associative %nonaccoc, no associativity UMINUS, pseudo token standing fro unary minus %prec UMINUS, %prec tells bison to use the precedence of UMINUS for this rule.
  • 37. IF/THEN/ELSE conflict When Not to Use Precedence Rules In expression grammars and to resolve the "dangling else" conflict in grammars for if/then/else language constructs, it is easy to understand. But in other situations, it can be extremely difficult to understand. stmt: IF '(' cond ')' stmt | IF '(' cond ')' stmt ELSE stmt | TERMINAL cond: TERMINAL Ambiguous!!! IF ( cond ) IF ( cond ) stmt ELSE stmt Which one? IF ( cond ) { IF ( cond ) stmt } ELSE stmt IF ( cond ) { IF ( cond ) stmt ELSE stmt }
  • 38. Implicitly Solution stmt :matched | unmatched ; matched :other_stmt | IF expr THEN matched ELSE matched ; unmatched : IF expr THEN stmt | IF expr THEN matched ELSE unmatched ; other_stmt: /* rules for other kinds of statement */ ... IF ( cond ) { IF ( cond ) stmt ELSE stmt }
  • 39. Explicitly Solution %nonassoc THEN %nonassoc ELSE %% stmt : IF expr THEN stmt | IF expr stmt ELSE stmt ; Equal to: %nonassoc LOWER_THAN_ELSE %nonassoc ELSE %% stmt : IF expr stmt %prec LOWER_THAN_ELSE | IF expr stmt ELSE stmt ; IF ( cond ) { IF ( cond ) stmt ELSE stmt }
  • 40. expect Occasionally you may have a grammar that has a few conflicts, you are confident that bison will resolve them the way you want, and it's too much hassle to rewrite the grammar to get rid of them. %expect N tells bison that your parser should have N shift/reduce conflicts. %expect-rr N to tell it how many reduce/reduce conflicts to expect.
  • 41. Common Bugs In Bison Programs Infinite Recursion %% xlist: xlist ‘X’ ; should be ==> %% xlist : 'X' | xlist 'X’ ;
  • 42. Common Bugs In Bison Programs Interchanging Precedence %token NUMBER %left PLUS %left MUL %% expr : expr PLUS expr %prec MUL | expr MUL expr %prec PLUS | NUMBER ;
  • 43. Lexical Feedback Parsers can sometimes feed information back to the lexer to handle otherwise difficult situations. E.g. syntax like this: message ( any characters ) /* parser */ %{ init parenstring = 0; }% ... %% statement: MESSAGE { parenstring = 1; } '(' STRING ')';
  • 44. Lexical Feedback /* lexer */ %{ extern int parenstring; %} %s PSTRING %% "message" return MESSAGE; "(" { if(parenstring) BEGIN PSTRING; return '('; } <PSTRING>[^)]* { yylval.svalue = strdup(yytext); BEGIN INITIAL; return STRING; }
  • 45. Structure of a Bison Specification ... definition section ... %% ... rules section ... %% ... user subroutines ...
  • 46. User subroutines Section This section typically includes routines called from the actions. Nothing special.