Group
Dynamic Memory Management in C#
Objective
1. Implement a function that takes a string of parentheses as input.
2. Use a stack or a counter to check if the parentheses are balanced.
3. Return true if the parentheses are balanced and false if they are not.
4. Ensure that each opening parenthesis has a corresponding closing parenthesis and that they are properly nested.
5. Test your function with different sequences of parentheses to verify its correctness.
In this exercise, you need to implement a function to check if a sequence of open and closed parentheses is balanced.
Example C# Exercise
Show C# Code
using System;
using System.Collections.Generic;
class BalancedParentheses
{
// Function to check if the sequence of parentheses is balanced
static bool IsBalanced(string sequence)
{
Stack stack = new Stack(); // Create a stack to hold opening parentheses
// Loop through each character in the sequence
foreach (char ch in sequence)
{
// If the character is an opening parenthesis, push it onto the stack
if (ch == '(')
{
stack.Push(ch);
}
// If the character is a closing parenthesis
else if (ch == ')')
{
// If the stack is empty, it means there's no matching opening parenthesis
if (stack.Count == 0)
{
return false; // Return false if the parentheses are not balanced
}
// Pop the top element from the stack as it matches the closing parenthesis
stack.Pop();
}
}
// If the stack is empty, all opening parentheses had matching closing parentheses
return stack.Count == 0;
}
static void Main()
{
string sequence = "(()()(()))"; // Example valid sequence
bool result = IsBalanced(sequence); // Check if the sequence is balanced
// Display the result
Console.WriteLine($"Sequence: {sequence}");
Console.WriteLine($"Is the sequence balanced? {result}");
sequence = "(((()"; // Example invalid sequence
result = IsBalanced(sequence); // Check if the sequence is balanced
// Display the result
Console.WriteLine($"Sequence: {sequence}");
Console.WriteLine($"Is the sequence balanced? {result}");
}
}
Output
Sequence: (()()(())))
Is the sequence balanced? True
Sequence: ((((
Is the sequence balanced? False