1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378
|
"""
/*
* This program is free software; you can redistribute it and/or modify
* it under the terms of the GNU General Public License as published by
* the Free Software Foundation; either version 2 of the License, or
* (at your option) any later version.
*
* This program is distributed in the hope that it will be useful,
* but WITHOUT ANY WARRANTY; without even the implied warranty of
* MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
* GNU Library General Public License for more details.
*
* You should have received a copy of the GNU General Public License
* along with this program; if not, write to the Free Software
* Foundation, Inc., 59 Temple Place - Suite 330, Boston, MA 02111-1307, USA.
*/
"""
import re, string, gettext,locale,__builtin__, os, sys,pprint
from utils import LOCALEDIR
global FUNCS #list of user defined functions
FUNCS=[]
def isIterator(token):
try:
x = int(token['statement'])
if x < 0:
raise BadIterator, token
else:
return 1
except:
raise BadIterator, token
def isColon(token):
if token['statement'] != ':':
raise NoColon, token
def isName(token):
if re.match("[a-zA-Z_]+[0-9]*", token['statement']):
return 1
else:
raise BadName, token
# Use this to be able to extract strings for translation by pygettext.py
try:
#print "current _", _
old_ = _
except Exception,info:
print >> sys.stderr, "in gvrparser locale switch:\n",info
_ = gettext.gettext
TESTS = (
_('any_beepers_in_beeper_bag'),
_('facing_north'),
_('facing_east'),
_('facing_south'),
_('facing_west'),
_('front_is_blocked'),
_('front_is_clear'),
_('no_beepers_in_beeper_bag'),
_('next_to_a_beeper'),
_('not_next_to_a_beeper'),
_('not_facing_north'),
_('not_facing_east'),
_('not_facing_south'),
_('not_facing_west'),
_('left_is_blocked'),
_('left_is_clear'),
_('right_is_blocked'),
_('right_is_clear'),
)
COMMANDS = (
_('move'),
_('pickbeeper'),
_('putbeeper'),
_('turnleft'),
_('turnoff'),
_('cheat'),
)
# The tuple DIV contains names/words used in the GvR langauge, but are
# hardcoded somewhere else in this module. We list them here to be able
# to get them with gettext and to put it in the lookup table.
# That's the only usage for this tuple, There are no changes to the way
# the parser works.
DIV = (
_('define'),
_('end'),
_('if'),
_('elif'),
_('else'),
_('while'),
_('do'),
_('end'),
)
####################### Start I18N part #####################################
# Now we install a gettext file in the builtin namespace
# If this fails the bogus '_()' function is used and we end up with a english - english
# look-up table :-(
# A possible solution would be to test for locales but i think it won't matter much in speed.
_ = old_
#print _
# get a list with the translated strings
trans_commands, org_commands = [],[]
words = COMMANDS + TESTS + DIV
for i in words:
trans_commands.append(_(i))
org_commands.append(i) # this is the english one
# With this we build a look-up dictionary that is used in the Program class.
# The look-up dict: {'beweeg':'move','rechtsaf':turnright',....}
# the keys are the gettext strings and the vals are the original names.
lookup_dict = {}
for k,v in map(None,trans_commands,org_commands):
lookup_dict[k] = v
################################## End of I18N ############################
def parseStatement(token):
statement = token['statement']
global FUNCS
if statement not in COMMANDS and statement not in FUNCS:
raise BadStatement, token
return Statement(token)
def parseCheat(token):
return Cheat(token)
def parseBlock(remainingTokens):
statements = []
while len(remainingTokens):
token = remainingTokens[0]
curStatement = token['statement']
parseMethods = {
'if': parseIfStatement,
'while': parseWhileLoop,
'do': parseDoLoop}
if curStatement in parseMethods:
method = parseMethods[curStatement]
parsedObject, remainingTokens = method(remainingTokens)
statements.append(parsedObject)
else:
cmd = token
if cmd['statement'] == 'cheat':
remainingTokens = remainingTokens[1:]
cheat = remainingTokens[0]
statements.append(parseCheat(cheat))
else:
statements.append(parseStatement(cmd))
remainingTokens = remainingTokens[1:]
# When there's only a define statement without any toplevel code we just do
# nothing. This is much like the Python behaviour.
try:
defaultIndent = statements[0].indent
except:
pass
for statement in statements:
if statement.indent != defaultIndent:
raise IndentError, statement.line
return Block(statements)
def eatLine(tokens, startIndex):
currentLine = tokens[:startIndex]
if currentLine[-1]['line'] != currentLine[0]['line']:
raise LineTooShort, tokens[0]
if currentLine[-1]['statement'] != ':':
raise NoColon, tokens[0]
return currentLine
def eatBlock(tokens, startIndex):
currentLine = eatLine(tokens, startIndex)
indent = tokens[0]['indent']
end = startIndex
while end < len(tokens) and tokens[end]['indent'] > indent:
end += 1
if end == startIndex:
# Report the error as being on the line
# where you expected the indented command.
# You can safely assume that there will always
# be at least one token on the current line,
# or this would have never been called.
raise ExpectedBlock(currentLine[0]['line']+1)
block = tokens[startIndex:end]
restOfCode = tokens[end:]
return currentLine, block, restOfCode
def parseTestCondition(token):
statement = token['statement']
line = token['line']
if statement not in TESTS:
raise BadTest, token
return TestCondition(statement, line)
def parseConditionAndBlock(currentLine, block):
condition = parseTestCondition(currentLine[1])
blockObj = parseBlock(block)
return (currentLine[0]['indent'], condition, blockObj)
def parseIfStatement(tokens):
currentLine, block, tokens = eatBlock(tokens, 3)
ifStatement = IfStatement(*parseConditionAndBlock(currentLine, block))
while len(tokens):
if tokens[0]['statement'] != 'elif': break
elifObj, tokens = parseElifStatement(tokens)
ifStatement.elifs.append(elifObj)
if len(tokens) and tokens[0]['statement'] == 'else':
ifStatement.elseObj, tokens = parseElseStatement(tokens)
return ifStatement, tokens
def parseElseStatement(tokens):
currentLine, block, remainingTokens = eatBlock(tokens, 2)
blockObj = parseBlock(block)
return blockObj, remainingTokens
def parseElifStatement(tokens):
currentLine, block, remainingTokens = eatBlock(tokens, 3)
return ElifStatement(*parseConditionAndBlock(currentLine, block)), remainingTokens
def parseWhileLoop(tokens):
currentLine, block, remainingTokens = eatBlock(tokens, 3)
condition = parseTestCondition(currentLine[1])
blockObj = parseBlock(block)
return WhileLoop(currentLine[0]['indent'], condition, blockObj), remainingTokens
def parseDoLoop(tokens):
currentLine, block, remainingTokens = eatBlock(tokens, 3)
iterator = currentLine[1]['statement']
isIterator(currentLine[1])
blockObj = parseBlock(block)
return DoLoop(currentLine[0]['indent'], iterator, blockObj), remainingTokens
def parseDefine(tokens):
currentLine, block, tokens = eatBlock(tokens, 3)
name = currentLine[1]
isName(name)
global FUNCS
if name['statement'] in FUNCS:
raise DoubleDefinition, name
FUNCS.append(name['statement'])
blockObj = parseBlock(block)
return Define(name['statement'], blockObj), tokens
def parseProgram(tokens, ignore=None):
for dict in tokens:
if lookup_dict.has_key(dict['statement']):
dict['statement'] = lookup_dict[dict['statement']]
global FUNCS
FUNCS = []
functions = []
while len(tokens):
token = tokens[0]
if token['statement'] == "define":
blockObj, tokens = parseDefine(tokens)
functions.append(blockObj)
else:
break
block = parseBlock(tokens)
return Program(functions, block)
class Statement:
def __init__(self, token):
self.indent = token['indent']
self.statement = token['statement']
self.line = token['line']
class Cheat(Statement):
def __init__(self, token):
self.indent = token['indent']
self.statement = token['statement']
self.line = token['line']
class Block:
def __init__(self, statements):
self.statements = statements
class TestCondition:
def __init__(self, statement, line):
self.statement = statement
self.line = line
class IfStatement:
def __init__(self, indent, condition, block):
self.indent = indent
self.condition = condition
self.block = block
self.elifs = []
self.elseObj = None
class ElifStatement(IfStatement): pass
class WhileLoop:
def __init__(self, indent, condition, block):
self.indent = indent
self.condition = condition
self.block = block
class DoLoop:
def __init__(self, indent, iterator, block):
self.indent = indent
self.iterator = iterator
self.block = block
class Define:
def __init__(self, name, block):
self.name = name
self.block = block
class Program:
def __init__(self, functions, block):
self.functions = functions
self.block = block
#-- exception handling
#import exceptions
class ParseError(Exception):
def __init__(self): raise 'abstract'
def __str__(self): return self.__str__()
class ParseEmptyFileException(ParseError):
def __init__(self): pass
def __str__(self): return _('Your program must have commands.')
class BadCommand(ParseError):
def __init__(self, token):
self.command = token['statement']
self.line = token['line']
def __str__(self):
return _("Line %i:\n%s") % (self.line+1, self.error())
class BadIterator(BadCommand):
def error(self):
return _("Expected positive integer\nGot: %s") % self.command
class IndentError(BadCommand):
def __init__(self, line):
self.line = line
def error(self):
return _("Indentation error")
class ExpectedBlock(BadCommand):
def __init__(self, line):
self.line = line
def error(self):
return _("Expected code to be indented here")
class LineTooShort(BadCommand):
def error(self):
return _("'%s' statement is incomplete") % self.command
class NoColon(BadCommand):
def error(self):
return _("Expected '%s' statement to end in ':'") % self.command
class BadStatement(BadCommand):
def error(self):
return _('"%s" not defined') % (self.command)
class BadTest(BadCommand):
def error(self):
return _('"%s" is not a valid test') % (self.command)
class BadName(BadCommand):
def error(self):
return _('"%s" is not a valid name') % (self.command)
class DoubleDefinition(BadCommand):
def error(self):
return _('"%s" has already been defined') % (self.command)
|