1

我制作了一个模板,用于将控件添加到我从后面的代码中获得的 DetailsView。

private class edgFooterTemplate : ITemplate
{
    private Button btn_Edit;

    public void InstantiateIn(Control container)
    {
        btn_Edit = new Button();
        btn_Edit.CausesValidation = false;
        btn_Edit.CommandName = "Edit";
        btn_Edit.ID = "btn_Edit";
        btn_Edit.Text = "Edit";
        container.Controls.Add(btn_Edit);
    }
}

我的问题是我想在控件上添加一个事件处理程序,但我也无法在我从代码隐藏制作的 DetailsView 中访问 btn_Edit 。

4

1 回答 1

2

您可以在模板构造函数中初始化您的编辑按钮,并向模板添加一个编辑点击事件:

private class edgFooterTemplate : ITemplate
{
    private Button btn_Edit;

    public edgFooterTemplate()
    {
        btn_Edit = new Button();
        btn_Edit.CausesValidation = false;
        btn_Edit.CommandName = "Edit";
        btn_Edit.ID = "btn_Edit";
        btn_Edit.Text = "Edit";
    }

    public event EventHandler EditClick
    {
        add { this.btn_Edit.Click += value; }
        remove { this.btn_Edit.Click -= value; }
    }

    public void InstantiateIn(Control container)
    {
        if (container != null)
        {
            container.Controls.Add(btn_Edit);
        }
    }
}

然后从后面的代码中使用它:

protected void Page_Init(object sender, EventArgs e)
{
    var footerTemplate = new edgFooterTemplate();
    footerTemplate.EditClick += new EventHandler(footerTemplate_EditClick);
    viewItems.FooterTemplate = footerTemplate;
}

最后是事件处理程序:

protected void footerTemplate_EditClick(object sender, EventArgs e)
{
    // some logic here
}
于 2011-04-27T08:03:20.670 回答