欢迎来到代码驿站!

.NET代码

当前位置:首页 > 软件编程 > .NET代码

C#中IEnumerable接口用法实例分析

时间:2021-04-13 09:14:39|栏目:.NET代码|点击:

本文实例讲述了C#中IEnumerable接口用法。分享给大家供大家参考。具体分析如下:

枚举数可用于读取集合中的数据,但不能用于修改基础集合。

最初,枚举数定位在集合中第一个元素前。Reset 方法还会将枚举数返回到此位置。在此位置上,Current 属性未定义。因此,在读取 Current 的值之前,必须调用 MoveNext 方法将枚举数提前到集合的第一个元素。

在调用 MoveNext 或 Reset 之前,Current 返回同一对象。MoveNext 将 Current 设置为下一个元素。

如果 MoveNext 越过集合的末尾,枚举数就会被放置在此集合中最后一个元素的后面,且 MoveNext 返回 false。当枚举数位于此位置时,对 MoveNext 的后续调用也返回 false。如果对 MoveNext 的最后一次调用返回 false,则 Current 为未定义。若要再次将 Current 设置为集合的第一个元素,可以调用 Reset,然后再调用 MoveNext。

只要集合保持不变,枚举数就保持有效。如果对集合进行更改(如添加、修改或删除元素),则枚举数将失效且不可恢复,而且其行为是不确定的。

枚举数没有对集合的独占访问权;因此,从头到尾对一个集合进行枚举在本质上不是一个线程安全的过程。若要确保枚举过程中的线程安全,可以在整个枚举过程中锁定集合。若要允许多个线程访问集合以进行读写操作,则必须实现自己的同步。

下面的代码示例演示如何实现自定义集合的 IEnumerable 接口。在此示例中,没有显式调用但实现了 GetEnumerator,以便支持使用 foreach(在 Visual Basic 中为 For Each)。此代码示例摘自 IEnumerable 接口的一个更大的示例。

using System;
using System.Collections;
public class Person
{
 public Person(string fName, string lName)
 {
  this.firstName = fName;
  this.lastName = lName;
 }
 public string firstName;
 public string lastName;
}
public class People : IEnumerable
{
 private Person[] _people;
 public People(Person[] pArray)
 {
  _people = new Person[pArray.Length];
  for (int i = 0; i < pArray.Length; i++)
  {
   _people[i] = pArray[i];
  }
 }
 IEnumerator IEnumerable.GetEnumerator()
 {
  return (IEnumerator) GetEnumerator();
 }
 public PeopleEnum GetEnumerator()
 {
  return new PeopleEnum(_people);
 }
}
public class PeopleEnum : IEnumerator
{
 public Person[] _people;
 // Enumerators are positioned before the first element
 // until the first MoveNext() call.
 int position = -1;
 public PeopleEnum(Person[] list)
 {
  _people = list;
 }
 public bool MoveNext()
 {
  position++;
  return (position < _people.Length);
 }
 public void Reset()
 {
  position = -1;
 }
 object IEnumerator.Current
 {
  get
  {
   return Current;
  }
 }
 public Person Current
 {
  get
  {
   try
   {
    return _people[position];
   }
   catch (IndexOutOfRangeException)
   {
    throw new InvalidOperationException();
   }
  }
 }
}
class App
{
 static void Main()
 {
  Person[] peopleArray = new Person[3]
  {
   new Person("John", "Smith"),
   new Person("Jim", "Johnson"),
   new Person("Sue", "Rabon"),
  };
  People peopleList = new People(peopleArray);
  foreach (Person p in peopleList)
   Console.WriteLine(p.firstName + " " + p.lastName);
 }
}
/* This code produces output similar to the following:
 *
 * John Smith
 * Jim Johnson
 * Sue Rabon
 *
 */

希望本文所述对大家的C#程序设计有所帮助。

上一篇:C#实现在应用程序间发送消息的方法示例

栏    目:.NET代码

下一篇:ASP.NET Core中的响应压缩的实现

本文标题:C#中IEnumerable接口用法实例分析

本文地址:http://www.codeinn.net/misctech/100429.html

推荐教程

广告投放 | 联系我们 | 版权申明

重要申明:本站所有的文章、图片、评论等,均由网友发表或上传并维护或收集自网络,属个人行为,与本站立场无关。

如果侵犯了您的权利,请与我们联系,我们将在24小时内进行处理、任何非本站因素导致的法律后果,本站均不负任何责任。

联系QQ:914707363 | 邮箱:codeinn#126.com(#换成@)

Copyright © 2020 代码驿站 版权所有