A few years ago I wrote a series of articles showing how to add dynamic textboxes, dynamic dropdownlists and a combination of both controls in a GridView control. I've posted another couple of posts about how to delete rows for dynamically created rows and how to save them all at once. You can find the series of articles here: ASP.NET and Dynamic Controls.
In this article, I'm going to wrap up everything into one for easy reference. The following are the main features that you will see:
- Adding rows of TextBox and DropDownlist
- Retain TextBox values and DropDownList selected values across postbacks
- Ability to remove rows
- Save all values at once
To get started fire up Visual Studio and then add a new WebForm page. Add a GridView control to the page. Here's the GridView HTML markup:
ASPX Markup
- <asp:gridview ID="Gridview1" runat="server" ShowFooter="true"
- AutoGenerateColumns="false"
- OnRowCreated="Gridview1_RowCreated">
- <Columns>
- <asp:BoundField DataField="RowNumber" HeaderText="Row Number" />
- <asp:TemplateField HeaderText="Header 1">
- <ItemTemplate>
- <asp:TextBox ID="TextBox1" runat="server"></asp:TextBox>
- </ItemTemplate>
- </asp:TemplateField>
- <asp:TemplateField HeaderText="Header 2">
- <ItemTemplate>
- <asp:TextBox ID="TextBox2" runat="server"></asp:TextBox>
- </ItemTemplate>
- </asp:TemplateField>
- <asp:TemplateField HeaderText="Header 3">
- <ItemTemplate>
- <asp:DropDownList ID="DropDownList1" runat="server"
- AppendDataBoundItems="true">
- <asp:ListItem Value="-1">Select</asp:ListItem>
- </asp:DropDownList>
- </ItemTemplate>
- </asp:TemplateField>
- <asp:TemplateField HeaderText="Header 4">
- <ItemTemplate>
- <asp:DropDownList ID="DropDownList2" runat="server"
- AppendDataBoundItems="true">
- <asp:ListItem Value="-1">Select</asp:ListItem>
- </asp:DropDownList>
- </ItemTemplate>
- <FooterStyle HorizontalAlign="Right" />
- <FooterTemplate>
- <asp:Button ID="ButtonAdd" runat="server"
- Text="Add New Row"
- onclick="ButtonAdd_Click" />
- </FooterTemplate>
- </asp:TemplateField>
- <asp:TemplateField>
- <ItemTemplate>
- <asp:LinkButton ID="LinkButton1" runat="server"
- onclick="LinkButton1_Click">Remove</asp:LinkButton>
- </ItemTemplate>
- </asp:TemplateField>
- </Columns>
- </asp:gridview>
As you can see from the markup above, I have setup a BoundField for displaying the RowNumber and some TemplateField columns so that the GridView will automatically generate a row of TextBoxes and DropDownLists when adding a new row. You will also see that I have added a Button Control under the FooterTemplate at the last dropdownlist column and a LinkButton at the last column in the GridView for removing rows.
Note: Since we added a control at the GridView footer, then be sure to set ShowFooter to TRUE in the GridView.
CODE BEHIND
Just for the simplicity of the demo, I'm creating a dummy data using ArrayList as the data source for our DropDownLists. In a real scenario you may query your database and bind it to your DropDownList. Here is the full code:
- using System;
- using System.Collections;
- using System.Data;
- using System.Web.UI;
- using System.Web.UI.WebControls;
-
- namespace WebFormsDemo
- {
- public partial class DynamicGrid : System.Web.UI.Page
- {
- private ArrayList GetDummyData() {
-
- ArrayList arr = new ArrayList();
-
- arr.Add(new ListItem("Item1", "1"));
- arr.Add(new ListItem("Item2", "2"));
- arr.Add(new ListItem("Item3", "3"));
- arr.Add(new ListItem("Item4", "4"));
- arr.Add(new ListItem("Item5", "5"));
-
- return arr;
- }
-
- private void FillDropDownList(DropDownList ddl) {
- ArrayList arr = GetDummyData();
-
- foreach (ListItem item in arr) {
- ddl.Items.Add(item);
- }
- }
-
- private void SetInitialRow() {
-
- DataTable dt = new DataTable();
- DataRow dr = null;
-
- dt.Columns.Add(new DataColumn("RowNumber", typeof(string)));
- dt.Columns.Add(new DataColumn("Column1", typeof(string)));
- dt.Columns.Add(new DataColumn("Column2", typeof(string)));
- dt.Columns.Add(new DataColumn("Column3", typeof(string)));
- dt.Columns.Add(new DataColumn("Column4", typeof(string)));
-
- dr = dt.NewRow();
- dr["RowNumber"] = 1;
- dr["Column1"] = string.Empty;
- dr["Column2"] = string.Empty;
- dt.Rows.Add(dr);
-
-
- ViewState["CurrentTable"] = dt;
-
-
- Gridview1.DataSource = dt;
- Gridview1.DataBind();
-
-
- DropDownList ddl1 = (DropDownList)Gridview1.Rows[0].Cells[3].FindControl("DropDownList1");
- DropDownList ddl2 = (DropDownList)Gridview1.Rows[0].Cells[4].FindControl("DropDownList2");
- FillDropDownList(ddl1);
- FillDropDownList(ddl2);
- }
-
- private void AddNewRowToGrid() {
-
- if (ViewState["CurrentTable"] != null) {
-
- DataTable dtCurrentTable = (DataTable)ViewState["CurrentTable"];
- DataRow drCurrentRow = null;
-
- if (dtCurrentTable.Rows.Count > 0) {
- drCurrentRow = dtCurrentTable.NewRow();
- drCurrentRow["RowNumber"] = dtCurrentTable.Rows.Count + 1;
-
-
- dtCurrentTable.Rows.Add(drCurrentRow);
-
-
- ViewState["CurrentTable"] = dtCurrentTable;
-
-
- for (int i = 0; i < dtCurrentTable.Rows.Count - 1; i++) {
-
-
-
- TextBox box1 = (TextBox)Gridview1.Rows[i].Cells[1].FindControl("TextBox1");
- TextBox box2 = (TextBox)Gridview1.Rows[i].Cells[2].FindControl("TextBox2");
-
- dtCurrentTable.Rows[i]["Column1"] = box1.Text;
- dtCurrentTable.Rows[i]["Column2"] = box2.Text;
-
-
-
- DropDownList ddl1 = (DropDownList)Gridview1.Rows[i].Cells[3].FindControl("DropDownList1");
- DropDownList ddl2 = (DropDownList)Gridview1.Rows[i].Cells[4].FindControl("DropDownList2");
-
-
-
- dtCurrentTable.Rows[i]["Column3"] = ddl1.SelectedItem.Text;
- dtCurrentTable.Rows[i]["Column4"] = ddl2.SelectedItem.Text;
-
- }
-
-
- Gridview1.DataSource = dtCurrentTable;
- Gridview1.DataBind();
- }
- }
- else {
- Response.Write("ViewState is null");
-
- }
-
- SetPreviousData();
- }
-
- private void SetPreviousData() {
-
- int rowIndex = 0;
- if (ViewState["CurrentTable"] != null) {
-
- DataTable dt = (DataTable)ViewState["CurrentTable"];
- if (dt.Rows.Count > 0) {
-
- for (int i = 0; i < dt.Rows.Count; i++) {
-
- TextBox box1 = (TextBox)Gridview1.Rows[i].Cells[1].FindControl("TextBox1");
- TextBox box2 = (TextBox)Gridview1.Rows[i].Cells[2].FindControl("TextBox2");
-
- DropDownList ddl1 = (DropDownList)Gridview1.Rows[rowIndex].Cells[3].FindControl("DropDownList1");
- DropDownList ddl2 = (DropDownList)Gridview1.Rows[rowIndex].Cells[4].FindControl("DropDownList2");
-
-
- FillDropDownList(ddl1);
- FillDropDownList(ddl2);
-
- if (i < dt.Rows.Count - 1) {
-
-
- box1.Text = dt.Rows[i]["Column1"].ToString();
- box2.Text = dt.Rows[i]["Column2"].ToString();
-
-
- ddl1.ClearSelection();
- ddl1.Items.FindByText(dt.Rows[i]["Column3"].ToString()).Selected = true;
-
- ddl2.ClearSelection();
- ddl2.Items.FindByText(dt.Rows[i]["Column4"].ToString()).Selected = true;
-
- }
-
- rowIndex++;
- }
- }
- }
- }
-
- protected void Page_Load(object sender, EventArgs e) {
- if (!Page.IsPostBack) {
- SetInitialRow();
- }
- }
-
- protected void ButtonAdd_Click(object sender, EventArgs e) {
- AddNewRowToGrid();
- }
-
- protected void Gridview1_RowCreated(object sender, GridViewRowEventArgs e) {
- if (e.Row.RowType == DataControlRowType.DataRow) {
- DataTable dt = (DataTable)ViewState["CurrentTable"];
- LinkButton lb = (LinkButton)e.Row.FindControl("LinkButton1");
- if (lb != null) {
- if (dt.Rows.Count > 1) {
- if (e.Row.RowIndex == dt.Rows.Count - 1) {
- lb.Visible = false;
- }
- }
- else {
- lb.Visible = false;
- }
- }
- }
- }
-
- protected void LinkButton1_Click(object sender, EventArgs e) {
- LinkButton lb = (LinkButton)sender;
- GridViewRow gvRow = (GridViewRow)lb.NamingContainer;
- int rowID = gvRow.RowIndex;
- if (ViewState["CurrentTable"] != null) {
-
- DataTable dt = (DataTable)ViewState["CurrentTable"];
- if (dt.Rows.Count > 1) {
- if (gvRow.RowIndex < dt.Rows.Count - 1) {
-
- dt.Rows.Remove(dt.Rows[rowID]);
- ResetRowID(dt);
- }
- }
-
-
- ViewState["CurrentTable"] = dt;
-
-
- Gridview1.DataSource = dt;
- Gridview1.DataBind();
- }
-
-
- SetPreviousData();
- }
-
- private void ResetRowID(DataTable dt) {
- int rowNumber = 1;
- if (dt.Rows.Count > 0) {
- foreach (DataRow row in dt.Rows) {
- row[0] = rowNumber;
- rowNumber++;
- }
- }
- }
- }
- }
Method Definitions
- GetDummyData(): A method that returns an ArrayList. Basically this method contains a static dummy data for populating the DropDownList. You may want to use a database when dealing with real world scenarios.
- FillDropDownList(DropDownList ddl): A method that fills the DropDownList with the dummy data.
- SetInitialRow(): A method that binds the GridView on initial load with a single row of data. The DataTable defined in this method is stored in ViewState so that it can be referenced anywhere in the code across postbacks. Basically this table will serve as the original DataSource for the GridView. Keep in mind that this is just for demo, so be careful when using ViewState to avoid page performance issue. Also ViewState has a limit when it comes to size so make sure that you don't store a huge amount of data in it.
- AddNewRowToGrid(): A method that adds a new row to the GridView when a Button is clicked and store the newly added row values in the Original Table that was defined in the SetInitialRow() method.
- SetPreviousData(): A method that retains all the items that was selected from the DropDownList and TextBox when it postbacks.
- ResetRowID(): A method that refreshes the grid's row number when a row is deleted.
The Events
- ButtonAdd_ Click: Calls then AddNewRowToGrid() method.
- LinkButto1_Click: This method will be invoked once the “remove” link is clicked from the grid. This is where the data from the data source will be remove based on the row index , reset the row number afterwards and finally store the updated data source in ViewState again and bind it to the grid to reflect the changes.
- Gridview1_RowCreated: This is where we put the basic validation in GridView for not allowing users to see the “remove” button in the last row.
The Output
Running the page will display something like this in the browser.
On Initial load:
After adding a new row:
Removing a row:
After removing a row:
That's it! Now the next thing that you guys might be asking is how to save the data in the database. Well, don't worry, because in the next step I'm going to show you how.
Saving All Data at Once
The first thing to do is you need to create a database and a table for storing the data. So fire up SQL Management Studio or the Express version of SQL Server and create the table below with the following fields.
Save the table to whatever you like but for this demo I named the table as “GridViewDynamicRow”.
Note: I set the RowID to auto increment so that the id will be automatically generated for every new added row in the table. To do this select the Column name “RowID” and in the column properties set the “Identity Specification” to yes.
Once you've created the table then switch back to Visual Studio and add a Button control to the form.
For example:
- <asp:Button ID="BtnSave" runat="server" Text="Save All" OnClick="BtnSave_Click" />
Now let's create the method for saving the data to the database. The first thing we need here is to set up the connection string so that we can communicate with our database from our code. For this example we will use the web.config file for setting up the connection string. See the markup below:
- <connectionStrings>
- <add name="DBConnection" connectionString="Data Source=win- ehm93ap21cf\SQLEXPRESS;Initial Catalog=DemoDB;Integrated Security=SSPI;" providerName="System.Data.SqlClient"/>
- </connectionStrings>
We can now proceed to creating the method for saving the data to the database. First, add the following namespaces below:
- using System.Collections.Specialized;
- using System.Text;
- using System.Data.SqlClient;
We need to declare the namespaces above so that we can use the SqlClient, StrngCollections and StringBuilder built-in methods in our code later.
Second, create the method for calling the connection string that was setup from the web.config file.
- private string GetConnectionString()
- {
- return ConfigurationManager.ConnectionStrings["DBConnection"].ConnectionString;
- }
And here's the code block for inserting all the rows into our database:
- private void InsertRecords(StringCollection sc)
- {
- StringBuilder sb = new StringBuilder(string.Empty);
- string[] splitItems = null;
- const string sqlStatement = "INSERT INTO GridViewDynamicData (Field1,Field2,Field3,Field4) VALUES";
- foreach(string item in sc)
- {
- if (item.Contains(","))
- {
- splitItems = item.Split(",".ToCharArray());
- sb.AppendFormat("{0}('{1}','{2}','{3}','{4}'); ", sqlStatement, splitItems[0], splitItems[1], splitItems[2], splitItems[3]);
- }
- }
-
- using(SqlConnection connection = new SqlConnection(GetConnectionString()))
- {
- connection.Open();
- using(SqlCommand cmd = new SqlCommand(sb.ToString(), connection))
- {
- cmd.CommandType = CommandType.Text;
- cmd.ExecuteNonQuery();
- }
- }
- lblMessage.Text = "Records successfully saved!";
- }
The InsertRecords() method takes a StringCollection object as the parameter. The StringCollection object holds all the values from the dynamic grid. We then split the values from the collection and then create a SQL query for each row using StringBuilder. Then we then make a connection to the database and then execute the query for inserting the data.
Finally, here is the code block for the Button click event:
- protected void BtnSave_Click(object sender, EventArgs e)
- {
- int rowIndex = 0;
- StringCollection sc = new StringCollection();
- if (ViewState["CurrentTable"] != null)
- {
- DataTable dtCurrentTable = (DataTable) ViewState["CurrentTable"];
- if (dtCurrentTable.Rows.Count > 0)
- {
- for (int i = 1; i <= dtCurrentTable.Rows.Count; i++)
- {
-
- TextBox box1 = (TextBox) Gridview1.Rows[rowIndex].Cells[1].FindControl("TextBox1");
- TextBox box2 = (TextBox) Gridview1.Rows[rowIndex].Cells[2].FindControl("TextBox2");
- DropDownList ddl1 = (DropDownList) Gridview1.Rows[rowIndex].Cells[3].FindControl("DropDownList1");
- DropDownList ddl2 = (DropDownList) Gridview1.Rows[rowIndex].Cells[4].FindControl("DropDownList2");
-
-
- sc.Add(string.Format("{0},{1},{2},{3}", box1.Text, box2.Text, ddl1.SelectedItem.Text, ddl2.SelectedItem.Text));
- rowIndex++;
- }
-
- InsertRecords(sc);
- }
- }
- }
The code above is pretty much straight forward. It simply loops through the data from the DataTable stored in ViewState and then add each row values in a StringCollection. After all the values are added, we then call the method InsertRecords() to actually execute the inserts to the database.
Here's the output below after clicking on the “Save All” button:
And here's the captured data stored in the database:
That's it! I hope you will find this article useful.
I have attached the project for you to download. The project is in Visual Studio 2015. Just look for the file DynamicGrid.aspx and DynamicGrid.aspx.cs to see the code.