Un modo per valutare un'espressione è con un parser di discesa ricorsivo. http://en.wikipedia.org/wiki/Recursive_descent_parser
Ecco un esempio di grammatica in forma BNF: http://en.wikipedia.org/wiki/Backus-Naur_form
Expr ::= Term ('+' Term | '-' Term)*
Term ::= Factor ('*' Factor | '/' Factor)*
Factor ::= ['-'] (Number | '(' Expr ')')
Number ::= Digit+
Qui * significa che l'elemento precedente viene ripetuto zero o più volte, + significa una o più ripetizioni, tra parentesi quadre significa opzionale.
La grammatica garantisce che gli elementi di precedenza più alta vengano raccolti prima o, in questo caso, prima valutati. Mentre si visita ciascun nodo nella grammatica, anziché creare un albero di sintassi astratto, si valuta il nodo corrente e si restituisce il valore.
codice di esempio (non perfetto, ma dovrebbe darvi un'idea di come mappare BNF a codice):
def parse_expr():
term = parse_term()
while 1:
if match('+'):
term = term + parse_term()
elif match('-'):
term = term - parse_term()
else: return term
def parse_term():
factor = parse_factor()
while 1:
if match('*'):
factor = factor * parse_factor()
elif match('/'):
factor = factor/parse_factor()
else: return factor
def parse_factor():
if match('-'):
negate = -1
else: negate = 1
if peek_digit():
return negate * parse_number()
if match('('):
expr = parse_expr()
if not match(')'): error...
return negate * expr
error...
def parse_number():
num = 0
while peek_digit():
num = num * 10 + read_digit()
return num
per mostrare come il tuo esempio di 1 + 2 * 10 - 2
valuterà:
call parse_expr stream is 1 + 2 * 10 - 2
call parse term
call parse factor
call parse number which returns 1 stream is now + 2 * 10 - 2
match '+' stream is now 2 * 10 - 2
call parse factor
call parse number which returns 2 stream is now * 10 - 2
match '*' stream is now 10 - 2
call parse number which returns 10 stream is now - 2
computes 2 * 10, return 20
compute 1 + 20 -> 21
match '-' stream is now 2
call parse factor
call parse number which returns 2 stream is empty
compute 21 - 2, return 19
return 19
Ci sono molti modi per valutarlo. Eccone uno: http://en.wikipedia.org/wiki/Shunting-yard_algorithm –
Qualsiasi lingua che preferisci? Ecco un esempio in .Net usando Irony.net. http://blog.miraclespain.com/archive/2009/Oct-07.html – gjvdkamp