从动态添加的文本框中获取值asp.net c#

前端之家收集整理的这篇文章主要介绍了从动态添加的文本框中获取值asp.net c#前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
正如我所拥有的标题所示,我可以在其中插入我想要添加到占位符的文本框的数量.我可以添加文本框就好了问题是我无法在动态添加的文本框中插入值.这是我的代码

这段代码的目的是每当我可以在其中引入我想要的文本框数量的文本框.它会创建并将它们添加到我页面中的占位符中.

public void txtExtra_TextChanged(object sender,EventArgs e)
{  
    for (a = 1; a <= int.Parse(txtExtra.Text); a++)
    {
         TextBox txt = new TextBox();
         txt.ID = "txtquestion" + a;
         pholder.Controls.Add(txt);
    }
}

这是将提交和响应的按钮的代码.写入插入所有这些文本框中的值.

protected void btnConfirm_Click(object sender,EventArgs e)
{
     foreach (Control ctr in pholder.Controls)
     {
         if (ctr is TextBox)
         {        
              string value = ((TextBox)ctr).Text;
              Response.Write(value);  
         } 
     }
 }

我一直在网上搜索,我一直在得到这个代码很好的答案,它应该工作,但它没有.如果你们看到任何错误或有任何可以解决我的问题的建议,我真的很感激

解决方法

你快到了.

问题

您需要在回发时重新加载那些动态创建的文本框.否则,它们将变为null,您将无法找到它.

为此,您需要将动态TextBoxes ID保存在持久位置,例如View State或Session State.

屏幕截图

ASPX

Number of TextBoxes: <asp:TextBox runat="server" ID="CounterTextBox" 
    OnTextChanged="CounterTextBox_TextChanged" AutoPostBack="True" /><br/>
<asp:PlaceHolder runat="server" ID="TextBoxPlaceHolder" /><br/>
<asp:Button runat="server" ID="ConfirmButton" Text="Confirm" 
    OnClick="ConfirmButton_Click" /><br/>
Result: <asp:Literal runat="server" ID="ResultLiteral"/>

代码背后

private List<string> TextBoxIdCollection
{
    get
    {
        var collection = ViewState["TextBoxIdCollection"] as List<string>;
        return collection ?? new List<string>();
    }
    set { ViewState["TextBoxIdCollection"] = value; }
}

protected void Page_Load(object sender,EventArgs e)
{
    foreach (string textBoxId in TextBoxIdCollection)
    {
        var textBox = new TextBox {ID = textBoxId};
        TextBoxPlaceHolder.Controls.Add(textBox);
    }
}

protected void CounterTextBox_TextChanged(object sender,EventArgs e)
{
    var collection = new List<string>();
    int total;
    if (Int32.TryParse(CounterTextBox.Text,out total))
    {
        for (int i = 1; i <= total; i++)
        {
            var textBox = new TextBox { ID = "QuestionTextBox" + i };
            // Collect this textBox id
            collection.Add(textBox.ID); 
            TextBoxPlaceHolder.Controls.Add(textBox);
        }
        TextBoxIdCollection= collection;
    }
}

protected void ConfirmButton_Click(object sender,EventArgs e)
{
    foreach (Control ctr in TextBoxPlaceHolder.Controls)
    {
        if (ctr is TextBox)
        {
            string value = ((TextBox)ctr).Text;
            ResultLiteral.Text += value;
        }
    }
}
原文链接:https://www.f2er.com/aspnet/249331.html

猜你在找的asp.Net相关文章