我正在尝试做的是将项目添加到listbox1中,当我选择特定项目时,它会在另一个列表框中显示更多信息
所以这里是一个例子:
Listbox1有一个人鲍勃 选择Bob时,他的电话号码显示在Listbox2上
您还可以为所选项目添加电话号码。 当选择另一个项目时,Bob电话号码消失并显示下一个选择的名称和电话
因此,在我的案例中,当选择一个组织时,它会显示在该组织中工作的所有人的姓名
这就是我所拥有的(不确定,如果它是对或错的新的c#)
Person.cs
string FirstName;
string PhoneNumber;
public Person(string FName, string PNumber)
{
FirstName = FName;
PhoneNumber = PNumber;
}
Organisation.cs
string Name;
public string OrggName
{
get
{
return Name;
}
set
{
Name = value;
}
}
public override string ToString()
{
return Name;
}
按钮单击事件
private void button1_Click(object sender, EventArgs e)
{
NewOrgg = new Organisation();
NewOrgg.OrggName = textBox1.Text;
listBox1.Items.Add(NewOrgg);
}
答案 0 :(得分:0)
您可以使用SelectedIndexChanged事件
private void listBox1_SelectedIndexChanged(object sender, System.EventArgs e)
{
string curItem = listBox1.SelectedItem.ToString();
//clear and add to listBox2
}
答案 1 :(得分:0)
我认为,如果你有可能,为了更简单,更改Person类是这样的: 添加指向该人员所属组织的链接:
public string FirstName;
public string PhoneNumber;
public string OrggName; //Person's Organisation.
public Person(string FName, string PNumber, string OName)
{
FirstName = FName;
PhoneNumber = PNumber;
OrggName = OName;
}
好的,现在我们有了Person和Organization类。 在项目的main.cs中,我认为你可以这样做:
//Define the data providers
List<Organisation> listofOgg; //List of Organisation or maybe Organisation[];
List<Person> listofPers; //Again List of related Person or maybe Person[];
现在我们得到了我们的供应商。让我们填写一些数据。
public void FillThemAll()
{
//Initialize some Lists
listofOgg = new List<Organisation>();
listofPers = new List<Person>();
Organisation o = new Organisation();
o.OrggName = "Stackoverflow";
listofOgg.Add(o);
//Another one
o.OrggName = "Internet"; // Yes I know, I don't have any Organisation name :-)
listofOgg.Add(o);
//Now let's handle some Person
Person p = new Person("Tash Nar", "0123456", "StackOverFlow");
Person p2 = new Person("Lionnel", "0123456", "StackOverFlow");
Person p3 = new Person("You and Me", "0123456", "Internet");
//Add them
listofPers.Add(p); listofPers.Add(p2); listofPers.Add(p3);
//Now assuming that we have our two displayed ListBox (listbox1 and listbox2)
//listbox1 for all organisations and listbox2 for more details about organisations
//Let's fill listbox1 with our data
for(int i=0; i < listofOgg.Count; i++)
{
listbox1.Items.Add(listofOgg[i].Name);
}
}
现在我们准备好了90%:D。我们只需要处理ListBox( SelectedIndexChanged )中的项目更改事件,如前所述。
private void listBox1_SelectedIndexChanged(object sender, System.EventArgs e)
{
string curItem = listBox1.SelectedItem.ToString();
//clear all items in listbox2
listBox2.Items.Clear();
//Add SelectedItem's related Person in listbox2
foreach(Person pers in listofPers)
{
if(pers.OrggName == curItem)
{
//Add this person in listbox2
listbox2.Items.Add(pers.FName);
}
}
}
就是这样,我们做到了:D让我知道你是否(或不是)你要注意的是什么。