我希望用每个可能的方式填充一个下拉框,SeriesChartType以便我的用户可以选择合适的图表类型。
我如何遍历SeriesChartType集合(它在命名空间中System.Web.Ui.DataVisualization.Charting)并返回每个可能的选项,以便我可以将它添加到下拉框中?
谢谢。
我希望用每个可能的方式填充一个下拉框,SeriesChartType以便我的用户可以选择合适的图表类型。
我如何遍历SeriesChartType集合(它在命名空间中System.Web.Ui.DataVisualization.Charting)并返回每个可能的选项,以便我可以将它添加到下拉框中?
谢谢。
这在 VB 中对我有用——我必须实例化一个SeriesChartType允许我使用[Enum].GetNames方法的新实例。
然后我可以将它们添加到下拉框中,如下所示:
Dim z As New SeriesChartType  
For Each charttype As String In [Enum].GetNames(z.GetType)  
    Dim itm As New ListItem  
    itm.Text = charttype  
    ddl_ChartType.Items.Add(itm)  
Next
感谢大家的回答。mrK 有一个很好的 C 替代这个 VB 代码。
foreach (ChartType in Enum.GetValues(typeof(System.Web.UI.DataVisualization.Charting))
{
    //Add an option the the dropdown menu
    // Convert.ToString(ChartType) <- Text of Item
    // Convert.ToInt32(ChartType) <- Value of Item
}
如果这不是你要找的,请告诉我。
DataBind您可以在事件处理程序中绑定数据:
public override void DataBind()
{
    ddlChartType.DataSource =
        Enum.GetValues(typeof(SeriesChartType))
            .Cast<SeriesChartType>()
            .Select(i => new ListItem(i.ToString(), i.ToString()));
    ddlChartType.DataBind();
}
然后在SelectedIndexChanged事件处理程序中检索选定的值,如下所示:
protected void ddlChartType_SelectedIndexChanged(object sender, EventArgs e)
{
    // holds the selected value
    SeriesChartType selectedValue = 
         (SeriesChartType)Enum.Parse(typeof(SeriesChartType),  
                                     ((DropDownList)sender).SelectedValue);
}
这是一个通用函数:
// ---- EnumToListBox ------------------------------------
//
// Fills List controls (ListBox, DropDownList) with the text 
// and value of enums
//
// Usage:  EnumToListBox(typeof(MyEnum), ListBox1);
static public void EnumToListBox(Type EnumType, ListControl TheListBox)
{
    Array Values = System.Enum.GetValues(EnumType);
    foreach (int Value in Values)
    {
        string Display = Enum.GetName(EnumType, Value);
        ListItem Item = new ListItem(Display, Value.ToString());
        TheListBox.Items.Add(Item);
    }
}