0

我有一个网格视图,其中基于我的数据库查询中的某个值,我想在 Score1 和 Score2 列下显示不同类型的控件。这可以是复选标记、标签、文本框、简单值或超链接之间的任何内容。

我的用例如下:如果 score1 值为空/NULL,则显示文本框,如果不是则显示链接,否则显示一些其他控件等....所以在列 score 1 上,我可能有一个文本一行的框,另一行的链接。

在此处输入图像描述

我尝试在后面的代码中添加 TemplateField/Itemplate 以动态添加列 score1 和 score2。但是,我只能在 Page_Load() 中执行此操作,并且该列只能包含一个控件。关于我应该如何处理这个问题的任何指针?

4

2 回答 2

2

您可以使用绑定。

Text="{Binding ScoreToPrint, Mode=OneWay}"

然后你必须有一个分数可以绑定的属性。

public String ScoreToPrint
{
    get { return _scoreToPrint }
}

或者,您可以使用抽象视图模型库中的方法和调用来获取它。

public ICommand PrintText
        {
            get
            {
                if (_printText == null)
                {
                    _printText = new RelayCommand(p => PrintText(p as Control), p => CanPrintText(p as Control));
                }

                return _printText;
            }
        }

        protected abstract void PrintText(Control control); //Where you instantiate what it should do in a child class

        protected virtual bool CanPrintText(Control control)
        {
            return true;
        }

有了这个,您还需要这里的中继命令类http://msdn.microsoft.com/en-us/magazine/dd419663.aspx#id0090030http://msdn.microsoft.com/en-us/magazine/dd419663.aspx#id0090030

编辑1:

如果您希望能够更改分数,您实际上需要对第一种方法进行双向绑定。

Text="{Binding ScoreToPrint, Mode=TwoWay}"
于 2013-11-12T17:19:04.297 回答
1

您可以使用 gridview 的 RowDataBound 事件并动态添加控件。唯一的缺点是很多 if/switch 语句和指定单元格索引

protected void GridView2_RowDataBound(object sender, GridViewRowEventArgs e)
    {
        if (e.Row.RowType == DataControlRowType.DataRow)
        {
            // You can replace this with a switch statement
            if (DataBinder.Eval(e.Row.DataItem, "Discontinued").ToString() == "False")
            {
                TextBox txtTemp = new TextBox();
                txtTemp.Text = "I am a textbox";
                e.Row.Cells[10].Controls.Add(txtTemp);
            }
            else
            {
                // Add other controls here
            }
        }
    }
于 2013-11-13T05:06:35.160 回答