在C#中的堆栈类中推送与弹出

堆栈类表示对象的后进先出集合。当您需要对项目进行后进先出的访问时使用。

以下是Stack类的属性-

  • Count-获取堆栈中元素的数量。

推送操作

使用Push操作在堆栈中添加元素-

Stack st = new Stack();

st.Push('A');

st.Push('B');

st.Push('C');

st.Push('D');

弹出操作

Pop操作从顶部的元素开始从堆栈中删除元素。

这里是展示如何使用Stack类及其工作的范例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 + " ");

         }

      }

   }

}

以上是 在C#中的堆栈类中推送与弹出 的全部内容, 来源链接: utcz.com/z/334994.html

回到顶部