C# – Sql Parameters – Insert Statement
C# – Sql Parameters Source Code – Insert Statement
Purpose: – Illustrates using Sql Parameters with Insert Statement.
Prerequistes:
- Install Visual Studio 2022
- Watch this video to enable web forms in Visual Studio 2022 Enable Web Forms websites in Visual Studio 2022
- Install SQL Server Express
- Download Northwind Database
- Attach Northwind Database to Databases in Sql Express
Notes:
- Console Application is used to simplify things, but Windows Forms or Web Forms could also be used
- You can build a library of syntax examples by using same project over and over and just commenting out what you do not want to execute in Program.cs
Instructions:
- Use C# 2008 (Express or Standard) Edition
- Create new project; select Console Application; name of Project could be CSharp_Syntax.
- Right-click project name in solution explorer; add new folder; name of folder could be DatabaseADONET
- Right-click folder; add class; class name could be clsSqlParametersInsert.cs
- Copy code into clsSqlParametersInsert.cs
- Copy code into Program.cs
- Click green arrow to start with debugging
Step 1: Use View Plain to Cut-n-paste code into clsSqlParametersInsert.cs
using System; using System.Data; using System.Data.SqlClient; class clsSqlParametersInsert { public void Main() { SqlConnection thisConnection = new SqlConnection("server=.\\SQLEXPRESS;" + "integrated security=sspi;database=Northwind"); //Create Command object SqlCommand nonqueryCommand = thisConnection.CreateCommand(); try { // Open Connection thisConnection.Open(); Console.WriteLine("Connection Opened"); // Create INSERT statement with named parameters nonqueryCommand.CommandText = "INSERT INTO Employees (FirstName, LastName) VALUES (@FirstName, @LastName)"; // Add Parameters to Command Parameters collection nonqueryCommand.Parameters.Add("@FirstName", SqlDbType.VarChar, 10); nonqueryCommand.Parameters.Add("@LastName", SqlDbType.VarChar, 20); // Prepare command for repeated execution nonqueryCommand.Prepare(); // Data to be inserted string[] names = { "Wade", "David", "Charlie" }; for (int i = 0; i <= 2; i++) { nonqueryCommand.Parameters["@FirstName"].Value = names[i]; nonqueryCommand.Parameters["@LastName"].Value = names[i]; Console.WriteLine("Executing {0}", nonqueryCommand.CommandText); Console.WriteLine("Number of rows affected : {0}", nonqueryCommand.ExecuteNonQuery()); } } catch (SqlException ex) { // Display error Console.WriteLine("Error: " + ex.ToString()); } finally { // Close Connection thisConnection.Close(); Console.WriteLine("Connection Closed"); } Console.ReadLine(); } } |
Step 2: Use View Plain to Cut-n-paste code into Program.cs
using System; using System.Collections.Generic; using System.Linq; using System.Text; namespace CSharp_Syntax { class Program { static void Main(string[] args) { //DatabaseADONET clsSqlParametersInsert mySqlParametersInsert = new clsSqlParametersInsert(); mySqlParametersInsert.Main(); } } } |