samsungsamsung 发表于 2015-5-12 12:03:24

Windows Phone 7 IEnumerable.Select和SelectMany的区别

  IEnumerable在Windows Phone 7的程序上很常用,它允许开发人员定义foreach语句功能的实现并支持非泛型方法的简单迭代,下面主要分析一下 IEnumerable.Select和IEnumerable.SelectMany这两个方法的区别。
  IEnumerable.Select将序列中的每个元素投影到新表中。
  IEnumerable.SelectMany 将序列的每个元素投影到 IEnumerable 并将结果序列合并为一个序列。
  SelectMany 方法枚举输入序列,使用转换函数将每个元素映射到 IEnumerable,然后枚举并生成每个这种 IEnumerable 对象的元素。 也就是说,对于 source 的每个元素,selector 被调用,返回一个值的序列。 然后 SelectMany将集合的此二维集合合并为一维 IEnumerable 并将其返回。
  下面一个小例子用IEnumerable.Select和IEnumerable.SelectMany实现同样的功能,看看两者的区别。






            
            

  cs页面




namespace LinqApplication
{
    public partial class MainPage : PhoneApplicationPage
    {
      List Books;//List继承了IEnumerable 接口
      public MainPage()
      {
            InitializeComponent();
            CreateBooks();
            //IEnumerable.Select 将序列中的Authors元素投影到新表中。
            IEnumerable EnumerableOfListOfAuthors = Books.Select(book => book.Authors);
            foreach (var listOfAuthors in EnumerableOfListOfAuthors)
            {
                foreach (Author auth in listOfAuthors)
                {
                  Output.Items.Add(auth.Name); //添加到ListBox里面
                }
            }
            //IEnumerable.SelectMany将序列的每个元素投影到 IEnumerable 并将结果序列合并为一个序列。
            IEnumerable authors = Books.SelectMany(book => book.Authors);
            foreach (Author auth in authors)
            {
                Output2.Items.Add(auth.Name);
            }

      }
      private void CreateBooks()
      {
            Books = new List();
            Author auth1 = new Author() { Name = "张三", Age = 32 };
            Author auth2 = new Author() { Name = "李四", Age = 30 };
            Author auth3 = new Author() { Name = "加菲猫", Age = 31 };
            List authors = new List() { auth1, auth2, auth3 };
            Book newBook = new Book() { Authors = authors, NumPages = 500, Title = "Programming C#" };
            Books.Add(newBook); auth1 = new Author() { Name = "刘德华", Age = 42 };
            authors = new List() { auth1 };
            newBook = new Book() { Authors = authors, NumPages = 350, Title = "Book 2" };
            Books.Add(newBook); auth1 = new Author() { Name = "周杰伦", Age = 32 };
            auth2 = new Author() { Name = "林志玲", Age = 32 };
            authors = new List() { auth1, auth2 };
            newBook = new Book() { Authors = authors, NumPages = 375, Title = "Programming with WP7" };
            Books.Add(newBook);
      }
    }
}
  Author.cs类




namespace LinqApplication
{
    public class Author
    {
      public string Name;
      public int Age;
    }
}
  Book.cs类




namespace LinqApplication
{
    public class Book
    {
      public String Title { get; set; }
      public List Authors { get; set; }
      public int NumPages { get; set; }
    }
}
页: [1]
查看完整版本: Windows Phone 7 IEnumerable.Select和SelectMany的区别