zoukankan      html  css  js  c++  java
  • 泛型系列<8>:使用泛型创建只读集合

    4.9 使用泛型创建只读集合

    问题

    您希望类中的一个集合里的信息可以被外界访问,但不希望用户改变这个集合。

    解决方案

    使用ReadOnlyCollection<T>包装就很容易实现只读的集合类。例子如,Lottery类包含了中奖号码,它可以被访问,但不允许被改变:

    public class Lottery

        {

            // 创建一个列表.

            List<int> _numbers = null;

            public Lottery()

            {

                // 初始化内部列表

                _numbers = new List<int>(5);

                // 添加值

                _numbers.Add(17);

                _numbers.Add(21);

                _numbers.Add(32);

                _numbers.Add(44);

                _numbers.Add(58);

            }

            public ReadOnlyCollection<int> Results

            {

                // 返回一份包装后的结果

                get { return new ReadOnlyCollection<int>(_numbers); }

            }

    }

    Lottery有一个内部的List<int>,它包含了在构造方法中被填的中奖号码。有趣的部分是它有一个公有属性叫Results,通过返回的ReadOnlyCollection<int>类型可以看到其中的中奖号码,从而使用户通过返回的实例来使用它。

    如果用户试图设置集合中的一个值,将引发一个编译错误:

    Lottery tryYourLuck = new Lottery();

        // 打印结果.

        for (int i = 0; i < tryYourLuck.Results.Count; i++)

        {

            Console.WriteLine("Lottery Number " + i + " is " + tryYourLuck.Results[i]);

        }

        // 改变中奖号码!

        tryYourLuck.Results[0]=29;

        //最后一行引发错误:// Error 26 // Property or indexer

        // 'System.Collections.ObjectModel.ReadOnlyCollection<int>.this[int]'

        // cannot be assigned to -- it is read only

    讨论

    ReadOnlyCollection的主要优势是使用上的灵活性,可以在任何支持IListIList<T>的集合中把它做为接口使用。ReadOnlyCollection还可以象这样包装一般数组:

    int [] items = new int[3];

        items[0]=0;

        items[1]=1;

        items[2]=2;

    new ReadOnlyCollection<int>(items);

    这为类的只读属性的标准化提供了一种方法,并使得类库使用人员习惯于这种简单的只读属性返回类型。

  • 相关阅读:
    IOC / AOP
    Volatile
    观察者模式
    Gang Of Four的23中设计模式
    适配器模式
    享元模式
    设计模式
    B树和B+树
    Java内存模型(JMM)
    【Java的IO流之文件字符输入输出流 25】
  • 原文地址:https://www.cnblogs.com/kakaliush/p/2271367.html
Copyright © 2011-2022 走看看