Removed claim that generated code runs nearly as fast as hand-coded parsers, as
[ragel.git] / doc / ragel-guide.tex
blob8104c19820fb331c2c06b234ca8337a9d2cb00a1
2 % Copyright 2001-2007 Adrian Thurston <thurston@cs.queensu.ca>
5 % This file is part of Ragel.
7 % Ragel is free software; you can redistribute it and/or modify
8 % it under the terms of the GNU General Public License as published by
9 % the Free Software Foundation; either version 2 of the License, or
10 % (at your option) any later version.
12 % Ragel is distributed in the hope that it will be useful,
13 % but WITHOUT ANY WARRANTY; without even the implied warranty of
14 % MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
15 % GNU General Public License for more details.
17 % You should have received a copy of the GNU General Public License
18 % along with Ragel; if not, write to the Free Software
19 % Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
21 % TODO: Need a section on the different strategies for handline recursion.
23 \documentclass[letterpaper,11pt,oneside]{book}
24 \usepackage{graphicx}
25 \usepackage{comment}
26 \usepackage{multicol}
28 \topmargin -0.20in
29 \oddsidemargin 0in
30 \textwidth 6.5in
31 \textheight 9in
33 \setlength{\parskip}{0pt}
34 \setlength{\topsep}{0pt}
35 \setlength{\partopsep}{0pt}
36 \setlength{\itemsep}{0pt}
38 \input{version}
40 \newcommand{\verbspace}{\vspace{10pt}}
41 \newcommand{\graphspace}{\vspace{10pt}}
43 \renewcommand\floatpagefraction{.99}
44 \renewcommand\topfraction{.99}
45 \renewcommand\bottomfraction{.99}
46 \renewcommand\textfraction{.01}
47 \setcounter{totalnumber}{50}
48 \setcounter{topnumber}{50}
49 \setcounter{bottomnumber}{50}
51 \newenvironment{inline_code}{\def\baselinestretch{1}\vspace{12pt}\small}{}
53 \begin{document}
56 % Title page
58 \thispagestyle{empty}
59 \begin{center}
60 \vspace*{3in}
61 {\huge Ragel State Machine Compiler}\\
62 \vspace*{12pt}
63 {\Large User Guide}\\
64 \vspace{1in}
65 by\\
66 \vspace{12pt}
67 {\large Adrian Thurston}\\
68 \end{center}
69 \clearpage
71 \pagenumbering{roman}
74 % License page
76 \chapter*{License}
77 Ragel version \version, \pubdate\\
78 Copyright \copyright\ 2003, 2004, 2005, 2006 Adrian Thurston
79 \vspace{6mm}
81 {\bf\it\noindent This document is part of Ragel, and as such, this document is
82 released under the terms of the GNU General Public License as published by the
83 Free Software Foundation; either version 2 of the License, or (at your option)
84 any later version.}
86 \vspace{5pt}
88 {\bf\it\noindent Ragel is distributed in the hope that it will be useful, but
89 WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or
90 FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more
91 details.}
93 \vspace{5pt}
95 {\bf\it\noindent You should have received a copy of the GNU General Public
96 License along with Ragel; if not, write to the Free Software Foundation, Inc.,
97 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA}
100 % Table of contents
102 \clearpage
103 \tableofcontents
104 \clearpage
107 % Chapter 1
110 \pagenumbering{arabic}
112 \chapter{Introduction}
114 \section{Abstract}
116 Regular expressions are used heavily in practice for the purpose of specifying
117 parsers. However, they are normally used as black boxes linked together with
118 program logic. User actions are executed in between invocations of the regular
119 expression engine. Adding actions before a pattern terminates requires patterns
120 to be broken and pasted back together with program logic. The more user actions
121 are needed, the less the advantages of regular expressions are seen.
123 Ragel is a software development tool which allows user actions to be
124 embedded into the transitions of a regular expression's corresponding state
125 machine, eliminating the need to switch from the regular expression engine and
126 user code execution environment and back again. As a result, expressions can be
127 maximally continuous. One is free to specify an entire parser using a single
128 regular experssion. The single-expression model affords concise and elegant
129 descriptions of languages and the generation of very simple, fast and robust
130 code. Ragel compiles finite state machines from a high level regular language
131 notation to executable C, C++, Objective-C or D.
133 In addition to building state machines from regular expressions, Ragel allows
134 the programmer to directly specify state machines with state charts. These two
135 notations may be freely combined. There are also facilities for controlling
136 nondeterminism in the resulting machines and building scanners using patterns
137 that themselves have embedded actions. Ragel can produce code that is small and
138 runs very fast. Ragel can handle integer-sized alphabets and can compile very
139 large state machines.
141 \section{Motivation}
143 When a programmer is faced with the task of producing a parser for a
144 context-free language there are many tools to choose from. It is quite common
145 to generate useful and efficient parsers for programming languages from a
146 formal grammar. It is also quite common for programmers to avoid such tools
147 when making parsers for simple computer languages, such as file formats and
148 communication protocols. Such languages often meet the criteria for the
149 regular languages. Tools for processing the context-free languages are viewed
150 as too heavyweight for the purpose of parsing regular languages because the extra
151 run-time effort required for supporting the recursive nature of context-free
152 languages is wasted.
154 When we turn to the regular expression-based parsing tools, such as Lex, Re2C,
155 and scripting languages such as Sed, Awk and Perl we find that they are split
156 into two levels: a regular expression matching engine and some kind of program
157 logic for linking patterns together. For example, a Lex program is composed of
158 sets of regular expressions. The implied program logic repeatedly attempts to
159 match a pattern in the current set, then executes the associated user code. It requires the
160 user to consider a language as a sequence of independent tokens. Scripting
161 languages and regular expression libraries allow one to link patterns together
162 using arbitrary program code. This is very flexible and powerful, however we
163 can be more concise and clear if we avoid gluing together regular expressions
164 with if statements and while loops.
166 This model of execution, where the runtime alternates between regular
167 expression matching and user code exectution places severe restrictions on when
168 action code may be executed. Since action code can only be associated with
169 complete patterns, any action code which must be executed before an entire
170 pattern is matched requires that the pattern be broken into smaller units.
171 Instead of being forced to disrupt the regular expression syntax and write
172 smaller expressions, it is desirable to retain a single expression and embed
173 code for performing actions directly into the transitions which move over the
174 characters. After all, capable programmers are astutely aware of the machinery
175 underlying their programs, so why not provide them with access to that
176 machinery? To achieve this we require an action execution model for associating
177 code with the sub-expressions of a regular expression in a way that does not
178 disrupt its syntax.
180 The primary goal of Ragel is to provide developers with an ability to embed
181 actions into the transitions and states of a regular expression's state machine
182 in support of the
183 definition of entire parsers or large sections of parsers using a single
184 regular expression. From the
185 regular expression we gain a clear and concise statement of our language. From
186 the state machine we obtain a very fast and robust executable that lends itself
187 to many kinds of analysis and visualization.
189 \section{Overview}
191 Ragel is a language for specifying state machines. The Ragel program is a
192 compiler that assembles a state machine definition to executable code. Ragel
193 is based on the principle that any regular language can be converted to a
194 deterministic finite state automaton. Since every regular language has a state
195 machine representation and vice versa, the terms regular language and state
196 machine (or just machine) will be used interchangeably in this document.
198 Ragel outputs machines to C, C++, Objective-C, or D code. The output is
199 designed to be generic and is not bound to any particular input or processing
200 method. A Ragel machine expects to have data passed to it in buffer blocks.
201 When there is no more input, the machine can be queried for acceptance. In
202 this way, a Ragel machine can be used to simply recognize a regular language
203 like a regular expression library. By embedding code into the regular language,
204 a Ragel machine can also be used to parse input.
206 The Ragel input language has many operators for constructing and manipulating
207 machines. Machines are built up from smaller machines, to bigger ones, to the
208 final machine representing the language that needs to be recognized or parsed.
210 The core state machine construction operators are those found in most ``Theory
211 of Computation'' textbooks. They date back to the 1950s and are widely studied.
212 They are based on set operations and permit one to think of languages as a set
213 of strings. They are Union, Intersection, Subtraction, Concatenation and Kleene
214 Star. Put together, these operators make up what most people know as regular
215 expressions. Ragel also provides a scanner construction construction operator
216 and provides operators for explicitly constructing machines
217 using a state chart method. In the state chart method, one joins machines
218 together without any implied transitions and then explicitly specifies where
219 epsilon transitions should be drawn.
221 The state machine manipulation operators are specific to Ragel. They allow the
222 programmer to access the states and transitions of regular language's
223 corresponding machine. There are two uses of the manipulation operators. The
224 first and primary use is to embed code into transitions and states, allowing
225 the programmer to specify the actions of the state machine.
227 Ragel attempts to make the action embedding facility as intuitive as possible.
228 To do that, a number issues need to be addresses. For example, when making a
229 nondeterministic specification into a DFA using machines that have embedded
230 actions, new transitions are often made that have the combined actions of
231 several source transitions. Ragel ensures that multiple actions associated with
232 a single transition are ordered consistently with respect to the order of
233 reference and the natural ordering implied by the construction operators.
235 The second use of the manipulation operators is to assign priorities in
236 transitions. Priorities provide a convenient way of controlling any
237 nondeterminism introduced by the construction operators. Suppose two
238 transitions leave from the same state and go to distinct target states on the
239 same character. If these transitions are assigned conflicting priorities, then
240 during the determinization process the transition with the higher priority will
241 take precedence over the transition with the lower priority. The lower priority
242 transition gets abandoned. The transitions would otherwise be combined to a new
243 transition that goes to a new state which is a combination of the original
244 target states. Priorities are often required for segmenting machines. The most
245 common uses of priorities have been encoded into a set of simple operators
246 which should be used instead of priority embeddings whenever possible.
248 For the purposes of embedding, Ragel divides transitions and states into
249 different classes. There are four operators for embedding actions and
250 priorities into the transitions of a state machine. It is possible to embed
251 into start transitions, finishing transitions, all transitions and pending out
252 transitions. The embedding of pending out transitions is a special case.
253 These transition embeddings get stored in the final states of a machine. They
254 are transferred to any transitions that may be made going out of the machine by
255 a concatenation or kleene star operator.
257 There are several more operators for embedding actions into states. Like the
258 transition embeddings, there are various different classes of states that the
259 embedding operators access. For example, one can access start states, final
260 states or all states, among others. Unlike the transition embeddings, there are
261 several different types of state action embeddings. These are executed at
262 various different times during the processing of input. It is possible to embed
263 actions which are exectued on all transitions which enter into a state, all
264 transitions out of a state, transitions taken on the error event, or
265 transitions taken on the EOF event.
267 Within actions, it is possible to influence the behaviour of the state machine.
268 The user can write action code that jumps or calls to another portion of the
269 machine, changes the current character being processed, or breaks out of the
270 processing loop. With the state machine calling feature Ragel can be used to
271 parse languages which are not regular. For example, one can parse balanced
272 parentheses by calling into a parser when an open bracket character is seen and
273 returning to the state on the top of the stack when the corresponding closing
274 bracket character is seen. More complicated context-free languages such as
275 expressions in C, are out of the scope of Ragel.
277 Ragel also provides a scanner construction operator which can be used to build scanners
278 much the same way that Lex is used. The Ragel generated code, which relies on
279 user-defined variables for
280 backtracking, repeatedly tries to match patterns to the input, favouring longer
281 patterns over shorter ones and patterns that appear ahead of others when the
282 lengths of the possible matches are identical. When a pattern is matched the
283 associated action is executed.
285 The key distinguishing feature between scanners in Ragel and scanners in Lex is
286 that Ragel patterns may be arbitrary Ragel expressions and can therefore
287 contain embedded code. With a Ragel-based scanner the user need not wait until
288 the end of a pattern before user code can be executed.
290 Scanners do take Ragel out of the domain of pure state machines and require the
291 user to maintain the backtracking related variables. However, scanners
292 integrate well with regular state machine instantiations. They can be called to
293 or jumped to only when needed, or they can be called out of or jumped out of
294 when a simpler, pure state machine model is appropriate.
296 Two types of output code style are available. Ragel can produce a table-driven
297 machine or a directly executable machine. The directly executable machine is
298 much faster than the table-driven. On the other hand, the table-driven machine
299 is more compact and less demanding on the host language compiler. It is better
300 suited to compiling large state machines.
302 \section{Related Work}
304 Lex is perhaps the best-known tool for constructing parsers from regular
305 expressions. In the Lex processing model, generated code attempts to match one
306 of the user's regular expression patterns, favouring longer matches over
307 shorter ones. Once a match is made it then executes the code associated with
308 the pattern and consumes the matching string. This process is repeated until
309 the input is fully consumed.
311 Through the use of start conditions, related sets of patterns may be defined.
312 The active set may be changed at any time. This allows the user to define
313 different lexical regions. It also allows the user to link patterns together by
314 requiring that some patterns come before others. This is quite like a
315 concatenation operation. However, use of Lex for languages that require a
316 considerable amount of pattern concatenation is inappropriate. In such cases a
317 Lex program deteriorates into a manually specified state machine, where start
318 conditions define the states and pattern actions define the transitions. Lex
319 is therefore best suited to parsing tasks where the language to be parsed can
320 be described in terms of regions of tokens.
322 Lex is useful in many scenarios and has undoubtedly stood the test of time.
323 There are, however, several drawbacks to using Lex. Lex can impose too much
324 overhead for parsing applications where buffering is not required because all
325 the characters are available in a single string. In these cases there is
326 structure to the language to be parsed and a parser specification tool can
327 help, but employing a heavyweight processing loop that imposes a stream
328 ``pull'' model and dynamic input buffer allocation is inappropriate. An
329 example of this kind of scenario is the conversion of floating point numbers
330 contained in a string to their corresponding numerical values.
332 Another drawback is the very issue that Ragel attempts to solve.
333 It is not possbile to execute a user action while
334 matching a character contained inside a pattern. For example, if scanning a
335 programming language and string literals can contain newlines which must be
336 counted, a Lex user must break up a string literal pattern so as to associate
337 an action with newlines. This forces the definition of a new start condition.
338 Alternatively the user can reprocess the text of the matched string literal to
339 count newlines.
341 \begin{comment}
342 How ragel is different from Lex.
344 %Like Re2c, Ragel provides a simple execution model that does not make any
345 %assumptions as to how the input is collected. Also, Ragel does not do any
346 %buffering in the generated code. Consequently there are no dependencies on
347 %external functions such as \verb|malloc|.
349 %If buffering is required it can be manually implemented by embedding actions
350 %that copy the current character to a buffer, or data can be passed to the
351 %parser using known block boundaries. If the longest-match operator is used,
352 %Ragel requires the user to ensure that the ending portion of the input buffer
353 %is preserved when the buffer is exhaused before a token is fully matched. The
354 %user should move the token prefix to a new memory location, such as back to the
355 %beginning of the input buffer, then place the subsequently read input
356 %immediately after the prefix.
358 %These properties of Ragel make it more work to write a program that requires
359 %the longest-match operator or buffering of input, however they make Ragel a
360 %more flexible tool that can produce very simple and fast-running programs under
361 %a variety of input acquisition arrangements.
363 %In Ragel, it is not necessary
364 %to introduce start conditions to concatenate tokens and retain action
365 %execution. Ragel allows one to structure a parser as a series of tokens, but
366 %does not require it.
368 %Like Lex and Re2C, Ragel is able to process input using a longest-match
369 %execution model, however the core of the Ragel language specifies parsers at a
370 %much lower level. This core is built around a pure state machine model. When
371 %building basic machines there is no implied algorithm for processing input
372 %other than to move from state to state on the transitions of the machine. This
373 %core of pure state machine operations makes Ragel well suited to handling
374 %parsing problems not based on token scanning. Should one need to use a
375 %longest-match model, the functionality is available and the lower level state
376 %machine construction facilities can be used to specify the patterns of a
377 %longest-match machine.
379 %This is not possible in Ragel. One can only program
380 %a longest-match instantiation with a fixed set of rules. One can jump to
381 %another longest-match machine that employs the same machine definitions in the
382 %construction of its rules, however no states will be shared.
384 %In Ragel, input may be re-parsed using a
385 %different machine, but since the action to be executed is associated with
386 %transitions of the compiled state machine, the longest-match construction does
387 %not permit a single rule to be excluded from the active set. It cannot be done
388 %ahead of time nor in the excluded rule's action.
389 \end{comment}
391 The Re2C program defines an input processing model similar to that of Lex.
392 Re2C focuses on making generated state machines run very fast and
393 integrate easily into any program, free of dependencies. Re2C generates
394 directly executable code and is able to claim that generated parsers run nearly
395 as fast as their hand-coded equivalents. This is very important for user
396 adoption, as programmers are reluctant to use a tool when a faster alternative
397 exists. A consideration to ease of use is also important because developers
398 need the freedom to integrate the generated code as they see fit.
400 Many scripting languages provide ways of composing parsers by linking regular
401 expressions using program logic. For example, Sed and Awk are two established
402 Unix scripting tools that allow the programmer to exploit regular expressions
403 for the purpose of locating and extracting text of interest. High-level
404 programming languages such as Perl, Python, PHP and Ruby all provide regular
405 expression libraries that allow the user to combine regular expressions with
406 arbitrary code.
408 In addition to supporting the linking of regular expressions with arbitrary
409 program logic, the Perl programming language permits the embedding of code into
410 regular expressions. Perl embeddings do not translate into the embedding of
411 code into deterministic state machines. Perl regular expressions are in fact
412 not fully compiled to deterministic machines when embedded code is involved.
413 They are instead interpreted and involve backtracking. This is shown by the
414 following Perl program. When it is fed the input \verb|abcd| the interpretor
415 attempts to match the first alternative, printing \verb|a1 b1|. When this
416 possibility fails it backtracks and tries the second possibility, printing
417 \verb|a2 b2|, at which point it succeeds.
419 \begin{inline_code}
420 \begin{verbatim}
421 print "YES\n" if ( <STDIN> =~
422 /( a (?{ print "a1 "; }) b (?{ print "b1 "; }) cX ) |
423 ( a (?{ print "a2 "; }) b (?{ print "b2 "; }) cd )/x )
424 \end{verbatim}
425 \end{inline_code}
426 \verbspace
428 In Ragel there is no regular expression interpretor. Aside from the scanner
429 operator, all Ragel expressions are made into deterministic machines and the
430 run time simply moves from state to state as it consumes input. An equivalent
431 parser expressed in Ragel would attempt both of the alternatives concurrently,
432 printing \verb|a1 a2 b1 b2|.
434 \section{Development Status}
436 Ragel is a relatively new tool and is under continuous development. As a rough
437 release guide, minor revision number changes are for implementation
438 improvements and feature additions. Major revision number changes are for
439 implementation and language changes that do not preserve backwards
440 compatibility. Though in the past this has not always held true: changes that
441 break code have crept into minor version number changes. Typically, the
442 documentation lags behind the development in the interest of documenting only
443 the lasting features. The latest changes are always documented in the ChangeLog
444 file.
446 \chapter{Constructing State Machines}
448 \section{Ragel State Machine Specifications}
450 A Ragel input file consists of a host language code file with embedded machine
451 specifications. Ragel normally passes input straight to output. When it sees
452 a machine specification it stops to read the Ragel statements and possibly generate
453 code in place of the specification.
454 Afterwards it continues to pass input through. There
455 can be any number of FSM specifications in an input file. A multi-line FSM spec
456 starts with \verb|%%{| and ends with \verb|}%%|. A single-line FSM spec starts
457 with \verb|%%| and ends at the first newline.
459 While Ragel is looking for FSM specifications it does basic lexical analysis on
460 the surrounding input. It interprets literal strings and comments so a
461 \verb|%%| sequence in either of those will not trigger the parsing of an FSM
462 specification. Ragel does not pass the input through any preprocessor nor does it
463 interpret preprocessor directives itself so includes, defines and ifdef logic
464 cannot be used to alter the parse of a Ragel input file. It is therefore not
465 possible to use an \verb|#if 0| directive to comment out a machine as is
466 commonly done in C code. As an alternative, a machine can be prevented from
467 causing any generated output by commenting out the write statements.
469 In Figure \ref{cmd-line-parsing}, a multi-line machine is used to define the
470 machine and single line machines are used to trigger the writing of the machine
471 data and execution code.
473 \begin{figure}
474 \begin{multicols}{2}
475 \small
476 \begin{verbatim}
477 #include <string.h>
478 #include <stdio.h>
480 %%{
481 machine foo;
482 main :=
483 ( 'foo' | 'bar' )
484 0 @{ res = 1; };
487 %% write data;
488 \end{verbatim}
489 \columnbreak
490 \begin{verbatim}
491 int main( int argc, char **argv )
493 int cs, res = 0;
494 if ( argc > 1 ) {
495 char *p = argv[1];
496 char *pe = p + strlen(p) + 1;
497 %% write init;
498 %% write exec;
500 printf("result = %i\n", res );
501 return 0;
503 \end{verbatim}
504 \end{multicols}
505 \caption{Parsing a command line argument.}
506 \label{cmd-line-parsing}
507 \end{figure}
510 \subsection{Naming Ragel Blocks}
512 \begin{verbatim}
513 machine fsm_name;
514 \end{verbatim}
515 \verbspace
517 The \verb|machine| statement gives the name of the FSM. If present in a
518 specification, this statement must appear first. If a machine specification
519 does not have a name then Ragel uses the previous specification name. If no
520 previous specification name exists then this is an error. Because FSM
521 specifications persist in memory, a machine's statements can be spread across
522 multiple machine specifications. This allows one to break up a machine across
523 several files or draw in statements that are common to multiple machines using
524 the include statement.
526 \subsection{Including Ragel Code}
528 \begin{verbatim}
529 include FsmName "inputfile.rl";
530 \end{verbatim}
531 \verbspace
533 The \verb|include| statement can be used to draw in the statements of another FSM
534 specification. Both the name and input file are optional, however at least one
535 must be given. Without an FSM name, the given input file is searched for an FSM
536 of the same name as the current specification. Without an input file the
537 current file is searched for a machine of the given name. If both are present,
538 the given input file is searched for a machine of the given name.
540 \subsection{Machine Definition}
541 \label{definition}
543 \begin{verbatim}
544 <name> = <expression>;
545 \end{verbatim}
546 \verbspace
548 The machine definition statement associates an FSM expression with a name. Machine
549 expressions assigned to names can later be referenced by other expressions. A
550 definition statement on its own does not cause any states to be generated. It is simply a
551 description of a machine to be used later. States are generated only when a definition is
552 instantiated, which happens when a definition is referenced in an instantiated
553 expression.
555 \subsection{Machine Instantiation}
556 \label{instantiation}
558 \begin{verbatim}
559 <name> := <expression>;
560 \end{verbatim}
561 \verbspace
563 The machine instantiation statement generates a set of states representing an
564 expression. Each instantiation generates a distinct set of states. The entry
565 point is written in the generated code using the instantiation name. If the
566 \verb|main| machine is instantiated, then a start state is also generated and
567 assigned to the \verb|cs| variable by the \verb|write init| command. From
568 outside the execution loop, control may be passed to any machine by assigning
569 the entry point to the \verb|cs| variable. From inside the execution loop,
570 control may be passed to any machine instantiation using \verb|fcall|,
571 \verb|fgoto| or \verb|fnext| statements.
573 \section{Lexical Analysis of a Ragel Block}
574 \label{lexing}
576 Within a machine specification the following lexical rules apply to the parse
577 of the input.
579 \begin{itemize}
581 \item The \verb|#| symbol begins a comment that terminates at the next newline.
583 \item The symbols \verb|""|, \verb|''|, \verb|//|, \verb|[]| behave as the
584 delimiters of literal strings. With them, the following escape sequences are interpreted:
586 \verb| \0 \a \b \t \n \v \f \r|
588 A backslash at the end of a line joins the following line onto the current. A
589 backslash preceding any other character removes special meaning. This applies
590 to terminating characters and to special characters in regular expression
591 literals. As an exception, regular expression literals do not support escape
592 sequences as the operands of a range within a list. See the bullet on regular
593 expressions in Section \ref{basic}.
595 \item The symbols \verb|{}| delimit a block of host language code that will be
596 embedded into the machine as an action. Within the block of host language
597 code, basic lexical analysis of C/C++ comments and strings is done in order to
598 correctly find the closing brace of the block. With the exception of FSM
599 commands embedded in code blocks, the entire block is preserved as is for
600 identical reproduction in the output code.
602 \item The pattern \verb|[+-]?[0-9]+| denotes an integer in decimal format.
603 Integers used for specifying machines may be negative only if the alphabet type
604 is signed. Integers used for specifying priorities may be positive or negative.
606 \item The pattern \verb|0x[0-9a-fA-f]+| denotes an integer in hexadecimal
607 format.
609 \item The keywords are \verb|access|, \verb|action|, \verb|alphtype|,
610 \verb|getkey|, \verb|write|, \verb|machine| and \verb|include|.
612 \item The pattern \verb|[a-zA-Z_][a-zA-Z_0-9]*| denotes an identifier.
614 %\item The allowable symbols are:
616 %\verb/ ( ) ! ^ * ? + : -> - | & . , := = ; > @ $ % /\\
617 %\verb| >/ $/ %/ </ @/ <>/ >! $! %! <! @! <>!|\\
618 %\verb| >^ $^ %^ <^ @^ <>^ >~ $~ %~ <~ @~ <>~|\\
619 %\verb| >* $* %* <* @* <>*|
621 \item Any amount of whitespace may separate tokens.
623 \end{itemize}
625 %\section{Parse of an FSM Specification}
627 %The following statements are possible within an FSM specification. The
628 %requirements for trailing semicolons loosely follow that of C.
629 %A block
630 %specifying code does not require a trailing semicolon. An expression
631 %statement does require a trailing semicolon.
634 \section{Basic Machines}
635 \label{basic}
637 The basic machines are the base operands of regular language expressions. They
638 are the smallest unit to which machine construction and manipulation operators
639 can be applied.
641 In the diagrams that follow the symbol \verb|df| represents
642 the default transition, which is taken if no other transition can be taken. The
643 symbol \verb|cr| represents the carriage return character, \verb|nl| represents the newline character (aka line feed) and the symbol
644 \verb|sp| represents the space character.
646 \begin{itemize}
648 \item \verb|'hello'| -- Concatenation Literal. Produces a machine that matches
649 the sequence of characters in the quoted string. If there are 5 characters
650 there will be 6 states chained together with the characters in the string. See
651 Section \ref{lexing} for information on valid escape sequences.
653 % GENERATE: bmconcat
654 % OPT: -p
655 % %%{
656 % machine bmconcat;
657 \begin{comment}
658 \begin{verbatim}
659 main := 'hello';
660 \end{verbatim}
661 \end{comment}
662 % }%%
663 % END GENERATE
665 \begin{center}
666 \includegraphics[scale=0.55]{bmconcat}
667 \end{center}
669 It is possible
670 to make a concatenation literal case-insensitive by appending an \verb|i| to
671 the string, for example \verb|'cmd'i|.
673 \item \verb|"hello"| -- Identical to the single quoted version.
675 \item \verb|[hello]| -- Or Expression. Produces a union of characters. There
676 will be two states with a transition for each unique character between the two states.
677 The \verb|[]| delimiters behave like the quotes of a literal string. For example,
678 \verb|[ \t]| means tab or space. The or expression supports character ranges
679 with the \verb|-| symbol as a separator. The meaning of the union can be negated
680 using an initial \verb|^| character as in standard regular expressions.
681 See Section \ref{lexing} for information on valid escape sequences
682 in or expressions.
684 % GENERATE: bmor
685 % OPT: -p
686 % %%{
687 % machine bmor;
688 \begin{comment}
689 \begin{verbatim}
690 main := [hello];
691 \end{verbatim}
692 \end{comment}
693 % }%%
694 % END GENERATE
696 \begin{center}
697 \includegraphics[scale=0.55]{bmor}
698 \end{center}
700 \item \verb|''|, \verb|""|, and \verb|[]| -- Zero Length Machine. Produces a machine
701 that matches the zero length string. Zero length machines have one state that is both
702 a start state and a final state.
704 % GENERATE: bmnull
705 % OPT: -p
706 % %%{
707 % machine bmnull;
708 \begin{comment}
709 \begin{verbatim}
710 main := '';
711 \end{verbatim}
712 \end{comment}
713 % }%%
714 % END GENERATE
716 \begin{center}
717 \includegraphics[scale=0.55]{bmnull}
718 \end{center}
720 % FIXME: More on the range of values here.
721 \item \verb|42| -- Numerical Literal. Produces a two state machine with one
722 transition on the given number. The number may be in decimal or hexadecimal
723 format and should be in the range allowed by the alphabet type. The minimum and
724 maximum values permitted are defined by the host machine that Ragel is compiled
725 on. For example, numbers in a \verb|short| alphabet on an i386 machine should
726 be in the range \verb|-32768| to \verb|32767|.
728 % GENERATE: bmnum
729 % %%{
730 % machine bmnum;
731 \begin{comment}
732 \begin{verbatim}
733 main := 42;
734 \end{verbatim}
735 \end{comment}
736 % }%%
737 % END GENERATE
739 \begin{center}
740 \includegraphics[scale=0.55]{bmnum}
741 \end{center}
743 \item \verb|/simple_regex/| -- Regular Expression. Regular expressions are
744 parsed as a series of expressions that will be concatenated together. Each
745 concatenated expression
746 may be a literal character, the any character specified by the \verb|.|
747 symbol, or a union of characters specified by the \verb|[]| delimiters. If the
748 first character of a union is \verb|^| then it matches any character not in the
749 list. Within a union, a range of characters can be given by separating the first
750 and last characters of the range with the \verb|-| symbol. Each
751 concatenated machine may have repetition specified by following it with the
752 \verb|*| symbol. The standard escape sequences described in Section
753 \ref{lexing} are supported everywhere in regular expressions except as the
754 operands of a range within in a list. This notation also supports the \verb|i|
755 trailing option. Use it to produce case-insensitive machines, as in \verb|/GET/i|.
757 Ragel does not support very complex regular expressions because the desired
758 results can always be achieved using the more general machine construction
759 operators listed in Section \ref{machconst}. The following diagram shows the
760 result of compiling \verb|/ab*[c-z].*[123]/|.
762 % GENERATE: bmregex
763 % OPT: -p
764 % %%{
765 % machine bmregex;
766 \begin{comment}
767 \begin{verbatim}
768 main := /ab*[c-z].*[123]/;
769 \end{verbatim}
770 \end{comment}
771 % }%%
772 % END GENERATE
774 \begin{center}
775 \includegraphics[scale=0.55]{bmregex}
776 \end{center}
778 \item \verb|'a' .. 'z'| -- Range. Produces a machine that matches any
779 characters in the specified range. Allowable upper and lower bounds of the
780 range are concatenation literals of length one and numerical literals. For
781 example, \verb|0x10..0x20|, \verb|0..63|, and \verb|'a'..'z'| are valid ranges.
782 The bounds should be in the range allowed by the alphabet type.
784 % GENERATE: bmrange
785 % OPT: -p
786 % %%{
787 % machine bmrange;
788 \begin{comment}
789 \begin{verbatim}
790 main := 'a' .. 'z';
791 \end{verbatim}
792 \end{comment}
793 % }%%
794 % END GENERATE
796 \begin{center}
797 \includegraphics[scale=0.55]{bmrange}
798 \end{center}
801 \item \verb|variable_name| -- Lookup the machine definition assigned to the
802 variable name given and use an instance of it. See Section \ref{definition} for
803 an important note on what it means to reference a variable name.
805 \item \verb|builtin_machine| -- There are several built-in machines available
806 for use. They are all two state machines for the purpose of matching common
807 classes of characters. They are:
809 \begin{itemize}
811 \item \verb|any | -- Any character in the alphabet.
813 \item \verb|ascii | -- Ascii characters. \verb|0..127|
815 \item \verb|extend| -- Ascii extended characters. This is the range
816 \verb|-128..127| for signed alphabets and the range \verb|0..255| for unsigned
817 alphabets.
819 \item \verb|alpha | -- Alphabetic characters. \verb|[A-Za-z]|
821 \item \verb|digit | -- Digits. \verb|[0-9]|
823 \item \verb|alnum | -- Alpha numerics. \verb|[0-9A-Za-z]|
825 \item \verb|lower | -- Lowercase characters. \verb|[a-z]|
827 \item \verb|upper | -- Uppercase characters. \verb|[A-Z]|
829 \item \verb|xdigit| -- Hexadecimal digits. \verb|[0-9A-Fa-f]|
831 \item \verb|cntrl | -- Control characters. \verb|0..31|
833 \item \verb|graph | -- Graphical characters. \verb|[!-~]|
835 \item \verb|print | -- Printable characters. \verb|[ -~]|
837 \item \verb|punct | -- Punctuation. Graphical characters that are not alphanumerics.
838 \verb|[!-/:-@[-`{-~]|
840 \item \verb|space | -- Whitespace. \verb|[\t\v\f\n\r ]|
842 \item \verb|zlen | -- Zero length string. \verb|""|
844 \item \verb|empty | -- Empty set. Matches nothing. \verb|^any|
846 \end{itemize}
847 \end{itemize}
849 \section{Operator Precedence}
850 The following table shows operator precedence from lowest to highest. Operators
851 in the same precedence group are evaluated from left to right.
853 \verbspace
854 \begin{tabular}{|c|c|c|}
855 \hline
856 1&\verb| , |&Join\\
857 \hline
858 2&\verb/ | & - --/&Union, Intersection and Subtraction\\
859 \hline
860 3&\verb| . <: :> :>> |&Concatenation\\
861 \hline
862 4&\verb| : |&Label\\
863 \hline
864 5&\verb| -> |&Epsilon Transition\\
865 \hline
866 &\verb| > @ $ % |&Transitions Actions and Priorities\\
867 \cline{2-3}
868 &\verb| >/ $/ %/ </ @/ <>/ |&EOF Actions\\
869 \cline{2-3}
870 6&\verb| >! $! %! <! @! <>! |&Global Error Actions\\
871 \cline{2-3}
872 &\verb| >^ $^ %^ <^ @^ <>^ |&Local Error Actions\\
873 \cline{2-3}
874 &\verb| >~ $~ %~ <~ @~ <>~ |&To-State Actions\\
875 \cline{2-3}
876 &\verb| >* $* %* <* @* <>* |&From-State Action\\
877 \hline
878 7&\verb| * ** ? + {n} {,n} {n,} {n,m} |&Repetition\\
879 \hline
880 8&\verb| ! ^ |&Negation and Character-Level Negation\\
881 \hline
882 9&\verb| ( <expr> ) |&Grouping\\
883 \hline
884 \end{tabular}
886 \section{Regular Language Operators}
887 \label{machconst}
889 When using Ragel it is helpful to have a sense of how it constructs machines.
890 Sometimes this the determinization process can cause results that appear unusual to someone
891 unfamiliar with it. Ragel does not make use of any nondeterministic
892 intermediate state machines. All operators accept and return deterministic
893 machines. However, to ease the discussion, the operations are defined in terms
894 epsilon transitions.
896 To draw an epsilon transition between two states \verb|x| and \verb|y|, is to
897 copy all of the properties of \verb|y| into \verb|x|. This involves drawing in
898 all of \verb|y|'s to-state actions, EOF actions, etc., as well as its
899 transitions. If \verb|x| and \verb|y| both have a transition out on the same
900 character, then the transitions must be combined. During transition
901 combination a new transition is made which goes to a new state that is the
902 combination of both target states. The new combination state is created using
903 the same epsilon transition method. The new state has an epsilon transition
904 drawn to all the states that compose it. Since every time an epsilon transition
905 is drawn the creation of new epsilon transitions may be triggered, the process
906 of drawing epsilon transitions is repeated until there are no more epsilon
907 transitions to be made.
909 A very common error that is made when using Ragel is to make machines that do
910 too much at once. That is, to create machines that have unintentional
911 nondeterminism. This usually results from being unaware of the common strings
912 between machines that are combined together using the regular language
913 operators. This can involve never leaving a machine, causing its actions to be
914 propagated through all the following states. Or it can involve an alternation
915 where both branches are unintentionally taken simultaneously.
917 This problem forces one to think hard about the language that needs to be
918 matched. To guard against this kind of problem one must ensure that the machine
919 specification is divided up using boundaries that do not allow ambiguities from
920 one portion of the machine to the next. See Chapter
921 \ref{controlling-nondeterminism} for more on this problem and how to solve it.
923 The Graphviz tool is an immense help when debugging improperly compiled
924 machines or otherwise learning how to use Ragel. In many cases, practical
925 parsing programs will be too large to completely visualize with Graphviz. The
926 proper approach is to reduce the language to the smallest subset possible that
927 still exhibits the characteristics that one wishes to learn about or to fix.
928 This can be done without modifying the source code using the \verb|-M| and
929 \verb|-S| options at the frontend. If a machine cannot be easily reduced,
930 embeddings of unique actions can be very useful for tracing a
931 particular component of a larger machine specification, since action names are
932 written out on transition labels.
934 \subsection{Union}
936 \verb/expr | expr/
937 \verbspace
939 The union operation produces a machine that matches any string in machine one
940 or machine two. The operation first creates a new start state. Epsilon
941 transitions are drawn from the new start state to the start states of both
942 input machines. The resulting machine has a final state set equivalent to the
943 union of the final state sets of both input machines. In this operation, there
944 is the opportunity for nondeterminism among both branches. If there are
945 strings, or prefixes of strings that are matched by both machines then the new
946 machine will follow both parts of the alternation at once. The union operation is
947 shown below.
949 \graphspace
950 \begin{center}
951 \includegraphics{opor}
952 \end{center}
953 \graphspace
955 The following example demonstrates the union of three machines representing
956 common tokens.
958 % GENERATE: exor
959 % OPT: -p
960 % %%{
961 % machine exor;
962 \begin{inline_code}
963 \begin{verbatim}
964 # Hex digits, decimal digits, or identifiers
965 main := '0x' xdigit+ | digit+ | alpha alnum*;
966 \end{verbatim}
967 \end{inline_code}
968 % }%%
969 % END GENERATE
971 \graphspace
972 \begin{center}
973 \includegraphics[scale=0.55]{exor}
974 \end{center}
976 \subsection{Intersection}
978 \verb|expr & expr|
979 \verbspace
981 Intersection produces a machine that matches any
982 string which is in both machine one and machine two. To achieve intersection, a
983 union is performed on the two machines. After the result has been made
984 deterministic, any final state that is not a combination of final states from
985 both machines has its final state status revoked. To complete the operation,
986 paths that do not lead to a final state are pruned from the machine. Therefore,
987 if there are any such paths in either of the expressions they will be removed
988 by the intersection operator. Intersection can be used to require that two
989 independent patterns be simultaneously satisfied as in the following example.
991 % GENERATE: exinter
992 % OPT: -p
993 % %%{
994 % machine exinter;
995 \begin{inline_code}
996 \begin{verbatim}
997 # Match lines four characters wide that contain
998 # words separated by whitespace.
999 main :=
1000 /[^\n][^\n][^\n][^\n]\n/* &
1001 (/[a-z][a-z]*/ | [ \n])**;
1002 \end{verbatim}
1003 \end{inline_code}
1004 % }%%
1005 % END GENERATE
1007 \graphspace
1008 \begin{center}
1009 \includegraphics[scale=0.55]{exinter}
1010 \end{center}
1012 \subsection{Difference}
1014 \verb|expr - expr|
1015 \verbspace
1017 The difference operation produces a machine that matches
1018 strings which are in machine one but which are not in machine two. To achieve subtraction,
1019 a union is performed on the two machines. After the result has been made
1020 deterministic, any final state that came from machine two or is a combination
1021 of states involving a final state from machine two has its final state status
1022 revoked. As with intersection, the operation is completed by pruning any path
1023 that does not lead to a final state. The following example demonstrates the
1024 use of subtraction to exclude specific cases from a set.
1026 \verbspace
1028 % GENERATE: exsubtr
1029 % OPT: -p
1030 % %%{
1031 % machine exsubtr;
1032 \begin{inline_code}
1033 \begin{verbatim}
1034 # Subtract keywords from identifiers.
1035 main := /[a-z][a-z]*/ - ( 'for' | 'int' );
1036 \end{verbatim}
1037 \end{inline_code}
1038 % }%%
1039 % END GENERATE
1041 \graphspace
1042 \begin{center}
1043 \includegraphics[scale=0.55]{exsubtr}
1044 \end{center}
1045 \graphspace
1048 \subsection{Strong Difference}
1049 \label{strong_difference}
1051 \verb|expr -- expr|
1052 \verbspace
1054 Strong difference produces a machine that matches any string of the first
1055 machine which does not have any string of the second machine as a substring. In
1056 the following example, strong subtraction is used to excluded \verb|CRLF| from
1057 a sequence. In the corresponding visualization, the label \verb|DEF| is short
1058 for default. The default transition is taken if no other transition can be
1059 taken.
1061 % GENERATE: exstrongsubtr
1062 % OPT: -p
1063 % %%{
1064 % machine exstrongsubtr;
1065 \begin{inline_code}
1066 \begin{verbatim}
1067 crlf = '\r\n';
1068 main := [a-z]+ ':' ( any* -- crlf ) crlf;
1069 \end{verbatim}
1070 \end{inline_code}
1071 % }%%
1072 % END GENERATE
1074 \graphspace
1075 \begin{center}
1076 \includegraphics[scale=0.55]{exstrongsubtr}
1077 \end{center}
1078 \graphspace
1080 This operator is equivalent to the following.
1082 \verbspace
1083 \begin{verbatim}
1084 expr - ( any* expr any* )
1085 \end{verbatim}
1087 \subsection{Concatenation}
1089 \verb|expr . expr|
1090 \verbspace
1092 Concatenation produces a machine that matches all the strings in machine one followed by all
1093 the strings in machine two. Concatenation draws epsilon transitions from the
1094 final states of the first machine to the start state of the second machine. The
1095 final states of the first machine loose their final state status, unless the
1096 start state of the second machine is final as well.
1097 Concatenation is the default operator. Two machines next to each other with no
1098 operator between them results in the machines being concatenated together.
1100 \graphspace
1101 \begin{center}
1102 \includegraphics{opconcat}
1103 \end{center}
1104 \graphspace
1106 The opportunity for nondeterministic behaviour results from the possibility of
1107 the final states of the first machine accepting a string which is also accepted
1108 by the start state of the second machine.
1109 The most common scenario that this happens in is the
1110 concatenation of a machine that repeats some pattern with a machine that gives
1111 a termination string, but the repetition machine does not exclude the
1112 termination string. The example in Section \ref{strong_difference}
1113 guards against this. Another example is the expression \verb|("'" any* "'")|.
1114 When exectued the thread of control will
1115 never leave the \verb|any*| machine. This is a problem especially if actions
1116 are embedded to processes the characters of the \verb|any*| component.
1118 In the following example, the first machine is always active due to the
1119 nondeterministic nature of concatenation. This particular nondeterminism is intended
1120 however because we wish to permit EOF strings before the end of the input.
1122 % GENERATE: exconcat
1123 % OPT: -p
1124 % %%{
1125 % machine exconcat;
1126 \begin{inline_code}
1127 \begin{verbatim}
1128 # Require an eof marker on the last line.
1129 main := /[^\n]*\n/* . 'EOF\n';
1130 \end{verbatim}
1131 \end{inline_code}
1132 % }%%
1133 % END GENERATE
1135 \graphspace
1136 \begin{center}
1137 \includegraphics[scale=0.55]{exconcat}
1138 \end{center}
1139 \graphspace
1141 \noindent {\bf Note:} There is a language
1142 ambiguity involving concatenation and subtraction. Because concatenation is the
1143 default operator for two
1144 adjacent machines there is an ambiguity between subtraction of
1145 a positive numerical literal and concatenation of a negative numerical literal.
1146 For example, \verb|(x-7)| could be interpreted as \verb|(x . -7)| or
1147 \verb|(x - 7)|. In the Ragel language, the subtraction operator always takes precedence
1148 over concatenation of a negative literal. Precedence was given to the
1149 subtraction-based interpretation so as to adhere to the rule that the default
1150 concatenation operator takes effect only when there are no other operators between
1151 two machines. Beware of writing machines such as \verb|(any -1)| when what is
1152 desired is a concatenation of \verb|any| and -1. Instead write
1153 \verb|(any . -1)| or \verb|(any (-1))|. If in doubt of the meaning of your program do not
1154 rely on the default concatenation operator, always use the \verb|.| symbol.
1157 \subsection{Kleene Star}
1159 \verb|expr*|
1160 \verbspace
1162 The machine resulting from the Kleene Star operator will match zero or more
1163 repetitions of the machine it is applied to.
1164 It creates a new start state and an additional final
1165 state. Epsilon transitions are drawn between the new start state and the old start
1166 state, between the new start state and the new final state, and
1167 between the final states of the machine and the new start state. After the
1168 machine is made deterministic the effect is of the final states getting all the
1169 transitions of the start state.
1171 \graphspace
1172 \begin{center}
1173 \includegraphics{opstar}
1174 \end{center}
1175 \graphspace
1177 The possibility for nondeterministic behaviour arises if the final states have
1178 transitions on any of the same characters as the start state. This is common
1179 when applying kleene star to an alternation of tokens. Like the other problems
1180 arising from nondeterministic behavior, this is discussed in more detail in Chapter
1181 \ref{controlling-nondeterminism}. This particular problem can also be solved
1182 by using the longest-match construction discussed in Section
1183 \ref{generating-scanners} on scanners.
1185 In this simple
1186 example, there is no nondeterminism introduced by the exterior kleene star due
1187 the newline at the end of the regular expression. Without the newline the
1188 exterior kleene star would be redundant and there would be ambiguity between
1189 repeating the inner range of the regular expression and the entire regular
1190 expression. Though it would not cause a problem in this case, unnecessary
1191 nondeterminism in the kleene star operator often causes undesired results for
1192 new Ragel users and must be guarded against.
1194 % GENERATE: exstar
1195 % OPT: -p
1196 % %%{
1197 % machine exstar;
1198 \begin{inline_code}
1199 \begin{verbatim}
1200 # Match any number of lines with only lowercase letters.
1201 main := /[a-z]*\n/*;
1202 \end{verbatim}
1203 \end{inline_code}
1204 % }%%
1205 % END GENERATE
1207 \graphspace
1208 \begin{center}
1209 \includegraphics[scale=0.55]{exstar}
1210 \end{center}
1211 \graphspace
1213 \subsection{One Or More Repetition}
1215 \verb|expr+|
1216 \verbspace
1218 This operator produces the concatenation of the machine with the kleene star of
1219 itself. The result will match one or more repetitions of the machine. The plus
1220 operator is equivalent to \verb|(expr . expr*)|. The plus operator makes
1221 repetitions that cannot be zero length.
1223 % GENERATE: explus
1224 % OPT: -p
1225 % %%{
1226 % machine explus;
1227 \begin{inline_code}
1228 \begin{verbatim}
1229 # Match alpha-numeric words.
1230 main := alnum+;
1231 \end{verbatim}
1232 \end{inline_code}
1233 % }%%
1234 % END GENERATE
1236 \graphspace
1237 \begin{center}
1238 \includegraphics[scale=0.55]{explus}
1239 \end{center}
1240 \graphspace
1242 \subsection{Optional}
1244 \verb|expr?|
1245 \verbspace
1247 The {\em optional} operator produces a machine that accepts the machine
1248 given or the zero length string. The optional operator is equivalent to
1249 \verb/(expr | '' )/. In the following example the optional operator is used to
1250 extend a token.
1252 % GENERATE: exoption
1253 % OPT: -p
1254 % %%{
1255 % machine exoption;
1256 \begin{inline_code}
1257 \begin{verbatim}
1258 # Match integers or floats.
1259 main := digit+ ('.' digit+)?;
1260 \end{verbatim}
1261 \end{inline_code}
1262 % }%%
1263 % END GENERATE
1265 \graphspace
1266 \begin{center}
1267 \includegraphics[scale=0.55]{exoption}
1268 \end{center}
1269 \graphspace
1272 \subsection{Repetition}
1274 \begin{tabbing}
1275 \noindent \verb|expr {n}| \hspace{16pt}\=-- Exactly N copies of expr.\\
1277 \noindent \verb|expr {,n}| \>-- Zero to N copies of expr.\\
1279 \noindent \verb|expr {n,}| \>-- N or more copies of expr.\\
1281 \noindent \verb|expr {n,m}| \>-- N to M copies of expr.
1282 \end{tabbing}
1284 \subsection{Negation}
1286 \verb|!expr|
1287 \verbspace
1289 Negation produces a machine that matches any string not matched by the given
1290 machine. Negation is equivalent to \verb|(any* - expr)|.
1292 % GENERATE: exnegate
1293 % OPT: -p
1294 % %%{
1295 % machine exnegate;
1296 \begin{inline_code}
1297 \begin{verbatim}
1298 # Accept anything but a string beginning with a digit.
1299 main := ! ( digit any* );
1300 \end{verbatim}
1301 \end{inline_code}
1302 % }%%
1303 % END GENERATE
1305 \graphspace
1306 \begin{center}
1307 \includegraphics[scale=0.55]{exnegate}
1308 \end{center}
1309 \graphspace
1312 \subsection{Character-Level Negation}
1314 \verb|^expr|
1315 \verbspace
1317 Character-level negation produces a machine that matches any single character
1318 not matched by the given machine. Character-Level Negation is equivalent to
1319 \verb|(any - expr)|.
1321 \section{State Machine Minimization}
1323 State machine minimization is the process of finding the minimal equivalent FSM accepting
1324 the language. Minimization reduces the number of states in machines
1325 by merging equivalent states. It does not change the behaviour of the machine
1326 in any way. It will cause some states to be merged into one because they are
1327 functionally equivalent. State minimization is on by default. It can be turned
1328 off with the \verb|-n| option.
1330 The algorithm implemented is similar to Hopcroft's state minimization
1331 algorithm. Hopcroft's algorithm assumes a finite alphabet that can be listed in
1332 memory, whereas Ragel supports arbitrary integer alphabets that cannot be
1333 listed in memory. Though exact analysis is very difficult, Ragel minimization
1334 runs close to $O(n \times log(n))$ and requires $O(n)$ temporary storage where
1335 $n$ is the number of states.
1337 \section{Visualization}
1339 Ragel is able to emit compiled state machines in Graphviz's Dot file format.
1340 Graphviz support allows users to perform
1341 incremental visualization of their parsers. User actions are displayed on
1342 transition labels of the graph. If the final graph is too large to be
1343 meaningful, or even drawn, the user is able to inspect portions of the parser
1344 by naming particular regular expression definitions with the \verb|-S| and
1345 \verb|-M| options to the \verb|ragel| program. Use of Graphviz greatly
1346 improves the Ragel programming experience. It allows users to learn Ragel by
1347 experimentation and also to track down bugs caused by unintended
1348 nondeterminism.
1350 \chapter{User Actions}
1352 Ragel permits the user to embed actions into the transitions of a regular
1353 expression's corresponding state machine. These actions are executed when the
1354 generated code moves over a transition. Like the regular expression operators,
1355 the action embedding operators are fully compositional. They take a state
1356 machine and an action as input, embed the action, and yield a new state machine
1357 which can be used in the construction of other machines. Due to the
1358 compositional nature of embeddings, the user has complete freedom in the
1359 placement of actions.
1361 A machine's transitions are categorized into four classes, The action embedding
1362 operators access the transitions defined by these classes. The {\em entering
1363 transition} operator \verb|>| isolates the start state, then embeds an action
1364 into all transitions leaving it. The {\em finishing transition} operator
1365 \verb|@| embeds an action into all transitions going into a final state. The
1366 {\em all transition} operator \verb|$| embeds an action into all transitions of
1367 an expression. The {\em pending out transition} operator \verb|%| provides
1368 access to yet-unmade leaving transitions.
1370 \section{Embedding Actions}
1372 \begin{verbatim}
1373 action ActionName {
1374 /* Code an action here. */
1375 count += 1;
1377 \end{verbatim}
1378 \verbspace
1380 The action statement defines a block of code that can be embedded into an FSM.
1381 Action names can be referenced by the action embedding operators in
1382 expressions. Though actions need not be named in this way (literal blocks
1383 of code can be embedded directly when building machines), defining reusable
1384 blocks of code whenever possible is good practice because it potentially increases the
1385 degree to which the machine can be minimized. Within an action some Ragel expressions
1386 and statements are parsed and translated. These allow the user to interact with the machine
1387 from action code. See Section \ref{vals} for a complete list of statements and
1388 values available in code blocks.
1390 \subsection{Entering Action}
1392 \verb|expr > action|
1393 \verbspace
1395 The entering operator embeds an action into the starting transitions. The
1396 action is executed on all transitions that enter into the machine from the
1397 start state. If the start state is a final state then it is possible for the
1398 machine to never be entered and the starting transitions bypassed. In the
1399 following example, the action is executed on the first transition of the
1400 machine. If the repetition machine is bypassed the action is not executed.
1402 \verbspace
1404 % GENERATE: exstact
1405 % OPT: -p
1406 % %%{
1407 % machine exstact;
1408 \begin{inline_code}
1409 \begin{verbatim}
1410 # Execute A at the beginning of a string of alpha.
1411 action A {}
1412 main := ( lower* >A ) . ' ';
1413 \end{verbatim}
1414 \end{inline_code}
1415 % }%%
1416 % END GENERATE
1418 \graphspace
1419 \begin{center}
1420 \includegraphics[scale=0.55]{exstact}
1421 \end{center}
1422 \graphspace
1424 \subsection{Finishing Action}
1426 \verb|expr @ action|
1427 \verbspace
1429 The finishing action operator embeds an action into any transitions that go into a
1430 final state. Whether or not the machine accepts is not determined at the point
1431 the action is executed. Further input may move the machine out of the accepting
1432 state, but keep it in the machine. As in the following example, the
1433 into-final-state operator is most often used when no lookahead is necessary.
1435 % GENERATE: exdoneact
1436 % OPT: -p
1437 % %%{
1438 % machine exdoneact;
1439 % action A {}
1440 \begin{inline_code}
1441 \begin{verbatim}
1442 # Execute A when the trailing space is seen.
1443 main := ( lower* ' ' ) @A;
1444 \end{verbatim}
1445 \end{inline_code}
1446 % }%%
1447 % END GENERATE
1449 \graphspace
1450 \begin{center}
1451 \includegraphics[scale=0.55]{exdoneact}
1452 \end{center}
1453 \graphspace
1456 \subsection{All Transition Action}
1458 \verb|expr $ action|
1459 \verbspace
1461 The all transition operator embeds an action into all transitions of a machine.
1462 The action is executed whenever a transition of the machine is taken. In the
1463 following example, A is executed on every character matched.
1465 % GENERATE: exallact
1466 % OPT: -p
1467 % %%{
1468 % machine exallact;
1469 % action A {}
1470 \begin{inline_code}
1471 \begin{verbatim}
1472 # Execute A on any characters of machine one or two.
1473 main := ( 'm1' | 'm2' ) $A;
1474 \end{verbatim}
1475 \end{inline_code}
1476 % }%%
1477 % END GENERATE
1479 \graphspace
1480 \begin{center}
1481 \includegraphics[scale=0.55]{exallact}
1482 \end{center}
1483 \graphspace
1486 \subsection{Pending Out (Leaving) Actions}
1487 \label{out-actions}
1489 \verb|expr % action|
1490 \verbspace
1492 The pending out action operator embeds an action into the pending out
1493 transitions of a machine. The action is first embedded into the final states of
1494 the machine and later transferred to any transitions made going out of the
1495 machine. The transfer can be caused either by a concatenation or kleene star
1496 operation. This mechanism allows one to associate an action with the
1497 termination of a sequence, without being concerned about what particular
1498 character terminates the sequence. In the following example, A is executed
1499 when leaving the alpha machine by the newline character.
1501 % GENERATE: exoutact1
1502 % OPT: -p
1503 % %%{
1504 % machine exoutact1;
1505 % action A {}
1506 \begin{inline_code}
1507 \begin{verbatim}
1508 # Match a word followed by an newline. Execute A when
1509 # finishing the word.
1510 main := ( lower+ %A ) . '\n';
1511 \end{verbatim}
1512 \end{inline_code}
1513 % }%%
1514 % END GENERATE
1516 \graphspace
1517 \begin{center}
1518 \includegraphics[scale=0.55]{exoutact1}
1519 \end{center}
1520 \graphspace
1522 In the following example, the \verb|term_word| action could be used to register
1523 the appearance of a word and to clear the buffer that the \verb|lower| action used
1524 to store the text of it.
1526 % GENERATE: exoutact2
1527 % OPT: -p
1528 % %%{
1529 % machine exoutact2;
1530 % action lower {}
1531 % action space {}
1532 % action term_word {}
1533 % action newline {}
1534 \begin{inline_code}
1535 \begin{verbatim}
1536 word = ( [a-z] @lower )+ %term_word;
1537 main := word ( ' ' @space word )* '\n' @newline;
1538 \end{verbatim}
1539 \end{inline_code}
1540 % }%%
1541 % END GENERATE
1543 \graphspace
1544 \begin{center}
1545 \includegraphics[scale=0.55]{exoutact2}
1546 \end{center}
1547 \graphspace
1550 In this final example of the action embedding operators, A is executed upon the
1551 first character of the alpha machine, B is executed on all transitions of the
1552 alpha machine, C is executed when the alpha machine is exited by moving into the
1553 newline machine and N is executed when the newline machine moves into a final
1554 state.
1556 % GENERATE: exaction
1557 % OPT: -p
1558 % %%{
1559 % machine exaction;
1560 % action A {}
1561 % action B {}
1562 % action C {}
1563 % action N {}
1564 \begin{inline_code}
1565 \begin{verbatim}
1566 # Execute A on starting the alpha machine, B on every transition
1567 # moving through it and C upon finishing. Execute N on the newline.
1568 main := ( lower* >A $B %C ) . '\n' @N;
1569 \end{verbatim}
1570 \end{inline_code}
1571 % }%%
1572 % END GENERATE
1574 \graphspace
1575 \begin{center}
1576 \includegraphics[scale=0.55]{exaction}
1577 \end{center}
1578 \graphspace
1581 \section{State Action Embedding Operators}
1583 The state embedding operators allow one to embed actions into states. Like the
1584 transition embedding operators, there are several different classes of states
1585 that the operators access. The meanings of the symbols are partially related to
1586 the meanings of the symbols used by the transition embedding operators.
1588 The state embedding operators are different from the transition embedding
1589 operators in that there are various kinds of events that embedded actions can
1590 be associated with, requiring them to be distinguished by these different types
1591 of events. The state embedding operators have two components. The first, which
1592 is the first one or two characters, specifies the class of states that the
1593 action will be embedded into. The second component specifies the type of event
1594 the action will be executed on.
1596 \def\fakeitem{\hspace*{12pt}$\bullet$\hspace*{10pt}}
1598 \begin{minipage}{\textwidth}
1599 \begin{multicols}{2}
1600 \raggedcolumns
1601 \noindent The different classes of states are:\\
1602 \fakeitem \verb|> | -- the start state \\
1603 \fakeitem \verb|$ | -- all states\\
1604 \fakeitem \verb|% | -- final states\\
1605 \fakeitem \verb|< | -- any state except the start state\\
1606 \fakeitem \verb|@ | -- any state except final states\\
1607 \fakeitem \verb|<>| -- any except start and final (middle)
1609 \columnbreak
1611 \noindent The different kinds of embeddings are:\\
1612 \fakeitem \verb|~| -- to-state actions\\
1613 \fakeitem \verb|*| -- from-state actions\\
1614 \fakeitem \verb|/| -- EOF actions\\
1615 \fakeitem \verb|!| -- error actions\\
1616 \fakeitem \verb|^| -- local error actions\\
1617 \end{multicols}
1618 \end{minipage}
1619 %\label{state-act-embed}
1620 %\caption{The two components of state embedding operators. The class of states
1621 %to select comes first, followed by the type of embedding.}
1623 %\begin{figure}[t]
1624 %\centering
1625 %\includegraphics{stembed}
1626 %\caption{Summary of state manipulation operators}
1627 %\label{state-act-embed-chart}
1628 %\end{figure}
1630 %\noindent Putting these two components together we get a matrix of state
1631 %embedding operators. The entire set is given in Figure \ref{state-act-embed-chart}.
1634 \subsection{To-State and From-State Actions}
1636 \subsubsection{To-State Actions}
1638 \verb| >~ $~ %~ <~ @~ <>~ |
1639 \verbspace
1641 To-state actions are executed whenever the state machine moves into the
1642 specified state, either by a natural movement over a transition or by an
1643 action-based transfer of control such as \verb|fgoto|. They are executed after the
1644 in-transition's actions but before the current character is advanced and
1645 tested against the end of the input block. To-state embeddings stay with the
1646 state. They are irrespective of the state's current set of transitions and any
1647 future transitions that may be added in or out of the state.
1649 Note that the setting of the current state variable \verb|cs| outside of the
1650 execute code is not considered by Ragel as moving into a state and consequently
1651 the to-state actions of the new current state are not executed. This includes
1652 the initialization of the current state when the machine begins. This is
1653 because the entry point into the machine execution code is after the execution
1654 of to-state actions.
1656 \subsubsection{From-State Actions}
1658 \verb| >* $* %* <* @* <>* |
1659 \verbspace
1661 From-state actions are executed whenever the state machine takes a transition from a
1662 state, either to itself or to some other state. These actions are executed
1663 immediately after the current character is tested against the input block end
1664 marker and before the transition to take is sought based on the current
1665 character. From-state actions are therefore executed even if a transition
1666 cannot be found and the machine moves into the error state. Like to-state
1667 embeddings, from-state embeddings stay with the state.
1669 \subsection{EOF Actions}
1671 \verb| >/ $/ %/ </ @/ <>/ |
1672 \verbspace
1674 The EOF action embedding operators enable the user to embed EOF actions into
1675 different classes of
1676 states. EOF actions are stored in states and generated with the \verb|write eof|
1677 statement. The generated EOF code switches on the current state and executes the EOF
1678 actions associated with it.
1680 \subsection{Handling Errors}
1682 \subsubsection{Global Error Actions}
1684 \verb| >! $! %! <! @! <>! |
1685 \verbspace
1687 Error actions are stored in states until the final state machine has been fully
1688 constructed. They are then transferred to the transitions that move into the
1689 error state. This transfer entails the creation of a transition from the state
1690 to the error state that is taken on all input characters which are not already
1691 covered by the state's transitions. In other words it provides a default
1692 action. Error actions can induce a recovery by altering \verb|p| and then jumping back
1693 into the machine with \verb|fgoto|.
1695 \subsubsection{Local Error Actions}
1697 \verb| >^ $^ %^ <^ @^ <>^ |
1698 \verbspace
1700 Like global error actions, local error actions are also stored in states until
1701 a transfer point. The transfer point is different however. Each local error action
1702 embedding is associated with a name. When a machine definition has been fully
1703 constructed, all local error actions embeddings associated the same name as the
1704 machine are transferred to error transitions. Local error actions can be used
1705 to specify an action to take when a particular section of a larger state
1706 machine fails to make a match. A particular machine definition's ``thread'' may
1707 die and the local error actions executed, however the machine as a whole may
1708 continue to match input.
1710 There are two forms of local error action embeddings. In the first form the name defaults
1711 to the current machine. In the second form the machine name can be specified. This
1712 is useful when it is more convenient to specify the local error action in a
1713 sub-definition that is used to construct the machine definition where the
1714 transfer should happen. To embed local error actions and explicitly state the
1715 machine on which the transfer is to happen use \verb|(name, action)| as the
1716 action.
1718 \begin{comment}
1719 \begin{itemize}
1720 \setlength{\parskip}{0in}
1721 \item \verb|expr >^ (name, action) | -- Start state.
1722 \item \verb|expr $^ (name, action) | -- All states.
1723 \item \verb|expr %^ (name, action) | -- Final states.
1724 \item \verb|expr <^ (name, action) | -- Not start state.
1725 \item \verb|expr <>^ (name, action)| -- Not start and not final states.
1726 \end{itemize}
1727 \end{comment}
1729 \section{Action Ordering and Duplicates}
1731 When building a parser by combining smaller expressions which themselves have
1732 embedded actions, it is often the case that transitions are made which need to
1733 execute a number of actions on one input character. For example when we leave
1734 an expression, we may execute the expression's pending out action and the
1735 subsequent expression's starting action on the same input character. We must
1736 therefore devise a method for ordering actions that is both intuitive and
1737 predictable for the user and repeatable by the state machine compiler. The
1738 determinization processes cannot simply order actions by the time at which they
1739 are introduced into a transition -- otherwise the programmer will be at the
1740 mercy of luck.
1742 We associate with the embedding of each action a distinct timestamp which is
1743 used to order actions that appear together on a single transition in the final
1744 compiled state machine. To accomplish this we traverse the parse tree of
1745 regular expressions and assign timestamps to action embeddings. This algorithm
1746 is recursive in nature and quite simple. When it visits a parse tree node it
1747 assigns timestamps to all {\em starting} action embeddings, recurses on the
1748 parse tree, then assigns timestamps to the remaining {\em all}, {\em
1749 finishing}, and {\em leaving} embeddings in the order in which they appear.
1751 Ragel does not permit actions (defined or unnamed) to appear multiple times in
1752 an action list. When the final machine has been created, actions which appear
1753 more than once in single transition or EOF action list have their duplicates
1754 removed. The first appearance of the action is preserved. This is useful in a
1755 number of scenarios. First, it allows us to union machines with common
1756 prefixes without worrying about the action embeddings in the prefix being
1757 duplicated. Second, it prevents pending out actions from being transferred multiple times
1758 when a concatenation follows a kleene star and the two machines begin with a common
1759 character.
1761 \verbspace
1762 \begin{verbatim}
1763 word = [a-z]+ %act;
1764 main := word ( '\n' word )* '\n\n';
1765 \end{verbatim}
1767 \section{Values and Statements Available in Code Blocks}
1768 \label{vals}
1770 \noindent The following values are available in code blocks:
1772 \begin{itemize}
1773 \item \verb|fpc| -- A pointer to the current character. This is equivalent to
1774 accessing the \verb|p| variable.
1776 \item \verb|fc| -- The current character. This is equivalent to the expression \verb|(*p)|.
1778 \item \verb|fcurs| -- An integer value representing the current state. This
1779 value should only be read from. To move to a different place in the machine
1780 from action code use the \verb|fgoto|, \verb|fnext| or \verb|fcall| statements.
1781 Outside of the machine execution code the \verb|cs| variable may be modified.
1783 \item \verb|ftargs| -- An integer value representing the target state. This
1784 value should only be read from. Again, \verb|fgoto|, \verb|fnext| and
1785 \verb|fcall| can be used to move to a specific entry point.
1787 \item \verb|fentry(<label>)| -- Retrieve an integer value representing the
1788 entry point \verb|label|. The integer value returned will be a compile time
1789 constant. This number is suitable for later use in control flow transfer
1790 statements that take an expression. This value should not be compared against
1791 the current state because any given label can have multiple states representing
1792 it. The value returned by \verb|fentry| will be one of the possibly multiple states the
1793 label represents.
1794 \end{itemize}
1796 \noindent The following statements are available in code blocks:
1798 \begin{itemize}
1800 \item \verb|fhold;| -- Do not advance over the current character. If processing
1801 data in multiple buffer blocks, the \verb|fhold| statement should only be used
1802 once in the set of actions executed on a character. Multiple calls may result
1803 in backing up over the beginning of the buffer block. The \verb|fhold|
1804 statement does not imply any transfer of control. In actions embedded into
1805 transitions, it is equivalent to the \verb|p--;| statement. In scanner pattern
1806 actions any changes made to \verb|p| are lost. In this context, \verb|fhold| is
1807 equivalent to \verb|tokend--;|.
1809 \item \verb|fexec <expr>;| -- Set the next character to process. This can be
1810 used to backtrack to previous input or advance ahead.
1811 Unlike \verb|fhold|, which can be used
1812 anywhere, \verb|fexec| requires the user to ensure that the target of the
1813 backtrack is in the current buffer block or is known to be somewhere ahead of
1814 it. The machine will continue iterating forward until \verb|pe| is arrived,
1815 \verb|fbreak| is called or the machine moves into the error state. In actions
1816 embedded into transitions, the \verb|fexec| statement is equivalent to setting
1817 \verb|p| to one position ahead of the next character to process. If the user
1818 also modifies \verb|pe|, it is possible to change the buffer block entirely.
1819 In scanner pattern actions any changes made to \verb|p| are lost. In this
1820 context, \verb|fexec| is equivalent to setting \verb|tokend| to the next
1821 character to process.
1823 \item \verb|fgoto <label>;| -- Jump to an entry point defined by
1824 \verb|<label>|. The \verb|fgoto| statement immediately transfers control to
1825 the destination state.
1827 \item \verb|fgoto *<expr>;| -- Jump to an entry point given by \verb|<expr>|.
1828 The expression must evaluate to an integer value representing a state.
1830 \item \verb|fnext <label>;| -- Set the next state to be the entry point defined
1831 by \verb|label|. The \verb|fnext| statement does not immediately jump to the
1832 specified state. Any action code following the statement is executed.
1834 \item \verb|fnext *<expr>;| -- Set the next state to be the entry point given
1835 by \verb|<expr>|. The expression must evaluate to an integer value representing
1836 a state.
1838 \item \verb|fcall <label>;| -- Push the target state and jump to the entry
1839 point defined by \verb|<label>|. The next \verb|fret| will jump to the target
1840 of the transition on which the call was made. Use of \verb|fcall| requires
1841 the declaration of a call stack. An array of integers named \verb|stack| and a
1842 single integer named \verb|top| must be declared. With the \verb|fcall|
1843 construct, control is immediately transferred to the destination state.
1845 \item \verb|fcall *<expr>;| -- Push the current state and jump to the entry
1846 point given by \verb|<expr>|. The expression must evaluate to an integer value
1847 representing a state.
1849 \item \verb|fret;| -- Return to the target state of the transition on which the
1850 last \verb|fcall| was made. Use of \verb|fret| requires the declaration of a
1851 call stack with \verb|fstack| in the struct block. Control is immediately
1852 transferred to the destination state.
1854 \item \verb|fbreak;| -- Save the current state and immediately break out of the
1855 execute loop. This statement is useful in conjunction with the \verb|noend|
1856 write option. Rather than process input until the end marker of the input
1857 buffer is arrived at, the fbreak statement can be used to stop processing input
1858 upon seeing some end-of-string marker. It can also be used for handling
1859 exceptional circumstances. The fbreak statement does not change the pointer to
1860 the current character. After an \verb|fbreak| call the \verb|p| variable will point to
1861 the character that was being traversed over when the action was
1862 executed. The current state will be the target of the current transition.
1864 \end{itemize}
1866 \noindent {\bf Note:} Once actions with control-flow commands are embedded into a
1867 machine, the user must exercise caution when using the machine as the operand
1868 to other machine construction operators. If an action jumps to another state
1869 then unioning any transition that executes that action with another transition
1870 that follows some other path will cause that other path to be lost. Using
1871 commands that manually jump around a machine takes us out of the domain of
1872 regular languages because transitions that may be conditional and that the
1873 machine construction operators are not aware of are introduced. These
1874 commands should therefore be used with caution.
1877 \chapter{Controlling Nondeterminism}
1878 \label{controlling-nondeterminism}
1880 Along with the flexibility of arbitrary action embeddings comes a need to
1881 control nondeterminism in regular expressions. If a regular expression is
1882 ambiguous, then sup-components of a parser other than the intended parts may become
1883 active. This means that actions which are irrelevant to the
1884 current subset of the parser may be executed, causing problems for the
1885 programmer.
1887 Tools which are based on regular expression engines and which are used for
1888 recognition tasks will usually function as intended regardless of the presence
1889 of ambiguities. It is quite common for users of scripting languages to write
1890 regular expressions that are heavily ambiguous and it generally does not
1891 matter. As long as one of the potential matches is recognized, there can be any
1892 number of other matches present. In some parsing systems the run-time engine
1893 can employ a strategy for resolving ambiguities, for example always pursuing
1894 the longest possible match and discarding others.
1896 In Ragel, there is no regular expression run-time engine, just a simple state
1897 machine execution model. When we begin to embed actions and face the
1898 possibility of spurious action execution, it becomes clear that controlling
1899 nondeterminism at the machine construction level is very important. Consider
1900 the following example.
1902 % GENERATE: lines1
1903 % OPT: -p
1904 % %%{
1905 % machine lines1;
1906 % action first {}
1907 % action tail {}
1908 % word = [a-z]+;
1909 \begin{inline_code}
1910 \begin{verbatim}
1911 ws = [\n\t ];
1912 line = word $first ( ws word $tail )* '\n';
1913 lines = line*;
1914 \end{verbatim}
1915 \end{inline_code}
1916 % main := lines;
1917 % }%%
1918 % END GENERATE
1920 \begin{center}
1921 \includegraphics[scale=0.53]{lines1}
1922 \end{center}
1923 \graphspace
1925 Since the \verb|ws| expression includes the newline character, we will
1926 not finish the \verb|line| expression when a newline character is seen. We will
1927 simultaneously pursue the possibility of matching further words on the same
1928 line and the possibility of matching a second line. Evidence of this fact is
1929 in the state tables. On several transitions both the \verb|first| and
1930 \verb|tail| actions are executed. The solution here is simple: exclude
1931 the newline character from the \verb|ws| expression.
1933 % GENERATE: lines2
1934 % OPT: -p
1935 % %%{
1936 % machine lines2;
1937 % action first {}
1938 % action tail {}
1939 % word = [a-z]+;
1940 \begin{inline_code}
1941 \begin{verbatim}
1942 ws = [\t ];
1943 line = word $first ( ws word $tail )* '\n';
1944 lines = line*;
1945 \end{verbatim}
1946 \end{inline_code}
1947 % main := lines;
1948 % }%%
1949 % END GENERATE
1951 \begin{center}
1952 \includegraphics[scale=0.55]{lines2}
1953 \end{center}
1954 \graphspace
1956 Solving this kind of problem is straightforward when the ambiguity is created
1957 by strings which are a single character long. When the ambiguity is created by
1958 strings which are multiple characters long we have a more difficult problem.
1959 The following example is an incorrect attempt at a regular expression for C
1960 language comments.
1962 % GENERATE: comments1
1963 % OPT: -p
1964 % %%{
1965 % machine comments1;
1966 % action comm {}
1967 \begin{inline_code}
1968 \begin{verbatim}
1969 comment = '/*' ( any @comm )* '*/';
1970 main := comment ' ';
1971 \end{verbatim}
1972 \end{inline_code}
1973 % }%%
1974 % END GENERATE
1976 \begin{center}
1977 \includegraphics[scale=0.55]{comments1}
1978 \end{center}
1979 \graphspace
1981 Using standard concatenation, we will never leave the \verb|any*| expression.
1982 We will forever entertain the possibility that a \verb|'*/'| string that we see
1983 is contained in a longer comment and that, simultaneously, the comment has
1984 ended. The concatenation of the \verb|comment| machine with \verb|SP| is done
1985 to show this. When we match space, we are also still matching the comment body.
1987 One way to approach the problem is to exclude the terminating string
1988 from the \verb|any*| expression using set difference. We must be careful to
1989 exclude not just the terminating string, but any string that contains it as a
1990 substring. A verbose, but proper specification of a C comment parser is given
1991 by the following regular expression.
1993 % GENERATE: comments2
1994 % OPT: -p
1995 % %%{
1996 % machine comments2;
1997 % action comm {}
1998 \begin{inline_code}
1999 \begin{verbatim}
2000 comment = '/*' ( ( any @comm )* - ( any* '*/' any* ) ) '*/';
2001 \end{verbatim}
2002 \end{inline_code}
2003 % main := comment;
2004 % }%%
2005 % END GENERATE
2007 \graphspace
2008 \begin{center}
2009 \includegraphics[scale=0.55]{comments2}
2010 \end{center}
2011 \graphspace
2014 We have phrased the problem of controlling non-determinism in terms of
2015 excluding strings common to two expressions which interact when combined.
2016 We can also phrase the problem in terms of the transitions of the state
2017 machines that implement these expressions. During the concatenation of
2018 \verb|any*| and \verb|'*/'| we will be making transitions that are composed of
2019 both the loop of the first expression and the final character of the second.
2020 At this time we want the transition on the \verb|'/'| character to take precedence
2021 over and disallow the transition that originated in the \verb|any*| loop.
2023 In another parsing problem, we wish to implement a lightweight tokenizer that we can
2024 utilize in the composition of a larger machine. For example, some HTTP headers
2025 have a token stream as a sub-language. The following example is an attempt
2026 at a regular expression-based tokenizer that does not function correctly due to
2027 unintended nondeterminism.
2029 \newpage
2031 % GENERATE: smallscanner
2032 % OPT: -p
2033 % %%{
2034 % machine smallscanner;
2035 % action start_str {}
2036 % action on_char {}
2037 % action finish_str {}
2038 \begin{inline_code}
2039 \begin{verbatim}
2040 header_contents = (
2041 lower+ >start_str $on_char %finish_str |
2044 \end{verbatim}
2045 \end{inline_code}
2046 % main := header_contents;
2047 % }%%
2048 % END GENERATE
2050 \begin{center}
2051 \includegraphics[scale=0.55]{smallscanner}
2052 \end{center}
2053 \graphspace
2055 In this case, the problem with using a standard kleene star operation is that
2056 there is an ambiguity between extending a token and wrapping around the machine
2057 to begin a new token. Using the standard operator, we get an undesirable
2058 nondeterministic behaviour. Evidence of this can be seen on the transition out
2059 of state one to itself. The transition extends the string, and simultaneously,
2060 finishes the string only to immediately begin a new one. What is required is
2061 for the
2062 transitions that represent an extension of a token to take precedence over the
2063 transitions that represent the beginning of a new token. For this problem
2064 there is no simple solution that uses standard regular expression operators.
2066 \section{Priorities}
2068 A priority mechanism was devised and built into the determinization
2069 process, specifically for the purpose of allowing the user to control
2070 nondeterminism. Priorities are integer values embedded into transitions. When
2071 the determinization process is combining transitions that have different
2072 priorities, the transition with the higher priority is preserved and the
2073 transition with the lower priority is dropped.
2075 Unfortunately, priorities can have unintended side effects because their
2076 operation requires that they linger in transitions indefinitely. They must linger
2077 because the Ragel program cannot know when the user is finished with a priority
2078 embedding. A solution whereby they are explicitly deleted after use is
2079 conceivable; however this is not very user-friendly. Priorities were therefore
2080 made into named entities. Only priorities with the same name are allowed to
2081 interact. This allows any number of priorities to coexist in one machine for
2082 the purpose of controlling various different regular expression operations and
2083 eliminates the need to ever delete them. Such a scheme allows the user to
2084 choose a unique name, embed two different priority values using that name
2085 and be confident that the priority embedding will be free of any side effects.
2087 In the first form of priority embedding the name defaults to the name of the machine
2088 definition that the priority is assigned in. In this sense priorities are by
2089 default local to the current machine definition or instantiation. Beware of
2090 using this form in a longest-match machine, since there is only one name for
2091 the entire set of longest match patterns. In the second form the priority's
2092 name can be specified, allowing priority interaction across machine definition
2093 boundaries.
2095 \begin{itemize}
2096 \setlength{\parskip}{0in}
2097 \item \verb|expr > int| -- Sets starting transitions to have priority int.
2098 \item \verb|expr @ int| -- Sets transitions that go into a final state to have priority int.
2099 \item \verb|expr $ int| -- Sets all transitions to have priority int.
2100 \item \verb|expr % int| -- Sets pending out transitions from final states to
2101 have priority int.\\ When a transition is made going out of the machine (either
2102 by concatenation or kleene star) its priority is immediately set to the pending
2103 out priority.
2104 \end{itemize}
2106 The second form of priority assignment allows the programmer to specify the name
2107 to which the priority is assigned.
2109 \begin{itemize}
2110 \setlength{\parskip}{0in}
2111 \item \verb|expr > (name, int)| -- Entering transitions.
2112 \item \verb|expr @ (name, int)| -- Transitions into final state.
2113 \item \verb|expr $ (name, int)| -- All transitions.
2114 \item \verb|expr % (name, int)| -- Pending out transitions.
2115 \end{itemize}
2117 \section{Guarded Operators that Encapsulate Priorities}
2119 Priorities embeddings are a very expressive mechanism. At the same time they
2120 can be very confusing for the user. They force the user to imagine
2121 the transitions inside two interacting expressions and work out the precise
2122 effects of the operations between them. When we consider
2123 that this problem is worsened by the
2124 potential for side effects caused by unintended priority name collisions, we
2125 see that exposing the user to priorities is rather undesirable.
2127 Fortunately, in practice the use of priorities has been necessary only in a
2128 small number of scenarios. This allows us to encapsulate their functionality
2129 into a small set of operators and fully hide them from the user. This is
2130 advantageous from a language design point of view because it greatly simplifies
2131 the design.
2133 Going back to the C comment example, we can now properly specify
2134 it using a guarded concatenation operator which we call {\em finish-guarded
2135 concatenation}. From the user's point of view, this operator terminates the
2136 first machine when the second machine moves into a final state. It chooses a
2137 unique name and uses it to embed a low priority into all
2138 transitions of the first machine. A higher priority is then embedded into the
2139 transitions of the second machine which enter into a final state. The following
2140 example yields a machine identical to the example in Section
2141 \ref{controlling-nondeterminism}.
2143 \begin{inline_code}
2144 \begin{verbatim}
2145 comment = '/*' ( any @comm )* :>> '*/';
2146 \end{verbatim}
2147 \end{inline_code}
2149 \graphspace
2150 \begin{center}
2151 \includegraphics[scale=0.55]{comments2}
2152 \end{center}
2153 \graphspace
2155 Another guarded operator is {\em left-guarded concatenation}, given by the
2156 \verb|<:| compound symbol. This operator places a higher priority on all
2157 transitions of the first machine. This is useful if one must forcibly separate
2158 two lists that contain common elements. For example, one may need to tokenize a
2159 stream, but first consume leading whitespace.
2161 Ragel also includes a {\em longest-match kleene star} operator, given by the
2162 \verb|**| compound symbol. This
2163 guarded operator embeds a high
2164 priority into all transitions of the machine.
2165 A lower priority is then embedded into pending out transitions
2166 (in a manner similar to pending out action embeddings, described in Section
2167 \ref{out-actions}). When the kleene star operator makes the epsilon transitions from
2168 the final states into the start state, the lower priority will be transferred
2169 to the epsilon transitions. In cases where following an epsilon transition
2170 out of a final state conflicts with an existing transition out of a final
2171 state, the epsilon transition will be dropped.
2173 Other guarded operators are conceivable, such as guards on union that cause one
2174 alternative to take precedence over another. These may be implemented when it
2175 is clear they constitute a frequently used operation.
2176 In the next section we discuss the explicit specification of state machines
2177 using state charts.
2179 \subsection{Entry-Guarded Contatenation}
2181 \verb|expr :> expr|
2182 \verbspace
2184 This operator concatenates two machines, but first assigns a low
2185 priority to all transitions
2186 of the first machine and a high priority to the entering transitions of the
2187 second machine. This operator is useful if from the final states of the first
2188 machine, it is possible to accept the characters in the start transitions of
2189 the second machine. This operator effectively terminates the first machine
2190 immediately upon entering the second machine, where otherwise they would be
2191 pursued concurrently. In the following example, entry-guarded concatenation is
2192 used to move out of a machine that matches everything at the first sign of an
2193 end-of-input marker.
2195 % GENERATE: entryguard
2196 % OPT: -p
2197 % %%{
2198 % machine entryguard;
2199 \begin{inline_code}
2200 \begin{verbatim}
2201 # Leave the catch-all machine on the first character of FIN.
2202 main := any* :> 'FIN';
2203 \end{verbatim}
2204 \end{inline_code}
2205 % }%%
2206 % END GENERATE
2208 \begin{center}
2209 \includegraphics[scale=0.55]{entryguard}
2210 \end{center}
2211 \graphspace
2213 Entry-guarded concatenation is equivalent to the following:
2215 \verbspace
2216 \begin{verbatim}
2217 expr $(unique_name,0) . expr >(unique_name,1)
2218 \end{verbatim}
2220 \subsection{Finish-Guarded Contatenation}
2222 \verb|expr :>> expr|
2223 \verbspace
2225 This operator is
2226 like the previous operator, except the higher priority is placed on the final
2227 transitions of the second machine. This is useful if one wishes to entertain
2228 the possibility of continuing to match the first machine right up until the
2229 second machine enters a final state. In other words it terminates the first
2230 machine only when the second accepts. In the following example, finish-guarded
2231 concatenation causes the move out of the machine that matches everything to be
2232 delayed until the full end-of-input marker has been matched.
2234 % GENERATE: finguard
2235 % OPT: -p
2236 % %%{
2237 % machine finguard;
2238 \begin{inline_code}
2239 \begin{verbatim}
2240 # Leave the catch-all machine on the last character of FIN.
2241 main := any* :>> 'FIN';
2242 \end{verbatim}
2243 \end{inline_code}
2244 % }%%
2245 % END GENERATE
2247 \begin{center}
2248 \includegraphics[scale=0.55]{finguard}
2249 \end{center}
2250 \graphspace
2252 Finish-guarded concatenation is equivalent to the following:
2254 \verbspace
2255 \begin{verbatim}
2256 expr $(unique_name,0) . expr @(unique_name,1)
2257 \end{verbatim}
2259 \subsection{Left-Guarded Concatenation}
2261 \verb|expr <: expr|
2262 \verbspace
2264 This operator places
2265 a higher priority on the left expression. It is useful if you want to prefix a
2266 sequence with another sequence composed of some of the same characters. For
2267 example, one can consume leading whitespace before tokenizing a sequence of
2268 whitespace-separated words as in:
2270 % GENERATE: leftguard
2271 % OPT: -p
2272 % %%{
2273 % machine leftguard;
2274 % action alpha {}
2275 % action ws {}
2276 % action start {}
2277 % action fin {}
2278 \begin{inline_code}
2279 \begin{verbatim}
2280 main := ( ' '* >start %fin ) <: ( ' ' $ws | [a-z] $alpha )*;
2281 \end{verbatim}
2282 \end{inline_code}
2283 % }%%
2284 % END GENERATE
2286 \graphspace
2287 \begin{center}
2288 \includegraphics[scale=0.55]{leftguard}
2289 \end{center}
2290 \graphspace
2292 Left-guarded concatenation is equivalent to the following:
2294 \verbspace
2295 \begin{verbatim}
2296 expr $(unique_name,1) . expr >(unique_name,0)
2297 \end{verbatim}
2298 \verbspace
2300 \subsection{Longest-Match Kleene Star}
2301 \label{longest_match_kleene_star}
2303 \verb|expr**|
2304 \verbspace
2306 This version of kleene star puts a higher priority on staying in the
2307 machine versus wrapping around and starting over. The LM kleene star is useful
2308 when writing simple tokenizers. These machines are built by applying the
2309 longest-match kleene star to an alternation of token patterns, as in the
2310 following.
2312 \verbspace
2314 % GENERATE: lmkleene
2315 % OPT: -p
2316 % %%{
2317 % machine exfinpri;
2318 % action A {}
2319 % action B {}
2320 \begin{inline_code}
2321 \begin{verbatim}
2322 # Repeat tokens, but make sure to get the longest match.
2323 main := (
2324 lower ( lower | digit )* %A |
2325 digit+ %B |
2327 )**;
2328 \end{verbatim}
2329 \end{inline_code}
2330 % }%%
2331 % END GENERATE
2333 \begin{center}
2334 \includegraphics[scale=0.55]{lmkleene}
2335 \end{center}
2336 \graphspace
2338 If a regular kleene star were used the machine above would not be able to
2339 distinguish between extending a word and beginning a new one. This operator is
2340 equivalent to:
2342 \verbspace
2343 \begin{verbatim}
2344 ( expr $(unique_name,1) %(unique_name,0) )*
2345 \end{verbatim}
2346 \verbspace
2348 When the kleene star is applied, transitions are made out of the machine which
2349 go back into it. These are assigned a priority of zero by the pending out
2350 transition mechanism. This is less than the priority of the transitions out of
2351 the final states that do not leave the machine. When two transitions clash on
2352 the same character, the differing priorities causes the transition which
2353 stays in the machine to take precedence. The transition that wraps around is
2354 dropped.
2356 Note that this operator does not build a scanner in the traditional sense
2357 because there is never any backtracking. To build a scanner in the traditional
2358 sense use the Longest-Match machine construction described Section
2359 \ref{generating-scanners}.
2361 \chapter{Interface to Host Program}
2363 \section{Alphtype Statement}
2365 \begin{verbatim}
2366 alphtype unsigned int;
2367 \end{verbatim}
2368 \verbspace
2370 The alphtype statement specifies the alphabet data type that the machine
2371 operates on. During the compilation of the machine, integer literals are expected to
2372 be in the range of possible values of the alphtype. Supported alphabet types
2373 are \verb|char|, \verb|unsigned char|, \verb|short|, \verb|unsigned short|,
2374 \verb|int|, \verb|unsigned int|, \verb|long|, and \verb|unsigned long|.
2375 The default is \verb|char|.
2377 \section{Getkey Statement}
2379 \begin{verbatim}
2380 getkey fpc->id;
2381 \end{verbatim}
2382 \verbspace
2384 Specify to Ragel how to retrieve the character that the machine operates on
2385 from the pointer to the current element (\verb|p|). Any expression that returns
2386 a value of the alphabet type
2387 may be used. The getkey statement may be used for looking into element
2388 structures or for translating the character to process. The getkey expression
2389 defaults to \verb|(*p)|. In goto-driven machines the getkey expression may be
2390 evaluated more than once per element processed, therefore it should not incur a
2391 large cost and preclude optimization.
2393 \section{Access Statement}
2395 \begin{verbatim}
2396 access fsm->;
2397 \end{verbatim}
2398 \verbspace
2400 The access statement allows one to tell Ragel how the generated code should
2401 access the machine data that is persistent across processing buffer blocks.
2402 This includes all variables except \verb|p| and \verb|pe|. This includes
2403 \verb|cs|, \verb|top|, \verb|stack|, \verb|tokstart|, \verb|tokend| and \verb|act|.
2404 This is useful if a machine is to be encapsulated inside a
2405 structure in C code. The access statement can be used to give the name of
2406 a pointer to the structure.
2408 \section{Write Statement}
2409 \label{write-statement}
2411 \begin{verbatim}
2412 write <component> [options];
2413 \end{verbatim}
2414 \verbspace
2417 The write statement is used to generate parts of the machine.
2418 There are four
2419 components that can be generated by a write statement. These components are the
2420 state machine's data, initialization code, execution code and EOF action
2421 execution code. A write statement may appear before a machine is fully defined.
2422 This allows one to write out the data first then later define the machine where
2423 it is used. An example of this is show in Figure \ref{fbreak-example}.
2425 \subsection{Write Data}
2426 \begin{verbatim}
2427 write data [options];
2428 \end{verbatim}
2429 \verbspace
2431 The write data statement causes Ragel to emit the constant static data needed
2432 by the machine. In table-driven output styles (see Section \ref{genout}) this
2433 is a collection of arrays that represent the states and transitions of the
2434 machine. In goto-driven machines much less data is emitted. At the very
2435 minimum a start state \verb|name_start| is generated. All variables written
2436 out in machine data have both the \verb|static| and \verb|const| properties and
2437 are prefixed with the name of the machine and an
2438 underscore. The data can be placed inside a class, inside a function, or it can
2439 be defined as global data.
2441 Two variables are written that may be used to test the state of the machine
2442 after a buffer block has been processed. The \verb|name_error| variable gives
2443 the id of the state that the machine moves into when it cannot find a valid
2444 transition to take. The machine immediately breaks out of the processing loop when
2445 it finds itself in the error state. The error variable can be compared to the
2446 current state to determine if the machine has failed to parse the input. If the
2447 machine is complete, that is from every state there is a transition to a proper
2448 state on every possible character of the alphabet, then no error state is required
2449 and this variable will be set to -1.
2451 The \verb|name_first_final| variable stores the id of the first final state. All of the
2452 machine's states are sorted by their final state status before having their ids
2453 assigned. Checking if the machine has accepted its input can then be done by
2454 checking if the current state is greater-than or equal to the first final
2455 state.
2457 Data generation has several options:
2459 \begin{itemize}
2460 \item \verb|noerror| - Do not generate the integer variable that gives the
2461 id of the error state.
2462 \item \verb|nofinal| - Do not generate the integer variable that gives the
2463 id of the first final state.
2464 \item \verb|noprefix| - Do not prefix the variable names with the name of the
2465 machine.
2466 \end{itemize}
2468 \subsection{Write Init}
2469 \begin{verbatim}
2470 write init;
2471 \end{verbatim}
2472 \verbspace
2474 The write init statement causes Ragel to emit initialization code. This should
2475 be executed once before the machine is started. At a very minimum this sets the
2476 current state to the start state. If other variables are needed by the
2477 generated code, such as call
2478 stack variables or longest-match management variables, they are also
2479 initialized here.
2481 \subsection{Write Exec}
2482 \begin{verbatim}
2483 write exec [options];
2484 \end{verbatim}
2485 \verbspace
2487 The write exec statement causes Ragel to emit the state machine's execution code.
2488 Ragel expects several variables to be available to this code. At a very minimum, the
2489 generated code needs access to the current character position \verb|p|, the ending
2490 position \verb|pe| and the current state \verb|cs|, though \verb|pe|
2491 can be excluded by specifying the \verb|noend| write option.
2492 The \verb|p| variable is the cursor that the execute code will
2493 used to traverse the input. The \verb|pe| variable should be set up to point to one
2494 position past the last valid character in the buffer.
2496 Other variables are needed when certain features are used. For example using
2497 the \verb|fcall| or \verb|fret| statements requires \verb|stack| and
2498 \verb|top| variables to be defined. If a longest-match construction is used,
2499 variables for managing backtracking are required.
2501 The write exec statement has one option. The \verb|noend| option tells Ragel
2502 to generate code that ignores the end position \verb|pe|. In this
2503 case the user must explicitly break out of the processing loop using
2504 \verb|fbreak|, otherwise the machine will continue to process characters until
2505 it moves into the error state. This option is useful if one wishes to process a
2506 null terminated string. Rather than traverse the string to discover then length
2507 before processing the input, the user can break out when the null character is
2508 seen. The example in Figure \ref{fbreak-example} shows the use of the
2509 \verb|noend| write option and the \verb|fbreak| statement for processing a string.
2511 \begin{figure}
2512 \small
2513 \begin{verbatim}
2514 #include <stdio.h>
2515 %% machine foo;
2516 int main( int argc, char **argv )
2518 %% write data noerror nofinal;
2519 int cs, res = 0;
2520 if ( argc > 1 ) {
2521 char *p = argv[1];
2522 %%{
2523 main :=
2524 [a-z]+
2525 0 @{ res = 1; fbreak; };
2526 write init;
2527 write exec noend;
2530 printf("execute = %i\n", res );
2531 return 0;
2533 \end{verbatim}
2534 \caption{Use of {\tt noend} write option and the {\tt fbreak} statement for
2535 processing a string.}
2536 \label{fbreak-example}
2537 \end{figure}
2540 \subsection{Write EOF Actions}
2541 \begin{verbatim}
2542 write eof;
2543 \end{verbatim}
2544 \verbspace
2546 The write EOF statement causes Ragel to emit code that executes EOF actions.
2547 This write statement is only relevant if EOF actions have been embedded,
2548 otherwise it does not generate anything. The EOF action code requires access to
2549 the current state.
2551 \section{Maintaining Pointers to Input Data}
2553 In the creation of any parser it is not uncommon to require the collection of
2554 the data being parsed. It is always possible to collect data into a growable
2555 buffer as the machine moves over it, however the copying of data is a somewhat
2556 wasteful use of processor cycles. The most efficient way to collect data from
2557 the parser is to set pointers into the input then later reference them. This
2558 poses a problem for uses of Ragel where the input data arrives in blocks, such
2559 as over a socket or from a file. If a pointer is set in one buffer block but
2560 must be used while parsing a following buffer block, some extrac consideration
2561 to correctness must be made.
2563 The scanner constructions exhibit this problem, requiring the maintenance
2564 code described in Section \ref{generating-scanners}. If a longest-match
2565 construction has been used somewhere in the machine then it is possible to
2566 take advantage of the required prefix maintenance code in the driver program to
2567 ensure pointers to the input are always valid. If laying down a pointer one can
2568 set \verb|tokstart| at the same spot or ahead of it. When data is shifted in
2569 between loops the user must also shift the pointer. In this way it is possible
2570 to maintain pointers to the input that will always be consistent.
2572 \begin{figure}
2573 \small
2574 \begin{verbatim}
2575 int have = 0;
2576 while ( 1 ) {
2577 char *p, *pe, *data = buf + have;
2578 int len, space = BUFSIZE - have;
2580 if ( space == 0 ) {
2581 fprintf(stderr, "BUFFER OUT OF SPACE\n");
2582 exit(1);
2585 len = fread( data, 1, space, stdin );
2586 if ( len == 0 )
2587 break;
2589 /* Find the last newline by searching backwards. */
2590 p = buf;
2591 pe = data + len - 1;
2592 while ( *pe != '\n' && pe >= buf )
2593 pe--;
2594 pe += 1;
2596 %% write exec;
2598 /* How much is still in the buffer? */
2599 have = data + len - pe;
2600 if ( have > 0 )
2601 memmove( buf, pe, have );
2603 if ( len < space )
2604 break;
2606 \end{verbatim}
2607 \caption{An example of line-oriented processing.}
2608 \label{line-oriented}
2609 \end{figure}
2611 In general, there are two approaches for guaranteeing the consistency of
2612 pointers to input data. The first approach is the one just described;
2613 lay down a marker from an action,
2614 then later ensure that the data the marker points to is preserved ahead of
2615 the buffer on the next execute invocation. This approach is good because it
2616 allows the parser to decide on the pointer-use boundaries, which can be
2617 arbitrarily complex parsing conditions. A downside is that it requires any
2618 pointers that are set to be corrected in between execute invocations.
2620 The alternative is to find the pointer-use boundaries before invoking the execute
2621 routine, then pass in the data using these boundaries. For example, if the
2622 program must perform line-oriented processing, the user can scan backwards from
2623 the end of an input block that has just been read in and process only up to the
2624 first found newline. On the next input read, the new data is placed after the
2625 partially read line and processing continues from the beginning of the line.
2626 An example of line-oriented processing is given in Figure \ref{line-oriented}.
2629 \section{Running the Executables}
2631 Ragel is broken down into two executables: a frontend which compiles machines
2632 and emits them in an XML format, and a backend which generates code or a
2633 Graphviz Dot file from the XML data. The purpose of the XML-based intermediate
2634 format is to allow users to inspect their compiled state machines and to
2635 interface Ragel to other tools such as custom visualizers, code generators or
2636 analysis tools. The intermediate format will provide a better platform for
2637 extending Ragel to support new host languages. The split also serves to reduce
2638 complexity of the Ragel program by strictly separating the data structures and
2639 algorithms that are used to compile machines from those that are used to
2640 generate code.
2642 \verbspace
2643 \begin{verbatim}
2644 [user@host] myproj: ragel file.rl | rlgen-cd -G2 -o file.c
2645 \end{verbatim}
2647 \section{Choosing a Generated Code Style}
2648 \label{genout}
2650 The Ragel code generator is very flexible. Following the lead of Re2C, the
2651 generated code has no dependencies and can be inserted in any function, perhaps
2652 inside a loop if so desired. The user is responsible for declaring and
2653 initializing a number of required variables, including the current state and
2654 the pointer to the input stream. The user may break out of the processing loop
2655 and return to it at any time.
2657 Ragel is able to generate very fast-running code that implements state machines
2658 as directly executable code. Since very large files strain the host language
2659 compiler, table-based code generation is also supported. In the future we hope
2660 to provide a partitioned, directly executable format which is able to reduce the
2661 burden on the host compiler by splitting large machines across multiple functions.
2663 Ragel can be used to parse input in one block, or it can be used to parse input
2664 in a sequence of blocks as it arrives from a file or socket. Parsing the
2665 input in a sequence of blocks brings with it a few responsibilities. If the parser
2666 utilizes a scanner, care must be taken to not break the input stream anywhere
2667 but token boundaries. If pointers to the input stream are taken during parsing,
2668 care must be taken to not use a pointer which has been invalidated by movement
2669 to a subsequent block.
2670 If the current input data pointer is moved backwards it must not be moved
2671 past the beginning of the current block.
2672 Strategies for handling these scenarios are given in Ragel's manual.
2674 There are three styles of code output to choose from. Code style affects the
2675 size and speed of the compiled binary. Changing code style does not require any
2676 change to the Ragel program. There are two table-driven formats and a goto
2677 driven format.
2679 In addition to choosing a style to emit, there are various levels of action
2680 code reuse to choose from. The maximum reuse levels (\verb|-T0|, \verb|-F0|
2681 and \verb|-G0|) ensure that no FSM action code is ever duplicated by encoding
2682 each transition's action list as static data and iterating
2683 through the lists on every transition. This will normally result in a smaller
2684 binary. The less action reuse options (\verb|-T1|, \verb|-F1| and \verb|-G1|)
2685 will usually produce faster running code by expanding each transition's action
2686 list into a single block of code, eliminating the need to iterate through the
2687 lists. This duplicates action code instead of generating the logic necessary
2688 for reuse. Consequently the binary will be larger. However, this tradeoff applies to
2689 machines with moderate to dense action lists only. If a machine's transitions
2690 frequently have less than two actions then the less reuse options will actually
2691 produce both a smaller and a faster running binary due to less action sharing
2692 overhead. The best way to choose the appropriate code style for your
2693 application is to perform your own tests.
2695 The table-driven FSM represents the state machine as constant static data. There are
2696 tables of states, transitions, indices and actions. The current state is
2697 stored in a variable. The execution is simply a loop that looks up the current
2698 state, looks up the transition to take, executes any actions and moves to the
2699 target state. In general, the table-driven FSM can handle any machine, produces
2700 a smaller binary and requires a less expensive host language compile, but
2701 results in slower running code. Since the table-driven format is the most
2702 flexible it is the default code style.
2704 The flat table-driven machine is a table-based machine that is optimized for
2705 small alphabets. Where the regular table machine uses the current character as
2706 the key in a binary search for the transition to take, the flat table machine
2707 uses the current character as an index into an array of transitions. This is
2708 faster in general, however is only suitable if the span of possible characters
2709 is small.
2711 The goto-driven FSM represents the state machine using goto and switch
2712 statements. The execution is a flat code block where the transition to take is
2713 computed using switch statements and directly executable binary searches. In
2714 general, the goto FSM produces faster code but results in a larger binary and a
2715 more expensive host language compile.
2717 The goto-driven format has an additional action reuse level (\verb|-G2|) that
2718 writes actions directly into the state transitioning logic rather than putting
2719 all the actions together into a single switch. Generally this produces faster
2720 running code because it allows the machine to encode the current state using
2721 the processor's instruction pointer. Again, sparse machines may actually
2722 compile to smaller binaries when \verb|-G2| is used due to less state and
2723 action management overhead. For many parsing applications \verb|-G2| is the
2724 preferred output format.
2726 \verbspace
2727 \begin{center}
2728 \begin{tabular}{|c|c|}
2729 \hline
2730 \multicolumn{2}{|c|}{\bf Code Output Style Options} \\
2731 \hline
2732 \verb|-T0|&binary search table-driven\\
2733 \hline
2734 \verb|-T1|&binary search, expanded actions\\
2735 \hline
2736 \verb|-F0|&flat table-driven\\
2737 \hline
2738 \verb|-F1|&flat table, expanded actions\\
2739 \hline
2740 \verb|-G0|&goto-driven\\
2741 \hline
2742 \verb|-G1|&goto, expanded actions\\
2743 \hline
2744 \verb|-G2|&goto, in-place actions\\
2745 \hline
2746 \end{tabular}
2747 \end{center}
2749 \chapter{Beyond the Basic Model}
2751 \section{Parser Modularization}
2753 It is possible to use Ragel's machine construction and action embedding
2754 operators to specify an entire parser using a single regular expression. An
2755 example is given in Section \ref{examples}. In many cases this is the desired
2756 way to specify a parser in Ragel. However, in some scenarios, the language to
2757 parse may be so large that it is difficult to think about it as a single
2758 regular expression. It may shift between distinct parsing strategies,
2759 in which case modularization into several coherent blocks of the language may
2760 be appropriate.
2762 It may also be the case that patterns which compile to a large number of states
2763 must be used in a number of different contexts and referencing them in each
2764 context results in a very large state machine. In this case, an ability to reuse
2765 parsers would reduce code size.
2767 To address this, distinct regular expressions may be instantiated and linked
2768 together by means of a jumping and calling mechanism. This mechanism is
2769 analogous to the jumping to and calling of processor instructions. A jump
2770 command, given in action code, causes control to be immediately passed to
2771 another portion of the machine by way of setting the current state variable. A
2772 call command causes the target state of the current transition to be pushed to
2773 a state stack before control is transferred. Later on, the original location
2774 may be returned to with a return statement. In the following example, distinct
2775 state machines are used to handle the parsing of two types of headers.
2777 % GENERATE: call
2778 % %%{
2779 % machine call;
2780 \begin{inline_code}
2781 \begin{verbatim}
2782 action return { fret; }
2783 action call_date { fcall date; }
2784 action call_name { fcall name; }
2786 # A parser for date strings.
2787 date := [0-9][0-9] '/'
2788 [0-9][0-9] '/'
2789 [0-9][0-9][0-9][0-9] '\n' @return;
2791 # A parser for name strings.
2792 name := ( [a-zA-Z]+ | ' ' )** '\n' @return;
2794 # The main parser.
2795 headers =
2796 ( 'from' | 'to' ) ':' @call_name |
2797 ( 'departed' | 'arrived' ) ':' @call_date;
2799 main := headers*;
2800 \end{verbatim}
2801 \end{inline_code}
2802 % }%%
2803 % %% write data;
2804 % void f()
2806 % %% write init;
2807 % %% write exec;
2809 % END GENERATE
2811 Calling and jumping should be used carefully as they are operations which take
2812 one out of the domain
2813 of regular languages. A machine that contains a call or jump statement in one
2814 of its actions should be used as an argument to a machine construction operator
2815 only with considerable care. Since DFA transitions may actually
2816 represent several NFA transitions, a call or jump embedded in one machine can
2817 inadvertently terminate another machine that it shares prefixes with. Despite
2818 this danger, theses statements have proven useful for tying together
2819 sub-parsers of a language into a parser for the full language, especially for
2820 the purpose of modularization and reducing the number of states when the
2821 machine contains frequently recurring patterns.
2822 \section{Referencing Names}
2823 \label{labels}
2825 This section describes how to reference names in epsilon transitions and
2826 action-based control-flow statements such as \verb|fgoto|. There is a hierarchy
2827 of names implied in a Ragel specification. At the top level are the machine
2828 instantiations. Beneath the instantiations are labels and references to machine
2829 definitions. Beneath those are more labels and references to definitions, and
2830 so on.
2832 Any name reference may contain multiple components separated with the \verb|::|
2833 compound symbol. The search for the first component of a name reference is
2834 rooted at the join expression that the epsilon transition or action embedding
2835 is contained in. If the name reference is not not contained in a join,
2836 the search is rooted at the machine definition that that the epsilon transition or
2837 action embedding is contained in. Each component after the first is searched
2838 for beginning at the location in the name tree that the previous reference
2839 component refers to.
2841 In the case of action-based references, if the action is embedded more than
2842 once, the local search is performed for each embedding and the result is the
2843 union of all the searches. If no result is found for action-based references then
2844 the search is repeated at the root of the name tree. Any action-based name
2845 search may be forced into a strictly global search by prefixing the name
2846 reference with \verb|::|.
2848 The final component of the name reference must resolve to a unique entry point.
2849 If a name is unique in the entire name tree it can be referenced as is. If it
2850 is not unique it can be specified by qualifying it with names above it in the
2851 name tree. However, it can always be renamed.
2853 % FIXME: Should fit this in somewhere.
2854 % Some kinds of name references are illegal. Cannot call into longest-match
2855 % machine, can only call its start state. Cannot make a call to anywhere from
2856 % any part of a longest-match machine except a rule's action. This would result
2857 % in an eventual return to some point inside a longest-match other than the
2858 % start state. This is banned for the same reason a call into the LM machine is
2859 % banned.
2862 \section{Scanners}
2863 \label{generating-scanners}
2865 Scanners are very much intertwinded with regular-languages and their
2866 corresponding processors. For this reason Ragel supports the definition of
2867 Scanners. The generated code will repeatedly attempt to match patterns from a
2868 list, favouring longer patterns over shorter patterns. In the case of
2869 equal-length matches, the generated code will favour patterns that appear ahead
2870 of others. When a scanner makes a match it executes the user code associated
2871 with the match, consumes the input then resumes scanning.
2873 \verbspace
2874 \begin{verbatim}
2875 <machine_name> := |*
2876 pattern1 => action1;
2877 pattern2 => action2;
2880 \end{verbatim}
2881 \verbspace
2883 On the surface, Ragel scanners are similar to those defined by Lex. Though
2884 there is a key distinguishing feature: patterns may be arbitrary Ragel
2885 expressions and can therefore contain embedded code. With a Ragel-based scanner
2886 the user need not wait until the end of a pattern before user code can be
2887 executed.
2889 Scanners can be used to processes sub-languages, as well as for tokenizing
2890 programming languages. In the following example a scanner is used to tokenize
2891 the contents of header field.
2893 \begin{inline_code}
2894 \begin{verbatim}
2895 word = [a-z]+;
2896 head_name = 'Header';
2898 header := |*
2899 word;
2900 ' ';
2901 '\n' => { fret; };
2904 main := ( head_name ':' @{ fcall header; } )*;
2905 \end{verbatim}
2906 \end{inline_code}
2907 \verbspace
2909 The scanner construction has a purpose similar to the longest-match kleene star
2910 operator \verb|**|. The key
2911 difference is that a scanner is able to backtrack to match a previously matched
2912 shorter string when the pursuit of a longer string fails. For this reason the
2913 scanner construction operator is not a pure state machine construction
2914 operator. It relies on several variables which enable it to backtrack and make
2915 pointers to the matched input text available to the user. For this reason
2916 scanners must be immediately instantiated. They cannot be defined inline or
2917 referenced by another expression. Scanners must be jumped to or called.
2919 Scanners rely on the \verb|tokstart|, \verb|tokend| and \verb|act|
2920 variables to be present so that it can backtrack and make pointers to the
2921 matched text available to the user. If input is processed using multiple calls
2922 to the execute code then the user must ensure that when a token is only
2923 partially matched that the prefix is preserved on the subsequent invocation of
2924 the execute code.
2926 The \verb|tokstart| variable must be defined as a pointer to the input data.
2927 It is used for recording where the current token match begins. This variable
2928 may be used in action code for retrieving the text of the current match. Ragel
2929 ensures that in between tokens and outside of the longest-match machines that
2930 this pointer is set to null. In between calls to the execute code the user must
2931 check if \verb|tokstart| is set and if so, ensure that the data it points to is
2932 preserved ahead of the next buffer block. This is described in more detail
2933 below.
2935 The \verb|tokend| variable must also be defined as a pointer to the input data.
2936 It is used for recording where a match ends and where scanning of the next
2937 token should begin. This can also be used in action code for retrieving the
2938 text of the current match.
2940 The \verb|act| variable must be defined as an integer type. It is used for
2941 recording the identity of the last pattern matched when the scanner must go
2942 past a matched pattern in an attempt to make a longer match. If the longer
2943 match fails it may need to consult the act variable. In some cases use of the act
2944 variable can be avoided because the value of the current state is enough
2945 information to determine which token to accept, however in other cases this is
2946 not enough and so the \verb|act| variable is used.
2948 When the longest-match operator is in use, the user's driver code must take on
2949 some buffer management functions. The following algorithm gives an overview of
2950 the steps that should be taken to properly use the longest-match operator.
2952 \begin{itemize}
2953 \setlength{\parskip}{0pt}
2954 \item Read a block of input data.
2955 \item Run the execute code.
2956 \item If \verb|tokstart| is set, the execute code will expect the incomplete
2957 token to be preserved ahead of the buffer on the next invocation of the execute
2958 code.
2959 \begin{itemize}
2960 \item Shift the data beginning at \verb|tokstart| and ending at \verb|pe| to the
2961 beginning of the input buffer.
2962 \item Reset \verb|tokstart| to the beginning of the buffer.
2963 \item Shift \verb|tokend| by the distance from the old value of \verb|tokstart|
2964 to the new value. The \verb|tokend| variable may or may not be valid. There is
2965 no way to know if it holds a meaningful value because it is not kept at null
2966 when it is not in use. It can be shifted regardless.
2967 \end{itemize}
2968 \item Read another block of data into the buffer, immediately following any
2969 preserved data.
2970 \item Run the scanner on the new data.
2971 \end{itemize}
2973 Figure \ref{preserve_example} shows the required handling of an input stream in
2974 which a token is broken by the input block boundaries. After processing up to
2975 and including the ``t'' of ``characters'', the prefix of the string token must be
2976 retained and processing should resume at the ``e'' on the next iteration of
2977 the execute code.
2979 If one uses a large input buffer for collecting input then the number of times
2980 the shifting must be done will be small. Furthermore, if one takes care not to
2981 define tokens that are allowed to be very long and instead processes these
2982 items using pure state machines or sub-scanners, then only a small amount of
2983 data will ever need to be shifted.
2985 \begin{figure}
2986 \begin{verbatim}
2987 a) A stream "of characters" to be scanned.
2988 | | |
2989 p tokstart pe
2991 b) "of characters" to be scanned.
2992 | | |
2993 tokstart p pe
2994 \end{verbatim}
2995 \caption{Following an invocation of the execute code there may be a partially
2996 matched token (a). The data of the partially matched token
2997 must be preserved ahead of the new data on the next invocation (b).}
2998 \label{preserve_example}
2999 \end{figure}
3001 Since scanners attempt to make the longest possible match of input, in some
3002 cases they are not able to identify a token upon parsing its final character,
3003 they must wait for a lookahead character. For example if trying to match words,
3004 the token match must be triggered on following whitespace in case more
3005 characters of the word have yet to come. The user must therefore arrange for an
3006 EOF character to be sent to the scanner to flush out any token that has not yet
3007 been matched. The user can exclude a single character from the entire scanner
3008 and use this character as the EOF character, possibly specifying an EOF action.
3009 For most scanners, zero is a suitable choice for the EOF character.
3011 Alternatively, if whitespace is not significant and ignored by the scanner, the
3012 final real token can be flushed out by simply sending an additional whitespace
3013 character on the end of the stream. If the real stream ends with whitespace
3014 then it will simply be extended and ignored. If it does not, then the last real token is
3015 guaranteed to be flushed and the dummy EOF whitespace ignored.
3016 An example scanner processing loop is given in Figure \ref{scanner-loop}.
3018 \begin{figure}
3019 \small
3020 \begin{verbatim}
3021 int have = 0;
3022 bool done = false;
3023 while ( !done ) {
3024 /* How much space is in the buffer? */
3025 int space = BUFSIZE - have;
3026 if ( space == 0 ) {
3027 /* Buffer is full. */
3028 cerr << "TOKEN TOO BIG" << endl;
3029 exit(1);
3032 /* Read in a block after any data we already have. */
3033 char *p = inbuf + have;
3034 cin.read( p, space );
3035 int len = cin.gcount();
3037 /* If no data was read, send the EOF character. */
3038 if ( len == 0 ) {
3039 p[0] = 0, len++;
3040 done = true;
3043 char *pe = p + len;
3044 %% write exec;
3046 if ( cs == RagelScan_error ) {
3047 /* Machine failed before finding a token. */
3048 cerr << "PARSE ERROR" << endl;
3049 exit(1);
3052 if ( tokstart == 0 )
3053 have = 0;
3054 else {
3055 /* There is a prefix to preserve, shift it over. */
3056 have = pe - tokstart;
3057 memmove( inbuf, tokstart, have );
3058 tokend = inbuf + (tokend-tokstart);
3059 tokstart = inbuf;
3062 \end{verbatim}
3063 \caption{A processing loop for a scanner.}
3064 \label{scanner-loop}
3065 \end{figure}
3067 \section{State Charts}
3069 In addition to supporting the construction of state machines using regular
3070 languages, Ragel provides a way to manually specify state machines using
3071 state charts. The comma operator wombines machines together without any
3072 implied transitions. The user can then manually link machines by specifying
3073 epsilon transitions with the \verb|->| operator. Epsilon transitions are drawn
3074 between the final states of a machine and entry points defined by labels. This
3075 makes it possible to build machines using the explicit state-chart method while
3076 making minimal changes to the Ragel language.
3078 An interesting feature of Ragel's state chart construction method is that it
3079 can be mixed freely with regular expression constructions. A state chart may be
3080 referenced from within a regular expression, or a regular expression may be
3081 used in the definition of a state chart transition.
3083 \subsection{Join}
3085 \verb|expr , expr , ...|
3086 \verbspace
3088 Join a list of machines together without
3089 drawing any transitions, without setting up a start state, and without
3090 designating any final states. Transitions between the machines may be specified
3091 using labels and epsilon transitions. The start state must be explicity
3092 specified with the ``start'' label. Final states may be specified with the an
3093 epsilon transition to the implicitly created ``final'' state. The join
3094 operation allows one to build machines using a state chart model.
3096 \subsection{Label}
3098 \verb|label: expr|
3099 \verbspace
3101 Attaches a label to an expression. Labels can be
3102 used as the target of epsilon transitions and explicit control transfer
3103 statements such \verb|fgoto| and \verb|fnext| in action
3104 code.
3106 \subsection{Epsilon}
3108 \verb|expr -> label|
3109 \verbspace
3111 Draws an epsilon transition to the state defined
3112 by \verb|label|. Epsilon transitions are made deterministic when join
3113 operators are evaluated. Epsilon transitions that are not in a join operation
3114 are made deterministic when the machine definition that contains the epsilon is
3115 complete. See Section \ref{labels} for information on referencing labels.
3117 \subsection{Simplifying State Charts}
3119 There are two benefits to providing state charts in Ragel. The first is that it
3120 allows us to take a state chart with a full listing of states and transitions
3121 and simplifly it in selective places using regular expressions.
3123 The state chart method of specifying parsers is a very common. It is an
3124 effective programming technique for producing robust code. The key disadvantage
3125 becomes clear when one attempts to comprehend a large parser specified in this
3126 way. These programs usually require many lines, causing logic to be spread out
3127 over large distances in the source file. Remembering the function of a large
3128 number of states can be difficult and organizing the parser in a sensible way
3129 requires discipline because branches and repetition present many file layout
3130 options. This kind of programming takes a specification with inherent
3131 structure such as looping, alternation and concatenation and expresses it in a
3132 flat form.
3134 If we could take an isolated component of a manually programmed state chart,
3135 that is, a subset of states that has only one entry point, and implement it
3136 using regular language operators then we could eliminate all the explicit
3137 naming of the states contained in it. By eliminating explicitly named states
3138 and replacing them with higher-level specifications we simplify a state machine
3139 specification.
3141 For example, sometimes chains of states are needed, with only a small number of
3142 possible characters appearing along the chain. These can easily be replaced
3143 with a concatenation of characters. Sometimes a group of common states
3144 implement a loop back to another single portion of the machine. Rather than
3145 manually duplicate all the transitions that loop back, we may be able to
3146 express the loop using a kleene star operator.
3148 Ragel allows one to take this state map simplification approach. We can build
3149 state machines using a state map model and implement portions of the state map
3150 using regular languages. In place of any transition in the state machine,
3151 entire sub-state machines can be given. These can encapsulate functionality
3152 defined elsewhere. An important aspect of the Ragel approach is that when we
3153 wrap up a collection of states using a regular expression we do not loose
3154 access to the states and transitions. We can still execute code on the
3155 transitions that we have encapsulated.
3157 \subsection{Dropping Down One Level of Abstraction}
3158 \label{down}
3160 The second benefit of incorporating state charts into Ragel is that it permits
3161 us to bypass the regular language abstraction if we need to. Ragel's action
3162 embedding operators are sometimes insufficient for expressing certain parsing
3163 tasks. In the same way that is useful for C language programmers to drop down
3164 to assembly language programming using embedded assembler, it is sometimes
3165 useful for the Ragel programmer to drop down to programming with state charts.
3167 In the following example, we wish to buffer the characters of an XML CDATA
3168 sequence. The sequence is terminated by the string \verb|]]>|. The challenge
3169 in our application is that we do not wish the terminating characters to be
3170 buffered. An expression of the form \verb|any* @buffer :>> ']]>'| will not work
3171 because the buffer will alway contain the characters \verb|]]| on the end.
3172 Instead, what we need is to delay the buffering of \hspace{0.25mm} \verb|]|
3173 characters until a time when we
3174 abandon the terminating sequence and go back into the main loop. There is no
3175 easy way to express this using Ragel's regular expression and action embedding
3176 operators, and so an ability to drop down to the state chart method is useful.
3178 % GENERATE: dropdown
3179 % OPT: -p
3180 % %%{
3181 % machine dropdown;
3182 \begin{inline_code}
3183 \begin{verbatim}
3184 action bchar { buff( fpc ); } # Buffer the current character.
3185 action bbrack1 { buff( "]" ); }
3186 action bbrack2 { buff( "]]" ); }
3188 CDATA_body =
3189 start: (
3190 ']' -> one |
3191 (any-']') @bchar ->start
3193 one: (
3194 ']' -> two |
3195 [^\]] @bbrack1 @bchar ->start
3197 two: (
3198 '>' -> final |
3199 ']' @bbrack1 -> two |
3200 [^>\]] @bbrack2 @bchar ->start
3202 \end{verbatim}
3203 \end{inline_code}
3204 % main := CDATA_body;
3205 % }%%
3206 % END GENERATE
3208 \graphspace
3209 \begin{center}
3210 \includegraphics[scale=0.55]{dropdown}
3211 \end{center}
3214 \section{Semantic Conditions}
3215 \label{semantic}
3217 Many communication protocols contain variable-length fields, where the length
3218 of the field is given ahead of the field as a value. This
3219 problem cannot be expressed using regular languages because of its
3220 context-dependent nature. The prevalence of variable-length fields in
3221 communication protocols motivated us to introduce semantic conditions into
3222 the Ragel language.
3224 A semantic condition is a block of user code which is executed immediately
3225 before a transition is taken. If the code returns a value of true, the
3226 transition may be taken. We can now embed code which extracts the length of a
3227 field, then proceed to match $n$ data values.
3229 % GENERATE: conds1
3230 % OPT: -p
3231 % %%{
3232 % machine conds1;
3233 % number = digit+;
3234 \begin{inline_code}
3235 \begin{verbatim}
3236 action rec_num { i = 0; n = getnumber(); }
3237 action test_len { i++ < n }
3238 data_fields = (
3239 'd'
3240 [0-9]+ %rec_num
3242 ( [a-z] when test_len )*
3243 )**;
3244 \end{verbatim}
3245 \end{inline_code}
3246 % main := data_fields;
3247 % }%%
3248 % END GENERATE
3250 \begin{center}
3251 \includegraphics[scale=0.55]{conds1}
3252 \end{center}
3253 \graphspace
3255 The Ragel implementation of semantic conditions does not force us to give up the
3256 compositional property of Ragel definitions. For example, a machine which tests
3257 the length of a field using conditions can be unioned with another machine
3258 which accepts some of the same strings, without the two machines interfering with
3259 another. The user need not be concerned about whether or not the result of the
3260 semantic condition will affect the matching of the second machine.
3262 To see this, first consider that when a user associates a condition with an
3263 existing transition, the transition's label is translated from the base character
3264 to its corresponding value in the space which represents ``condition $c$ true''. Should
3265 the determinization process combine a state that has a conditional transition
3266 with another state has a transition on the same input character but
3267 without a condition, then the condition-less transition first has its label
3268 translated into two values, one to its corresponding value in the space which
3269 represents ``condition $c$ true'' and another to its corresponding value in the
3270 space which represents ``condition $c$ false''. It
3271 is then safe to combine the two transitions. This is shown in the following
3272 example. Two intersecting patterns are unioned, one with a condition and one
3273 without. The condition embedded in the first pattern does not affect the second
3274 pattern.
3276 % GENERATE: conds2
3277 % OPT: -p
3278 % %%{
3279 % machine conds2;
3280 % number = digit+;
3281 \begin{inline_code}
3282 \begin{verbatim}
3283 action test_len { i++ < n }
3284 action one { /* accept pattern one */ }
3285 action two { /* accept pattern two */ }
3286 patterns =
3287 ( [a-z] when test_len )+ %one |
3288 [a-z][a-z0-9]* %two;
3289 main := patterns '\n';
3290 \end{verbatim}
3291 \end{inline_code}
3292 % }%%
3293 % END GENERATE
3295 \begin{center}
3296 \includegraphics[scale=0.55]{conds2}
3297 \end{center}
3298 \graphspace
3300 There are many more potential uses for semantic conditions. The user is free to
3301 use arbitrary code and may therefore perform actions such as looking up names
3302 in dictionaries, validating input using external parsing mechanisms or
3303 performing checks on the semantic structure of input seen so far. In the
3304 next section we describe how Ragel accommodates several common parser
3305 engineering problems.
3307 \section{Implementing Lookahead}
3309 There are a few strategies for implementing lookahead in Ragel programs.
3310 Pending out actions, which are described in Section \ref{out-actions}, can be
3311 used as a form of lookahead. Ragel also provides the \verb|fhold| directive
3312 which can be used in actions to prevent the machine from advancing over the
3313 current character. It is also possible to manually adjust the current character
3314 position by shifting it backwards using \verb|fexec|, however when this is
3315 done, care must be taken not to overstep the beginning of the current buffer
3316 block. In the both the use of \verb|fhold| and \verb|fexec| the user must be
3317 cautious of combining the resulting machine with another in such a way that the
3318 transition on which the current position is adjusted is not combined with a
3319 transition from the other machine.
3321 \section{Handling Errors}
3323 In many applications it is useful to be able to react to parsing errors. The
3324 user may wish to print an error message which depends on the context. It
3325 may also be desirable to consume input in an attempt to return the input stream
3326 to some known state and resume parsing.
3328 To support error handling and recovery, Ragel provides error action embedding
3329 operators. Error actions are embedded into an expression's states. When the
3330 final machine has been constructed and it is being made complete, error actions
3331 are transfered from their place of embedding within a state to the transitions
3332 which go to the error
3333 state. When the machine fails and is about to move into the error state, the
3334 current state's error actions get executed.
3336 Error actions can be used to simply report errors, or by jumping to a machine
3337 instantiation which consumes input, can attempt to recover from errors. Like
3338 the action embedding operators, there are several classes of states which
3339 error action embedding operators can access. For example, the \verb|@err|
3340 operator embeds an error action into non-final states. The \verb|$err| operator
3341 embeds an error action into all states. Other operators access the start state,
3342 final states, and states which are neither the start state nor are final. The
3343 design of the state selections was driven by a need to cover the states of an
3344 expression with a single error action.
3346 The following example uses error actions to report an error and jump to a
3347 machine which consumes the remainder of the line when parsing fails. After
3348 consuming the line, the error recovery machine returns to the main loop.
3350 % GENERATE: erract
3351 % %%{
3352 % machine erract;
3353 % ws = ' ';
3354 % address = 'foo@bar.com';
3355 % date = 'Monday May 12';
3356 \begin{inline_code}
3357 \begin{verbatim}
3358 action cmd_err {
3359 printf( "command error\n" );
3360 fhold; fgoto line;
3362 action from_err {
3363 printf( "from error\n" );
3364 fhold; fgoto line;
3366 action to_err {
3367 printf( "to error\n" );
3368 fhold; fgoto line;
3371 line := [^\n]* '\n' @{ fgoto main; };
3373 main := (
3375 'from' @err cmd_err
3376 ( ws+ address ws+ date '\n' ) $err from_err |
3377 'to' @err cmd_err
3378 ( ws+ address '\n' ) $err to_err
3381 \end{verbatim}
3382 \end{inline_code}
3383 % }%%
3384 % %% write data;
3385 % void f()
3387 % %% write init;
3388 % %% write exec;
3390 % END GENERATE
3392 \end{document}