0

我正在尝试创建 ListBox ,其中我将拥有键值对。我从课堂上获得的那些数据是从吸气剂那里提供的。

班级:

public class myClass
{
    private int key;
    private string value;

    public myClass() { }

    public int GetKey()
    {
        return this.key;
    }

    public int GetValue()
    {
        return this.value;
    }
}

程序:

private List<myClass> myList;

public void Something()
{
    myList = new myList<myClass>();

    // code for fill myList

    this.myListBox.DataSource = myList;
    this.myListBox.DisplayMember = ??; // wanted something like myList.Items.GetValue()
    this.myListBox.ValueMember = ??; // wanted something like myList.Items.GetKey()
    this.myListBox.DataBind();
}

它类似于这个主题 [ Cannot do key-value in listbox in C# ],但我需要使用从方法返回值的类。

是否可以做一些简单的事情,或者我最好完全重新设计我的思维流程(和这个解决方案)?

谢谢你的建议!

4

1 回答 1

5

DisplayMemberValueMember属性需要使用属性的名称(作为字符串)。你不能使用方法。所以你有两个选择。更改您的类以返回属性或创建一个派生自 myClass 的类,您可以在其中添加两个缺少的属性

public class myClass2 : myClass
{

    public myClass2() { }

    public int MyKey
    {
        get{ return base.GetKey();}
        set{ base.SetKey(value);}
    }

    public string MyValue
    {
        get{return base.GetValue();}
        set{base.SetValue(value);}
    }
}

现在您已经进行了这些更改,您可以使用新类更改您的列表(但修复初始化)

// Here you declare a list of myClass elements
private List<myClass2> myList;

public void Something()
{
    // Here you initialize a list of myClass elements
    myList = new List<myClass2>();

    // code for fill myList
    myList.Add(new myClass2() {MyKey = 1, MyValue = "Test"});

    myListBox.DataSource = myList;
    myListBox.DisplayMember = "MyKey"; // Just set the correct name of the properties 
    myListBox.ValueMember = "MyValue"; 
    this.myListBox.DataBind();         
}
于 2014-08-03T09:51:54.097 回答