C#DropDownList,字典为DataSource

时间:2009-04-30 06:26:36

标签: c# dictionary drop-down-menu

我想使用DataTextField(en-gb)的词典(列表)作为键和语言名称来设置DataValueField(languageList)的DropdownlistlanguageCod (英文)作为要显示的文字。

相关守则:

string[] languageCodsList= service.LanguagesAvailable();
Dictionary<string, string> list = 
                   new Dictionary<string, string>(languageCodsList.Length);

foreach (string cod in languageCodsList)
{
    CultureInfo cul = new CultureInfo(cod);
    list.Add(cod, cul.DisplayName);
}
languageList.DataSource = list;
languageList.DataBind();

如何设置DataTextFieldDataValueField

4 个答案:

答案 0 :(得分:196)

就像你可以使用“Key”和“Value”文本设置DropDownList的DataTextField和DataValueField:

    Dictionary<string, string> list = new Dictionary<string, string>();
    list.Add("item 1", "Item 1");
    list.Add("item 2", "Item 2");
    list.Add("item 3", "Item 3");
    list.Add("item 4", "Item 4");

    ddl.DataSource = list;
    ddl.DataTextField = "Value";
    ddl.DataValueField = "Key";
    ddl.DataBind();

答案 1 :(得分:10)

枚举词典时,它会产生KeyValuePair<TKey,TValue>个对象...所以你只需要分别为DataTextFieldDataValueField指定“值”和“键”来选择Value / Key属性。

感谢Joe的评论,我重读了这个问题,以便正确地解决这些问题。通常我希望字典中的“键”是显示的文本,而“值”是获取的值。您的示例代码以相反的方式使用它们。除非你真的需要它们,否则你可能需要考虑将代码编写为:

list.Add(cul.DisplayName, cod);

(然后更改绑定以使用DataTextField的“密钥”和DataValueField的“值”。)

事实上,我建议你似乎确实想要一个列表而不是字典,你可能想要首先重新考虑使用字典。您可以使用List<KeyValuePair<string, string>>

string[] languageCodsList = service.LanguagesAvailable();
var list = new List<KeyValuePair<string, string>>();

foreach (string cod in languageCodsList)
{
    CultureInfo cul = new CultureInfo(cod);
    list.Add(new KeyValuePair<string, string>(cul.DisplayName, cod));
}

或者,使用普通CultureInfo值列表。 LINQ让这很容易:

var cultures = service.LanguagesAvailable()
                      .Select(language => new CultureInfo(language));
languageList.DataTextField = "DisplayName";
languageList.DataValueField = "Name";
languageList.DataSource = cultures;
languageList.DataBind();

如果你没有使用LINQ,你仍然可以使用正常的foreach循环:

List<CultureInfo> cultures = new List<CultureInfo>();
foreach (string cod in service.LanguagesAvailable())
{
    cultures.Add(new CultureInfo(cod));
}
languageList.DataTextField = "DisplayName";
languageList.DataValueField = "Name";
languageList.DataSource = cultures;
languageList.DataBind();

答案 2 :(得分:6)

只需使用“密钥”和“价值”

答案 3 :(得分:6)

如果在您的aspx页面中声明DropDownList而不是在代码隐藏中声明,则可以这样做。

的.aspx:

<asp:DropDownList ID="ddlStatus" runat="server" DataSource="<%# Statuses %>"
     DataValueField="Key" DataTextField="Value"></asp:DropDownList>

.aspx.cs:

protected void Page_Load(object sender, EventArgs e)
{
    ddlStatus.DataBind();
    // or use Page.DataBind() to bind everything
}

public Dictionary<int, string> Statuses
{
    get 
    {
        // do database/webservice lookup here to populate Dictionary
    }
};