6

我可以在 VB.NET 中创建一个可以从 C# 中使用的类,如下所示:

myObject.Objects[index].Prop = 1234;

当然我可以创建一个返回数组的属性。但是要求是索引是从 1 开始的,而不是从 0 开始的,所以这个方法必须以某种方式映射索引:

我试图做到这一点,但 C# 告诉我我不能直接调用它:

   Public ReadOnly Property Objects(ByVal index As Integer) As ObjectData
        Get
            If (index = 0) Then
                Throw New ArgumentOutOfRangeException()
            End If
            Return parrObjectData(index)
        End Get
    End Property

编辑 对不起,如果我有点不清楚:

C# 只允许我像这样调用这个方法

myObject.get_Objects(index).Prop = 1234

但不是

myObject.Objects[index].Prop = 1234;

这就是我想要实现的。

4

4 回答 4

16

语法是:

Default Public ReadOnly Property Item(ByVal index as Integer) As ObjectData
  Get
    If (index = 0) Then
      Throw New ArgumentOutOfRangeException()
    End If
    Return parrObjectData(index)
  End Get
End Property

Default关键字是创建索引器的魔法。不幸的是,C# 不支持命名索引器。您将不得不创建一个自定义集合包装器并返回它。

Public ReadOnly Property Objects As ICollection(Of ObjectData)
  Get
    Return New CollectionWrapper(parrObjectData)
  End Get
End Property

可能CollectionWrapper看起来像这样:

Private Class CollectionWrapper
  Implements ICollection(Of ObjectData)

  Private m_Collection As ICollection(Of ObjectData)

  Public Sub New(ByVal collection As ICollection(Of ObjectData))
    m_Collection = collection
  End Sub

  Default Public ReadOnly Property Item(ByVal index as Integer) As ObjectData
    Get
      If (index = 0) Then
        Throw New ArgumentOutOfRangeException()
      End If
      Return m_Collection(index)
    End Get
  End Property

End Class
于 2011-05-13T12:53:54.630 回答
5

您可以使用带有默认索引器的结构在 C# 中伪造命名索引器:

public class ObjectData
{
}

public class MyClass
{
    private List<ObjectData> _objects=new List<ObjectData>();
    public ObjectsIndexer Objects{get{return new ObjectsIndexer(this);}}

    public struct ObjectsIndexer
    {
        private MyClass _instance;

        internal ObjectsIndexer(MyClass instance)
        {
            _instance=instance;
        }

        public ObjectData this[int index]
        {
            get
            {
                return _instance._objects[index-1];
            }
        }
    }
}

void Main()
{
        MyClass cls=new MyClass();
        ObjectData data=cls.Objects[1];
}

如果这是一个好主意是一个不同的问题。

于 2011-05-13T13:46:02.830 回答
1

C# 不支持命名索引属性的声明(尽管您可以创建索引器),但您可以通过显式调用 setter 或 getter ( get_MyProperty/ set_MyProperty)来访问在其他语言(如 VB)中声明的索引属性

于 2011-05-13T12:55:08.387 回答
0

为什么不使用基于 0 的索引,而是让编码人员错觉它是基于 1 的呢?

IE

Return parrObjectData(index-1)
于 2011-05-13T12:47:45.210 回答