C# 中栈类的 push 和 pop
栈类表示先进后出的对象集合。当需要先进后出的项目访问时使用它。
以下是栈类的属性−
计数 − 获取栈中的元素数。
推送操作
使用推送操作向栈中添加元素−
Stack st = new Stack(); st.Push('A'); st.Push('B'); st.Push('C'); st.Push('D');
弹出操作
弹出操作从栈中移除元素,从顶部的元素开始。
以下示例演示了如何使用栈类及其 Push() 和 Pop() 方法−
Using System; using System.Collections; namespace CollectionsApplication { class Program { static void Main(string[] args) { Stack st = new Stack(); st.Push('A'); st.Push('B'); st.Push('C'); st.Push('D'); Console.WriteLine("Current stack: "); foreach (char c in st) { Console.Write(c + " "); } Console.WriteLine(); st.Push('P'); st.Push('Q'); Console.WriteLine("The next poppable value in stack: {0}", st.Peek()); Console.WriteLine("Current stack: "); foreach (char c in st) { Console.Write(c + " "); } Console.WriteLine(); Console.WriteLine("Removing values...."); st.Pop(); st.Pop(); st.Pop(); Console.WriteLine("Current stack: "); foreach (char c in st) { Console.Write(c + " "); } } } }
广告