Jules
Jules

Reputation: 247

Creating a regular grammar out of a regular expression

Could anyone please step me through the process of obtaining a regular grammar from a regular expression? I found few 'tutorials', but I am still unable to turn a more complicated regular expression into a grammar.

How would you tackle ((a+b)*(c|d))+a??

I though of

A -> aB
A -> aA
B -> bA
A -> cC
A -> dC
C -> cA
C -> dA
C -> a
C -> epsilon

But it's obviously incorrect.

Upvotes: 1

Views: 185

Answers (1)

rici
rici

Reputation: 241671

Just work from inside out. Each operator introduces a new non-terminal

 Operator  Grammar     Operator  Grammar
 --------  -------     --------  -------
    R|S     A->R          R*      A->
            A->S                  A->AR

    R?      A->           R+      A->R
            A->R                  A->AR

(Most expositions will also introduce new nonterminals for concatenation; here, I didn't bother. I hope it's not confusing.)

Example:

((a+b)*(c|d))+a?

Sub-          Rewritten with   Rules for
expression    new nonterminal  new nonterminal
----------    ---------------  -----------
a+            A                A->a    A->Aa
a+b           Ab
(a+b)*        (Ab)*            B->     B->BAb
c|d           C                C->c    C->d
(a+b)*(c|d)   BC
(a+b)*(c|d)+  (BC)+            D->BC   D->DBC
a?            E                E->     E->a
(a+b)*(c|d)+  DE               S->DE

Upvotes: 3

Related Questions