Click here to Skip to main content
15,884,176 members
Articles / Web Development / ASP.NET
Article

ASP.NET Server Control - Updown Control 1

Rate me:
Please Sign up or sign in to vote.
4.26/5 (13 votes)
24 Mar 20029 min read 306.2K   1.9K   56   62
A tutorial on imeplementing an ASP.Net custom server control

Sample Image - updowncontrol1.gif

As the title of the article says, we will attempt to explain the steps for creating a web control, and in particluar an up-down control. The functionality of this control is the same as MFC's Up-Down control and Windows Forms' System.Windows.Forms.NumericUpDown control. We will try to explain the steps in as much as details as we can. A lot of information is available in .NET framework documentation. It is just a question of how to apply that information to create a control that can be useful for your day to day operations on the web pages.

There are two ways that you use to build your server control.

  • Composite Control
  • Custom Control

We will not go into details of defining these two types. There is some good information available in the .NET framework documentation about it. Stating it simply, a composite control is a server control that utilizes one or more existing server controls, and a Custom Control is very much like implementing your Windows controls where you will handle the drawing by providing an implementation of the OnPaint event. Similarly for Custom Controls, you will provide your own rendering of the control in the Render event handler. We will discuss these details later in the article.

Why did we create a custom control?

If you look at the Up-Down control, it is made up of one textbox and two buttons to increment or decrement the value. That means this can be accomplished using a composite control made up of one asp:TextBox and two asp:ImageButton controls. But we decided to create a custom control and do our won rendering of HTML tags.

We had couple of reason to go this route. Although the ASP.NET documentation states that the server controls can generate a browser compatible HTML tags, in our real experience we have observed that for browsers other than Internet Explorer, the HTML code generation has been very inconsistent. The other reason is that the control value will be changed with every click on spinner controls. That means we will have to manage the state on client side instead of doing post backs for every click as that is not a very efficient solution because it generates a lot of network traffic. So we will have to emit client side JavaScript for managing state.

Lets get started

Define control

Every server control is derived from Control or WebControl. So the first step is creating a control class that derives from one of these classes. WebControl itself is derived from the Control class. The advantage of deriving your control's class from

WebControl</u> is that along with the common 
    properties of <code>Control
, your control will inherit the implementation of very commonly used properties of web controls e.g. Width, Height, Font etc. So we decided to take advantage of it and derive our control from the WebControl class.

C#
[ToolboxData("<{0}:UpDownControl Runat=server>/>")]
[Designer(typeof(UpDownControl))]
public class UpDownControl : WebControl, IPostBackDataHandler

You should have observed that we have specified the the control will provide implementation of the IPostBackDataHandler interface. The reason for doing is that our control will be saving the value that user has specified by incrementing or decrementing through spinners and these value has to be conveyed to the page when the Form is posted back for processing. The IPostBackDataHandler interface provides two methods, LoadPostData and RaisePostDataChangedEvent, that our control will implement to handle the post back events from the containing page.

What properties to define?

Now lets see what all custom properties that we will need other than the standard ones like Color, Font, etc. Since our control is an Up-Down control, that means we require some graphics to display our up and down arrows. So we have two properties that can be used to set/get URL s for the up-down arrows.

C#
[Category("Text")]
[Description("URL for up arrow image")]
public string UpArrowImgUrl
{
    get{return this.m_strUpArrowImg;}
    set{this.m_strUpArrowImg = value;}
}

Then we need to provide some means of controlling on which side of the text box the up-down arrows should be displayed. It will be either left or right. So we need to define a property that will get/set this value. Instead of just using int type, we decided to use an enum so that this value can be set descriptively, meaning instead of setting the value as 0 or 1, we will set it by "Left" and "Right" values.

C#
public enum ArrowsPosition 
{
    Left = 0,
    Right = 1,
}

[Category("Appearance")]
[Description("Specify if up-down arows will be displayed on right side or not.")]
public ArrowsPosition ArrowsPositionSide
{
    get{return this.m_enumArrowsPosition;}
    set{this.m_enumArrowsPosition = value;}
}

Next we need to specify how far the arrows will be placed from the text box. This is like providing spacing between two HTML objects. So we defined the property ArrowsSpacing that we can set/get.

C#
[Category("Appearance")]
[Description("Specify the spacing between text-box and up-down arrows.")]
public int ArrowsSpacing
{
    get{return this.m_iArrowsSpacing;}
    set{this.m_iArrowsSpacing = value;}
}

Then the properties that affect the values that are saved in the text box. Like

System.Windows.Forms.NumericUpdown
we have specified properties that control min-max and increment values. For more details, look at the source control provided with the article.

Rendering of control

To render HTML tags for your custom server control it is very essential that you provide and implementation of the

Render</u>  method in your control class. This method 
    provides a chance to the control to render its contents or what ever it wants to 
    emit to display to the browser. <code>Render
method has only one parameter, HtmlTextWriter, which acts as an output stream to write the HTML contents to the web page.

protected override void Render(HtmlTextWriter output)
{
}

Therefore in this method we render all the HTML tags to display the text box and up-down arrow images. We emit input and img for rendering this user interface, and for displaying the right kind of image, we get the value from the UpArrowImgUrl and DownArrowImgUrl properties. This rendering has been implemented in two private methods, AddTextSpanSection and AddImageSection, of the control class.

C#
strRender.Append("\n<table cellspacing=\"0px\" cellpadding=\"0px\"");
strRender.Append(" height=\"");
strRender.Append(this.Height + "\">");
// Add up arrow row
strRender.Append("\n<tr>");
strRender.Append("\n<td valign=\"bottom\">");
strRender.Append("<img border=0 title=\"Increment value\" src=\"");
strRender.Append(this.m_strUpArrowImg);
strRender.Append("\"");
strRender.Append(" onclick=\"javascript:" + this.UpArrowClickFunction + "();");
strRender.Append("\">");
strRender.Append("\n</td>");
strRender.Append("\n</tr>");

Handle events

Rendering is just one part of implementing a server control. It is like providing a body to a human being. Now this thing needs a brain too, and in the world of web page controls, the brain power is to react to various actions that happen to it. We are implementing an up-down spinner control; that means the control has to react to user's clicks on the up/down arrows. We provide this ability by  implementing the onclick event of each img tag that displays arrows. If you look at the code above, we call the UpArrowClickFunction during the rendering of the img control. This private method returns the name of the client side javascript function that handled click event on the up-arrow image control. Using the same method we add client-side event handlers for the down-arrow image control's click event.

C#
strRender.Append("<img border=0 title=\"Decrement value\" src=\"");
strRender.Append(this.m_strDownArrowImg);
strRender.Append("\"");
strRender.Append(" onclick=\"javascript:" + this.DownArrowClickFunction + "();");
strRender.Append("\">");

Managing state of the control

The Up-down control has no way of raising post back events. This is not totally true, but we don't want this control to do post-backs for every click on the arrow images. This means we will have manage state using some client-side scripts. But first we need some placeholder where we can save the state. We use the old trick of using a hidden input control on the page. This input will be used to convey the value stored in the text box to the page when user submits the form or any other control fires a post-back event.

The ASP.NET framework helps in accomplishing this task. There is RegisterHiddenField method on the Page class that automatically registers a hidden field on the form. And when the page is rendered, this hidden field is rendered on the page too. We call this method in OnPreRender</u> event handler. The <code>RegisterHiddenField method has two arguments, one is used to specify the unique ID for the hidden control and the second argument is used to store the initial value for the control.

C#
protected override void OnPreRender(EventArgs args)
{
    base.OnPreRender(args);
    if (Page != null)
    {
        Page.RegisterHiddenField(HelperID, Text);
    }
}

In the control implementation, we have provided a private property, HiddenID, which uses ClientID property of the control to generate a unique ID for the hidden variable.

How is state communicated to page?

OK, we have rendered the control, handled the click events on the arrows and managed the state. Now the last thing that is left, how the change in control's state will be communicated, and if the control wants to raise any event if its state has changed how will that happen? Here are the steps that need to be followed to wire this all up.

  • The first step is to tell the containing page that our control needs to be notified when post-back happens. In the .NET framework, the callbacks are accomplished through events and delegates. The Page class has a method
    RegisterRequiresPostBack
    
    that needs to be called and handed a reference to our control. This method call registers our control with Page for receiving events.
    C#
    protected override void OnInit(EventArgs e)
    {
        base.OnInit(e);
        if (Page != null)
        {
            Page.RegisterRequiresPostBack(this);
        }
    }
  • After registering the control with Page, now we need to figure out what are we going to do with the event. And most important, how this all happens. At the start of the article when the control was defined, we mentioned that control class will implement the IPostBackDataHandler interface. When the Page raises post-back event for the control, it calls the LoadPostData method on the control. This method has two parameters. The send parameter contains the collection of all the values that have posted back, so we can get the posted value from this collection. And then you can compare the posted value with the current value to check if the value has changed or not. If the value has changed, return true from this method indicating that the state has changed. This will raise change event on the control.
    C#
    bool IPostBackDataHandler.LoadPostData(string postDataKey, 
       NameValueCollection postCollection)
    {
        string presentValue = this.Text;
        string postedValue = postCollection[HiddenID];
        // If two values don't match, then update the value.
        if (!presentValue.Equals(postedValue))
        {
            this.Text = postedValue;
            // Indicate the state of this control has changed.
            return true;
        }
        // If there was no change in the data, then indicate that there is
        // no change in state by returning false.
        return false;
    }        
  • If LoadPostData method returns true, the Page will call RaisePostDataChangedEvent on the control giving it a chance to raise its own event or do what ever processing it needs to do.

How to use this control on your page?

In the page where you want to use this control, the first step is to register it at the top of the page, using @Register directive.

ASP.NET
<%@ Register TagPrefix="Softomatix" 
    Namespace="ASPNet_Controls" 
    Assembly="ASPNet_Controls"
%>

And then include in it the page just like other server controls, specifying the property values that you want to assign to the control.

ASP.NET
<form id="UpDownControlClient" method="post" runat="server">
    <Softomatix:UpDownControl
        Runat="server"
        Height="30"
        UpArrowImgUrl="images\UpArrow_10x10.gif"
        DownArrowImgUrl="images\DownArrow_10x10.gif"
        ArrowsPositionSide="Right"
        ArrowsSpacing="2"
        Text="2"
        MaxValue="10"
        MinValue="0"
        Increment="1"
        id="UpDownControl1">
    </Softomatix:UpDownControl>
    <asp:Button Runat="server" ID="wndSubmit" Text="Submit">
    </asp:Button>
</form>

What next?

In this article we have shown the implementation of the control. Through out the code you will observe that we have used attributes on properties and on the class definition. After you have created the control, you would like to include it in the tool box so that you can just use it by dragging from the tool box on to page. In the next article we will extend the implementation so that this control can be included in the server control tool box.

Contact Us

If you any questions or suggestions, you can post the comments in this article or directly contact us at softomatix@pardesiservices.com or visit us at Softomatix.

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
Web Developer
United States United States
To learn more about us, Please visit us at http://www.netomatix.com

Comments and Discussions

 
GeneralMy vote of 2 Pin
Murali Manohar Pareek13-May-10 0:10
Murali Manohar Pareek13-May-10 0:10 
QuestionEnable Property is not working Pin
Murali Manohar Pareek13-May-10 0:07
Murali Manohar Pareek13-May-10 0:07 
Questionhow to do the state management. Pin
pganathe15-Jul-07 20:44
pganathe15-Jul-07 20:44 
GeneralNot maintained article Pin
EfimPechat3-Jun-07 16:40
EfimPechat3-Jun-07 16:40 
Questionhow to change width? Pin
jiataiping18-Jun-05 0:33
jiataiping18-Jun-05 0:33 
AnswerRe: how to change width? Pin
paofu16-Jan-07 20:47
paofu16-Jan-07 20:47 
GeneralIncrement property doesn't work Pin
oksanai22-Feb-05 2:21
oksanai22-Feb-05 2:21 
GeneralCustom control event in client side. Pin
Member 151872113-Dec-04 0:51
Member 151872113-Dec-04 0:51 
QuestionRe: Custom control event in client side. Pin
simon.zhai11-Nov-06 14:58
simon.zhai11-Nov-06 14:58 
GeneralI can't get the last code Version !! Pin
ElJerry26-Nov-04 4:32
ElJerry26-Nov-04 4:32 
GeneralGreat job -- I need help extending the model -- Pin
juantek11-Aug-04 22:30
juantek11-Aug-04 22:30 
GeneralRe: Great job -- I need help extending the model -- Pin
Softomatix23-Aug-04 5:57
Softomatix23-Aug-04 5:57 
GeneralRe: Great job -- I need help extending the model -- Pin
juantek24-Aug-04 2:31
juantek24-Aug-04 2:31 
GeneralDon't work up down keys Pin
Anonymous24-Jul-04 4:23
Anonymous24-Jul-04 4:23 
GeneralRe: Don't work up down keys Pin
Softomatix23-Aug-04 5:52
Softomatix23-Aug-04 5:52 
Generalwhere is the java script file Pin
ft313-Jan-04 15:27
ft313-Jan-04 15:27 
GeneralRe: where is the java script file Pin
Softomatix13-Jan-04 15:38
Softomatix13-Jan-04 15:38 
GeneralRe: where is the java script file Pin
ft314-Jan-04 3:00
ft314-Jan-04 3:00 
GeneralRe: where is the java script file Pin
Member 90907928-May-04 9:43
Member 90907928-May-04 9:43 
GeneralRe: where is the java script file Pin
Softomatix23-Aug-04 5:52
Softomatix23-Aug-04 5:52 
GeneralRe: where is the java script file Pin
Member 9090794-Oct-04 8:26
Member 9090794-Oct-04 8:26 
GeneralRe: where is the java script file Pin
yasir.jaffrey23-Jan-05 20:32
yasir.jaffrey23-Jan-05 20:32 
GeneralGetting Parse Error Pin
Member 66764428-Oct-03 23:04
Member 66764428-Oct-03 23:04 
I did all those things for the code behind and all when i drag and drop the control from the toolbox to the aspx page it is giving a parse error and the html code become like this....


<asp:button runat="server" id="wndSubmit" text="Submit" style="Z-INDEX: 101; LEFT: 337px; POSITION: absolute; TOP: 54px">
<softomatix:updowncontrol id="UpDownControl2" runat="server"> />






This Control is again generating a body form tags

So please Give me a solution Becoz i am also using a hidden concept in my Project Your solution will give a good Value..Thanking You...
Shiva

Shiva
GeneralRe: Getting Parse Error Pin
Anonymous15-Dec-03 4:46
Anonymous15-Dec-03 4:46 
GeneralJscript Error getDOM Object Pin
Hrishikesh Biniwale8-May-03 20:42
Hrishikesh Biniwale8-May-03 20:42 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.