Group
Dynamic Memory Management in C#
Objective
1. Read an RPN expression from a text file.
2. Store each item in a queue.
3. Transfer elements from the queue to a stack.
4. Process the stack to compute the result of the RPN expression.
5. Display the final result on the console.
Create a program that reads a Reverse Polish Notation expression from a text file, for example:
3 4 6 5 - + * 6 +
(Result 21)
Each item will be stored in a queue. Once the queue has all the items stored, you will need to transfer them from the queue to a stack using the Queue and Stack classes provided in C#.
Finally, you will operate with the stack to get the correct result of the RPN expression and show it on the console.
Example C# Exercise
Show C# Code
using System;
using System.Collections.Generic;
using System.IO;
class ReversePolishNotation
{
static void Main()
{
// Define the file path where the RPN expression is stored
string filePath = "rpn_expression.txt";
// Read the expression from the file
string expression = File.ReadAllText(filePath).Trim();
// Split the expression into individual tokens (numbers and operators)
string[] tokens = expression.Split(' ');
// Create a queue to store the tokens
Queue queue = new Queue();
// Enqueue each token into the queue
foreach (string token in tokens)
{
queue.Enqueue(token);
}
// Create a stack to process the RPN expression
Stack stack = new Stack();
// Process the queue and evaluate the RPN expression
while (queue.Count > 0)
{
string currentToken = queue.Dequeue();
// Check if the token is a number
if (int.TryParse(currentToken, out int number))
{
// Push the number onto the stack
stack.Push(number);
}
else
{
// If the token is an operator, pop two values from the stack
int b = stack.Pop();
int a = stack.Pop();
// Perform the corresponding operation
int result = currentToken switch
{
"+" => a + b,
"-" => a - b,
"*" => a * b,
"/" => a / b,
_ => throw new InvalidOperationException("Invalid operator encountered.")
};
// Push the result back onto the stack
stack.Push(result);
}
}
// The final result will be the only value left in the stack
Console.WriteLine($"Result: {stack.Pop()}");
}
}
Output
Result: 21