GM6000 Digital Heater Controller Branch: main
SDX-1330
RealExpressionParser.h
Go to the documentation of this file.
1#ifndef Cpl_Math_RealExpressionParser_h_
2#define Cpl_Math_RealExpressionParser_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#include "Cpl/Math/real.h"
45#include <stdlib.h>
46#include <math.h>
47
48 /** Maximum depth of the operator stack used when evaluating an expression
49 */
50#ifndef OPTION_CPL_MATH_REALEXPR_MAX_STACK_SIZE
51#define OPTION_CPL_MATH_REALEXPR_MAX_STACK_SIZE 20
52#endif
53
54 ///
55namespace Cpl {
56///
57namespace Math {
58
59
60/** This template class evaluates an null terminate string that represents an
61 real-number arithmetic expression.
62
63 Template Arg(s):
64 T Double/float type to use for the numeric expression/calculations
65 */
66template <typename T>
68{
69public:
70 /// Constructor
72 : m_stack( OPTION_CPL_MATH_REALEXPR_MAX_STACK_SIZE, m_stackMemory )
73 {
74 }
75
76public:
77 /** Evaluates an integer arithmetic expression and returns true if the
78 expression was successfully evaluated. The evaluated value is
79 returned via, the 'result' argument.
80 */
81 bool eval( const char* expressionAsText, T& result )
82 {
83 result = 0;
84 m_index = 0;
85 m_expr = expressionAsText;
86 m_exprLen = strlen( expressionAsText );
87 m_stack.clearTheStack();
88
89 if ( !parseExpr( result ) )
90 {
91 return false;
92 }
93 return true;
94 }
95
96private:
97 /// List of operations
98 enum
99 {
100 OPERATOR_NULL,
101 OPERATOR_ADDITION, //!< +
102 OPERATOR_SUBTRACTION, //!< -
103 OPERATOR_MULTIPLICATION, //!< *
104 OPERATOR_DIVISION, //!< /
105 OPERATOR_MODULO, //!< %
106 OPERATOR_POWER //!< **
107 };
108
109 /// Operator struct
110 struct Operator
111 {
112 /// Operator, one of the OPERATOR_* enum definitions
113 int op;
114
115 /// Precedence
116 int precedence;
117
118 /// 'L' = left or 'R' = right
119 int associativity;
120
121 /// Constructor
122 Operator( int opr, int prec, int assoc )
123 : op( opr )
124 , precedence( prec )
125 , associativity( assoc )
126 { }
127
128 /// Default constructor (used when allocating the stack)
129 Operator()
130 : op( OPERATOR_NULL )
131 , precedence( 0 )
132 , associativity( 'L' )
133 {
134 }
135 };
136
137 /// Operator value struct
138 struct OperatorValue
139 {
140 /// Operator
141 Operator op;
142
143 /// My value
144 T value;
145
146 /// Constructor
147 OperatorValue( const Operator& opr, T val )
148 : op( opr )
149 , value( val )
150 { }
151
152 /// Default constructor (used when allocating the stack)
153 OperatorValue()
154 : op()
155 , value( 0 )
156 {
157 }
158
159 /// Data accessor
160 int getPrecedence() const
161 {
162 return op.precedence;
163 }
164
165 /// Check for null operation
166 bool isNull() const
167 {
168 return op.op == OPERATOR_NULL;
169 }
170 };
171
172
173 bool calculate( T& result, T v1, T v2, const Operator& op ) const
174 {
175 bool success = true;
176 switch ( op.op )
177 {
178 case OPERATOR_ADDITION:
179 result = v1 + v2;
180 break;
181
182 case OPERATOR_SUBTRACTION:
183 result = v1 - v2;
184 break;
185
186 case OPERATOR_MULTIPLICATION:
187 result = v1 * v2;
188 break;
189
190 case OPERATOR_POWER:
191 result = (T) pow( (double)v1, (double) v2 );
192 break;
193
194 case OPERATOR_DIVISION:
195 if ( !Cpl::Math::almostEquals<T>(v2,0,sizeof(T) == sizeof(float)? CPL_MATH_REAL_FLOAT_EPSILON: CPL_MATH_REAL_DOUBLE_EPSILON ))
196 {
197 result = v1 / v2;
198 }
199 else
200 {
201 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Divide by zero at index %d", m_index) );
202 success = false;
203 }
204 break;
205
206 case OPERATOR_MODULO:
207 if ( !Cpl::Math::almostEquals<T>( v2, 0, sizeof( T ) == sizeof(float)? CPL_MATH_REAL_FLOAT_EPSILON : CPL_MATH_REAL_DOUBLE_EPSILON ) )
208 {
209 result = (T) fmod( (double)v1, (double)v2 );
210 }
211 else
212 {
213 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Modulo by zero at index %d", m_index) );
214 success = false;
215 }
216 break;
217
218 default:
219 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Unsupported Operator (%d)", op.op) );
220 success = false;
221 break;
222 }
223
224 return success;
225 }
226
227 /// Check if the end of the expression has been reached
228 bool isEnd() const
229 {
230 return m_index >= m_exprLen;
231 }
232
233 /** Returns the character at the current expression index or
234 0 if the end of the expression is reached.
235 */
236 char getCharacter() const
237 {
238 if ( !isEnd() )
239 {
240 return m_expr[m_index];
241 }
242
243 return 0;
244 }
245
246 /// 'Record' that an error occurred
247 void unexpected() const
248 {
249 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Syntax error: unexpected token at index %d [%s]",
250 m_index,
251 m_expr) );
252 }
253
254 /** Eat all white space characters at the
255 current expression index.
256 */
257 void eatSpaces()
258 {
259 while ( isspace( getCharacter() ) != 0 )
260 {
261 m_index++;
262 }
263 }
264
265 /** Parse a binary operator at the current expression index.
266 @return Operator with precedence and associativity.
267 */
268 bool parseOp( Operator& result )
269 {
270 bool success = true;
271
272 eatSpaces();
273 switch ( getCharacter() )
274 {
275 case '+':
276 m_index++;
277 result = Operator( OPERATOR_ADDITION, 10, 'L' );
278 break;
279
280 case '-':
281 m_index++;
282 result = Operator( OPERATOR_SUBTRACTION, 10, 'L' );
283 break;
284
285 case '/':
286 m_index++;
287 result = Operator( OPERATOR_DIVISION, 20, 'L' );
288 break;
289
290 case '%':
291 m_index++;
292 result = Operator( OPERATOR_MODULO, 20, 'L' );
293 break;
294
295 case '*':
296 m_index++;
297 if ( getCharacter() != '*' )
298 {
299 result = Operator( OPERATOR_MULTIPLICATION, 20, 'L' );
300 }
301 else
302 {
303 m_index++;
304 result = Operator( OPERATOR_POWER, 30, 'R' );
305 }
306 break;
307
308 default:
309 result = Operator( OPERATOR_NULL, 0, 'L' );
310 break;
311 }
312
313 return success;
314 }
315
316 T parseReal()
317 {
318 char* endPtr = 0;
319 T value = (T) strtod( m_expr + m_index, &endPtr );
320 m_index = endPtr - m_expr;
321 return value;
322 }
323
324 /** Parse an integer value at the current expression index.
325 The unary `+', `-' and `~' operators and opening
326 parentheses `(' cause recursion.
327 */
328 bool parseValue( T& valFinal )
329 {
330 T val = 0;
331 eatSpaces();
332 switch ( getCharacter() )
333 {
334 case '.':
335 case '0':
336 case '1':
337 case '2':
338 case '3':
339 case '4':
340 case '5':
341 case '6':
342 case '7':
343 case '8':
344 case '9':
345 val = parseReal();
346 break;
347
348 case '(':
349 m_index++;
350 if ( !parseExpr( val ) )
351 {
352 return false;
353 }
354 eatSpaces();
355 if ( getCharacter() != ')' )
356 {
357 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Syntax error: `)' expected at end of expression (index=%d",
358 m_index) );
359 return false;
360 }
361 m_index++;
362 break;
363
364 case '+':
365 m_index++;
366 if ( !parseValue( val ) )
367 {
368 return false;
369 }
370 break;
371
372 case '-':
373 m_index++;
374 if ( !parseValue( val ) )
375 {
376 return false;
377 }
378 val = val * static_cast<T>(-1);
379 break;
380
381 default:
382 if ( !isEnd() )
383 {
384 unexpected();
385 return false;
386 }
387 }
388
389 valFinal = val;
390 return true;
391 }
392
393 /** Parse all operations of the current parenthesis
394 level and the levels above, when done
395 return the result (value).
396 */
397 bool parseExpr( T& finalValue )
398 {
399 m_stack.push( OperatorValue( Operator( OPERATOR_NULL, 0, 'L' ), 0 ) );
400
401 // first parse value on the left
402 T value;
403 if ( !parseValue( value ) )
404 {
405 return false;
406 }
407
408 while ( !m_stack.isEmpty() )
409 {
410 // parse an operator (+, -, *, ...)
411 Operator op;
412 if ( !parseOp( op ) )
413 {
414 return false;
415 }
416
417 // Peek at the next value on the stack (which I know is NOT empty)
418 OperatorValue topVal;
419 m_stack.peekTop( topVal );
420
421 while ( op.precedence < topVal.getPrecedence() ||
422 (op.precedence == topVal.getPrecedence() &&
423 op.associativity == 'L')
424 )
425 {
426 // end reached
427 if ( topVal.isNull() )
428 {
429 m_stack.pop();
430 finalValue = value;
431 return true;
432 }
433
434 // do the calculation ("reduce"), producing a new value
435 if ( !calculate( value, topVal.value, value, topVal.op ) )
436 {
437 return false;
438 }
439 m_stack.pop();
440
441 // Peek at new top value
442 if ( !m_stack.peekTop( topVal ) )
443 {
444 unexpected();
445 return false;
446 }
447 }
448
449 // store on m_stack and continue parsing ("shift")
450 if ( !m_stack.push( OperatorValue( op, value ) ) )
451 {
452 CPL_SYSTEM_TRACE_MSG( "Cpl::Math", ("Operator Stack FULL at index=%d", m_index) );
453 return false;
454 }
455
456 // parse value on the right
457 if ( !parseValue( value ) )
458 {
459 return false;
460 }
461 }
462
463 return false;
464 }
465
466private:
467 /** The current operator and its left value
468 are pushed onto the stack if the operator on
469 top of the stack has lower precedence.
470 */
472
473 /// Expression string
474 const char* m_expr;
475
476 /// Current expression index, incremented whilst parsing
477 size_t m_index;
478
479 /// Length of the expression
480 size_t m_exprLen;
481
482 /// Memory for the stack
483 OperatorValue m_stackMemory[OPTION_CPL_MATH_REALEXPR_MAX_STACK_SIZE];
484};
485
486
487}; // end namespaces
488};
489#endif // end header latch
#define OPTION_CPL_MATH_REALEXPR_MAX_STACK_SIZE
Maximum depth of the operator stack used when evaluating an expression.
Definition RealExpressionParser.h:51
#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 real-number arithmetic expr...
Definition RealExpressionParser.h:68
RealExpressionParser()
Constructor.
Definition RealExpressionParser.h:71
bool eval(const char *expressionAsText, T &result)
Evaluates an integer arithmetic expression and returns true if the expression was successfully evalua...
Definition RealExpressionParser.h:81
The 'Cpl' namespace is the root name space for the Colony.
Definition Api16.h:20
This file contains a collection of methods comparing, manipulating, etc.
#define CPL_MATH_REAL_FLOAT_EPSILON
This symbols provides the default Epsilon value when testing for 'almost equal' between to float numb...
Definition real.h:30
#define CPL_MATH_REAL_DOUBLE_EPSILON
This symbols provides the default Epsilon value when testing for 'almost equal' between to double num...
Definition real.h:37