Archive
How to access all types of server controls in ASP.Net using Javscript/JQuery OR Clear all server controls values using javascript or Jquery
How to access server side controls in ASP.Net using Javascript/JQuery
Using client side script such as JavaScript and Jquery, we can access all server side controls from ASPX page and it will get more performance on web application as it is not causing post back. While development we are frequently facing a feature to implement that “Clear All” function in the ASPX page. Suppose in a User Entry form, most probably there will be having a button for clear all values that user was trying to enter previously.
Get all textboxes, radio buttons and checkboxes in an ASPX page from JavaScript
To access all server side textbox controls in an aspx page using JavaScript, we have to find all controls with tag name is input and type is text. Below mentioned code will access all textboxes in a aspx page from JavaScript and clear those values to empty. The type of the radio button is ‘radio’ and checkbox is ‘checkbox’.
var elements = document.getElementsByTagName("input"); for (var ii = 0; ii < elements.length; ii++) { if (elements[ii].disabled == false) { if (elements[ii].type == "text") { elements[ii].value = ""; } if (elements[ii].type == "radio") { elements[ii].checked = false; } if (elements[ii].type == "checkbox") { elements[ii].checked = false; } } }
How to access dropdown list control in an ASPX Page using Javscript/JQuery
The tagname for the dropdownlist and listbox controls in an aspx page is ‘select’. We can access all dropdown list in a aspx page by checking tagname of each controls as same as below sample code.
var select = document.getElementsByTagName("select"); var length = select.length; for (i = 0; i < length; i++) { for (var j = 0; j < select[i].length; j++) { select[i][j].selected = false; } }
A simple example for accessing all server controls in an aspx page from javscript/jquery
We are demonstrating a sample web page containing different server controls like textbox, dropdownlist, checkbox, radiobutton, listbox etc.. and clearing all this values to default by using javscript/jquery. Here we are accessing all serverside controls without knowing their ids and names.
<%@ Page Language=”C#” AutoEventWireup=”true” CodeBehind=”JqueryValidation.aspx.cs”
Inherits=”ExperimentLab.JqueryValidation” %>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head runat="server"> <title>Clear all server controls using Javascript</title> <style type="text/css"> h1 { font-style: italic; font-weight: bold; color: Gray; font-size: small; text-decoration: underline; } body { color: Purple; } </style> </head> <body> <form id="form1" runat="server"> <div style="border: 1px solid black; padding: 20px; width: 60%;"> <table> <tr> <td> <h1> TextBoxes</h1> </td> </tr> <tr> <td> Name </td> <td> <asp:TextBox ID="txtName" runat="server" /> </td> </tr> <tr> <td> Age </td> <td> <asp:TextBox ID="txtAge" runat="server" /> </td> </tr> <tr> <td> <h1> Dropdown Lists</h1> </td> </tr> <tr> <td> Gender </td> <td> <asp:DropDownList ID="ddlGender" runat="server" Width="150"> <asp:ListItem Text="Select" Value="0"></asp:ListItem> <asp:ListItem Text="Male" Value="1"></asp:ListItem> <asp:ListItem Text="Female" Value="2"></asp:ListItem> </asp:DropDownList> </td> </tr> <tr> <td> Religion </td> <td> <asp:DropDownList ID="DropDownList1" runat="server" Width="150"> <asp:ListItem Text="Select" Value="0"></asp:ListItem> <asp:ListItem Text="Muslim" Value="1"></asp:ListItem> <asp:ListItem Text="Christian" Value="2"></asp:ListItem> <asp:ListItem Text="Hindu" Value="3"></asp:ListItem> <asp:ListItem Text="Others" Value="4"></asp:ListItem> </asp:DropDownList> </td> </tr> <tr> <td> <h1> Radio Button Lists</h1> </td> </tr> <tr> <td> Nationality </td> <td> <asp:RadioButtonList ID="rdNationality" runat="server"> <asp:ListItem Text="India" Value="0" /> <asp:ListItem Text="Other" Value="1" /> </asp:RadioButtonList> </td> </tr> <tr> <td> <h1> Checkbox Lists</h1> </td> </tr> <tr> <td> Languages Known </td> <td> <asp:CheckBoxList ID="chkLanguages" runat="server"> <asp:ListItem Text="Malayalam" Value="0" /> <asp:ListItem Text="English" Value="1" /> <asp:ListItem Text="Spanish" Value="2" /> </asp:CheckBoxList> </td> </tr> <tr> <td> <h1> Listbox</h1> </td> </tr> <tr> <td> Technical Skills </td> <td> <asp:ListBox ID="lstSkills" runat="server" SelectionMode="Multiple" Width="150"> <asp:ListItem Text="ASP.Net" Value="1" /> <asp:ListItem Text="SQL Server" Value="2" /> <asp:ListItem Text="MVC" Value="3" /> <asp:ListItem Text="JQuery" Value="4" /> <asp:ListItem Text="Javscript" Value="5" /> <asp:ListItem Text="MySQL" Value="6" /> </asp:ListBox> </td> </tr> <tr> <td> </td> <td> <asp:Button runat="server" ID="btnClick" Text="Clear All" OnClientClick="clearAllServerFields();" /> </td> </tr> </table> </div> <script type="text/javascript" language="javascript"> function clearAllServerFields() { //Code for accessing all dropdown lists and listboxes in an aspx page var select = document.getElementsByTagName("select"); var length = select.length; for (i = 0; i < length; i++) { for (var j = 0; j < select[i].length; j++) { select[i][j].selected = false; } } var elements = document.getElementsByTagName("input"); for (var ii = 0; ii < elements.length; ii++) { if (elements[ii].disabled == false) { //Code for accessing all textboxes in an aspx page if (elements[ii].type == "text") { elements[ii].value = ""; } //Code for accessing all radio buttons in an aspx page if (elements[ii].type == "radio") { elements[ii].checked = false; } //Code for accessing all checkboxes in an aspx page if (elements[ii].type == "checkbox") { elements[ii].checked = false; } } } } </script> </form> </body> </html>
How to merge two data tables in ASP.Net/C# OR Merge 2 DataTables and store in a new one in ASP.Net/C#
Merge multiple data-tables data into a another data-table using C#/ASP.Net
Here we are going to demonstrate a sample application which shows merge two data tables in ASP.Net. In this sample we are having two data tables with some data and merge data of each tables data. We binds first data table to a data grid second one to another grid and third data grid binds with merged data table.

Merge data tables in C#/ASP.Net
ASPX Page for Example of merge two datatables in C#/ASP.Net
<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="MergeDataTable.aspx.cs" Inherits="ExperimentLab.MergeDataTable" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head runat="server"> <title></title> </head> <body> <form id="form1" runat="server"> <div> First DataTable <asp:GridView ID="gdDataTableOne" runat="server" /><br /> Second DataTable <asp:GridView ID="gdDataTableTwo" runat="server" /><br /> Merged DattaTable <asp:GridView ID="gdDataTableMergedData" runat="server" /><br /> </div> </form> </body> </html> -*******
CODE BEHIND Page for Merge datatable in C#/ASP.Net
using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Web.UI; using System.Web.UI.WebControls; using System.Data; namespace ExperimentLab { public partial class MergeDataTable : System.Web.UI.Page { DataTable dtOne = new DataTable(); DataTable dtTwo = new DataTable(); protected void Page_Load(object sender, EventArgs e) { fillDataTableOne(); fillDataTableTwo(); mergeDataTables(); } private void mergeDataTables() { dtOne.Merge(dtTwo, false); gdDataTableMergedData.DataSource = dtOne; gdDataTableMergedData.DataBind(); } private void fillDataTableOne() { dtOne.Columns.Add("EmpID", typeof(Int32)); dtOne.Columns.Add("EmployeeName", typeof(string)); dtOne.Columns.Add("Department", typeof(string)); dtOne.Columns.Add("City", typeof(string)); DataRow dtOnerow = dtOne.NewRow(); // Create New Row dtOnerow["EmpID"] = 1; //Bind Data to Columns dtOnerow["EmployeeName"] = "Ram"; dtOnerow["Department"] = "Admin"; dtOnerow["City"] = "Kochi"; dtOne.Rows.Add(dtOnerow); dtOnerow = dtOne.NewRow(); // Create New Row dtOnerow["EmpID"] = 2; //Bind Data to Columns dtOnerow["EmployeeName"] = "Mahesh"; dtOnerow["Department"] = "Finance"; dtOnerow["City"] = "Delhi"; dtOne.Rows.Add(dtOnerow); dtOnerow = dtOne.NewRow(); // Create New Row dtOnerow["EmpID"] = 3; //Bind Data to Columns dtOnerow["EmployeeName"] = "Raj"; dtOnerow["Department"] = "Admin"; dtOnerow["City"] = "Kolkata"; dtOne.Rows.Add(dtOnerow); dtOnerow = dtOne.NewRow(); // Create New Row dtOnerow["EmpID"] = 4; //Bind Data to Columns dtOnerow["EmployeeName"] = "Virbal"; dtOnerow["Department"] = "HR"; dtOnerow["City"] = "Mumbai"; dtOne.Rows.Add(dtOnerow); gdDataTableOne.DataSource = dtOne; gdDataTableOne.DataBind(); } private void fillDataTableTwo() { dtTwo.Columns.Add("EmpID", typeof(Int32)); dtTwo.Columns.Add("EmployeeName", typeof(string)); dtTwo.Columns.Add("Department", typeof(string)); dtTwo.Columns.Add("City", typeof(string)); DataRow dtTworow = dtTwo.NewRow(); // Create New Row dtTworow["EmpID"] = 5; //Bind Data to Columns dtTworow["EmployeeName"] = "John"; dtTworow["Department"] = "Delivery"; dtTworow["City"] = "Goa"; dtTwo.Rows.Add(dtTworow); dtTworow = dtTwo.NewRow(); // Create New Row dtTworow["EmpID"] = 6; //Bind Data to Columns dtTworow["EmployeeName"] = "Jacob"; dtTworow["Department"] = "Finance"; dtTworow["City"] = "Kolkata"; dtTwo.Rows.Add(dtTworow); dtTworow = dtTwo.NewRow(); // Create New Row dtTworow["EmpID"] = 7; //Bind Data to Columns dtTworow["EmployeeName"] = "Srini"; dtTworow["Department"] = "HR"; dtTworow["City"] = "Jaipur"; dtTwo.Rows.Add(dtTworow); dtTworow = dtTwo.NewRow(); // Create New Row dtTworow["EmpID"] = 8; //Bind Data to Columns dtTworow["EmployeeName"] = "Gopal"; dtTworow["Department"] = "InfraStructure"; dtTworow["City"] = "Chennai"; dtTwo.Rows.Add(dtTworow); gdDataTableTwo.DataSource = dtTwo; gdDataTableTwo.DataBind(); } } }
How to implement BalloonPopupExtender in ASP.Net/C# OR Ballon Popup Extender Sample in ASP.Net/C#
DOWNLOAD SOURCE CODE FOR BALLOON POPUP EXTENDER EXAMPLE
How to display good POPUP Window in ASP.Net using Ajax?
Most of the ASP.Net application requires showing some POPUP window to user for showing some messages or information. Also in order to create a ToolTips in ASP.Net/C# web application it’s very difficult to achieve for good looking ToolTip. In the newest Ajax Control Toolkit includes an awesome good looking and more functional popup extender called Balloon POPUP Extender. It’s a very light weight and having good look and feel popup, also we can apply custom styles for POPUP. Balloon POPUP Extender can use as ToolTips in ASP.Net application.
Download and Register New AjaxControl Toolkit
For implementing Balloon POPUP Extender in ASP.Net/C# application, we need to download newest Ajax Control Toolkit and register to the Project references. You can download new Ajax Control Toolkit from this link. Right click the ‘References’ under the ASP.Net project from Visual Studio and browse the dll and press OK.
In the ASPX page we need to register this ajax toolkit dll like below mentioned code.
<%@ Register Assembly="AjaxControlToolkit" Namespace="AjaxControlToolkit" TagPrefix="ajax" %>
How to implement Balloon POPUP Extender in ASP.Net/C# Application?
After adding and register the Ajax Control Toolkit as mentioned above, we can start to implement the Balloon POPUP Extender. We can implement Balloon POPUP Extender while clicking/on mouse over/on focus of any server controls in ASP.Net. Below mentioned is the codes for implementing the same.
<ajax:BalloonPopupExtender ID="PopupControlExtender2" runat="server" TargetControlID="txtUserName" BalloonPopupControlID="pnlBalloon" Position="BottomRight" BalloonStyle="Cloud" BalloonSize="Medium" UseShadow="true" ScrollBars="Auto" DisplayOnMouseOver="true" DisplayOnFocus="false" DisplayOnClick="true" />
There are some properties are available for Balloon POPUP Extender control and we can adjust the size,color,style and controls of POPUP using these properties. Below are the main properties of Balloon POPUP Extender
TargetControlID – The ID of the control to attach to.
BalloonPopupControlID – The ID of the control to display.
Position – Optional setting specifying where the popup should be positioned relative to the target control. (TopRight, TopLeft, BottomRight, BottomLeft, Auto) Default value is Auto.
OffsetX/OffsetY – The number of pixels to offset the Popup from its default position, as specified by Position. Default value is 0.
BalloonStyle – Optional setting specifying the theme of balloon popup. (Cloud, Rectangle, Custom). Default value is Rectangle.
BalloonSize – Optional setting specifying the size of balloon popup. (Small, Medium and Large). Default value is Small.
CustomCssUrl – This is required if user choose BalloonStyle to Custom. This specifies the url of custom css which will display custom theme.
CustomClassName – This is required if user choose BalloonStyle to Custom. This specifies the name of the css class for the custom theme.
UseShadow – Optional setting specifying whether to display shadow of balloon popup or not.
ScrollBars – Optional setting specifying whether to display scrollbar if contents are overflowing. This property contains 5 options – None, Horizontal, Vertical, Both and Auto. Default value is Auto.
DisplayOnMouseOver – Optional setting specifying whether to display balloon popup on the client onMouseOver event. Default value is false.
DisplayOnFocus – Optional setting specifying whether to display balloon popup on the client onFocus event. Default value is false.
DisplayOnClick – Optional setting specifying whether to display balloon popup on the client onClick event. Default value is true.
Animations – Generic animations for the PopupControlExtender.
OnShow – The OnShow animation will be played each time the popup is displayed. The popup will be positioned correctly but hidden. The animation can use <HideAction Visible=”true” /> to display the popup along with any other visual effects.
OnHide – The OnHide animation will be played each time the popup is hidden.
A very simple example for Balloon POPUP Extender in ASP.Net/C# using Ajax
Here we are demonstrating a very simple for implementing Ajax Balloon POPUP Extender with full downloadable source code.
ASPX Page
<%@ Page Title="Home Page" Language="C#" MasterPageFile="~/Site.master" AutoEventWireup="true" CodeBehind="Default.aspx.cs" Inherits="BaloonPopup._Default" %> <%@ Register Assembly="AjaxControlToolkit" Namespace="AjaxControlToolkit" TagPrefix="ajax" %> <asp:Content ID="HeaderContent" runat="server" ContentPlaceHolderID="HeadContent"> </asp:Content> <asp:Content ID="BodyContent" runat="server" ContentPlaceHolderID="MainContent"> <h2> Welcome to Baloon Popup Extender Sample </h2> <p> For Website/WebApplication creation <a href="http://www.tuvian.com" title="aps.net">www.tuvian.com</a>. </p> <div> <ajax:ToolkitScriptManager ID="Scriptmanager1" runat="server"> </ajax:ToolkitScriptManager> <div style="border: 1px solid gray; padding: 10px; margin: 10px;"> <h3> Cloud Style Baloon Popup Example</h3> <br /> <br /> <ajax:BalloonPopupExtender ID="PopupControlExtender2" runat="server" TargetControlID="txtUserName" BalloonPopupControlID="pnlBalloon" Position="BottomRight" BalloonStyle="Cloud" BalloonSize="Medium" UseShadow="true" ScrollBars="Auto" DisplayOnMouseOver="true" DisplayOnFocus="false" DisplayOnClick="true" /> UserName : <asp:TextBox runat="server" ID="txtUserName" /> <asp:Panel runat="server" ID="pnlBalloon"> This is the Cloud Style Ballon Popup</asp:Panel> </div> <div style="border: 1px solid gray; padding: 10px; margin: 10px;"> <h3> Rectangular Baloon Popup Example</h3> <br /> <br /> <ajax:BalloonPopupExtender ID="Balloonpopupextender1" runat="server" TargetControlID="lblShow" BalloonPopupControlID="pnlRectangularBallon" Position="TopRight" BalloonStyle="Rectangle" BalloonSize="Medium" UseShadow="true" ScrollBars="Auto" DisplayOnMouseOver="false" DisplayOnFocus="false" DisplayOnClick="true" /> <asp:Label runat="server" ID="lblShow" Text="Click Here to Show the Rectangular Balloon Popup" /> <asp:Panel runat="server" ID="pnlRectangularBallon"> This is the rectangular ballon popup</asp:Panel> </div> <div style="border: 1px solid gray; padding: 10px; margin: 10px;"> <h3> Custom Style Baloon Popup Example</h3> <br /> <br /> <ajax:BalloonPopupExtender ID="Balloonpopupextender2" runat="server" TargetControlID="txtCustomBallonPopup" BalloonPopupControlID="pnlCustomBallon" Position="BottomRight" BalloonStyle="Custom" BalloonSize="Medium" UseShadow="true" ScrollBars="Auto" DisplayOnMouseOver="true" CustomCssUrl="Styles/BalloonPopupOvalStyle.css" CustomClassName="oval" DisplayOnFocus="false" DisplayOnClick="true" /> <asp:TextBox runat="server" ID="txtCustomBallonPopup" /> <asp:Panel runat="server" ID="pnlCustomBallon"> This is the Custom Style ballon popup</asp:Panel> </div> </div> </asp:Content> -------------- DOWNLOAD SOURCE CODE FOR BALLOON POPUP EXTENDER EXAMPLE
How to Create a Data Table Dynamically with sample data and Bind to Grid/Create datatable with sample data.
How to create a datatable with sample data
We are going to demonstrate how to create a sample datatable dynamically in ASP.Net. Here we are creating a ASPx page with a grid view. In the page load of the ASPx page will call a bind method which creating a datatable dynamically and bind the datatable with datagrid. In BindGridviewData function create data for an employee and binding employee data to the employee grid.
ASPxPage
<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="DynamicCreateDataTable.aspx.cs" Inherits="ExperimentLab.DynamicCreateDataTable" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head runat="server"> <title></title> </head> <body> <form id="form1" runat="server"> <div> <asp:GridView ID="gdEmployee" runat="server"> </asp:GridView> </div> </form> </body> </html>
Code Behind
protected void Page_Load(object sender, EventArgs e) { BindGridviewData(); } //Creating datatable dynamically and bind data to a grid protected void BindGridviewData() { DataTable dt = new DataTable(); //Create datatable Columns dynamically dt.Columns.Add("EmployeeID", typeof(Int32)); dt.Columns.Add("EmployeeName", typeof(string)); dt.Columns.Add("Department", typeof(string)); dt.Columns.Add("City", typeof(string)); //Create data table row dynamically add DataRow dtrow = dt.NewRow(); // Create New Row //Assign data to datarow dynamically dtrow["EmployeeID"] = 1; //Bind Data to Columns dtrow["EmployeeName"] = "Ramraj"; dtrow["Department"] = "Admin"; dtrow["City"] = "Calicut"; dt.Rows.Add(dtrow); dtrow = dt.NewRow(); // Create New Row //Assign data to datarow dynamically dtrow["EmployeeID"] = 2; //Bind Data to Columns dtrow["EmployeeName"] = "Malhothra"; dtrow["Department"] = "HR"; dtrow["City"] = "Mumbai"; dt.Rows.Add(dtrow); dtrow = dt.NewRow(); // Create New Row //Assign data to datarow dynamically dtrow["EmployeeID"] = 3; //Bind Data to Columns dtrow["EmployeeName"] = "Sinan Hafis"; dtrow["Department"] = "Admin"; dtrow["City"] = "Delhi"; dt.Rows.Add(dtrow); dtrow = dt.NewRow(); // Create New Row //Assign data to datarow dynamically dtrow["EmployeeID"] = 4; //Bind Data to Columns dtrow["EmployeeName"] = "Wazim Jafar"; dtrow["Department"] = "Finance"; dtrow["City"] = "Goa"; dt.Rows.Add(dtrow); gdEmployee.DataSource = dt; gdEmployee.DataBind(); } RESULT

Dynamic datatable in ASP.Net
How to Create and use Table-Valued Parameter in C# and T-SQL/ How to pass table to stored procedures in SQL
What is Table – Valued Parameter in SQL Server 2008?
Table-valued parameters provide an easy way to marshal multiple rows of data from a client application to SQL Server without requiring multiple round trips or special server-side logic for processing the data. You can use table-valued parameters to encapsulate rows of data in a client application and send the data to the server in a single parameterized command. The incoming data rows are stored in a table variable that can then be operated on by using Transact-SQL.
What we are going to do with Table – Valued Parameter?
We are going to demonstrate a very simple example for using Table – Valued parameter. In this sample project we will insert bulk amount of data into the table by passing a bulk data using datatable in C# to SQL stored procedure.
Create a Table for insert data using Table – Valued Parameter
Here we are having a table named Officer and having three fields ID,Name and Salary. We are going to fill the table with bulk data.
CREATE TABLE Officer( ID INT PRIMARY KEY IDENTITY(1,1), NAME VARCHAR(50), SALARY DECIMAL(18, 0))
Stored Procedure for insert data by accepting Table Valued Parameter
Now we are going to create a Stored Procedure that accepting a table type as parameter and insert values in this type into the table.
CREATE PROCEDURE InsertOfficerDetails ( @OfficerData OfficerDetails readonly ) AS INSERT INTO Officer (Name, Salary) SELECT Name, Salary FROM @OfficerData;
C# code to call Stored Procedure to insert data in to the table using Table – Valued Parameter
We are creating a simple ASPX page with a single button. When we click this button we are calling above stored procedure by creating and passing some amount of sample data to the stored procedure as Table – Valued Parameter.
ASPX Page
<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="CallSP.aspx.cs" Inherits="ExperimentLab.CallSP" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head id="Head1" runat="server"> <title></title> </head> <body> <form id="form1" runat="server"> <div> <asp:Button ID="btnCallSP" runat="server" Text="Call SP" OnClick="btnCallSP_Click" /> </div> </form> </body> </html>
Code Behind
protected void btnCallSP_Click(object sender, EventArgs e) { try { DataTable dt = new DataTable(); DataColumn dtCol = new DataColumn(); dtCol.ColumnName = "ID"; dt.Columns.Add(dtCol); dtCol = new DataColumn(); dtCol.ColumnName = "Name"; dt.Columns.Add(dtCol); dtCol = new DataColumn(); dtCol.ColumnName = "Salary"; dt.Columns.Add(dtCol); for (int i = 0; i < 10; i++) { DataRow dr = dt.NewRow(); dr["Name"] = "Name " + i; dr["Salary"] = 1000 + i; dr["ID"] = i; dt.Rows.Add(dr); } string connStr = ConfigurationManager. AppSettings["LocalSqlServer"].ToString(); SqlConnection con = new SqlConnection(connStr); using (var conn = new SqlConnection(connStr)) using (var cmd = conn.CreateCommand()) { cmd.Connection = con; con.Open(); cmd.CommandType = CommandType.StoredProcedure; cmd.CommandText = "dbo.InsertOfficerDetails"; SqlParameter param = cmd.Parameters.AddWithValue("@OfficerData", dt); cmd.ExecuteNonQuery(); } } catch (Exception a) { Response.Write(a.Message); } }
Web.Config
<appSettings> <add key="LocalSqlServer" value="Database=testDB;Server=Servername\SQLEXPRESS;User Id=userid;Password=password"/> </appSettings>
Hence we discussed about how to create and use Table valued parameters, how to create a store procedure with table type as parameter, how to pass table to stored procedure in C#/Asp.Net, how to insert multiple rows of data to a table with table valued parameter in SQL, how to insert bulk data to SQL table using Table Valued Parameter in SQL Server 2008 etc..
How to crop image using ASP.Net/C# OR Cropping image in C# before upload
DOWNLOAD SOURCE CODE FOR CROP IMAGE IN ASP.NET
Crop images before upload to the server in C#/ASP.Net
In our previous post we demonstrate how we can re size image using C# or Create thumbnail image using ASP.Net. Here we are demonstrating how we can crop images using ASP.Net application using Jquery and C#. In some applications we need to upload images and we need only some portion of the images to get clear picture on the photo. In this case we need to give an option to users to crop image before they are uploading the image.
Include Jquery file/CSS files to the application.
First of all we need to include following jquery/CSS files to the application.
1. jquery.min.js – You can download from here
2. jquery.Jcrop.js – You can download from here
3. jquery.Jcrop.css – You can download from here
Simple steps to crop image using ASP.Net,C#,Jquery
In this application we are having a browse option for selecting an image. Once we selected a image it will display int the screen.

Select an image to crop using ASP.Net C# Jquery
In the next step we will have the option to select an area to crop the image. Once we selected an area we can click crop button on the screen.

Select image area to crop
Then the selected area will be cropped and displayed in the screen.

Cropped area of the image
ASPX Page for crop images using Jquery
<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="CropImage.aspx.cs" Inherits="ExperimentLab.CropImage" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head id="Head1" runat="server"> <title>Crop Image</title> <link href="Styles/jquery.Jcrop.css" rel="stylesheet" type="text/css" /> <script type="text/javascript" src="http://ajax.googleapis.com/ajax/libs/jquery/1.3/jquery.min.js"></script> <script type="text/javascript" src="Scripts/jquery.Jcrop.js"></script> <script type="text/javascript"> jQuery(document).ready(function () { jQuery('#imgCrop').Jcrop({ onSelect: storeCoords }); }); function storeCoords(c) { jQuery('#X').val(c.x); jQuery('#Y').val(c.y); jQuery('#W').val(c.w); jQuery('#H').val(c.h); }; </script> </head> <body> <form id="form1" runat="server"> <div> <asp:Panel ID="pnlUpload" runat="server"> <asp:FileUpload ID="Upload" runat="server" /> <br /> <asp:Button ID="btnUpload" runat="server" OnClick="btnUpload_Click" Text="Upload" /> <asp:Label ID="lblError" runat="server" Visible="false" /> </asp:Panel> <asp:Panel ID="pnlCrop" runat="server" Visible="false"> <asp:Image ID="imgCrop" runat="server" /> <br /> <asp:HiddenField ID="X" runat="server" /> <asp:HiddenField ID="Y" runat="server" /> <asp:HiddenField ID="W" runat="server" /> <asp:HiddenField ID="H" runat="server" /> <asp:Button ID="btnCrop" runat="server" Text="Crop" OnClick="btnCrop_Click" /> </asp:Panel> <asp:Panel ID="pnlCropped" runat="server" Visible="false"> <asp:Image ID="imgCropped" runat="server" /> </asp:Panel> </div> </form> </body> </html>
Code Behind of the ASPX page for Crop image using ASP.Net/C#
using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Web.UI; using System.Web.UI.WebControls; using System.IO; using SD = System.Drawing; using System.Drawing.Drawing2D; namespace ExperimentLab { public partial class CropImage : System.Web.UI.Page { protected void Page_Load(object sender, EventArgs e) { } String path = HttpContext.Current.Request.PhysicalApplicationPath + "images\\"; protected void btnUpload_Click(object sender, EventArgs e) { Boolean FileOK = false; Boolean FileSaved = false; if (Upload.HasFile) { Session["WorkingImage"] = Upload.FileName; String FileExtension = Path.GetExtension(Session["WorkingImage"].ToString()).ToLower(); String[] allowedExtensions = { ".png", ".jpeg", ".jpg", ".gif" }; for (int i = 0; i < allowedExtensions.Length; i++) { if (FileExtension == allowedExtensions[i]) { FileOK = true; } } } if (FileOK) { try { Upload.PostedFile.SaveAs(path + Session["WorkingImage"]); FileSaved = true; } catch (Exception ex) { lblError.Text = "File could not be uploaded." + ex.Message.ToString(); lblError.Visible = true; FileSaved = false; } } else { lblError.Text = "Cannot accept files of this type."; lblError.Visible = true; } if (FileSaved) { pnlUpload.Visible = false; pnlCrop.Visible = true; imgCrop.ImageUrl = "images/" + Session["WorkingImage"].ToString(); } } protected void btnCrop_Click(object sender, EventArgs e) { string ImageName = Session["WorkingImage"].ToString(); int w = Convert.ToInt32(W.Value); int h = Convert.ToInt32(H.Value); int x = Convert.ToInt32(X.Value); int y = Convert.ToInt32(Y.Value); byte[] CropImage = Crop(path + ImageName, w, h, x, y); using (MemoryStream ms = new MemoryStream(CropImage, 0, CropImage.Length)) { ms.Write(CropImage, 0, CropImage.Length); using (SD.Image CroppedImage = SD.Image.FromStream(ms, true)) { string SaveTo = path + "crop" + ImageName; CroppedImage.Save(SaveTo, CroppedImage.RawFormat); pnlCrop.Visible = false; pnlCropped.Visible = true; imgCropped.ImageUrl = "images/crop" + ImageName; } } } static byte[] Crop(string Img, int Width, int Height, int X, int Y) { try { using (SD.Image OriginalImage = SD.Image.FromFile(Img)) { using (SD.Bitmap bmp = new SD.Bitmap(Width, Height)) { bmp.SetResolution(OriginalImage.HorizontalResolution, OriginalImage.VerticalResolution); using (SD.Graphics Graphic = SD.Graphics.FromImage(bmp)) { Graphic.SmoothingMode = SmoothingMode.AntiAlias; Graphic.InterpolationMode = InterpolationMode.HighQualityBicubic; Graphic.PixelOffsetMode = PixelOffsetMode.HighQuality; Graphic.DrawImage(OriginalImage, new SD.Rectangle(0, 0, Width, Height), X, Y, Width, Height, SD.GraphicsUnit.Pixel); MemoryStream ms = new MemoryStream(); bmp.Save(ms, OriginalImage.RawFormat); return ms.GetBuffer(); } } } } catch (Exception Ex) { throw (Ex); } } } } DOWNLOAD SOURCE CODE FOR CROP IMAGE IN ASP.NET
Disable copy paste on textbox in the ASP.Net/C# using javascript/Jquery
Very simple method to disable copy paste in the textbox without any extra script
To achieve some requirements like disable copy paste functionalities in the textbox in aspx page, commonly we need to write some additional javascript functionalities in the aspx page. We can achieve this features using very simple methods.
First Method to disable Ctrl Key and right click on textbox
This method is very simple method and here we don’t need to include any javascript methods or files. We are having oncopy and onpaste event for the textboxes and can call return false for this both event.
<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="disableCopyPaste.aspx.cs" Inherits="ExperimentLab.disableCopyPaste" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head id="Head1" runat="server"> <title>Sample to Disable Copy, Cut and Paste Options in textbox</title> </head> <body> <form id="form2" runat="server"> <div> <strong>First Method To disable copy, cut and paste options in textbox</strong><br /> <asp:TextBox ID="TextBox2" runat="server" oncopy="return false" oncut="return false" onpaste="return false"></asp:TextBox> </div> </form> </body> </html>
Second method to prevent copy paste feature in the aspx texbox
In this option, we are calling a javascript function on any key press. This function checks whether user press ctrl key or right click using e.keyCode and e.button variable. If the user press ctrl key or right click, from the javascript function call return false
<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="disableCopyPaste.aspx.cs" Inherits="ExperimentLab.disableCopyPaste" %> <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd"> <html xmlns="http://www.w3.org/1999/xhtml"> <head id="Head1" runat="server"> <title>Sample to Disable Copy, Cut and Paste Options in textbox</title> <script language="javascript" type="text/javascript"> //Function to disable Cntrl key/right click function DisableControlKey(e) { // Message to display var message = "Cntrl key/ Right Click Option disabled"; // Condition to check mouse right click / Ctrl key press if (e.keyCode == 17 || e.button == 2) { alert(message); return false; } } </script> </head> <body> <form id="form2" runat="server"> <div> <strong>Second Method to Disable copy, cut and paste options in textbox</strong><br /> <asp:TextBox ID="TextBox3" runat="server" onKeyDown="return DisableControlKey(event)" onMouseDown="return DisableControlKey(event)"></asp:TextBox> </div> </form> </body> </html>
Recent Comments