我制作了一个文本文件,其中包含城市名称和该城市许多有趣的地方名称。我希望当第一个组合框中出现城市名称时,第二个组合框将自动显示所有地名。
要做到这一点,在第一步,我填充了第一个组合框,其中包含我从一个大型.xls文件中获取的城市名称。然后我用城市制作了文本文件,并将该城市的名称命名为。它看起来像这样 -
Flensburg;Nordertor;Naval Academy Mürwik;Flensburg Firth
Kiel;Laboe Naval Memorial;Zoological Museum of Kiel University
Lübeck;Holstentor;St. Mary's Church, Lübeck;Passat (ship)
我在一个单独的方法中创建字典,现在我想在主窗体中调用此方法。好吧,我正在尝试这种方式。但它实际上并没有起作用。
对于数据输入,我编写了如下代码 -
public class POI
{
Dictionary<string, List<string>> poi = new Dictionary<string, List<string>>();
public void poiPlace()
{
foreach (string line in File.ReadLines("POIList.txt"))
{
string[] parts = line.Split(new char[] { ';' }, StringSplitOptions.RemoveEmptyEntries);
poi.Add(parts[0], new List<string>());
poi[parts[0]] = new List<string>(parts.Skip(1));
}
}
现在我想在主窗体中调用它
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
POI poi1 =new POI();
poi1.List();
}
public void Combo_list_SelectedIndexChanged(object sender, EventArgs e)
{
if (Combo_list1.SelectedItem != null)
{
string txt = Combo_list1.SelectedItem.ToString();
if (poi.ContainsKey(txt))
{
List<string> points = poi[txt];
Combo_list2.Items.Clear();
Combo_list2.Items.AddRange(points.ToArray());
}
}
}
根本不起作用。
答案 0 :(得分:1)
您不会在任何可以正确设置poiPlace
字典的地方调用poi
。我想你必须写类似
POI poi1 = new POI();
poi1.poiList()
而不是
POI poi1 =new POI();
poi1.List();
编辑:您还必须提供一种机制,通过使字典本身public
(非常不推荐)或使用以下内容将字典中的数据提供给表单:
在POI
- 类中添加以下两种方法:
public bool ContainsKey(string key) { return this.poi.ContainsKey(key) ; }
public List<string> GetValue(string key) { return this.poi[key]; }
现在可以在表单中使用这两种方法:
if (poi1.ContainsKey(txt))
{
List<string> points = poi1.GetValue(txt);
Combo_list2.Items.Clear();
Combo_list2.Items.AddRange(points.ToArray());
}