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 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613
|
#pragma once
#include "ParseException.h"
#include <iterator>
#include <iostream>
#include <ios>
#include <string>
#include "string/tokeniser.h"
namespace parser
{
/* TokenizerFunction which splits tokens on whitespace with additional
* protection of quoted content.
*/
class DefTokeniserFunc
{
// Enumeration of states
enum {
SEARCHING, // haven't found anything yet
TOKEN_STARTED, // found the start of a possible multi-char token
QUOTED, // inside quoted text, no tokenising
AFTER_CLOSING_QUOTE, // right after a quoted text, checking for backslash
SEARCHING_FOR_QUOTE, // searching for continuation of quoted string (after a backslash was found)
FORWARDSLASH, // forward slash found, possible comment coming
COMMENT_EOL, // double-forwardslash comment
COMMENT_DELIM, // inside delimited comment (/*)
STAR // asterisk, possibly indicates end of comment (*/)
} _state;
// List of delimiters to skip
const char* _delims;
// List of delimiters to keep
const char* _keptDelims;
// Test if a character is a delimiter
bool isDelim(char c) {
const char* curDelim = _delims;
while (*curDelim != 0) {
if (*(curDelim++) == c) {
return true;
}
}
return false;
}
// Test if a character is a kept delimiter
bool isKeptDelim(char c) {
const char* curDelim = _keptDelims;
while (*curDelim != 0) {
if (*(curDelim++) == c) {
return true;
}
}
return false;
}
public:
// Constructor
DefTokeniserFunc(const char* delims, const char* keptDelims)
: _state(SEARCHING), _delims(delims), _keptDelims(keptDelims)
{}
/* REQUIRED. Operator() is called by the tokeniser. This function
* must search for a token between the two iterators next and end, and if
* a token is found, set tok to the token, set next to position to start
* parsing on the next call, and return true.
*/
template<typename InputIterator>
bool operator() (InputIterator& next, const InputIterator& end, std::string& tok)
{
// Initialise state, no persistence between calls
_state = SEARCHING;
// Clear out the token, no guarantee that it is empty
tok = "";
while (next != end)
{
switch (_state)
{
case SEARCHING:
// If we have a delimiter, just advance to the next character
if (isDelim(*next)) {
++next;
continue;
}
// If we have a KEPT delimiter, this is the token to return.
if (isKeptDelim(*next)) {
tok = *(next++);
return true;
}
// Otherwise fall through into TOKEN_STARTED, saving the state for the
// next iteration
_state = TOKEN_STARTED;
case TOKEN_STARTED:
// Here a delimiter indicates a successful token match
if (isDelim(*next) || isKeptDelim(*next)) {
return true;
}
// Now next is pointing at a non-delimiter. Switch on this
// character.
switch (*next) {
// Found a quote, enter QUOTED state, or return the
// current token if we are in the process of building
// one.
case '\"':
if (tok != "") {
return true;
}
else {
_state = QUOTED;
++next;
continue; // skip the quote
}
// Found a slash, possibly start of comment
case '/':
_state = FORWARDSLASH;
++next;
continue; // skip slash, will need to add it back if this is not a comment
// General case. Token lasts until next delimiter.
default:
tok += *next;
++next;
continue;
}
case QUOTED:
// In the quoted state, just advance until the closing
// quote. No delimiter splitting is required.
if (*next == '\"') {
++next;
// greebo: We've found a closing quote, but there might be a backslash indicating
// a multi-line string constant "" \ "", so switch to AFTER_CLOSING_QUOTE mode
_state = AFTER_CLOSING_QUOTE;
continue;
}
else if (*next == '\\')
{
// Escape found, check next character
++next;
if (next != end)
{
if (*next == 'n') // Linebreak
{
tok += '\n';
}
else if (*next == 't') // Tab
{
tok += '\t';
}
else if (*next == '"') // Quote
{
tok += '"';
}
else
{
// No special escape sequence, add the backslash
tok += '\\';
// Plus the character itself
tok += *next;
}
++next;
}
continue;
}
else
{
tok += *next;
++next;
continue;
}
case AFTER_CLOSING_QUOTE:
// We already have a valid string token in our hands, but it might be continued
// if one of the next tokens is a backslash
if (*next == '\\') {
// We've found a backslash right after a closing quote, this indicates we could
// proceed with parsing quoted content
++next;
_state = SEARCHING_FOR_QUOTE;
continue;
}
// Ignore delimiters
if (isDelim(*next)) {
++next;
continue;
}
// Everything except delimiters and backslashes indicates that
// the quoted content is not continued, so break the loop.
// This returns the token and parsing continues.
// Return TRUE in any case, even if the parsed token is empty ("").
return true;
case SEARCHING_FOR_QUOTE:
// We have found a backslash after a closing quote, search for an opening quote
// Step over delimiters
if (isDelim(*next)) {
++next;
continue;
}
if (*next == '\"') {
// Found the desired opening quote, switch to QUOTED
++next;
_state = QUOTED;
continue;
}
// Everything except delimiters or opening quotes indicates an error
throw ParseException("Could not find opening double quote after backslash.");
case FORWARDSLASH:
// If we have a forward slash we may be entering a comment. The forward slash
// will NOT YET have been added to the token, so we must add it manually if
// this proves not to be a comment.
switch (*next) {
case '*':
_state = COMMENT_DELIM;
++next;
continue;
case '/':
_state = COMMENT_EOL;
++next;
continue;
default: // false alarm, add the slash and carry on
// greebo: switch to TOKEN_STARTED, the SEARCHING state might
// overwrite this if the next token is a kept delimiter
_state = TOKEN_STARTED;
tok += "/";
// Do not increment next here
continue;
}
case COMMENT_DELIM:
// Inside a delimited comment, we add nothing to the token but check for
// the "*/" sequence.
if (*next == '*') {
_state = STAR;
++next;
continue;
}
else {
++next;
continue; // ignore and carry on
}
case COMMENT_EOL:
// This comment lasts until the end of the line.
if (*next == '\r' || *next == '\n')
{
++next;
// If we have a token at this point, return it
if (tok != "")
{
return true;
}
else
{
_state = SEARCHING;
continue;
}
}
else {
++next;
continue; // do nothing
}
case STAR:
// The star may indicate the end of a delimited comment.
// This state will only be entered if we are inside a
// delimited comment.
if (*next == '/') {
// End of comment
++next;
// If we have a token at this point, return it
if (tok != "")
{
return true;
}
else
{
_state = SEARCHING;
continue;
}
continue;
}
else if (*next == '*') {
// Another star, remain in the STAR state in case we
// have a "**/" end of comment.
_state = STAR;
++next;
continue;
}
else {
// No end of comment
_state = COMMENT_DELIM;
++next;
continue;
}
} // end of state switch
} // end of for loop
// Return true if we have added anything to the token
// If we ran out of tokens after the closing quote, even an empty string is a valid token
return tok != "" || _state == AFTER_CLOSING_QUOTE;
}
};
constexpr const char* const WHITESPACE = " \t\n\v\r";
/**
* DefTokeniser abstract base class. This class provides a unified interface to
* DefTokeniser subclasses, so that calling code can retrieve a stream of tokens
* without needing knowledge of the underlying container type (std::string,
* std::istream etc).
*
* Each subclass MUST implement hasMoreTokens() and nextToken() appropriately,
* while default implementations of assertNextToken() and skipTokens() are
* provided that make use of the former two methods.
*/
class DefTokeniser
{
public:
/**
* Destructor
*/
virtual ~DefTokeniser() {}
/**
* Test if this DefTokeniser has more tokens to return.
*
* @returns
* true if there are further tokens, false otherwise
*/
virtual bool hasMoreTokens() const = 0;
/**
* Return the next token in the sequence. This function consumes
* the returned token and advances the internal state to the following
* token.
*
* @returns
* std::string containing the next token in the sequence.
*
* @pre
* hasMoreTokens() must be true, otherwise an exception will be thrown.
*/
virtual std::string nextToken() = 0;
/**
* Assert that the next token in the sequence must be equal to the provided
* value. A ParseException is thrown if the assert fails.
*
* @param val
* The expected value of the token.
*/
virtual void assertNextToken(const std::string& val)
{
const std::string tok = nextToken();
if (tok != val)
throw ParseException("DefTokeniser: Assertion failed: Required \""
+ val + "\", found \"" + tok + "\"");
}
/**
* Skip the next n tokens. This method provides a convenient way to dispose
* of a number of tokens without returning them.
*
* @param n
* The number of tokens to consume.
*/
virtual void skipTokens(unsigned int n)
{
for (unsigned int i = 0; i < n; i++)
{
nextToken();
}
}
/**
* Returns the next token without incrementing the internal
* iterator. Use this if you want to take a look at what is coming
* next without actually changing the tokeniser's state.
*/
virtual std::string peek() const = 0;
};
/**
* Tokenise a DEF file.
*
* This class provides a similar interface to Java's StringTokenizer class. It accepts
* and std::string and a list of separators, and provides a simple interface to return
* the next token in the string. It also protects quoted content and ignores both C and
* C++ style comments.
*/
template<typename ContainerT>
class BasicDefTokeniser :
public DefTokeniser
{
// Internal tokenizer and its iterator
typedef string::Tokeniser<DefTokeniserFunc> CharTokeniser;
CharTokeniser _tok;
CharTokeniser::Iterator _tokIter;
public:
/**
* Construct a DefTokeniser with the given input type, and optionally
* a list of separators.
*
* @param str
* The container to tokenise.
*
* @param delims
* The list of characters to use as delimiters.
*
* @param keptDelims
* String of characters to treat as delimiters but return as tokens in their
* own right.
*/
BasicDefTokeniser(const ContainerT& str,
const char* delims = WHITESPACE,
const char* keptDelims = "{}()")
: _tok(str, DefTokeniserFunc(delims, keptDelims)),
_tokIter(_tok.getIterator())
{ }
/** Test if this StringTokeniser has more tokens to return.
*
* @returns
* true if there are further tokens, false otherwise
*/
bool hasMoreTokens() const override
{
return !_tokIter.isExhausted();
}
/** Return the next token in the sequence. This function consumes
* the returned token and advances the internal state to the following
* token.
*
* @returns
* std::string containing the next token in the sequence.
*
* @pre
* hasMoreTokens() must be true, otherwise an exception will be thrown.
*/
std::string nextToken() override
{
if (hasMoreTokens())
{
return *(_tokIter++);
}
throw ParseException("DefTokeniser: no more tokens");
}
/**
* Returns the next token without incrementing the internal
* iterator. Use this if you want to take a look at what is coming
* next without actually changing the tokeniser's state.
*/
std::string peek() const override
{
if (hasMoreTokens())
{
return *_tokIter;
}
throw ParseException("DefTokeniser: no more tokens");
}
};
/**
* Specialisation of DefTokeniser to work with std::istream objects. This is
* needed because an std::istream does not provide begin() and end() methods
* to get an iterator, but needs a separate istream_iterator<> to be constructed
* for it.
*/
template<>
class BasicDefTokeniser<std::istream> :
public DefTokeniser
{
private:
// Istream iterator type
typedef std::istream_iterator<char> CharStreamIterator;
// Internal tokenizer and its iterator
typedef string::Tokeniser<DefTokeniserFunc, CharStreamIterator> CharTokeniser;
CharTokeniser _tok;
CharTokeniser::Iterator _tokIter;
// Helper function to set noskipws on the input stream.
static std::istream& setNoskipws(std::istream& is)
{
is >> std::noskipws;
return is;
}
public:
/**
* Construct a DefTokeniser with the given input stream, and optionally
* a list of separators.
*
* @param str
* The std::istream to tokenise. This is a non-const parameter, since tokens
* will be extracted from the stream.
*
* @param delims
* The list of characters to use as delimiters.
*
* @param keptDelims
* String of characters to treat as delimiters but return as tokens in their
* own right.
*/
BasicDefTokeniser(std::istream& str,
const char* delims = WHITESPACE,
const char* keptDelims = "{}(),")
: _tok(CharStreamIterator(setNoskipws(str)), // start iterator
CharStreamIterator(), // end (null) iterator
DefTokeniserFunc(delims, keptDelims)),
_tokIter(_tok.getIterator())
{ }
/**
* Test if this StringTokeniser has more tokens to return.
*
* @returns
* true if there are further tokens, false otherwise
*/
bool hasMoreTokens() const override
{
return !_tokIter.isExhausted();
}
/**
* Return the next token in the sequence. This function consumes
* the returned token and advances the internal state to the following
* token.
*
* @returns
* std::string containing the next token in the sequence.
*
* @pre
* hasMoreTokens() must be true, otherwise an exception will be thrown.
*/
std::string nextToken() override
{
if (hasMoreTokens())
{
return *(_tokIter++);
}
throw ParseException("DefTokeniser: no more tokens");
}
/**
* Returns the next token without incrementing the internal
* iterator. Use this if you want to take a look at what is coming
* next without actually changing the tokeniser's state.
*/
std::string peek() const override
{
if (hasMoreTokens())
{
return *_tokIter;
}
throw ParseException("DefTokeniser: no more tokens");
}
};
} // namespace parser
|