2019-03-01 16:53:29 +00:00
|
|
|
"""
|
|
|
|
Output:
|
|
|
|
|
|
|
|
Enter a Postfix Equation (space separated) = 5 6 9 * +
|
|
|
|
Symbol | Action | Stack
|
|
|
|
-----------------------------------
|
|
|
|
5 | push(5) | 5
|
|
|
|
6 | push(6) | 5,6
|
|
|
|
9 | push(9) | 5,6,9
|
|
|
|
| pop(9) | 5,6
|
|
|
|
| pop(6) | 5
|
|
|
|
* | push(6*9) | 5,54
|
|
|
|
| pop(54) | 5
|
|
|
|
| pop(5) |
|
|
|
|
+ | push(5+54) | 59
|
|
|
|
|
2019-11-16 07:05:00 +00:00
|
|
|
Result = 59
|
2019-03-01 16:53:29 +00:00
|
|
|
"""
|
|
|
|
|
|
|
|
import operator as op
|
|
|
|
|
2019-10-05 05:14:13 +00:00
|
|
|
|
2019-03-01 16:53:29 +00:00
|
|
|
def Solve(Postfix):
|
|
|
|
Stack = []
|
2020-05-22 06:10:11 +00:00
|
|
|
Div = lambda x, y: int(x / y) # noqa: E731 integer division operation
|
2019-10-05 05:14:13 +00:00
|
|
|
Opr = {
|
|
|
|
"^": op.pow,
|
|
|
|
"*": op.mul,
|
|
|
|
"/": Div,
|
|
|
|
"+": op.add,
|
|
|
|
"-": op.sub,
|
|
|
|
} # operators & their respective operation
|
2019-03-01 16:53:29 +00:00
|
|
|
|
|
|
|
# print table header
|
2019-10-05 05:14:13 +00:00
|
|
|
print("Symbol".center(8), "Action".center(12), "Stack", sep=" | ")
|
|
|
|
print("-" * (30 + len(Postfix)))
|
2019-03-01 16:53:29 +00:00
|
|
|
|
|
|
|
for x in Postfix:
|
2019-10-05 05:14:13 +00:00
|
|
|
if x.isdigit(): # if x in digit
|
|
|
|
Stack.append(x) # append x to stack
|
2020-05-22 06:10:11 +00:00
|
|
|
# output in tabular format
|
|
|
|
print(x.rjust(8), ("push(" + x + ")").ljust(12), ",".join(Stack), sep=" | ")
|
2019-03-01 16:53:29 +00:00
|
|
|
else:
|
2019-10-05 05:14:13 +00:00
|
|
|
B = Stack.pop() # pop stack
|
2020-05-22 06:10:11 +00:00
|
|
|
# output in tabular format
|
|
|
|
print("".rjust(8), ("pop(" + B + ")").ljust(12), ",".join(Stack), sep=" | ")
|
2019-03-01 16:53:29 +00:00
|
|
|
|
2019-10-05 05:14:13 +00:00
|
|
|
A = Stack.pop() # pop stack
|
2020-05-22 06:10:11 +00:00
|
|
|
# output in tabular format
|
|
|
|
print("".rjust(8), ("pop(" + A + ")").ljust(12), ",".join(Stack), sep=" | ")
|
2019-03-01 16:53:29 +00:00
|
|
|
|
2019-10-05 05:14:13 +00:00
|
|
|
Stack.append(
|
|
|
|
str(Opr[x](int(A), int(B)))
|
2020-01-18 12:24:33 +00:00
|
|
|
) # evaluate the 2 values popped from stack & push result to stack
|
2020-05-22 06:10:11 +00:00
|
|
|
# output in tabular format
|
2019-10-05 05:14:13 +00:00
|
|
|
print(
|
|
|
|
x.rjust(8),
|
|
|
|
("push(" + A + x + B + ")").ljust(12),
|
|
|
|
",".join(Stack),
|
|
|
|
sep=" | ",
|
2020-05-22 06:10:11 +00:00
|
|
|
)
|
2019-03-01 16:53:29 +00:00
|
|
|
|
|
|
|
return int(Stack[0])
|
|
|
|
|
|
|
|
|
|
|
|
if __name__ == "__main__":
|
2019-10-05 05:14:13 +00:00
|
|
|
Postfix = input("\n\nEnter a Postfix Equation (space separated) = ").split(" ")
|
2019-03-01 16:53:29 +00:00
|
|
|
print("\n\tResult = ", Solve(Postfix))
|