如何在 C# 中从数组列表中移除一个元素?
声明一个新的 ArrayList,并向其中添加元素。
ArrayList arr = new ArrayList(); arr.Add( "One" ); arr.Add( "Two" ); arr.Add( "Three" ); arr.Add( "Four" );
现在,假设你需要移除“Three”元素。为此,请使用 Remove() 方法。
arr.Remove("Three");
以下是从 ArrayList 中移除元素的完整示例 -
示例
using System; using System.Collections; class Demo { static void Main() { ArrayList arr = new ArrayList(); arr.Add( "One" ); arr.Add( "Two" ); arr.Add( "Three" ); arr.Add( "Four" ); Console.WriteLine("ArrayList..."); foreach(string str in arr) { Console.WriteLine(str); } arr.Remove("Three"); Console.WriteLine("ArrayList after removing an element..."); foreach(string str in arr) { Console.WriteLine(str); } Console.ReadLine(); } }
输出
ArrayList... One Two Three Four ArrayList after removing an element... One Two Four
广告