How To Use A Database In Your Program

Collapse
X
 
  • Time
  • Show
Clear All
new posts
  • Frinavale
    Recognized Expert Expert
    • Oct 2006
    • 9749

    How To Use A Database In Your Program

    How To Use A Database In Your Program
    Many .NET solutions are database driven and so many of us often wonder how to access the database. To help you understand the answer to this question I've provided the following as a quick example of how to retrieve data from a database.

    In order to connect to a SQL Server Database using .NET you will need to import the System.Data.Sql Client package into your program.

    If you are not connecting to a SQL Server Database, take a look at InsertAlias's article named How to use a database in your program Part II for information on how to connect to other databases.


    Connection String
    The first thing you'll need to do (after you've created the database) is connect to it. In order to do this you have to define something called a Connection String.

    The Connection String is used as a means to locate the database your program will be using. It also contains the information on the type of authentication to use in order to access the database. This means that the connection string may contain a user name and password.

    A Connection String is typically formatted as follows:

    VB Code Example:
    [code=vbnet]Dim connectionStrin g As String ="data source=<nameOfD atabaseServer>; initial catalog=<nameOf Database>;user id=<databaseUse rId>;password=< passwordForData baseUser>" [/code]




    C# Code Example:

    [code=cpp]String connectionStrin g = "data source=<nameOfD atabaseServer>; initial catalog=<nameOf Database>;user id=<databaseUse rId>;password=< passwordForData baseUser>"; [/code]


    Since Connection Strings contain very sensitive information on how to access the database so it is crucial that you protect it (by encryption or other means). If you are implementing a web application, it is a good idea to store this information in the web.config file so that it is easily protected.

    SqlConnection
    Once you have created a connection string you have to create a SqlConnection object. This object uses the connection string to form a connection to the database for you.

    VB Code Example:
    [code=vbnet]dim dbCon As SqlConnection
    dbCon = New SqlConnection(c onnectionString ) [/code]



    C# Code Example:
    [code=cpp]SqlConnetion dbCon = new SqlConnection(c onnectionString ); [/code]



    SqlCommand
    After you have created an instance of a SqlConnection object, you need to create a SqlCommand. This object is used to carry out the sql commands that will be executed by the database.

    VB Code Example:
    [code=vbnet]Dim sqlCom As New SqlCommand [/code]



    C# Code Example:
    [code=cpp]SqlCommand sqlCom = new SqlCommand(); [/code]



    Once we have an instance of this object we need to set some of its properties.

    First of all you have to specify what type of SqlCommand you are going to be executing. This is where you specify if you are using a store procedure or if you'll be supplying a SQL statement to be carried out. In this example we'll cover how to supply your own SQL statement.

    You'll have to set the SqlCommand's "CommandTex t" property to be the SQL commands that need to be carried out by the function you're creating.

    Once you've set the "CommandTex t" property, you'll have to add the values of any parameters used in the SQL command statement. You do this by setting the SqlCommand's "Parameters " property.

    You also have to set the SqlCommand object's "Connection " property to the SqlConnection object you created earlier in order to connect to the database.

    For example, if you would like to insert a new contact entry into a table you would set the SqlCommand's "CommandTex t" to be something like:

    VB Code Example:
    [code=vbnet]
    sqlCom.Connecti on = dbCon
    sqlcom.CommandT ype = CommandType.Tex t
    sqlCom.CommandT ext = "INSERT INTO CONTACT(cID, cAddress, cPhoneNumber) " _ +
    "VALUES(@cID,@c Address,@cPhone Number)"
    sqlCom.Paramete rs.Add("@cID", SqlDbType.Int). Value = 1234567
    sqlCom.Parmaete rs.Add("@cAddre ss", SqlDbType.VarCh ar).Value = "123 Hypoth. Street..."
    sqlCom.Paramete rs.Add("@cPhone Number",SqlDbTy pe.VarChar).Val ue="1-800-999-99999" [/code]




    C# Code Example:
    [code=cpp]sqlCom.Connecti on = dbCon;
    sqlcom.CommandT ype = CommandType.Tex t;
    sqlCom.CommandT ext = "INSERT INTO CONTACT(cID, cAddress, cPhoneNumber) " +
    "VALUES(@cID,@c Address,@cPhone Number)";
    sqlCom.Paramete rs.Add("@cID", SqlDbType.Int). Value = 1234567;
    sqlCom.Parmaete rs.Add("@cAddre ss", SqlDbType.VarCh ar).Value = "123 Hypoth. Street...";
    sqlCom.Paramete rs.Add("@cPhone Number",SqlDbTy pe.VarChar).Val ue="1-800-999-99999"; [/code]



    Executing Your SQL Commands
    After you've set up everything you can carry out your SQL commands on the database.
    To do this you have to:
    • first open a connection to the the database
    • and then execute the SQL command
    • and finally close the connection


    VB Code Example:
    [code=vbnet]Try
    dbCon.Open()
    sqlcom.ExecuteN onQuery
    dbCon.Close()
    Catch ex As Exception
    End Try [/code]




    C# Code Example:
    [code=cpp]try
    {
    dbCon.Open();
    sqlcom.ExecuteN onQuery();
    dbCon.Close();
    }
    catch(Exception ex)
    {} [/code]


    In the above code we used the ExecuteNonQuery method to execute the SQL command because a SQL command that updates a table does not return any results. The ExecuteNonQuery method returns the number of rows that were updated. You can use this to determine if any rows were updated by checking to see if sqlcom.ExecuteN onQuery > 0.

    If you are executing a SQL command that returns a result, such as executing a SELECT statement you will have to use a different method. The SqlCommand's ExecuteReader method returns a SqlDataReader object that contains all of the records retrieved after executing the SQL command.

    The following snippet of code shows you how to store the results into a SqlDataReader object and how to access the data.

    VB Code Example:
    [code=vbnet]Try
    Dim dr As SqlDataReader
    dbCon.Open()
    dr = sqlcom.ExecuteR eader
    If dr.HasRows = True Then
    txt_clientID.Te xt = CType(dr("cID") ,Integer).ToStr ing()
    txt_clientAddre ss.Text = CType( dr("cAddress"), String)
    txt_clientPhone Number.Text = CType(dr("cPhon eNumber"),Strin g)
    End If
    dr.Close()
    dbCon.Close()
    Catch ex As Exception
    End Try [/code]



    C# Code Example:
    [code=cpp]try
    {
    SqlDataReader dr;
    dbCon.Open();
    dr = sqlcom.ExecuteR eader();
    if(dr.HasRows == True)
    {
    txt_clientID.Te xt = ((Integer) dr["cID"]).ToString();
    txt_clientAddre ss.Text = (String) dr["cAddress"];
    txt_clientPhone Number.Text = (String) dr["cPhoneNumb er"];
    }
    dr.Close();
    dbCon.Close();
    }
    catch(Exception ex)
    {} [/code]

    Once you are finished with your SqlDataReader object be sure to close it to clean up.

    If your Sql command returns more than one row, you will have to loop through the data reader to retrieve all of the information.

    For example the following will add all of the "clientID's " to the TextBox txt_clientID:

    VB Code Example:
    [code=vbnet]While dr.Read
    txt_clientID.Te xt = txt_clientID.Te xt + CType(dr("cID") ,Integer).ToStr ing()
    End While [/code]




    C# Code Example:
    [code=cpp]while(dr.Read() )
    {
    txt_clientID.Te xt = txt_clientID.Te xt + ((Integer)dr["cID"]).ToString();
    }[/code]


    Other Notes
    The objects used to connect to a database implement the iDisposable interface. Because of this it is Strongly advisable to define a Dispose() method that will properly handle the disposal of any connections. Be sure to look up how to implement this method to properly clean up your memory. It really helps to manage your resources.

    Hope you find this useful!

    -Frinny
    Last edited by Frinavale; Jan 2 '09, 03:40 PM. Reason: Added link to InsertAlias's article
  • Niheel
    Recognized Expert Moderator Top Contributor
    • Jul 2005
    • 2432

    #2
    This is a good article. Very detailed.
    niheel @ bytes

    Comment

    • sevilay
      New Member
      • Dec 2007
      • 3

      #3
      Originally posted by dwadish
      Friend
      I know how to connect to a database and it's connection string also

      but this error not from the connection string.

      give a good solution.

      Thanx for the reply
      could you tell me for one example . because it is first time for me to write
      i know in VB.net but i don't know in C# by using Console

      Comment

      • sevilay
        New Member
        • Dec 2007
        • 3

        #4
        coul you tell me it is first time for me i know how i connect in VB.net i have so many how work next week .
        just for one example in C# by using Console

        Comment

        • Frinavale
          Recognized Expert Expert
          • Oct 2006
          • 9749

          #5
          The example is almost exactly the same for C#.
          You just have to change the syntax from VB.NET to C#.

          For example, you'd declare your variables like this in VB:
          [code=vbnet]
          Dim dbCon As SqlConnection
          [/code]
          And in C# you would declare your variables like this:
          [code=cpp]
          SqlConnection dbCon;
          [/code]

          Since both C# and VB.NET use the same Framework, you will have access to the same data types in both languages.

          Try to follow the example and when you run into problems post your question about the specific problem in the .Net forum.

          -Frinny

          Comment

          • ssknov
            New Member
            • Dec 2007
            • 40

            #6
            hi frinav
            fine article.
            it ll be good if u can add examples for Executescalar, Datatable.

            thnk u
            kssk

            Comment

            • Frinavale
              Recognized Expert Expert
              • Oct 2006
              • 9749

              #7
              Originally posted by ssknov
              hi frinav
              fine article.
              it ll be good if u can add examples for Executescalar, Datatable.

              thnk u
              kssk
              I've never heard of ExecuteScalar, DataTable...
              Do you mean a GridView (or DataGrid)??

              -Frinny

              Comment

              • jallred
                New Member
                • Feb 2008
                • 6

                #8
                If you're using .NET 3.5, consider using LINQ (Language Integrated Query).

                Assume that you have a customer database. The following query would select the customers in Oregon:

                Customer[] Customers = GetCustomers();
                var query =
                from c in Customers
                where c.State == "Oregon"
                select c;

                Quick and easy!
                John

                Comment

                • Frinavale
                  Recognized Expert Expert
                  • Oct 2006
                  • 9749

                  #9
                  Originally posted by jallred
                  If you're using .NET 3.5, consider using LINQ (Language Integrated Query).

                  Assume that you have a customer database. The following query would select the customers in Oregon:

                  Customer[] Customers = GetCustomers();
                  var query =
                  from c in Customers
                  where c.State == "Oregon"
                  select c;

                  Quick and easy!
                  John
                  Thanks for the info John :)
                  I'm going to have to look up LINQ!

                  -Frinny

                  Comment

                  • dwadish
                    New Member
                    • Nov 2006
                    • 129

                    #10
                    How to

                    I know the connectivity with framework 2.0 and other previous versions but 3.5
                    LINQ
                    Wow really fantastic
                    Last edited by dwadish; Mar 7 '08, 09:02 AM. Reason: missing words

                    Comment

                    • reese
                      New Member
                      • Mar 2008
                      • 8

                      #11
                      How About If Im Going To Use A Database To Connect In A Program Through Php???
                      How Should It Be Done???

                      Comment

                      • Frinavale
                        Recognized Expert Expert
                        • Oct 2006
                        • 9749

                        #12
                        Originally posted by reese
                        How About If Im Going To Use A Database To Connect In A Program Through Php???
                        How Should It Be Done???
                        That is a good question to ask the PHP experts. This article was intended for a .NET audience. Check out the PHP how-to articles, specifically the one about Creating a Data Abstraction Layer in PHP, and also the one on Uploading files into a MySql Database using PHP.

                        -Frinny

                        Comment

                        • meanmachine
                          New Member
                          • Jun 2008
                          • 1

                          #13
                          hey Frinny,

                          the article you posted about limking vb.net with sql database was informative but i'm a newbie and i need some further assistance to be able to make a project i have been assigned. if you have some other articles or a code bank or something of that fashion kindly advise....

                          regards,

                          gaurav

                          Comment

                          • Frinavale
                            Recognized Expert Expert
                            • Oct 2006
                            • 9749

                            #14
                            Originally posted by meanmachine
                            hey Frinny,

                            the article you posted about limking vb.net with sql database was informative but i'm a newbie and i need some further assistance to be able to make a project i have been assigned. if you have some other articles or a code bank or something of that fashion kindly advise....

                            regards,

                            gaurav
                            At this time I don't have any other materials on using databases.
                            You should post your specific questions in the .Net Forum. You should get the help you need there.

                            -Frinny

                            Comment

                            • r035198x
                              MVP
                              • Sep 2006
                              • 13225

                              #15
                              Checking the returned value of ExecuteNonQuery with 1 to determine success is not correct. The method returns the number of rows updated.

                              Comment

                              Working...