Click here to Skip to main content
15,881,248 members
Articles / Web Development / HTML
Tip/Trick

CalcStar: A C++ Math Expression Evaluator

Rate me:
Please Sign up or sign in to vote.
4.86/5 (18 votes)
14 Jan 2017LGPL35 min read 66.4K   4K   43   21
CalcStar is an expandable, fast C++ function evaluator that gives the user the same computational power as a scientific calculator.

The following is an example implementation using the GT Graphical User Interface system.

Download source

Download GtCalculatorApp_20170114.zip

Version 1.1.0
Date: 12/01/2016
Author: Anthony Daniels
email:  AnthonyDaniels99@gmail.com

Introduction

CalcStar is an expandable, fast C++ function evaluator that gives the user the same computational power as a scientific calculator. The library can be used to provide function evaluation capability in any C++ project. The function evaluator tokenizes any input function and compiles it into an RPN stack before evaluating it providing the user an answer. Functions are typed in a C++ syntax format and in in-fix notation (i.e 2 + 2). CalcStar supports the use of variables in the functions. Using CalcStar starts with including the library header.

C++
#include <CalcStar.h>

From there, the user declares a function evaluator, sets the expression to be evaluated and variables, then evaluates the function giving an answer. Once an equation has been compiled, the user can evaluate with the existing RPN stack to avoid the extra computational effort of compiling every execution. However, it should be noted that compiling is very fast. Below is an example usage of the function evaluator that can be found in the supplied TestApp.

C++
Std::string strFunc;
strFunc = "(2 + 2)/3 * pow(3,2) - 2";
this->m_objFuncEvaluator.Set_strExpression(strFunc);
m_objFuncEvaluator.Evaluate();
dblAnswer = m_objFuncEvaluator.Get_dblCurrValue();

Setting variables is as simple as:

C++
CSVariable objVarTemp;
objVarTemp.m_strVarName = "X1";
objVarTemp.m_dblCurrVal = varValue;
m_objFuncEvaluator.AddVariable(objVarTemp);

Updating the value of a variable is simple as well.

C++
m_objFuncEvaluator.UpdateVariable(strVarName,dblNewVal);

CalcStar Design

CalcStar is a general purpose calculator. Essentially, it is on par with any infix notation scientific calculator (think TI-83). When the CalcStar calculates the answer to an expression, it goes through three phases: Tokenization, Compilation, and Execution. In Tokenization, the string mathematical expression is parsed into a collection of "tokens" or mathematical words. The token is the basic unit of operation in a mathematical expression. Below is the list of token types in CalcStar:

enum CSTAR_DLLAPI CSTokenType
 { //IMPORTANT NOTE!!! these operators are in order of operation prescedence
  //THE HIGHER THE NUMBER THE HIGHER THE PRESCEDENCE
  //DO NOT CHANGE THIS ORDERING, HARDCODING IS USED BASED ON ENUMERATED TYPES
  //
  NOOP = -1,
  OPENPAREN = 0,
  OPENBRACKET,
  OPENBLOCK,
  CLOSEPAREN,
  CLOSEBRACKET,
  CLOSEBLOCK,
  COMMA,
  LT,
  GT,
  LTE,
  GTE,
  NEQ,
  EQ,
  AND,
  OR,
  NOT,
  SUB,
  ADD,
  DIV,
  MULT,
  POW,
  NEG,
  ASSIGN,
  NUMBER,
  VAR,
  FUNC
 };

Function is used for any type of user defined function, such as pow() for power. Functions have a "signature" followed by an "(". It should be noted that if CalcStar can’t find the function signature in its registry, it will consider that token a variable. The CSToken object has the following member variables:

C++
//This is a thin class, so member
variables are public
//like in a typical struct
//!The token type of this RPN Unit
CSTokenType m_objTokenType;
 
//!The string representation of the token, also the signature
std::string m_strToken;
 
//!Token's associativity
CSAssociativity m_objAssociativity;
 
//!Numeric version of token if applicable
double m_dblToken;

Once the expression has been tokenized, that stack is compiled into a Reverse Polarity Notation (RPN) stack to allow for computation. It creates the RPN stack by using a modified version of the Shunting Yard Algorithm, a well known algorithm in computer science. RPN stacks preserve order of operations and allows the computer to simply scan through the stack once performing the operations along the way. As operations are performed, their inputs and the operator are replaced with a single CSRpnUnit that is the output number for that portion of the calculation. The process continues until a single output number is left. This is the answer of the expression.

CalcStar Expressions

The user may write any infix notation C++ style mathematical expression that evaluates to a single number. An example of this is: ( 2 + 3) * X – 1, where X is a variable equal to 3.1415926. The built in operators and functions of CalcStar are as follows:

Basic Functions

NameSignatureNameSignature
Add+Boolean And&&
Subtract-Boolean Equal==
Multiply*Boolean Not!
Divide/Boolean Not Equal!=
ExponentialexpBoolean Or||
PowerpowGreater Than>
Natural LoglnGreater Than or Equal>=
Log2log2Less Than<
Log10log10Less Than or Equal<=
Absolute ValueabsCeilingceil
Square RootsqrtFloorfloor
 Truncatetrunc

Trigonometric Functions

NameSignatureNameSignature
SinesinArc Sineasin
CosinecosArc Cosineacos
TangenttanArc Tangentatan
Hyp SinesinhArc Hyp Sineasinh
Hyp CosinecoshArc Hyp Cosineacosh
Hyp TangenttanhArc Hyp Tangentatanh

The following is a screen shot from the GT based Calculator application.  For more information on GT please see this article.

https://www.codeproject.com/tips/897483/gt-a-cplusplus-graphical-user-interface-library-and-system

The Test Menu runs the Prashtow test series from ExprTK.  It has approximately 6600 tests and the answers were generated in the Excel file in the Calculator\TestSuite folder.  The results are shown in the "TestCalcStar_Results.txt" file that is generated.  Currently out of the 6600 tests CalcStar is only failing 20 tests.  Most of these failures revolve around precision issues of large numbers coming out of the CSV generated answers file.  The others revolve around the log function.  This is being investigated.

Image 1

 

Expanding CalcStar

One of the most important features of CalcStar is the ease with which it can be expanded. The user can add new functions to the system with minimal effort using the existing set of operators and functions as an example. Every CSRpnUnit has a pointer to an CSOpBase object that is responsible for performing the actual calculation when Evaluate() is called. CSOpBase is the base class for all operations and functions in CalcStar. It is essentially a functor design, with a virtual function:

C++
virtual int OpEval(std::vector<CSRpnUnit> &
arrObjCalcStack, bool & blnCalcSuccessful,int intCurrPos) = 0; 

This function gets overridden whenever the user inherits from CSOpBase. To illustrate this, let’s look at the CSOpPower function in detail.

C++
class CSOpPower: public CSOpBase
{
public:
//!Default Constructor
CSOpPower();
//!Default Destructor
~CSOpPower();
 
//!Perform the operation on the stack
virtual int OpEval(std::vector<CSRpnUnit> & arrObjCalcStack,
bool & blnCalcSuccessful,int intCurrPos);
 
};
 
//OBJECT FACTORY REGISTRATION CODE
static bool blnCSOpPower_Registered = 
CSTAR::GetOpBaseFactoryPtr()->Register<CSOpPower>("pow");

CSOpPower inherits from CSOpBase and implements the virtual OpEval function to perform the actual power calculation. Outside and after the class definition, the new function is registered with the OpBase Factory by the GetOpBaseFactoryPtr()… line of code. The template argument is the class being registered. The string supplied to the function is the signature of the function. Registering is all the user has to do to install new functions to be used. When the library compiles, it registers all of the functions this way. In the implementation of the OpEval:

C++
//!Perform the operation on the stack
int CSOpPower::OpEval(std::vector<CSRpnUnit> & arrObjCalcStack,
bool & blnCalcSuccessful,int intCurrPos)
{
   //FUNCTION: pow(Number, numdecimal)
   //first determine if the necessary inputs are valid, if they are,
   //then get the input numbers and perform the calculation,
   // Once the calculation is made
   // then replace the operation and input tokens
   // with the output number token
 
   char chrOutput[256];
   for (int i = 0; i < 256; chrOutput[i++] = '\0');
   blnCalcSuccessful = true;
   bool blnValid;
   double dblOutput;
   CSRpnUnit
   objOutput;
 
   try{
      this->ValidOpInputs(arrObjCalcStack,blnValid,intCurrPos,2);
 
      if(blnValid)
      {
          //then valid inputs, perform the power calculation
          //then replace the sin calculation results with the single number
          double dblNum, dblPower;
          this->GetOpNumber(&(arrObjCalcStack.at(intCurrPos - 1)),dblPower);
          this->GetOpNumber(&(arrObjCalcStack.at(intCurrPos - 2)),dblNum);
 
          dblOutput = pow(dblNum,dblPower);
 
          objOutput.m_objTokenType = NUMBER;
          objOutput.m_dblToken = dblOutput;
          sprintf_s(chrOutput,"%f",dblOutput);
          objOutput.m_strToken = chrOutput;
 
          this->ReplaceOp(arrObjCalcStack,intCurrPos - 2,intCurrPos,objOutput);
          blnCalcSuccessful = true;
          return 1;
 
      }else{
          blnCalcSuccessful = false;
          return 0;
      }
   }catch(...){
      blnCalcSuccessful = false;
      return -1;
   }//end try catch
 
};

The operation first performs a ValidOpInputs() to check and see if the correct inputs are there for the function in the stack. If valid, then the power calculation is performed. Next the ReplaceOp() is called replacing the operator and inputs with a single output number CSRpnUnit. It is recommended that the user follow this pattern (validate, calculate, replace). It is also recommended that in making a new function, just copy an existing function and change the name and inner workings. It is easier that way and the user will be less likely to forget something or make mistakes.

License

This article, along with any associated source code and files, is licensed under The GNU Lesser General Public License (LGPLv3)


Written By
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
QuestionProvides good start point for my Bridge Game Project (still in infancy) Pin
bob milr26-Dec-23 5:39
bob milr26-Dec-23 5:39 
QuestionVariable parsing question Pin
.dan.g.26-Jul-21 22:16
professional.dan.g.26-Jul-21 22:16 
AnswerRe: Variable parsing question Pin
trident9927-Jul-21 13:45
trident9927-Jul-21 13:45 
GeneralRe: Variable parsing question Pin
.dan.g.28-Jul-21 19:57
professional.dan.g.28-Jul-21 19:57 
Thanks for the quick response, I'll take a look at the code and see if I can implement the token collection accessor as suggested.
.dan.g.

AbstractSpoon Software
email: abstractspoon(dot)todolist(at)gmail(dot)com

BugParser fails trivial expressions Pin
Arash Partow8-Dec-16 15:46
Arash Partow8-Dec-16 15:46 
GeneralRe: Parser fails trivial expressions Pin
trident9912-Jan-17 12:59
trident9912-Jan-17 12:59 
GeneralRe: Parser fails trivial expressions Pin
Arash Partow12-Jan-17 14:35
Arash Partow12-Jan-17 14:35 
GeneralRe: Parser fails trivial expressions Pin
trident9914-Jan-17 12:19
trident9914-Jan-17 12:19 
SuggestionQt qmake project file would have been nice! Pin
sisira2-Dec-16 11:08
sisira2-Dec-16 11:08 
GeneralRe: Qt qmake project file would have been nice! Pin
trident993-Dec-16 4:54
trident993-Dec-16 4:54 
PraiseVery Nice and Useful Pin
koothkeeper2-Dec-16 9:17
professionalkoothkeeper2-Dec-16 9:17 
GeneralMy vote of 5 Pin
Farhad Reza2-Dec-16 6:11
Farhad Reza2-Dec-16 6:11 
QuestionThis class have a bug Pin
Member 99916389-Nov-14 22:02
Member 99916389-Nov-14 22:02 
AnswerRe: This class have a bug Pin
trident992-Dec-14 8:23
trident992-Dec-14 8:23 
GeneralRe: This class have a bug Pin
sisira2-Dec-16 10:56
sisira2-Dec-16 10:56 
GeneralRe: This class have a bug Pin
jefito2-Dec-16 14:41
jefito2-Dec-16 14:41 
GeneralRe: This class have a bug Pin
degski2-Dec-16 17:50
degski2-Dec-16 17:50 
GeneralRe: This class have a bug Pin
trident993-Dec-16 4:57
trident993-Dec-16 4:57 
GeneralRe: This class have a bug Pin
jefito3-Dec-16 16:07
jefito3-Dec-16 16:07 
GeneralRe: This class have a bug Pin
trident9916-Jan-17 10:17
trident9916-Jan-17 10:17 
GeneralRe: This class have a bug Pin
trident9912-Feb-18 9:58
trident9912-Feb-18 9:58 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.