How to create a DataView

posted under by Prav

The DataView provides different views of the data stored in aDataTable. DataView can be used to sort, filter, and search in a DataTable , additionally we can add new rows and modify the content in a DataTable. DataViews can be created and configured both design time and run time . Changes made to a DataView affect the underlying DataTable automatically, and changes made to the underlying DataTable automatically affect any DataView objects that are viewing the DataTable.

We can create DataView in two different ways. We can use theDataView constructor, or you can create a reference to the DefaultView property of the DataTable. The DataView constructor can be empty, or it can take either a DataTable as a single argument, or a DataTable along with filter criteria, sort criteria, and a row state filter.

dataView = dataSet.Tables(0).DefaultView

The following source code shows how to create a DataView in VB.NET. Create a new VB.NET project and drag a DataGridView and a Button on default Form Form1 , and copy and paste the following Source Codeon button click event.

Imports System.Data.SqlClient Public Class Form1     Private Sub Button1_Click(ByVal sender As System.Object, ByVal e As System.EventArgs) Handles Button1.Click         Dim connetionString As String         Dim connection As SqlConnection         Dim command As SqlCommand         Dim adapter As New SqlDataAdapter         Dim ds As New DataSet         Dim dv As DataView         Dim sql As String   connetionString = "Data Source=ServerName;Initial Catalog=DatabaseName;User ID=UserName;Password=Password"         sql = "Select  * from product"         connection = New SqlConnection(connetionString)         Try             connection.Open()             command = New SqlCommand(sql, connection)             adapter.SelectCommand = command             adapter.Fill(ds, "Create DataView")             adapter.Dispose()             command.Dispose()             connection.Close()              dv = ds.Tables(0).DefaultView             DataGridView1.DataSource = dv          Catch ex As Exception             MsgBox(ex.ToString)         End Try     End Sub End Class  

top