IDictionaryEnumerator不是迭代器接口类型?

时间:2013-09-24 09:45:31

标签: c# collections yield ienumerator

我正在尝试将一些使用Hashtable的代码移植到没有此类的环境中。所以我想不要弄乱代码,只需从Hashtable创建自己的Dictionary,就像这样:

public class Hashtable : Dictionary<Object, Object> {
    // ...
    new public IDictionaryEnumerator GetEnumerator() {          

      var ie = base.GetEnumerator();
      while (ie.MoveNext())
          yield return new DictionaryEntry(ie.Current.Key, ie.Current.Value);
    }
}

我收到了这个错误:

  

错误CS1624:'System.Collections.Hashtable.GetEnumerator()'的主体不能是迭代器块,因为'System.Collections.IDictionaryEnumerator'不是迭代器接口类型

好吧,IDictionaryEnumerator继承自IEnumerator

奇怪的是,如果我只返回(IDictionaryEnumerator)base.GetEnumerator();代码编译(但在foreach循环中运行时失败)。

我不明白这个错误告诉我什么,也不知道如何正确实现这个。

1 个答案:

答案 0 :(得分:1)

编译器将Iterator块重写为实现IEnumerableIEnumerator的类;编译器不知道如何生成实现IDictionaryEnumerator的类,因此您不能使用迭代器块来实现该接口。

可能的解决方法是提供您自己的IDictionaryEnumerator实施:

class Hashtable : Dictionary<object, object>
{
    new public IDictionaryEnumerator GetEnumerator()
    {
        return new DictionaryEnumerator(base.GetEnumerator());
    }

    struct DictionaryEnumerator : IDictionaryEnumerator
    {
        private Enumerator _en;

        public DictionaryEnumerator(Dictionary<object, object>.Enumerator en)
        {
            _en = en;
        }

        public object Current
        {
            get
            {
                return Entry;
            }
        }

        public DictionaryEntry Entry
        {
            get
            {
                var kvp = _en.Current;
                return new DictionaryEntry(kvp.Key, kvp.Value);
            }
        }

        public bool MoveNext()
        {
            bool result = _en.MoveNext();
            return result;
        }

        public void Reset()
        {
            throw new NotSupportedException();
        }

        public object Key
        {
            get
            {
                var kvp = _en.Current;
                return kvp.Key;
            }
        }

        public object Value
        {
            get
            {
                var kvp = _en.Current;
                return kvp.Value;
            }
        }
    }
}