rltk 1.1.0

Sign up to get free protection for your applications and to get access to all the features.
data/AUTHORS ADDED
@@ -0,0 +1 @@
1
+ Chris Wailes <chris.wailes@gmail.com>
data/LICENSE ADDED
@@ -0,0 +1,27 @@
1
+ Copyright © 2011 Chris Wailes. All rights reserved.
2
+
3
+ Developed by: Chris Wailes
4
+ http://chris.wailes.name
5
+
6
+ Permission is hereby granted, free of charge, to any person obtaining a copy
7
+ of this software and associated documentation files (the "Software"), to
8
+ deal with the Software without restriction, including without limitation the
9
+ rights to use, copy, modify, merge, publish, distribute, sublicense, and/or
10
+ sell copies of the Software, and to permit persons to whom the Software is
11
+ furnished to do so, subject to the following conditions:
12
+ 1. Redistributions of source code must retain the above copyright notice,
13
+ this list of conditions and the following disclaimers.
14
+ 2. Redistributions in binary form must reproduce the above copyright
15
+ notice, this list of conditions and the following disclaimers in the
16
+ documentation and/or other materials provided with the distribution.
17
+ 3. Neither the names of the RLTK development team, nor the names of its
18
+ contributors may be used to endorse or promote products derived from this
19
+ Software without specific prior written permission.
20
+
21
+ THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
22
+ IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
23
+ FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
24
+ CONTRIBUTORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
25
+ LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING
26
+ FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS
27
+ WITH THE SOFTWARE.
data/README ADDED
@@ -0,0 +1,386 @@
1
+ Welcome to the Ruby Language Toolkit, a collection of classes designed to help programmers work with languages in an easy to use and straightforward manner. The toolkit includes classes representing:
2
+
3
+ * Lexers
4
+ * Parsers
5
+ * AST nodes
6
+ * Context free grammars
7
+
8
+ In addition, RLTK includes several ready-made lexers and parsers for use in your code, and as examples for how to use the toolkit.
9
+
10
+ == Why Use RLTK
11
+
12
+ Here are some reasons to use RLTK to build your lexers, parsers, and abstract syntax trees:
13
+
14
+ Lexer and Parser Definitions in Ruby:: Many tools require you to write your lexer/parser definitions in their own format, which is then processed and used to generate Ruby code. RLTK lexers/parsers are written entirely in Ruby and use syntax you are already familiar with.
15
+
16
+ Re-entrant Code:: The lexers and parsers generated by RLTK are fully re-entrant.
17
+
18
+ Multiple Lexers and Parsers:: You can define as many lexers and parses as you want, and instantiate as many of them as you need.
19
+
20
+ Token Positions:: Detailed information about a token's position is available in the parser.
21
+
22
+ Feature Rich Lexing and Parsing:: Often, lexer and parser generators will try and force you to do everything their way. RLTK gives you more flexibility with features such as states and flags for lexers, and argument arrays for parsers. What's more, these features actually work (I'm looking at you REX).
23
+
24
+ LALR(1)/GLR Parsing:: RLTK parsers use the LALR(1)/GLR parsing algorithms, which means you get both speed and the ability to handle *any* context-free grammar.
25
+
26
+ Parser Serialization:: RLTK parsers can be serialized and saved after they are generated for faster loading the next time they are required.
27
+
28
+ Error Productions:: RLKT parsers can use error productions to recover from, and report on, errors.
29
+
30
+ Fast Prototyping:: If you need to change your lexer/parser you don't have to re-run the lexer and parser generation tools, simply make the changes and be on your way.
31
+
32
+ Parse Tree Graphs:: RLTK parsers can print parse trees (in the DOT language) of accepted strings.
33
+
34
+ Documentation:: We have it!
35
+
36
+ I Eat My Own Dog Food:: I'm using RLTK for my own projects so if there is a bug I'll most likely be the first one to know. (P.S. I don't actually eat dog food :-)
37
+
38
+ == Lexers
39
+
40
+ To create your own lexer using RLTK you simply need to subclass the RLTK::Lexer class and define the _rules_ that will be used for matching text and generating tokens. Here we see a simple lexer for a calculator:
41
+
42
+ class Calculator < RLTK::Lexer
43
+ rule(/\+/) { :PLS }
44
+ rule(/-/) { :SUB }
45
+ rule(/\*/) { :MUL }
46
+ rule(/\//) { :DIV }
47
+
48
+ rule(/\(/) { :LPAREN }
49
+ rule(/\)/) { :RPAREN }
50
+
51
+ rule(/[0-9]+/) { |t| [:NUM, t.to_i] }
52
+
53
+ rule(/\s/)
54
+ end
55
+
56
+ The +rule+ method's first argument is the regular expression used for matching text. The block passed to the function is the action that executes when a substring is matched by the rule. These blocks must return the _type_ of the token (which must be in ALL CAPS; see the Parsers section), and optionally a _value_. In the latter case you must return an array containing the _type_ and _value_, which you can see an example of in the Calculator lexer shown above. The values returned by the proc object are used to build a RLTK::Token object that includes the _type_ and _value_ information, as well as information about the line number the token was found on, the offset from the beginning of the line to the start of the token, and the length of the token's text. If the _type_ value returned by the proc is +nil+ the input is discarded and no token is produced.
57
+
58
+ The RLTK::Lexer class provides both RLTK::Lexer::lex and RLTK::Lexer::lex_file. The RLTK::Lexer::lex method takes a string as its argument and returns an array of tokens, with an <em>end of stream</em> token automatically added to the result. The RLTK::Lexer::lex_file method takes the name of a file as input, and lexes the contents of the specified file.
59
+
60
+ === The Lexing Environment
61
+
62
+ The proc objects passed to the +rule+ methods are evaluated inside an instance of the RLTK::Lexer::Environment class. This gives you access to methods for manipulating the lexer's state and flags (see bellow). You can also subclass the environment inside your lexer to provide additional functionality to your rule blocks. When doing so you need to ensure that you name your new class Environment like in the following example:
63
+
64
+ class MyLexer < RLTK::Lexer
65
+ ...
66
+
67
+ class Environment < Environment
68
+ def helper_function
69
+ ...
70
+ end
71
+
72
+ ...
73
+ end
74
+ end
75
+
76
+ === Using States
77
+
78
+ The lexing environment may be used to keep track of state inside your lexer. When rules are defined they are defined inside a given state, which is specified by the second parameter to +rule+. The default state is cleverly named +:default+. When the lexer is scanning the input string for matching rules, it only considers the rules for the given state.
79
+
80
+ The methods used to manipulate state are:
81
+
82
+ * RLTK::Lexer::Environment.push_state - Pushes a new state onto the stack.
83
+ * RLTK::Lexer::Environment.pop_state - Pops a state off of the stack.
84
+ * RLTK::Lexer::Environment.set_state - Sets the state at the top of the stack.
85
+ * RLTK::Lexer::Environment.state - Returns the current state.
86
+
87
+ States may be used to easily support nested comments.
88
+
89
+ class StateLexer < RLTK::Lexer
90
+ rule(/a/) { :A }
91
+ rule(/\s/)
92
+
93
+ rule(/\(\*/) { push_state(:comment) }
94
+
95
+ rule(/\(\*/, :comment) { push_state(:comment) }
96
+ rule(/\*\)/, :comment) { pop_state }
97
+ rule(/./, :comment)
98
+ end
99
+
100
+ By default the lexer will start in the +:default+ state. To change this, you may use the RLTK::Lexer::LexerCore.start method.
101
+
102
+ === Using Flags
103
+
104
+ The lexing environment also maintains a set of _flags_. This set is manipulated using the following methods:
105
+
106
+ * RLTK::Lexer::Environment.set_flag - Adds the specified flag to the set of flags.
107
+ * RLTK::Lexer::Environment.unset_flag - Removes the specified flag from the set of flags.
108
+ * RLTK::Lexer::Environment.clear_flags - Unsets all flags.
109
+
110
+ When _rules_ are defined they may use a third parameter to specify a list of flags that must be set before the rule is considered when matching substrings. An example of this usage follows:
111
+
112
+ class FlagLexer < RLTK::Lexer
113
+ rule(/a/) { set_flag(:a); :A }
114
+
115
+ rule(/\s/)
116
+
117
+ rule(/b/, :default, [:a]) { set_flag(:b); :B }
118
+ rule(/c/, :default, [:a, :b]) { :C }
119
+ end
120
+
121
+ === Instantiating Lexers
122
+
123
+ In addition to using the RLTK::Lexer::lex class method you may also instantiate lexer objects. The only difference then is that the lexing environment used between subsequent calls to +object.lex+ is the same object, and therefor allows you to keep persistent state.
124
+
125
+ === First and Longest Match
126
+
127
+ A RLTK::Lexer may be told to select either the first substring that is found to match a rule or the longest substring to match any rule. The default behavior is to match the longest substring possible, but you can change this by using the RLTK::Lexer::LexerCore.match_first method inside your class definition as follows:
128
+
129
+ class MyLexer < RLTK::Lexer
130
+ match_first
131
+
132
+ ...
133
+ end
134
+
135
+ == Parsers
136
+
137
+ To create a parser using RLTK simply subclass RLTK::Parser, define the productions of the grammar you wish to parse, and call +finalize+. During finalization RLTK will build an LALR(1) parsing table, which may contain conflicts that can't be resolved with LALR(1) lookahead sets or precedence/associativity information. Traditionally, when parser generators such as *YACC* encounter conflicts during parsing table generation they will resolve shift/reduce conflicts in favor of shifts and reduce/reduce conflicts in favor of the production that was defined first. This means that the generated parsers can't handle ambiguous grammars.
138
+
139
+ RLTK parsers, on the other hand, can handle _all_ context-free grammars by forking the parse stack when shift/reduce or reduce/reduce conflicts are encountered. This method is called the GLR parsing algorithm and allows the parser to explore multiple different possible derivations, discarding the ones that don't produce valid parse trees. GLR parsing is more expensive, in both time and space requirements, but these penalties are only payed when a parser for an ambiguous grammar is given an input with multiple parse trees, and as such most parsing should proceed using the faster LALR(1) base algorithm.
140
+
141
+ === Defining a Grammar
142
+
143
+ Let us look at the simple prefix calculator included with RLTK:
144
+
145
+ class PrefixCalc < RLTK::Parser
146
+ production(:e) do
147
+ clause('NUM') {|n| n}
148
+
149
+ clause('PLS e e') { |_, e0, e1| e0 + e1 }
150
+ clause('SUB e e') { |_, e0, e1| e0 - e1 }
151
+ clause('MUL e e') { |_, e0, e1| e0 * e1 }
152
+ clause('DIV e e') { |_, e0, e1| e0 / e1 }
153
+ end
154
+
155
+ finalize
156
+ end
157
+
158
+ The parser uses the same method for defining productions as the RLTK::CFG class. In fact, the parser forwards the +production+ and +clause+ method invocations to an internal RLTK::CFG object after removing the parser specific information. To see a detailed description of grammar definitions please read the Context-Free Grammars section bellow.
159
+
160
+ It is important to note that the proc objects associated with productions should evaluate to the value you wish the left-hand side of the production to take.
161
+
162
+ The default starting symbol of the grammar is the left-hand side of the first production defined (in this case, _e_). This can be changed using the RLTK::Parser::ParserCore.start function when defining your parser.
163
+
164
+ <b>Make sure you call +finalize+ at the end of your parser definition, and only call it once.</b>
165
+
166
+ === Precedence and Associativity
167
+
168
+ To help you remove ambiguity from your grammars RLTK lets you assign precedence and associativity information to terminal symbols. Productions then get assigned precedence and associativity based on either the last terminal symbol on the right-hand side of the production, or an optional parameter to the RLTK::Parser::ParserCore.production or RLTK::Parser::ParserCore.clause methods. When an RLTK::Parser encounters a shift/reduce error it will attempt to resolve it using the following rules:
169
+
170
+ 1. If there is precedence and associativity information present for all reduce actions involved and for the input token we attempt to resolve the conflict using the following rule. If not, no resolution is possible and the parser generator moves on. This conflict will later be reported to the programmer.
171
+
172
+ 2. The precedence of the actions involved in the conflict are compared (a shift action's precedence is based on the input token), and the action with the highest precedence is selected. If two actions have the same precedence the associativity of the input symbol is used: left associativity means we select the reduce action, right associativity means we select the shift action, and non-associativity means that we have encountered an error.
173
+
174
+ To assign precedence to terminal symbols you can use the RLTK::Parser::ParserCore.left, RLTK::Parser::ParserCore.right, and RLTK::Parser::ParserCore.nonassoc methods inside your parser class definition. Later declarations of associativity have higher levels of precedence than earlier declarations of the same associativity.
175
+
176
+ Let's look at the infix calculator example now:
177
+
178
+ class InfixCalc < Parser
179
+
180
+ left :PLS, :SUB
181
+ right :MUL, :DIV
182
+
183
+ production(:e) do
184
+ clause('NUM') { |n| n }
185
+
186
+ clause('LPAREN e RPAREN') { |_, e, _| e }
187
+
188
+ clause('e PLS e') { |e0, _, e1| e0 + e1 }
189
+ clause('e SUB e') { |e0, _, e1| e0 - e1 }
190
+ clause('e MUL e') { |e0, _, e1| e0 * e1 }
191
+ clause('e DIV e') { |e0, _, e1| e0 / e1 }
192
+ end
193
+
194
+ finalize
195
+ end
196
+
197
+ Here we use associativity information to properly deal with the different precedence of the addition, subtraction, multiplication, and division operators. The PLS and SUB terminals are given left associativity with precedence of 1 (by default all terminals and productions have precedence of zero, which is to say no precedence), and the MUL and DIV terminals are given right associativity with precedence of 1.
198
+
199
+ === Array Arguments
200
+
201
+ By default the proc objects associated with productions are passed one argument for each symbol on the right-hand side of the production. This can lead to long, unwieldy argument lists. To have your parser pass in an array of the values of the right-hand side symbols as the only argument to procs you may use the RLTK::Parser::ParserCore.array_args method. It must be invoked before any productions are declared, and affects all proc objects passed to +production+ and +clause+ methods.
202
+
203
+ === The Parsing Environment
204
+
205
+ The parsing environment is the context in which the proc objects associated with productions are evaluated, and can be used to provide helper functions and to keep state while parsing. To define a custom environment simply subclass RLTK::Parser::Environment inside your parser definition as follows:
206
+
207
+ class MyParser < RLTK::Parser
208
+ ...
209
+
210
+ finalize
211
+
212
+ class Environment < Environment
213
+ def helper_function
214
+ ...
215
+ end
216
+
217
+ ...
218
+ end
219
+ end
220
+
221
+ (The definition of the Environment class may occur anywhere inside the MyParser class definition.)
222
+
223
+ === Instantiating Parsers
224
+
225
+ In addition to using the RLTK::Parser::parse class method you may also instantiate parser objects. The only difference then is that the parsing environment used between subsequent calls to +object.lex+ is the same object, and therefor allows you to keep persistent state.
226
+
227
+ === Finalization Options
228
+
229
+ The RLTK::Parser::ParserCore.finalize method has several options that you should be aware of:
230
+
231
+ explain:: Value should be +true+, +false+, an +IO+ object, or a file name. Default value is +false+. If a non +false+ (or +nil+) value is specified +finalize+ will print an explanation of the parser to $stdout, the provided +IO+ object, or the specified file. This explanation will include all of the productions defined, all of the terminal symbols used in the grammar definition, and the states present in the parsing table along with their items, actions, and conflicts.
232
+
233
+ lookahead:: Either +true+ or +false+. Default value is +true+. Specifies whether the parser generator should build an LALR(1) or LR(0) parsing table. The LALR(1) table may have the same actions as the LR(0) table or fewer reduce actions if it is possible to resolve conflicts using lookahead sets.
234
+
235
+ precedence:: Either +true+ or +false+. Default value is +true+. Specifies whether the parser generator should use precedence and associativity information to solve conflicts.
236
+
237
+ use:: Value should be +false+, the name of a file, or a file object. If the file exists and hasn't been modified since the parser definition was RLTK will load the parser definition from the file, saving a bunch of time. If the file doesn't exist or the parser has been modified since it was last used RLTK will save the parser's data structures to this file.
238
+
239
+ === Parsing Options
240
+
241
+ The RLTK::Parser::parse and RLTK::Parser.parse methods also have several options that you should be aware of:
242
+
243
+ accept:: Either +:first+ or +:all+. Default value is +:first+. This option tells the parser to accept the first successful parse-tree found, or all parse-trees that enter the accept state. It only affects the behavior of the parser if the defined grammar is ambiguous.
244
+
245
+ env:: This option specifies the environment in which the productions' proc objects are evaluated. The RLTK::Parser::parse class function will create a new RLTK::Parser::Environment on each call unless one is specified. RLTK::Parser objects have an internal, per-instance, RLTK::Parser::Environment that is the default value for this option when calling RLTK::Parser.parse
246
+
247
+ parse_tree:: Value should be +true+, +false+, an +IO+ object, or a file name. Default value is +false+. If a non +false+ (or +nil+) value is specified a DOT language description of all accepted parse trees will be printed out to $stdout, the provided +IO+ object, or the specified file.
248
+
249
+ verbose:: Value should be +true+, +false+, an +IO+ object, or a file name. Default value is +false+. If a non +false+ (or +nil+) value is specified a detailed description of the actions of the parser are printed to $stdout, the provided +IO+ object, or the specified file as it parses the input.
250
+
251
+ === Parsing Exceptions
252
+
253
+ Calls to RLTK::Parser::ParserCore.parse may raise one of four exceptions:
254
+
255
+ * RLTK::BadToken - This exception is raised when a token is observed in the input stream that wasn't used in the language's definition.
256
+ * RLTK::HandledError - This exception is raised whenever an error production is encountered. The input stream is not actually in the langauge, but we were able to handle the encountered errors in a way that makes it appear that it is.
257
+ * RLTK::InternalParserError - This exception tells you that something REALLY went wrong. Users should never receive this exception.
258
+ * RLTK::NotInLanguage - This exception indicates that the input token stream is not in the parser's language.
259
+
260
+ === Error Productions
261
+
262
+ <b>Warning, this is the lest tested feature of RLTK. If you encounter any problems while using it, please let me know so I can fix any bugs as soon as possible</b>
263
+
264
+ When an RLTK parser encounters a token for which there are no more valid tokens (and it is on the last parse stack / possible parse-tree path) it will enter error handling mode. In this mode the parser pops states and input off of the parse stack (the parser is a pushdown automaton after all) until it finds a state that has a shift action for the +ERROR+ terminal. A dummy +ERROR+ terminal is then placed onto the parse stack and the shift action is taken. This error token will have the position information of the token that caused the parser to enter error handling mode.
265
+
266
+ If the input (including the +ERROR+ token) can be reduced immediately the associated error handling proc is evaluated and we continue parsing. If the parser can't immediately reduce it will begin shifting tokens onto the input stack. This may cause the parser to enter a state in which it again has no valid actions for an input. When this happens it enters error handling mode again and pops states and input off of the stack until it reaches an error state again. In this way it searches for the first substring after the error occurred for which it can resume parsing.
267
+
268
+ The example below for the unit tests shows a very basic usage of error productions:
269
+
270
+ class AfterPlsError < Exception; end
271
+ class AfterSubError < Exception; end
272
+
273
+ class ErrorCalc < RLTK::Parser
274
+ production(:e) do
275
+ clause('NUM') { |n| n }
276
+
277
+ clause('e PLS e') { |e0, _, e1| e0 + e1 }
278
+ clause('e SUB e') { |e0, _, e1| e0 - e1 }
279
+ clause('e MUL e') { |e0, _, e1| e0 * e1 }
280
+ clause('e DIV e') { |e0, _, e1| e0 / e1 }
281
+
282
+ clause('e PLS ERROR') { |_, _, _| raise AfterPlsError }
283
+ clause('e SUB ERROR') { |_, _, _| raise AfterSubError }
284
+ end
285
+
286
+ finalize
287
+ end
288
+
289
+ == ASTNode
290
+
291
+ The RLTK::ASTNode base class is meant to be a good starting point for implementing your own abstract syntax tree nodes. By subclassing RLTK::ASTNode you automagically get features such as tree comparison, notes, value accessors with type checking, child node accessors and +each+ and +map+ methods (with type checking), and the ability to retrieve the root of a tree from any member node.
292
+
293
+ To create your own AST node classes you subclass the RLTK::ASTNode class and then use the RLTK::ASTNode::child and RLTK::ASTNode::value methods. By declaring the children and values of a node the class will define the appropriate accessors with type checking, know how to pack and unpack a node's children, and know how to handle constructor arguments.
294
+
295
+ Here we can see the definition of several AST node classes that might be used to implement binary operations for a language:
296
+
297
+ class Expression < RLTK::ASTNode; end
298
+
299
+ class Number < Expression
300
+ value :value, Fixnum
301
+ end
302
+
303
+ class BinOp < Expression
304
+ value :op, String
305
+
306
+ child :left, Expression
307
+ child :right, Expression
308
+ end
309
+
310
+ The assignment functions that are generated for the children and values perform type checking to make sure that the AST is well-formed. The type of a child must be a subclass of the RLTK::ASTNode class, whereas the type of a value must NOT be a subclass of the RLTK::ASTNode class. While child and value objects are stored as instance variables it is unsafe to assign to these variables directly, and it is strongly recommended to always use the accessor functions.
311
+
312
+ When instantiating a subclass of RLTK::ASTNode the arguments to the constructor should be the node's values (in order of definition) followed by the node's children (in order of definition). Example:
313
+
314
+ class Foo < RLTK::ASTNode
315
+ value :a, Fixnum
316
+ child :b, Bar
317
+ value :c, String
318
+ child :d, Bar
319
+ end
320
+
321
+ Foo.new(1, 'baz', nil, nil)
322
+
323
+ You may notice that in the above example the children were set to *nil* instead of an instance of the Bar class. This allows you to specify optional children.
324
+
325
+ Lastly, the type of a child or value can be defined as an array of objects of a specific type as follows:
326
+
327
+ class Foo < RLTK::ASTNode
328
+ value :strings, [String]
329
+ end
330
+
331
+ == Context-Free Grammars
332
+
333
+ The RLTK::CFG class provides an abstraction for context-free grammars. For the purpose of this class terminal symbols appear in *ALL* *CAPS*, and non-terminal symbols appear in *all* *lowercase*. Once a grammar is defined the RLTK::CFG.first_set and RLTK::CFG.follow_set methods can be used to find _first_ and _follow_ sets.
334
+
335
+ === Defining Grammars
336
+
337
+ A grammar is defined by first instantiating the RLTK::CFG class. The RLTK::CFG.production and RLTK::CFG.clause methods may then be used to define the productions of the grammar. The +production+ method can take a Symbol denoting the left-hand side of the production and a string describing the right-hand side of the production, or the left-hand side symbol and a block. In the first usage a single production is created. In the second usage the block may contain repeated calls to the +clause+ method, each call producing a new production with the same left-hand side but different right-hand sides. RLTK::CFG.clause may not be called outside of RLTK::CFG.production. Bellow we see a grammar definition that uses both methods:
338
+
339
+ grammar = RLTK::CFG.new
340
+
341
+ grammar.production(:s) do
342
+ clause('A G D')
343
+ clause('A a C')
344
+ clause('B a D')
345
+ clause('B G C')
346
+ end
347
+
348
+ grammar.production(:a, 'b')
349
+ grammar.production(:b, 'G')
350
+
351
+ === Extended Backus–Naur Form
352
+
353
+ The RLTK::CFG class understands grammars written in the extended Backus–Naur form. This allows you to use the \*, \+, and ? operators in your grammar definitions. When each of these operators are encountered additional productions are generated. For example, if the right-hand side of a production contained 'NUM*' a production of the form 'num_star -> | NUM num_star' is added to the grammar. As such, your grammar should not contain productions with similar left-hand sides (e.g. foo_star, bar_question, or baz_plus).
354
+
355
+ As these additional productions are added internally to the grammar a callback functionality is provided to let you know when such an event occurs. The callback proc object can either be specified when the CFG object is created, or by using the RLTK::CFG.callback method. The callback will receive three arguments: the production generated, the operator that triggered the generation, and a symbol (:first or :second) specifying which clause of the production this callback is for.
356
+
357
+ === Helper Functions
358
+
359
+ Once a grammar has been defined you can use the following functions to obtain information about it:
360
+
361
+ * RLTK::CFG.first_set - Returns the _first_ _set_ for the provided symbol or sentence.
362
+ * RLTK::CFG.follow_set - Returns the _follow_ _set_ for the provided symbol.
363
+ * RLTK::CFG.nonterms - Returns a list of the non-terminal symbols used in the grammar's definition.
364
+ * RLTK::CFG.productions - Provides either a hash or array of the grammar's productions.
365
+ * RLTK::CFG.symbols - Returns a list of all symbols used in the grammar's definition.
366
+ * RLTK::CFG.terms - Returns a list of the terminal symbols used in the grammar's definition.
367
+
368
+ == Provided Lexers and Parsers
369
+
370
+ The following lexer and parser classes are included as part of RLTK:
371
+
372
+ * RLTK::Lexers::Calculator
373
+ * RLTK::Lexers::EBNF
374
+ * RLTK::Parsers::PrefixCalc
375
+ * RLTK::Parsers::InfixCalc
376
+ * RLTK::Parsers::PostfixCalc
377
+
378
+ == Contributing
379
+
380
+ If you are interested in contributing to RLTK you can:
381
+
382
+ * Help provide unit tests. Not all of RLTK is tested as well as it could be. Specifically, more tests for the RLTK::CFG and RLTK::Parser classes would be appreciated.
383
+ * Write lexers or parsers that you think others might want to use. Possibilities include HTML, JSON/YAML, Javascript, and Ruby.
384
+ * Write a class for dealing with regular languages.
385
+ * Extend the RLTK::CFG class with additional functionality.
386
+ * Let me know if you found any part of this documentation unclear or incomplete.
data/Rakefile ADDED
@@ -0,0 +1,67 @@
1
+ # Author: Chris Wailes <chris.wailes@gmail.com>
2
+ # Project: Ruby Language Toolkit
3
+ # Date: 2011/04/06
4
+ # Description: This is RLTK's Rakefile.
5
+
6
+ ##############
7
+ # Rake Tasks #
8
+ ##############
9
+
10
+ require 'rake/testtask'
11
+ require 'rubygems/package_task'
12
+ require 'rdoc/task'
13
+
14
+ RDoc::Task.new do |t|
15
+ t.title = 'The Ruby Language Toolkit'
16
+ t.main = 'README'
17
+ t.rdoc_dir = 'doc'
18
+
19
+ t.rdoc_files.include('README', 'lib/*.rb', 'lib/rltk/*.rb', 'lib/rltk/**/*.rb')
20
+ end
21
+
22
+ #Rake::TestTask.new do |t|
23
+ # t.libs << 'test'
24
+ # t.test_files = FileList['test/ts_rltk.rb']
25
+ #end
26
+
27
+ # This workaround is here because the Rake::DSL module gets auto-loaded into
28
+ # the Object class, and therefor any object that defines conflicting methods
29
+ # get over-ridden.
30
+ task :test do
31
+ exec "ruby -C \"test\" -e \"require 'ts_rltk.rb'\""
32
+ end
33
+
34
+ def spec
35
+ Gem::Specification.new do |s|
36
+ s.platform = Gem::Platform::RUBY
37
+
38
+ s.name = 'rltk'
39
+ s.version = '1.1.0'
40
+ s.summary = 'The Ruby Language Toolkit'
41
+ s.description =
42
+ 'The Ruby Language Toolkit provides classes for creating' +
43
+ 'context-free grammars, lexers, parsers, and abstract syntax trees.'
44
+
45
+ s.files = [
46
+ 'LICENSE',
47
+ 'AUTHORS',
48
+ 'README',
49
+ 'Rakefile',
50
+ ] +
51
+ Dir.glob('lib/rltk/**/*.rb')
52
+
53
+
54
+ s.require_path = 'lib'
55
+
56
+ s.author = 'Chris Wailes'
57
+ s.email = 'chris.wailes@gmail.com'
58
+ s.homepage = 'http://github.com/chriswailes/RLTK'
59
+ s.license = 'University of Illinois/NCSA Open Source License'
60
+
61
+ s.test_files = Dir.glob('test/tc_*.rb')
62
+ end
63
+ end
64
+
65
+ Gem::PackageTask.new(spec) do |t|
66
+ t.need_tar = true
67
+ end