Question

There are two restrictions on the type of grammars that can be used with a recursive...

There are two restrictions on the type of grammars that can be used with a recursive descent parser. The first is that the grammar cannot have any left recursive productions. Give an example of a left recursive production and explain why such productions would be a problem.

The second restriction is that the grammar must not require more than one token look ahead. Give an example of a production that does not have this property. Explain why this restriction is necessary for recursive descent parsing

Homework Answers

Answer #1

I figure it out, if a grammar contains left-recursive production, something like this,

S->sa

Then it must contain another production to "finish" the recursion,say:

S->b

Since FIRST(B) is a subset of FIRST(SA), hence they are joint, this pirely violates the condition one,that there must be conflict when filling parse table entries corresponding to terminals both in FIRST(B) and FIRST(SA).

To summarize this , left-recursion grammar could cause FIRST set of two or more productions to have common terminals, thus violating condition 1.

Recursive Descent

Recursive descent is a simple parsing algorithm that is very easy to implement. It is a top-down parsing algorithm because it builds the parse tree from the top (the start symbol) down.

The main limitation of recursive descent parsing (and all top-down parsing algorithms in general) is that they only work on grammars with certain properties. For example, if a grammar contains any left recursion, recursive descent parsing doesn't work.

Eliminating Left Recursion

Here's our simple expression grammar we discussed earlier:

S → E

E → T | E + T | E - T

T → F | T * F | T / F

F → a | b | 0 | 1 | 2 | 3 | 4 | 5 | 6 | 7 | 8 | 9

[S, E, T, and F are nonterminal symbols, and a, b, and the digits 0-9 are terminal symbols.]

Unfortunately, this grammar is not suitable for parsing by recursive descent, because it uses left recursion. For example, consider the production

E → E + T

This production is left recursive because the nonterminal on the left hand side of the production, E, is the first symbol on the right hand side of the production.

To adapt this grammar to use with a recursive descent parser, we need to eliminate the left recursion. There is a simple technique for eliminating immediate instances of left recursion. [This technique won't handle indirect instances of left recursion.]

Given an occurrence of left-recursion:

A → A α

A → β

Note that some non-recursive production of the form A → β must exist; otherwise, we could never eliminate occurrences of the nonterminal A from our working string when constructing a derivation.

We can rewrite the rules to eliminate the left recursion as follows:

A → β A'

A' → α A'

A' → ε

So, for example,

E → E + T

E → T

becomes

E → T E'

E' → + T E'

E' → ε

Here's the entire expression grammar, with left-recursion eliminated.

E → T E'

E' → + T E'

E' → - T E'

E' → ε

T → F T'

T' → * F T'

T' → / F T'

T' → ε

F → a | b | 0 | 1 | 2 | ... | 9

Left-Factoring

Another property required of a grammar to be suitable for top-down parsing is that the grammar is left-factored. A left-factored grammar is one where for each nonterminal, there are no two productions on that nonterminal which have a common nonempty prefix of symbols on the right-hand side of the production.

For example, here is a grammar that is not left-factored:

A → a b c

A → a b d

Both productions share the common prefix a b on the right hand side of the production.

We can left-factor the grammar by making a new nonterminal to represent the alternatives for the symbols following the common prefix:

A → a b A'

A' → c

A' → d

Our non-left-recursive expression grammar is already left-factored, so we don't need to change it.

Recursive Descent Parsing

Once you have a non-left-recursive, left-factored grammar, recursive descent parsing is extremely easy to implement.

Each nonterminal symbol has a parsing function. The purpose of the parsing function for a nonterminal is to consume a string of terminal symbols that are "generated" by an occurrence of that nonterminal.

Terminal symbols are consumed either by directly reading them from the lexer, or by calling the parse methods of another nonterminal (or nonterminals). In general, the behavior of the parse method for a particular nonterminal is governed by what string of symbols (nonterminal and terminal) is legal for the right-hand side of productions on the nonterminal.

Typically, any parser will construct a parse tree as a side-effect of parsing a string of input symbols. The nodes of a parse tree represent the nonterminal and nonterminal symbols generated in the derivation of the input string. So, we can have the parse method for each nonterminal return a reference to a parse tree node for that particular nonterminal symbol.

Example

Here's what a parse method for the E nonterminal in our revised expression grammar might look like:

public Symbol parseE() throws IOException {

        NonterminalSymbol e = new NonterminalSymbol("E");

        e.addChild(parseT());

        e.addChild(parseEPrime());

        return e;

}

The parseE method internally calls parseT and parseEPrime methods, because the only production on E is

E → T E'

The parseT method is similar.

The parseEPrime method is more interesting. There are three productions on E':

E' → ε

E' → + T E'

E' → - T E'

When parseEPrime is called, we should ask the lexical analyzer if we've reached the end of the input string. If so, then the epsilon production must be applied.

If the lexer is not at end-of-input, we should ask the lexical analyzer for a single terminal symbol. If we see a symbol other than + or -, then we'll again assume that the epsilon production should be applied. Otherwise, we'll add the terminal symbol to the parse node we're creating for the E' symbol, and continue by parsing the T and E' nonterminal symbols by calling their parse methods:

private Symbol parseEPrime() throws IOException {

        NonterminalSymbol ePrime = new NonterminalSymbol("E'");

        TerminalSymbol op = lexer.peek(); // look ahead

        if (op == null) {

                // end of input: epsilon production is applied

                System.out.println("end of input");

        } else {

                if (!op.getValue().equals("+") && !op.getValue().equals("-")) {

                        // we saw a terminal symbol other than + or -:

                        // apply epsilon production

                } else {

                        // consume the operator

                        lexer.get();

                        // saw + or -

                        // production is

                        //    E' -> + T E'

                        // or

                        //    E' -> - T E'

                        ePrime.addChild(op);

                        ePrime.addChild(parseT());

                        ePrime.addChild(parseEPrime());

                }

        }

        return ePrime;

}

Note a few interesting things going on in parseEPrime:

  • The lexical analyzer is the lexer object. We're using two of its methods: peek, which asks for the next token without consuming it, and get, which asks for and consumes the next token. Both methods return a TerminalSymbol object. peek returns the null value when the end of input is reached.
  • Applying the epsilon production means we don't add any child symbols to the parse node being created.
  • The parseEPrime method can call itself recursively, because the

E' → + T E'

E' → - T E'

productions contain the symbol E' on the right hand side. That's why it's called recursive descent!

To use a recursive descent parser to parse an entire input string, simply call the parse method for the grammar's start symbol. It will return a reference to the root node of the parse tree.

Know the answer?
Your Answer:

Post as a guest

Your Name:

What's your source?

Earn Coins

Coins can be redeemed for fabulous gifts.

Not the answer you're looking for?
Ask your own homework help question
Similar Questions
INTELLECTUAL PROPERTY  Industrial property forms part of the broader concept of "intellectual property."  The...
INTELLECTUAL PROPERTY  Industrial property forms part of the broader concept of "intellectual property."  The objects of intellectual property are the creations of the human mind, the human intellect hence the expression "intellectual" property.  In a somewhat simplified way, one can state that intellectual property relates to pieces of information which can be incorporated in tangible objects at the same time in an unlimited number of copies at different locations anywhere in the world.  The property is...
Use the business developed below. Explain the 10 assumptions that you used in developing this business.(...
Use the business developed below. Explain the 10 assumptions that you used in developing this business.( please explain ) Overview- We are going to start a bakery business as I have my interest in bakery. This is going to be start-up business plan. The name of our Bakery would be “Bake It or Make It”. It would be managed by me along with my team of new bakers around the city. Opening a bakery at initial stage would involve a...
1. Explain and give examples of the 5 existing business model patterns. 2. Can the business...
1. Explain and give examples of the 5 existing business model patterns. 2. Can the business below use that business model pattern? Explain. Overview- We are going to start a bakery business as I have my interest in bakery. This is going to be start-up business plan. The name of our Bakery would be “Bake It or Make It”. It would be managed by me along with my team of new bakers around the city. Opening a bakery at initial...
Use the business developed below. Explain the 10 assumptions that you used in developing this business....
Use the business developed below. Explain the 10 assumptions that you used in developing this business. Overview- We are going to start a bakery business as I have my interest in bakery. This is going to be start-up business plan. The name of our Bakery would be “Bake It or Make It”. It would be managed by me along with my team of new bakers around the city. Opening a bakery at initial stage would involve a lot of investment...
PYTHON : Create a Email Address Parser (* Please do make comments*) Often times, you may...
PYTHON : Create a Email Address Parser (* Please do make comments*) Often times, you may be given a list of raw email addresses and be asked to generate meaningful information from such a list. This project involves parsing such a list and generating names and summary information from that list. The script, eparser.py, should: Open the file specified as the first argument to the script (see below) Read the file one line at a time (i.e., for line in...
Paul Mueller (Links to an external site.)Links to an external site. June 30, 2017 Capitalism is...
Paul Mueller (Links to an external site.)Links to an external site. June 30, 2017 Capitalism is a divisive and misunderstood term—exceeded in its misapprehension only, perhaps, by socialism. While support for socialism has had a resurgence owing to the last election, capitalism still hangs under the dark cloud of notoriety given to it by the coiner of the term, Karl Marx. Writing in the heat and filth of Britain’s industrial revolution, Marx observed massive changes in society—and massive suffering. He...
Read This before You Ever Debate "Capitalism" Again Paul Mueller (Links to an external site.)Links to...
Read This before You Ever Debate "Capitalism" Again Paul Mueller (Links to an external site.)Links to an external site. June 30, 2017 Capitalism is a divisive and misunderstood term—exceeded in its misapprehension only, perhaps, by socialism. While support for socialism has had a resurgence owing to the last election, capitalism still hangs under the dark cloud of notoriety given to it by the coiner of the term, Karl Marx. Writing in the heat and filth of Britain’s industrial revolution, Marx...
Write a Python 3 program called “parse.py” using the template for a Python program that we...
Write a Python 3 program called “parse.py” using the template for a Python program that we covered in this module. Note: Use this mod7.txt input file. Name your output file “output.txt”. Build your program using a main function and at least one other function. Give your input and output file names as command line arguments. Your program will read the input file, and will output the following information to the output file as well as printing it to the screen:...
What Happens When Hospitals Run out of Ventilators and Other Emergency Rescue Equipment? Patricia Benner, R.N.,...
What Happens When Hospitals Run out of Ventilators and Other Emergency Rescue Equipment? Patricia Benner, R.N., Ph.D., FAAN April 7, 2020 Our overwhelmed, or soon to be overwhelmed hospitals, face rationing precious life-saving equipment, such as ventilators. Our national lack of preparedness for a global pandemic will, in the near future, force local physicians and nurses to ration ventilators and oxygen delivery equipment, for patients and Personal Protective Equipment (PPE) for caregivers. How do health care providers make decisions about...
1) Describe an example of each of the following that may be found of your kitchen:...
1) Describe an example of each of the following that may be found of your kitchen: Explain how your choice falls into this category, and if there is a chemical name or symbol for it, provide that as well. Provide a photo of your example with your ID card in it. a) a compound b) a heterogeneous mixture c) an element (symbol) Moving to the Caves… Lechuguilla Caves specifically. Check out this picture of crystals of gypsum left behind in...
ADVERTISEMENT
Need Online Homework Help?

Get Answers For Free
Most questions answered within 1 hours.

Ask a Question
ADVERTISEMENT