GM6000 Digital Heater Controller Branch: main
SDX-1330
IntegerExpressionParser.h
Go to the documentation of this file.
1#ifndef Cpl_Math_IntegerExpressionParser_h_
2#define Cpl_Math_IntegerExpressionParser_h_
3/*-----------------------------------------------------------------------------
4* COPYRIGHT_HEADER_TO_BE_FILLED_LATER
5*----------------------------------------------------------------------------*/
6/** @file
7
8 This file contains a collection of methods that parses a null terminated
9 string that contains an arithmetic expression, and evaluates the expression.
10
11
12 This module is adapted from Kim Walisch's code at: https://github.com/kimwalisch/calculator
13 ===========================================================================
14 BSD 2-Clause License
15
16 Copyright (c) 2013 - 2018, Kim Walisch.
17 All rights reserved.
18
19 Redistribution and use in source and binary forms, with or without
20 modification, are permitted provided that the following conditions are met:
21
22 1. Redistributions of source code must retain the above copyright notice, this
23 list of conditions and the following disclaimer.
24 2. Redistributions in binary form must reproduce the above copyright notice,
25 this list of conditions and the following disclaimer in the documentation
26 and/or other materials provided with the distribution.
27
28 THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
29 ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
30 WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
31 DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE LIABLE FOR
32 ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
33 (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
34 LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
35 ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
36 (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
37 SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
38 ===========================================================================
39 */
40
41#include "colony_config.h"
42#include "Cpl/Container/Stack.h"
43#include "Cpl/System/Trace.h"
44
45
46 /** Maximum depth of the operator stack used when evaluating an expression
47 */
48#ifndef OPTION_CPL_MATH_INTEXPR_MAX_STACK_SIZE
49#define OPTION_CPL_MATH_INTEXPR_MAX_STACK_SIZE 20
50#endif
51
52 ///
53namespace Cpl {
54///
55namespace Math {
56
57
58/** This template class evaluates an null terminate string that represents an
59 integer arithmetic expression.
60
61 Template Arg(s):
62 T Integer type to use for the numeric expression/calculations
63 */
64template <typename T>
66{
67public:
68 /// Constructor
70 : m_stack( OPTION_CPL_MATH_INTEXPR_MAX_STACK_SIZE, m_stackMemory )
71 {
72 }
73
74public:
75 /** Evaluates an integer arithmetic expression and returns true if the
76 expression was successfully evaluated. The evaluated value is
77 returned via, the 'result' argument.
78 */
79 bool eval( const char* expressionAsText, T& result )
80 {
81 result = 0;
82 m_index = 0;
83 m_expr = expressionAsText;
84 m_exprLen = strlen( expressionAsText );
85 m_stack.clearTheStack();
86
87 if ( !parseExpr( result ) )
88 {
89 return false;
90 }
91 return true;
92 }
93
94private:
95 /// List of operations
96 enum
97 {
98 OPERATOR_NULL,
99 OPERATOR_BITWISE_OR, //!< |
100 OPERATOR_BITWISE_XOR, //!< ^
101 OPERATOR_BITWISE_AND, //!< &
102 OPERATOR_BITWISE_SHL, //!< <<
103 OPERATOR_BITWISE_SHR, //!< >>
104 OPERATOR_ADDITION, //!< +
105 OPERATOR_SUBTRACTION, //!< -
106 OPERATOR_MULTIPLICATION, //!< *
107 OPERATOR_DIVISION, //!< /
108 OPERATOR_MODULO, //!< %
109 OPERATOR_POWER, //!< **
110 OPERATOR_EXPONENT //!< e, E
111 };
112
113 /// Operator struct
114 struct Operator
115 {
116 /// Operator, one of the OPERATOR_* enum definitions
117 int op;
118
119 /// Precedence
120 int precedence;
121
122 /// 'L' = left or 'R' = right
123 int associativity;
124
125 /// Constructor
126 Operator( int opr, int prec, int assoc )
127 : op( opr )
128 , precedence( prec )
129 , associativity( assoc )
130 { }
131
132 /// Default constructor (used when allocating the stack)
133 Operator()
134 : op( OPERATOR_NULL )
135 , precedence( 0 )
136 , associativity( 'L' )
137 {
138 }
139 };
140
141 /// Operator value struct
142 struct OperatorValue
143 {
144 /// Operator
145 Operator op;
146
147 /// My value
148 T value;
149
150 /// Constructor
151 OperatorValue( const Operator& opr, T val )
152 : op( opr )
153 , value( val )
154 { }
155
156 /// Default constructor (used when allocating the stack)
157 OperatorValue()
158 : op()
159 , value( 0 )
160 {
161 }
162
163 /// Data accessor
164 int getPrecedence() const
165 {
166 return op.precedence;
167 }
168
169 /// Check for null operation
170 bool isNull() const
171 {
172 return op.op == OPERATOR_NULL;
173 }
174 };
175
176
177 /// Exponentiation by squaring, x^n.
178 static T pow( T x, T n )
179 {
180 T res = 1;
181
182 while ( n > 0 )
183 {
184 if ( n % 2 != 0 )
185 {
186 res *= x;
187 n -= 1;
188 }
189 n /= 2;
190
191 if ( n > 0 )
192 {
193 x *= x;
194 }
195 }
196
197 return res;
198 }
199
200 bool calculate( T& result, T v1, T v2, const Operator& op ) const
201 {
202 bool success = true;
203 switch ( op.op )
204 {
205 case OPERATOR_BITWISE_OR:
206 result = v1 | v2;
207 break;
208
209 case OPERATOR_BITWISE_XOR:
210 result = v1 ^ v2;
211 break;
212
213 case OPERATOR_BITWISE_AND:
214 result = v1 & v2;
215 break;
216
217 case OPERATOR_BITWISE_SHL:
218 result = v1 << v2;
219 break;
220
221 case OPERATOR_BITWISE_SHR:
222 result = v1 >> v2;
223 break;
224
225 case OPERATOR_ADDITION:
226 result = v1 + v2;
227 break;
228
229 case OPERATOR_SUBTRACTION:
230 result = v1 - v2;
231 break;
232
233 case OPERATOR_MULTIPLICATION:
234 result = v1 * v2;
235 break;
236
237 case OPERATOR_POWER:
238 result = pow( v1, v2 );
239 break;
240
241 case OPERATOR_EXPONENT:
242 result = v1 * pow( 10, v2 );
243 break;
244
245 case OPERATOR_DIVISION:
246 if ( v2 != 0 )
247 {
248 result = v1 / v2;
249 }
250 else
251 {
252 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Divide by zero at index %d", m_index) );
253 success = false;
254 }
255 break;
256
257 case OPERATOR_MODULO:
258 if ( v2 != 0 )
259 {
260 result = v1 % v2;
261 }
262 else
263 {
264 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Modulo by zero at index %d", m_index) );
265 success = false;
266 }
267 break;
268
269 default:
270 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Unsupported Operator (%d)", op.op) );
271 success = false;
272 break;
273 }
274
275 return success;
276 }
277
278 /// Check if the end of the expression has been reached
279 bool isEnd() const
280 {
281 return m_index >= m_exprLen;
282 }
283
284 /** Returns the character at the current expression index or
285 0 if the end of the expression is reached.
286 */
287 char getCharacter() const
288 {
289 if ( !isEnd() )
290 {
291 return m_expr[m_index];
292 }
293
294 return 0;
295 }
296
297 /// 'Record' that an error occurred
298 void unexpected() const
299 {
300 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Syntax error: unexpected token at index %d [%s]",
301 m_index,
302 m_expr) );
303 }
304
305 /** Eat all white space characters at the
306 current expression index.
307 */
308 void eatSpaces()
309 {
310 while ( isspace( getCharacter() ) != 0 )
311 {
312 m_index++;
313 }
314 }
315
316 /** Parse a binary operator at the current expression index.
317 @return Operator with precedence and associativity.
318 */
319 bool parseOp( Operator& result )
320 {
321 bool success = true;
322
323 eatSpaces();
324 switch ( getCharacter() )
325 {
326 case '|':
327 m_index++;
328 result = Operator( OPERATOR_BITWISE_OR, 4, 'L' );
329 break;
330
331 case '^':
332 m_index++;
333 result = Operator( OPERATOR_BITWISE_XOR, 5, 'L' );
334 break;
335
336 case '&':
337 m_index++;
338 result = Operator( OPERATOR_BITWISE_AND, 6, 'L' );
339 break;
340
341 case '<':
342 m_index++;
343 if ( getCharacter() == '<' )
344 {
345 m_index++;
346 result = Operator( OPERATOR_BITWISE_SHL, 9, 'L' );
347 }
348 else
349 {
350 unexpected();
351 success = false;
352 }
353 break;
354
355 case '>':
356 m_index++;
357 if ( getCharacter() == '>' )
358 {
359 m_index++;
360 result = Operator( OPERATOR_BITWISE_SHR, 9, 'L' );
361 }
362 else
363 {
364 unexpected();
365 success = false;
366 }
367 break;
368
369 case '+':
370 m_index++;
371 result = Operator( OPERATOR_ADDITION, 10, 'L' );
372 break;
373
374 case '-':
375 m_index++;
376 result = Operator( OPERATOR_SUBTRACTION, 10, 'L' );
377 break;
378
379 case '/':
380 m_index++;
381 result = Operator( OPERATOR_DIVISION, 20, 'L' );
382 break;
383
384 case '%':
385 m_index++;
386 result = Operator( OPERATOR_MODULO, 20, 'L' );
387 break;
388
389 case '*':
390 m_index++;
391 if ( getCharacter() != '*' )
392 {
393 result = Operator( OPERATOR_MULTIPLICATION, 20, 'L' );
394 }
395 else
396 {
397 m_index++;
398 result = Operator( OPERATOR_POWER, 30, 'R' );
399 }
400 break;
401
402 case 'e':
403 m_index++;
404 result = Operator( OPERATOR_EXPONENT, 40, 'R' );
405 break;
406
407 case 'E':
408 m_index++;
409 result = Operator( OPERATOR_EXPONENT, 40, 'R' );
410 break;
411
412 default:
413 result = Operator( OPERATOR_NULL, 0, 'L' );
414 break;
415 }
416
417 return success;
418 }
419
420 static T toInteger( char c )
421 {
422 if ( c >= '0' && c <= '9' )
423 {
424 return c - '0';
425 }
426 if ( c >= 'a' && c <= 'f' )
427 {
428 return c - 'a' + 0xa;
429 }
430 if ( c >= 'A' && c <= 'F' )
431 {
432 return c - 'A' + 0xa;
433 }
434
435 return 0xf + 1;
436 }
437
438 T getInteger() const
439 {
440 return toInteger( getCharacter() );
441 }
442
443 T parseDecimal()
444 {
445 T value = 0;
446 for ( T d; (d = getInteger()) <= 9; m_index++ )
447 {
448 value = value * 10 + d;
449 }
450 return value;
451 }
452
453 T parseHex()
454 {
455 m_index = m_index + 2;
456 T value = 0;
457 for ( T h; (h = getInteger()) <= 0xf; m_index++ )
458 {
459 value = value * 0x10 + h;
460 }
461 return value;
462 }
463
464 // Check for a Hex digit
465 bool isHex() const
466 {
467 if ( m_index + 2 < m_exprLen )
468 {
469 char x = m_expr[m_index + 1];
470 char h = m_expr[m_index + 2];
471 return ((x == 'x' || x == 'X') && toInteger( h ) <= 0xf);
472 }
473 return false;
474 }
475
476 /** Parse an integer value at the current expression index.
477 The unary `+', `-' and `~' operators and opening
478 parentheses `(' cause recursion.
479 */
480 bool parseValue( T& valFinal )
481 {
482 T val = 0;
483 eatSpaces();
484 switch ( getCharacter() )
485 {
486 case '0':
487 if ( isHex() )
488 {
489 val = parseHex();
490 }
491 else
492 {
493 val = parseDecimal();
494 }
495 break;
496
497 case '1':
498 case '2':
499 case '3':
500 case '4':
501 case '5':
502 case '6':
503 case '7':
504 case '8':
505 case '9':
506 val = parseDecimal();
507 break;
508
509 case '(':
510 m_index++;
511 if ( !parseExpr( val ) )
512 {
513 return false;
514 }
515 eatSpaces();
516 if ( getCharacter() != ')' )
517 {
518 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Syntax error: `)' expected at end of expression (index=%d",
519 m_index) );
520 return false;
521 }
522 m_index++;
523 break;
524
525 case '~':
526 m_index++;
527 if ( !parseValue( val ) )
528 {
529 return false;
530 }
531 val = ~val;
532 break;
533
534 case '+':
535 m_index++;
536 if ( !parseValue( val ) )
537 {
538 return false;
539 }
540 break;
541
542 case '-':
543 m_index++;
544 if ( !parseValue( val ) )
545 {
546 return false;
547 }
548 val = val * static_cast<T>(-1);
549 break;
550
551 default:
552 if ( !isEnd() )
553 {
554 unexpected();
555 return false;
556 }
557 }
558
559 valFinal = val;
560 return true;
561 }
562
563 /** Parse all operations of the current parenthesis
564 level and the levels above, when done
565 return the result (value).
566 */
567 bool parseExpr( T& finalValue )
568 {
569 m_stack.push( OperatorValue( Operator( OPERATOR_NULL, 0, 'L' ), 0 ) );
570
571 // first parse value on the left
572 T value;
573 if ( !parseValue( value ) )
574 {
575 return false;
576 }
577
578 while ( !m_stack.isEmpty() )
579 {
580 // parse an operator (+, -, *, ...)
581 Operator op;
582 if ( !parseOp( op ) )
583 {
584 return false;
585 }
586
587 // Peek at the next value on the stack (which I know is NOT empty)
588 OperatorValue topVal;
589 m_stack.peekTop( topVal );
590
591 while ( op.precedence < topVal.getPrecedence() ||
592 (op.precedence == topVal.getPrecedence() &&
593 op.associativity == 'L')
594 )
595 {
596 // end reached
597 if ( topVal.isNull() )
598 {
599 m_stack.pop();
600 finalValue = value;
601 return true;
602 }
603
604 // do the calculation ("reduce"), producing a new value
605 if ( !calculate( value, topVal.value, value, topVal.op ) )
606 {
607 return false;
608 }
609 m_stack.pop();
610
611 // Peek at new top value
612 if ( !m_stack.peekTop( topVal ) )
613 {
614 unexpected();
615 return false;
616 }
617 }
618
619 // store on m_stack and continue parsing ("shift")
620 if ( !m_stack.push( OperatorValue( op, value ) ) )
621 {
622 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Operator Stack FULL at index=%d", m_index) );
623 return false;
624 }
625
626 // parse value on the right
627 if ( !parseValue( value ) )
628 {
629 return false;
630 }
631 }
632
633 return false;
634 }
635
636private:
637 /** The current operator and its left value
638 are pushed onto the stack if the operator on
639 top of the stack has lower precedence.
640 */
642
643 /// Expression string
644 const char* m_expr;
645
646 /// Current expression index, incremented whilst parsing
647 size_t m_index;
648
649 /// Length of the expression
650 size_t m_exprLen;
651
652 /// Memory for the stack
653 OperatorValue m_stackMemory[OPTION_CPL_MATH_INTEXPR_MAX_STACK_SIZE];
654};
655
656
657}; // end namespaces
658};
659#endif // end header latch
#define OPTION_CPL_MATH_INTEXPR_MAX_STACK_SIZE
Maximum depth of the operator stack used when evaluating an expression.
Definition IntegerExpressionParser.h:49
#define CPL_SYSTEM_TRACE_MSG(sect, var_args)
Macro Wrapper.
Definition Trace.h:411
This template class implements a THREAD SAFE Ring Buffer.
Definition RingBufferMT.h:33
void clearTheStack() noexcept
Empties the Stack.
Definition Stack.h:136
bool pop(ITEM &dst) noexcept
Removes the top item of the stack.
Definition Stack.h:156
bool peekTop(ITEM &dst) const noexcept
Returns the item on the top of the Stack.
Definition Stack.h:180
bool push(const ITEM src) noexcept
Adds an item to the top of the stack.
Definition Stack.h:143
bool isEmpty(void) const noexcept
This method returns true if the Stack is empty.
Definition Stack.h:204
This template class evaluates an null terminate string that represents an integer arithmetic expressi...
Definition IntegerExpressionParser.h:66
bool eval(const char *expressionAsText, T &result)
Evaluates an integer arithmetic expression and returns true if the expression was successfully evalua...
Definition IntegerExpressionParser.h:79
IntegerExpressionParser()
Constructor.
Definition IntegerExpressionParser.h:69
The 'Cpl' namespace is the root name space for the Colony.
Definition Api16.h:20