Chapter 7, the built-in server controls in ASP.NET are divided into two groups, HTML controls and Web controls, each of which is contained in its own namespace. In this section, I’ll discuss the available controls in each group and show examples of when and how to use each type of control. I’ll also discuss some of the specialized Web controls, including the Calendar and AdRotator controls, as well as the Validation server controls.
HTML Controls
The HTML controls map 1-to-1 with the standard HTML elements. However, some HTML elements don’t map directly to a specific HTML control. Why would you want to use an HTML control instead of just coding HTML? Because you can easily manipulate the look and functionality of the page at runtime by changing the control’s attributes programmatically.
The HTML controls reside in the System.Web.UI.HtmlControls namespace, which is available to Web Forms pages automatically. Table 8-1 describes how HTML elements map to HTML controls.
Each HTML control class is derived from the generic HtmlControl class. This class provides methods and properties common to all HTML controls, such as the Attributes collection, which provides a collection of name/value pairs for any attributes contained in the tag definition for the control (such as id=“myControl” or border=“1”). The individual control classes then expose additional methods and properties that are specific to the HTML element that they represent. For example, the HtmlAnchor control exposes an Href property that allows you to programmatically modify the URL to which the anchor tag is linked, as well as a Target property, which allows you to modify the target of the anchor tag.
| Note | Because the HTML controls do not expose a strongly typed control equivalent for every HTML element, you can use the Attributes collection to programmatically add tag attributes to any HTML control. This allows you to programmatically set tag attributes that are not exposed as properties by the HTML control classes: DimmyTBAsNewHtmlInputText() | 
Many of the HTML controls also expose events to which you can respond (above and beyond the standard events inherited from HtmlControl). Some HTML controls expose a ServerClick event and some expose a ServerChange event. The table starting on page 226 lists which controls support which event.
| Note | Unlike the server controls in the Web control namespace, which handle only server-side events, HTML controls can handle both server-side events and any client-side events that exist for the HTML element to which they map. For example, the HtmlInputButton control supports both the server-side ServerClick event and the client-side Click event.To handle both events, you’d use the following tag declaration: <inputtype="submit"onclick="client_handler" This allows you to perform actions on the client before the page is posted back to the server, if desired. | 
Because of their close mapping to individual HTML elements, HTML controls provide the fastest and easiest path for moving from static HTML to the power ofASP.NET server controls.In Web Forms pages, there are three basic rules of the game when it comes to case sensitivity.
Namespaces and class names are case sensitive. For example, namespaces imported using the @ Import directive will cause an error if the correct case is not used. This is a common cause of errors for those just getting started with ASP.NET.
Tag names and attributes are not case sensitive. This also applies to server control properties expressed as tag attributes.
Control names used in <script> blocks or in code-behind classes might or might not be case sensitive, depending on whether the language you’re using is case sensitive. C# is case sensitive, for example, so using the incorrect case for a control name or property in C# code can lead to errors. Though Visual Basic .NET is not case-sensitive, you should still use case consistently, to ensure that your code is easy to read and maintain.
| Note | When you’re working with a case-sensitive language, or when you receive errors such as “The Namespace or type <namespace> for the Import ‘System.<namespace>’ cannot be found,” it’s usually a good idea to check for incorrect case in control, class, or namespace names. | 
HTML Control Examples
To demonstrate the simplicity and power of HTML controls, let’s take a look at some examples. Let’s say you have the following static HTML page:
<html>
<body>
<p>This is some simple HTML text.</p>
</body>
</html>
By simply adding the runat=“server” attribute and an id attribute to the <body> and <p> elements, you can turn these elements into HtmlGenericControls:
<html>
<bodyid="Body"runat="server">
<pid="TextPara"runat="server">This is some simple HTML text.</p>
</body>
</html>
Once you’ve converted the elements to HTML controls, it is fairly simple to manipulate them in server-side code:
<html>
<head>
<scriptlanguage="vb"runat="server">
SubPage_Load(SenderAsObject,EAsEventArgs)
Body.Attributes("bgcolor")="Gray"
TextPara.Attributes("style")="color:Red;font-size:large;"
EndSub
</script>
</head>
<bodyid="Body"runat="server">
<pid="TextPara"runat="server">This is some simple HTML text.</p>
</body>
</html>
If you save this code in a file with the .aspx extension to a directory set up as a virtual directory in IIS and browse the page, the output should look like the illustration on the next page.
 HTML controls are useful for dynamically adding and removing HTML table rows or <select> items. In the following example, you’ll see how to dynamically add and remove items in a drop-down list created by an HtmlSelect control.
HTML controls are useful for dynamically adding and removing HTML table rows or <select> items. In the following example, you’ll see how to dynamically add and remove items in a drop-down list created by an HtmlSelect control.Add and remove list items dynamically
Create a new project in Visual Studio .NET. Name the project Chapter_08. (To avoid conflicting with the practice files—if they’re installed—do not create this project under http://localhost/aspnetsbs.)
Add a new Web Form to the project and type its name as HtmlSelect.aspx.
Switch to HTML view and add the following HTML markup to the page between the <form> and </form> tags:
What'syourfavoriteicecream?<br/>
<selectid="IceCream"size="1">
<option>Chocolate</option>
<option>Strawberry</option>
<option>Vanilla</option>
</select>
<inputid="Enter"type="button"value="Enter">
<h3><spanid="Fave"></span></h3>
Switch back to design view. The page should look similar to the illustration on the following page.

Right-click the drop-down list representing the <select> element, and select Run As Server Control. Repeat for the button element. Note the glyphs that Visual Studio .NET adds to these elements, indicating that they are now server controls. The glyphs are shown in the following illustration.

Because the <span> element has no representation in design view, you’ll need to add the runat=“server” attribute to this element manually.
Switch to HTML view, and then add the runat=“server” attribute to the <span> element to transform it into a server control.
Switch back to design view and double-click in an open area of the page. This will open the code-behind module for the page, and place the cursor in the Page_Load event handler. Add the following code— which adds two items to the HtmlSelect control and removes one from it—to the Page_Load event handler:
IfNotIsPostBackThen
IceCream.Items.Add("Pistachio")
IceCream.Items.Add("RockyRoad")
'Wedon'tlikeStrawberry
IceCream.Items.Remove("Strawberry")
EndIf
Using the tabs at the top of the editor window, switch back to HtmlSelect.aspx. Double-click the button. This will add the Enter_ServerClick event handler to the code-behind module, and switch you back to the code-behind module. Add the following code to the Enter_ServerClick event handler:
Fave.InnerHtml="Yourfavoriteis"&IceCream.Value&"!"
Save the page and code-behind module, build the project, and then browse the page. The output should look similar to the followingillustration.

Select Rocky Road from the drop-down list, and then press the Enter button. The output should look similar to the illustration on the following page.

Web Controls
Web controls are truly the gem in the crown of ASP.NET. These server controls give you an unprecedented level of productivity by providing a rich, event- driven programming model, similar to that of Microsoft Visual Basic. The Web controls reside in the System.Web.UI.WebControls namespace, which is available to all Web Forms pages automatically.The Web controls run the gamut of functionality, from simple controls such as the Button, TextBox, and Label controls, to the richer ListBox and DropDownList controls, to the even richer Calendar and AdRotator controls. There are even controls especially designed for data binding, including the DataGrid, DataList, and Repeater controls. You’ll see examples of these controls in later sections.
| Note | Although the System.Web.UI.WebControls and System.Web.UI.HtmlControls namespaces are available to Web Forms pages automatically, the same is not true of code-behind pages associated with Web Forms pages. If you want to use controls in either of these namespaces without using the fully qualified class name, you need to add the appropriate Imports statement to your code-behind class to import the namespace. Fortunately for those using Visual Studio, this is taken care of at the project level for Visual Basic .NET projects. To see the list of namespaces imported at the project level, right-click the project, and then select Properties. In the Project Properties dialog box, select the Imports node under the Common Properties folder. This will display all of the current namespaces being imported and allow you to add or remove namespaces from the list. | 
Adding Server Controls to a Page
As you saw in Chapter 7, adding server controls to a page is fairly easy. There are two different ways to add controls to a page, declaratively and programmatically. Either way allows you to set properties of the control as desired, and either one can be used to place a control where you want it on the page.
Adding Controls Declaratively
As you saw earlier in this chapter, the ASP.NET HTML controls use essentially the same syntax as standard HTML elements, with the exception of the runat attribute, which is always set to server. Web controls also use a tag-based syntax, but are prefaced with asp:. So, you’d declare an HtmlInputButton server control with the following syntax:
<inputid="Enter"type="button"value="Enter"
OnServerClick="Enter_Click"runat="server">
You would declare an ASP.NET Button server control with the following syntax:
<asp:buttonid="Enter"Text="Enter"OnClick="Enter_Click"
runat="server"/>
Notice that in the second example, a forward slash character (/) is added before the closing angle bracket (>). This is required when you do not use a complete closing tag. Here’s an example of when you’d use a closing tag:
<asp:labelid="myLabel"runat="server">Hithere!</asp:label>
You enclose the literal text Hi there! between opening and closing tags. The literal text becomes the Text property of the Label control. The Label control, which renders as a <span> on the client side, is one of a number of controls that allow you to enclose literal text for the Text property (or some other property of the control) between the opening and closing tags. Other controls include the Literal, Panel, PlaceHolder, and TextBox controls.You could also accomplish the same result by using a single-tag syntax:
<asp:labelid="myLabel"text="Hithere! "runat="server"/>
Because there are two distinct sets of server controls to choose from, you might wonder how to choose the right control for a given application. In general, if you are interested in handling client-side events or are converting HTML elements to server controls, you should look at the HTML controls. If you’re familiar with the Visual Basic programming model, the Web controls map very closely to that model. The Web controls also provide additional functionality, such as validation, and provide a strong basis for customization.
When you add a control to the page declaratively, you are doing two things: giving the control enough information to be created and initialized properly, and setting the properties for the control. The first part is accomplished by the asp: prefix and the tag name, plus the id and runat attributes. Only the prefix/ tag name and the runat attribute are required to create a server control, but the id attribute is required if you want to refer to the control in server-side code.Once you’ve provided this minimum information, you can set additional properties by adding attributes to the tag declaration corresponding to the property you want to set. For example, if you wanted to set the Visible property of a Label control to False (to set up a message declaratively and show it by making it visible later in server-side code), you would modify the declaration as follows:
<asp:labelid="myLabel"text="Hithere! "visible="false"
runat="server"/>
Some of the more feature-filled controls, such as the DataGrid control, use a combination of attributes in the main tag definition and subtags that declare additional controls or set properties (such as the ItemStyle and AlternatingItemStyle tags that can be used with the DataGrid or DataList controls) to define the properties for the control. You’ll see examples of these controls later in this chapter.
Adding and Manipulating Controls Programmatically
Although adding controls to the page declaratively is probably the most straightforward approach, you can also add controls to the page and manipulate them programmatically. This gives you greater control because you can choose how and whether to add controls at run time.Adding a control programmatically is as simple as declaring a new instance of the control class and adding it to the page’s Controls collection, as follows:
DimmyLabelAsNewLabel
'YoucanalsojustuseControls,butthePagereferencemakesit
'clearwhatyouintend,whichisalwaysagoodidea.
Page.Controls.Add(myLabel)
myLabel.Text="Hithere! "
The preceding code creates the Label control and sets its text property to Hi there!. There’s just one problem. As written, the code adds the control to the endof the page’s Controls collection, which is actually after the closing <body> and <html> tags, which ASP.NET treats as Literal controls on the server. The code that is sent to the browser is shown here:
<html>
<head>
</head>
<body>
</body>
</html>
<span>Hithere!</span>
While this output will still be rendered in most browsers, the incorrect HTML syntax makes it less than ideal. This presents even more of a problem when you are dealing with both declarative and programmatically created controls. Creating controls out of order can produce unintended results. So what do you do?One option is to call the AddAt method of the Controls collection, instead of Add. AddAt takes two arguments: an integer representing the location in the collection where the control should be added, and the name of the control to add.
Page.Controls.AddAt(3,myLabel)
The only problem is that in order to render the control where you want it in the page, you have to know exactly where the control should appear in the collection. This is not always practical.An easier way to ensure that programmatically created controls appear where you want them to is to use a PlaceHolder control to locate the control in the page. The PlaceHolder control has no UI of its own. All of the content within a PlaceHolder control is rendered based on the controls in its Controls collection. So, to make sure that the control in the previous example is displayed within the body of the HTML document sent to the browser, you can use the following code:
<%@PageLanguage="vb"%>
<html>
<head>
<scriptrunat="server">
SubPage_Load()
DimmyLabelAsNewLabel
myPH.Controls.Add(myLabel)
myLabel.Text="Hithere!"
EndSub
</script>
</head>
<body>
<asp:placeholderid="myPH"runat="server"/>
</body>
</html>
This produces the following HTML output:
<html>
<head>
</head>
<body>
<span>Hithere!</span>
</body>
</html>
You can add multiple controls to the same placeholder, and you can use multiple placeholders in the same page.
Adding Controls with Visual Studio .NET
Of course, the easiest way to add ASP.NET server controls to a Web Forms page(and to discover all of the properties available for a control) is to use the Visual Studio .NET Toolbox. The Web Forms tab of the Toolbox is shown in thefollowing illustration.

Add server controls using Visual Studio .NET
Open Visual Studio .NET and then open the Chapter_08 project created earlier in this chapter.
Add a new Web Form to the project. Type the name of the file as DropDownList.aspx.
Open the Toolbox window by moving the mouse pointer over the Toolbox tab in the IDE. If necessary, select the Web Forms tab of the Toolbox by clicking it.To add a control to the page, you can simply double-click the desired server control. The control will be inserted into the page at the location of the cursor if the page is in FlowLayout mode, or at the top- left corner of the page if the page is in GridLayout mode. In GridLayout mode, you can also select a control from the Toolbox and draw it on the form as you would a Visual Basic–style control. In either FlowLayout or GridLayout mode, you can also drag and drop controls from the Toolbox onto the page at the desired location.
Using one of the techniques described in the previous step, add a Label control, a DropDownList control, a Button control, and another Label control to the page. Once the controls have been added, the page should look similar to the following illustration.

Set the properties of the added controls as follows, using the Properties window:
| Control | Property | Value | 
|---|---|---|
| Label1 | Text | What’s your favorite ice cream? | 
| Button1 | Text | Enter | 
| Label2 | Text | (blank) | 
| Label2 | Font-Bold | True | 
| Label2 | Font-Size | Larger | 
Select DropDownList1 by clicking it in the designer window, and then select its Items property in the Properties window. Click the ellipsis button (…) to open the ListItem Collection Editor and edit the Items property.
Use the Add button to add three items to the collection. Set their Text and Value properties by typing Chocolate, Strawberry, and Vanilla, respectively. The result should look similar to the illustration on the following page. When you are done adding items, click OK.

Double-click in an open area of the page. This will open the code- behind module for the page, and place the cursor in the Page_Load event handler. Add the following code, which adds two items to the DropDownList control and removes one, to the Page_Load event handler. (This code is almost identical to the code used in the HTML controls example; only the control name has been changed.)
IfNotIsPostBackThen
DropDownList1.Items.Add("Pistachio")
DropDownList1.Items.Add("RockyRoad")
'Wedon'tlikeStrawberry
DropDownList1.Items.Remove("Strawberry")
EndIf
Using the tabs at the top of the editor window, switch back to DropDownList.aspx. Double-click the button. This will add the Button1_Click event handler to the code-behind module, and switch youback to the code-behind module. Add the following code to the Button1_Click event handler:
Label2.Text="Yourfavoriteis"& _
DropDownList1.SelectedItem.Value&"!"
Save the page and code-behind module, build the project, and then browse the page. The output should look similar to the illustration on the next page.

Select Rocky Road from the drop-down list, and then click the Enter button. The output should look similar to the followingillustration.

Applying Styles to Controls
Once you’ve added your controls to the page, eventually you’ll probably want to make changes to how those controls are displayed. For example, you might want to make the text of a Label control red. Simply set the ForeColor property of the control to Red, as follows:
<asp:labelid="myLabel"forecolor="red"runat="server">
Hithere!
</asp:label>
What if you want to do something more complicated? While controls such as the Label control expose properties like ForeColor and BackColor, at times these properties will not be sufficient. Let’s say you want to apply a cascading style sheet (CSS) class defined elsewhere (either in a Style block at the top of the page or in a linked style sheet) to a server control. Or maybe you just want to use CSS styles directly in your control tag.
For these occasions, the CssClass and Style properties defined in the WebControl base class (and inherited by all WebControl classes) come in handy. With the CssClass property, you can set up a CSS class such as the following:
<styletype="text/css">
.mylabel{font-size:24pt;font-weight:bold;color:red;}
</style>
You can use this to format your control as follows:
<asp:labelid="myLabel"cssclass="mylabel"runat="server">
Hithere!
</asp:label>
This technique works fine for linked style sheets as well.You can use the Style property to specify CSS styles directly, as follows:
<asp:labelid="myLabel"
style="font-size:24pt;font-weight:bold;color:red;"
runat="server">
Hithere!
</asp:label>
Note that whether you set the color of a Label control with the ForeColor property or use the CssClass or Style properties declaratively, the result is rendered as a class or style attribute on the resulting <span> tag, which is the client-side representation of the WebControl control.
Finally, you can also apply styles to your controls based on the client-side representation of the control. As noted, Label controls are rendered on the client as <span> tags, so if you define a style that applies to all <span> elements, your Label controls will also use this style. As long as you know the client-side representation of a particular control (which you can get by viewing the source of the page from the browser), you can create a style sheet to format that control.
Additional Web Control Examples
Web controls are quite easy to use and provide a great deal of flexibility. So far, you’ve used only simple examples. This section will look at a few more complex examples to demonstrate the use of various Web controls. The first example will show you how to use server controls to set up a form for sending e-mail from an ASP.NET Web Form via the Simple Mail Transport Protocol (SMTP). The second example will show you how to use Panel controls to simulate a wizard-style multipage interface within a single Web Forms page.
Sending Mail
A common task for many Web applications is sending e-mail to customers or visitors. Often, this e-mail is generated automatically, without the need for specific data entry. But site operators might also want a way to send a quick e-mail through the site. Web controls, in combination with the .NET SmtpMail and MailMessage classes, can make adding this functionality to a Web application quick and easy.
| Note | This example assumes that you have access to an SMTP server from which to send your e-mail. Microsoft Windows 2000, Microsoft Windows XP Professional, and Microsoft Windows Server 2003 come with an SMTP service that is part of the services provided by IIS. The SMTP service is relatively easy to install and configure. You can find details for setting up the SMTP service at http://msdn.microsoft.com/library/en-us/dnduwon/html/d5smtp.asp. | 
Add e-mail sending functionality to a Web application
Open the Chapter_08 project created earlier in this chapter (if it is not already open) and add a new Web Form to the project. Type the name of the Web Form as SmtpEmail.aspx.
Use the Visual Studio .NET Table editor to add an HTML table to the page (click the Table menu, then select Insert, and then select Table) to ensure that your controls line up nicely on the page. The table should have 6 rows and 2 columns, as shown in the illustration on the following page. Click OK to insert the table.

Add a Label control and a TextBox control to each of the first five rows of the table, as shown in the following illustration. Note that in addition to dragging controls from the toolbox to the page, you can create new controls by clicking an existing control of the desired type (such as a Label control) and dragging it to the new location while holding down the Ctrl key. (Click first, then press control and drag.) This technique has the advantage of creating a copy of the existing controls including its properties (with the exception of the ID property).

Add a Button control and an HtmlInputButton control with the type set to reset to the last row of the table. To add the HTML Reset button, you will need to switch to the HTML tab of the toolbox, drag the Reset Button to the appropriate table cell, and then right-click the Reset Button and select Run As Server Control. Using an HtmlInputButton control allows you to reset the form fields on the client without a round-trip to the server, while allowing you to manipulate the control on the server side as well, as you’ll do in a later step.
Set the properties of the added controls as follows:
| Control | Property | Value | 
|---|---|---|
| Label1 | Text | To: | 
| Label2 | Text | CC: | 
| Label3 | Text | BCC: | 
| Label4 | Text | Subject: | 
| Label5 | Text | Body: | 
| TextBox5 | TextMode | MultiLine | 
| TextBox5 | Columns | 60 | 
| TextBox5 | Rows | 10 | 
| Button1 | Text | Send | 
When you’ve finished, the page should look like the following illustration.

Switch to the code-behind module by double-clicking an empty area of the page. Add an Imports directive to import the System.Web.Mail namespace so you can refer to its classes without using the namespace name each time. This directive should go at the top of the code-behind module, before the class definition:
ImportsSystem.Web.Mail
Now you need to add code to send the mail when the Send button is clicked. Switch back to SmtpEmail.aspx, and double-click the Send button, which will open the code-behind module for the page and insert a Click event handler for the button, and then add the following code, which creates an instance of the MailMessage class, sets the necessary properties, and then sends the message using the Send method of the SmtpMail class. (Because the Send method is a Static method, it is not necessary to create an instance of SmtpMail to use the method.)
'CreateMailMessageinstance,setproperties,andsend
DimMailAsNewMailMessage
Mail.To=TextBox1.Text
Mail.CC=TextBox2.Text
Mail.BCC=TextBox3.Text
Mail.Subject=TextBox4.Text
Mail.Body=TextBox5.Text
'Setthepropertybelowtoavalidemailaddress
Mail.From="<validemailaddress>"
SmtpMail.SmtpServer="localhost"
SmtpMail.Send(Mail)
'Usethefirstlabeltodisplaystatus
Label1.Text="MailSent"
'Hidetherestofthecontrols
TextBox1.Visible=False
Label2.Visible=False
TextBox2.Visible=False
Label3.Visible=False
TextBox3.Visible=False
Label4.Visible=False
TextBox4.Visible=False
Label5.Visible=False
TextBox5.Visible=False
Button1.Visible=False
Reset1.Visible=False
'AddaHyperlinkcontroltoallowsendinganotheremail
DimLinkAsNewHyperLink
Link.Text="Clickheretosendanotheremail."
Link.NavigateUrl="SmtpEmail.aspx"
'ThislineisonlynecessaryifthepageisinGridLayoutmode
Link.Attributes("Style")="LEFT:8px;POSITION:absolute;"&_
"TOP:50px"
Page.Controls.Add(Link)
Once the mail has been sent, the code hides all of the form controls by setting the Visible property for each control to False and adds a HyperLink control to link back to the original page to send another e-mail, if desired. Note that you need to set Mail.From to a valid e mail address and change SmtpMail.SmtpServer to the name of an available server running SMTP if the local machine is not running an SMTP service.
Save the page and code-behind module, and then build the project. Browse the page by right-clicking SmtpEmail.aspx in Solution Explorer, selecting Browse With, and then selecting Internet Explorer.The output should look something like the following illustration. Once you’ve sent e-mail, the link should take you back to the original page.

This example shows how simple it can be to send e-mail using server controls on a Web Form, but it does have a couple of shortcomings. One is that if you don’t enter an address in the To, CC, or BCC field, you’ll get an error. Another is that it takes a fair amount of code to hide all the controls once you’ve sent the e mail. You can fix this second shortcoming by adding another Label control outside the table, and then turning the table into an HtmlTable control by adding the runat=“server” attribute. You can then hide all of the controls in the table by setting the Visible property of HtmlTable to False.
Registration Wizard
Another common need in Web applications is providing users with an easy way to register. Registration allows you to provide your visitors with personalized services, saved shopping carts, and other valuable assistance. To make registration as simple as possible, you might want to use a multipage format similar to a Windows Wizard interface. This type of interface will be immediately familiar to Windows users. The following listing shows the code for a simple registration wizard implemented as an ASP.NET Web Form. This listing also shows how you can use a single-page structure for controls and code, as opposed to the code-behind structure of Visual Studio .NET. Unlike Web Forms created in Visual Studio .NET, the code in the following listing does not need to be precompiled. However, since the code is included in the page (which must be deployed to the Web server on which it will run), anyone with file access to the Web server can read the code (assuming they have the correct permissions). By contrast, using code-behind modules allows you to deploy just the .aspx files and compiled assembly (or assemblies) without deploying the code-behind modules that contain the UI-related code.RegWiz.aspx
<%@PageLanguage="vb"%>
<html>
<head>
<scriptrunat="server">
SubPage_Load()
IfNotIsPostBackThen
Step1.Font.Bold=True
EndIf
EndSub
SubNext_Click(SenderAsObject,eAsEventArgs)
SelectCaseSender.Parent.ID
Case"Page1"
Page1.Visible=False
Step1.Font.Bold=False
Page2.Visible=True
Step2.Font.Bold=True
Case"Page2"
Page2.Visible=False
Step2.Font.Bold=False
Page3.Visible=True
Step3.Font.Bold=True
ReviewFName.Text="FirstName:"&FirstName.Text
ReviewMName.Text="MiddleName:"&MiddleName.Text
ReviewLName.Text="LastName:"&LastName.Text
ReviewEmail.Text="Email:"&Email.Text
ReviewAddress.Text="Address:"&Address.Text
ReviewCity.Text="City:"&City.Text
ReviewState.Text="State:"&State.Text
ReviewZip.Text="Zip:"&Zip.Text
EndSelect
EndSub
SubPrevious_Click(SenderAsObject,eAsEventArgs)
SelectCaseSender.Parent.ID
Case"Page2"
Page2.Visible=False
Step2.Font.Bold=False
Page1.Visible=True
Step1.Font.Bold=True
Case"Page3"
Page3.Visible=False
Step3.Font.Bold=False
Page2.Visible=True
Step2.Font.Bold=True
EndSelect
EndSub
</script>
<styletype="text/css">
div
{
background:silver;
width:400px;
border:2pxoutset;
margin:5px;
padding:5px;
}
</style>
</head>
<body>
<formrunat="server">
<asp:labelid="RegWiz"text="RegistrationWizard"
font-bold="true"font-size="16"font-name="verdana"
runat="server"/>
<br/>
<asp:labelid="Step1"text="Step1:EnterPersonalInfo"
font-name="verdana"runat="server"/>
<br/>
<asp:labelid="Step2"text="Step2:EnterAddressInfo"
font-name="verdana"runat="server"/>
<br/>
<asp:labelid="Step3"text="Step3:Review"
font-name="verdana"
runat="server"/>
<br/>
<asp:panelid="Page1"runat="server">
<tablealign="center">
<tr>
<td>
<asp:labelid="FirstNameLabel"text="FirstName:"
runat="server"/>
</td>
<td>
<asp:textboxid="FirstName"runat="server"/>
</td>
</tr>
<tr>
<td>
<asp:labelid="MiddleNameLabel"text="MiddleName:"
runat="server"/>
</td>
<td>
<asp:textboxid="MiddleName"runat="server"/>
</td>
</tr>
<tr>
<td>
<asp:labelid="LastNameLabel"text="LastName:"
runat="server"/>
</td>
<td>
<asp:textboxid="LastName"runat="server"/>
</td>
</tr>
<tr>
<td>
<asp:labelid="EmailLabel"text="Email:"
runat="server"/>
</td>
<td>
<asp:textboxid="Email"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2"align="center">
<asp:buttonid="P1Previous"Text="Previous"
enabled="false"onclick="Previous_Click"
runat="server"/>
<asp:buttonid="P1Next"Text="Next"
onclick="Next_Click"runat="server"/>
<inputid="P1Reset"type="reset"runat="server"/>
</td>
</tr>
</table>
</asp:panel>
<asp:panelid="Page2"visible="false"runat="server">
<tablealign="center">
<tr>
<td>
<asp:labelid="AddressLabel"text="StreetAddress:"
runat="server"/>
</td>
<td>
<asp:textboxid="Address"runat="server"/>
</td>
</tr>
<tr>
<td>
<asp:labelid="CityLabel"text="City:"
runat="server"/>
</td>
<td>
<asp:textboxid="City"runat="server"/>
</td>
</tr>
<tr>
<td>
<asp:labelid="StateLabel"text="State:"
runat="server"/>
</td>
<td>
<asp:textboxid="State"runat="server"/>
</td>
</tr>
<tr>
<td>
<asp:labelid="ZipLabel"text="ZipCode:"
runat="server"/>
</td>
<td>
<asp:textboxid="Zip"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2"align="center">
<asp:buttonid="P2Previous"Text="Previous"
onclick="Previous_Click"runat="server"/>
<asp:buttonid="P2Next"Text="Next"
onclick="Next_Click"runat="server"/>
<inputid="P2Reset"type="reset"runat="server"/>
</td>
</tr>
</table>
</asp:panel>
<asp:panelid="Page3"visible="false"runat="server">
<tablealign="center">
<tr>
<tdcolspan="2">
<asp:labelid="ReviewFName"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2">
<asp:labelid="ReviewMName"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2">
<asp:labelid="ReviewLName"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2">
<asp:labelid="ReviewEmail"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2">
<asp:labelid="ReviewAddress"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2">
<asp:labelid="ReviewCity"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2">
<asp:labelid="ReviewState"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2">
<asp:labelid="ReviewZip"runat="server"/>
</td>
</tr>
<tr>
<tdcolspan="2">
<asp:buttonid="P3Previous"Text="Previous"
onclick="Previous_Click"runat="server"/>
<asp:buttonid="P3Next"Text="Next"enabled="false"
onclick="Next_Click"runat="server"/>
<inputid="P3Reset"type="reset"disabled="true"
runat="server"/>
</td>
</td>
</tr>
</table>
</asp:panel>
</form>
</body>
</html>
The keys to the functionality of the registration wizard are the three Panel controls and the Next_Click and Previous_Click event handlers. The Panel controls contain Label, TextBox, and Button Web controls (as well as an HtmlInputButton control for resetting the form fields), which are formatted using standard HTML table elements. When the user clicks the Next button or the Previous button (depending on which one is enabled for that page), the event handlers hide the currently visible panel, show the next (or previous) panel, and update the Label controls that tell the user which step in the process they are on currently.Since ASP.NET takes care of maintaining the state of the controls from request to request (using ViewState), it is simple to display the data entered by the user on the third panel by simply accessing the Text property of the TextBox controls on the other panels. Notice that the caption text of the controls on the third panel is set declaratively in the tag, and then the text that the user entered is appended to this text programmatically in the event handler using the & operator. The first page of the registration wizard is shown in the illustration on the following page.

| Note | The <style> block defined in RegWiz.aspx takes care of formatting for the Panel controls by defining the desired style for the <div> HTML element. Note that since the Panel control is rendered as a <div> on Internet Explorer and as a <table> element on Netscape and other non–Internet Explorer browsers, you might need to find another way to do the formatting if you want cross- browser compatibility.One way to accomplish this is through browser sniffing. The Request object exposed by the Page class has a Browser property that provides information on the browser making the current request. By querying the Browser property (and its subproperties), you can perform a simple if statement that links to one style sheet if the browser is Internet Explorer and to another style sheet if it is another browser. | 
Specialty Controls
In addition to the standard suite of Web controls that provide functionality much like that provided by the Visual Basic GUI controls, ASP.NET offers a set of richer specialty controls that reside in the System.Web.UI.WebControls namespace. Currently these controls include the AdRotator, Calendar, and Xml controls. In this section I’ll describe the purposes of these controls and show some examples.
AdRotator
The AdRotator control is used to display a random selection from a collection of banner advertisements specified in an XML-based advertisement file. The advertisement file contains an <Ad> element for each specified advertisement. This element contains sub-elements that configure the path to the image to display for the ad, the URL to navigate to when the ad is clicked, the text to be displayed when and if the image is not available, the percentage of time the ad should come up in rotation, and any keyword associated with the ad. (You can use keywords to filter ads, allowing the use of a single advertisement file with multiple AdRotator controls and providing each control with different content.)
| Note | The random selection for the AdRotator control will be identical for any AdRotator controls on the page that have identical attributes. You can take advantage of this by using the AdRotator control to display a random selection of header/footer information that you want to be the same for both header and footer. | 
Use the AdRotator control from a Web Form
Open the Chapter_08 project that you created earlier in this chapter (if it is not already open) and then add a new Web Form to the project. Type the name of the Web Form as AdRotator.aspx.
Change the pageLayout property from GridLayout to FlowLayout.
Switch to HTML view, then add three Label controls and two AdRotator controls between the <form> tags, with the attributes shown in the following code, and then save AdRotator.aspx:
<asp:labelid="title"font-name="Verdana"font-size="18"
text="AdRotatorExample"runat="server"/>
<br/><br/>
<asp:labelid="DevLabel"font-name="Verdana"font-size="16"
text="Ad1"runat="server"/>
<br/>
<asp:AdRotatorid="AdRotDev"target="_blank"runat="server"
advertisementfile="Ads.xml"keywordfilter="Developers"/>
<br/><br/>
<asp:labelid="UserLabel"font-name="Verdana"font-size="16"
text="Ad2"runat="server"/>
<br/>
<asp:AdRotatorid="AdRotUsr"target="_blank"runat="server"
advertisementfile="Ads.xml"keywordfilter="Users"/>
Create a new XML file by right-clicking the Chapter_08 project in Solution Explorer, selecting Add, then Add New Item, and then choosing XML File as shown in the illustration on the following page. Type the name of the file as Ads.xml.

Add the following XML to the file, and then save Ads.xml:
<Advertisements>
<Ad>
<ImageUrl>images/image1.gif</ImageUrl>
<NavigateUrl>http://www.microsoft.com</NavigateUrl>
<AlternateText>MicrosoftMainSite</AlternateText>
<Impressions>60</Impressions>
<Keyword>Users</Keyword>
</Ad>
<Ad>
<ImageUrl>images/image2.gif</ImageUrl>
<NavigateUrl>http://msdn.microsoft.com/net</NavigateUrl>
<AlternateText>Microsoft.NETonMSDN</AlternateText>
<Impressions>80</Impressions>
<Keyword>Developers</Keyword>
</Ad>
<Ad>
<ImageUrl>images/image3.gif</ImageUrl>
<NavigateUrl>http://www.microsoft.com</NavigateUrl>
<AlternateText>MicrosoftMainSite</AlternateText>
<Impressions>40</Impressions>
<Keyword>Users</Keyword>
</Ad>
<Ad>
<ImageUrl>images/image4.gif</ImageUrl>
<NavigateUrl>http://msdn.microsoft.com/net</NavigateUrl>
<AlternateText>Microsoft.NETonMSDN</AlternateText>
<Impressions>20</Impressions>
<Keyword>Developers</Keyword>
</Ad>
</Advertisements>
Create a new folder in the project, typing its name as images. Copy the images contained in the images directory of the practice files for Chapter 8 to this new folder.
Save and build the project, and then browse AdRotator.aspx. The output should look similar to the following illustration. When you refresh the page, you should see the ads change randomly, based on the weightings set in the XML file.

Calendar
The Calendar control is one of the richest and most flexible of the specialized controls, providing nearly 30 properties for controlling the appearance of the calendar. The Calendar control allows you to provide a calendar-based interface for choosing dates or for viewing date-related data.For example, you could query date data for a series of events or appointments and then use a Calendar control to display them by adding the dates to the calendar’s SelectedDates collection. When a user clicks on a selected date on the calendar, you could then display additional information about the event on that date.
You could also allow users to specify one or more dates for data entry by providing a Calendar control for them to click. The Calendar control supports selection of both single dates and date ranges (by week or month). Using a Calendar control instead of a text box for date entry can help prevent errors in converting the date entered by the user into a Date data type for storage or manipulation.
Create a Web Forms page that uses a Calendar control
Open the Chapter_08 project created earlier in this chapter if it is not already open. Add a new Web Form to the project and type its name as Calendar.aspx.
Change the pageLayout property from GridLayout to FlowLayout.
Switch to HTML view, and use the following code to add three Label controls, two RadioButton controls, two Textbox controls, and a Calendar control between the <form> tags. Note that the GroupName property is used to make the radio buttons mutually exclusive.
<asp:labelid="title"text="CalendarExample"
font-name="Verdana"font-size="18"runat="server"/>
<br/>
<asp:calendarid="Calendar1"runat="server"/>
<br/>
<asp:radiobuttonid="StartRadio"text="StartDate"
groupname="Chooser"runat="server"/>
<asp:radiobuttonid="EndRadio"text="EndDate"
groupname="Chooser"runat="server"/>
<br/>
<asp:labelid="StartDateLabel"text="StartDate"runat="server"/>
<asp:textboxid="StartDate"runat="server"/>
<br/>
<asp:labelid="EndDateLabel"text="EndDate"runat="server"/>
<asp:textboxid="EndDate"runat="server"/>
Save the page, then build the project, and then browse the page. The output should look similar to the illustration on the next page.

Now you need to relate clicking on a date on the calendar to setting the text in the text boxes. Switch back to design view, and then double- click the Calendar control. This will switch to the code-behind module for Calendar.aspx and will add the Calendar1_SelectionChanged event handler. Add the following code to the event handler:
IfStartRadio.Checked=TrueThen
StartDate.Text=Calendar1.SelectedDate
Else'EndRadiomustbechecked
EndDate.Text=Calendar1.SelectedDate
EndIf
Add the following code to the Page_Load event handler in the code- behind module to take care of initializing the controls:
IfNotPage.IsPostBackThen
StartRadio.Checked=True
Calendar1.SelectedDate=Now()
StartDate.Text=Calendar1.SelectedDate
Calendar1.TodaysDate=Calendar1.SelectedDate
EndIf
Save the page and code-behind module, and then build the project and browse Calendar.aspx. At this point, you should be able to use the calendar to set the value of both text boxes. Which text box is set depends on which radio button is checked.
At this point the calendar is fairly plain, so let’s use some of the available properties to liven it up a bit. Switch back to Calendar.aspx and modify the <asp:calendar> tag to match the following code. Notice that you need to add a closing </asp:calendar> tag so that you can use the child <titlestyle> tag to set attributes of the calendar’s TitleStyle property.
<asp:calendarid="Calendar1"
backcolor="lightgray"
borderstyle="groove"
borderwidth="5"
bordercolor="blue"
runat="server">
<titlestylebackcolor="blue"forecolor="silver"
font-bold="true"/>
</asp:calendar>
Save and browse the page again. (Because you only changed the .aspx file, you don’t need to rebuild the project.) The output should look similar to the followingillustration.

Xml
The Xml control is a specialty control that lets you display XML code in Web Forms pages. This is important because raw XML within an ASP.NET Web Form will not be displayed predictably. The Xml control can read XML from a string, from a provided URL, or from an object of type System.Xml.XmlDocument.In addition to simply displaying XML from a given source, the Xml control can apply an XSL Transform document to the XML to perform formatting on the document. The XSL Transform can come from a URL, or it can be provided by an object of type System.Xml.Xsl.XslTransform. The files Xml.aspx and Xml.xslt, included with the practice files for this chapter, show how you can use the Xml control to display the contents of the Ads.xml document in an HTML table.
Validation Controls
Another specialized set of controls that reside in the System.Web.UI.WebControls namespace are the Validation controls, which perform various kinds of validation on other controls. You can use Validation controls to do the following:
Ensure that required fields are filled out
Ensure that data entered by the user falls within a given range
Ensure that data entered by the user matches a specific pattern
Compare the values of two controls for a given condition (equality, greater than, and so on) or compare the value of a control to a specified value
Ensure that all controls on a page are valid before submitting the page
Shared Members
All Validation controls share a number of important properties and methods. These properties and methods are inherited from the BaseValidator class and include the following:
ControlToValidate This property sets or retrieves a value of type String that specifies the input control to validate.
Display This property sets or retrieves a value that determines how the error message for a Validation control will be displayed. The value must be one of the values specified by the ValidatorDisplay enumeration. The default is Static.
EnableClientScripThis property sets or retrieves a Boolean value that determines whether client-side validation will be performed. Server-side validation is always performed with the Validation controls, regardless of this setting. The default is True.
Enabled This property sets or retrieves a Boolean value that determines whether the control is enabled. The default is True.
ErrorMessage This property sets or retrieves a value of type String that specifies the error message to be displayed if the input from the user is notvalid.
ForeColor This property sets or retrieves a value of type Color that represents the color of the error message specified in the ErrorMessage property. The default is Color.Red.
IsValid This property sets or retrieves a Boolean value that signifies whether the control specified by the ControlToValidate property passes validation.
Validate This method causes the control on which it is called to perform validation, and it updates the IsValid property with the result.
Table 8-2 lists the Validation controls available in ASP.NET.
Validating Required Fields
To see how the Validation controls operate, let’s return to one of the earlier examples, the Web Form named SmtpEmail.aspx. One of the problems that youhad with the page was that if it was submitted without a To, CC, or BCC address, it would throw an exception. You can prevent this problem by requiring at least one To address.
Require data entry with the RequiredFieldValidator control
Open the file SmtpEmail.aspx created earlier in this chapter.
Add a RequiredFieldValidator control to the same table cell as the TextBox1 textbox control and set its properties as follows:
| Control | Property | Value | 
|---|---|---|
| RequiredFieldValidator1 | ControlToValidate | TextBox1 | 
| RequiredFieldValidator1 | Display | Dynamic | 
| RequiredFieldValidator1 | ErrorMessage | Required! | 
Save the page and browse it with Internet Explorer using the Browse With option. (Again, since you have changed only the .aspx file, the project does not need to be rebuilt.) If you do not enter a To address, the output will look something like the following illustration, and you will not be able to submit thepage.

One problem with this setup is that once you add a To address and submit the page, you might get a JavaScript error. This is because the newly added Validation control is looking for the text box on the client, but since you hid the control in the event handler by setting its Visible property to False, the control no longer exists on the client. You can solve this by modifying how you hide the elements on the page, as you’ll see in the steps that complete this example.
Add a new Label control for your status message. (In the original page, the first label in the table was used for this purpose.) This control should go just before the HTML <table> element.
<asp:labelid="Status"text="runat="server"/>
Turn the HTML <table> element into an HtmlTable control by adding an id attribute (if necessary; otherwise, just modify the id attribute to match the code snippet that follows) and then switch to design view, right-click the table border, and select Run As Server Control:
<tableid="MailTable"runat="server">
Switch to code view and take out the line of code in the Button1_Click event handler that sets the status message and replace it with the following code:
'Usethefirstlabeltodisplaystatus
Status.Text="MailSent"
Replace the lines of code in the Button1_Click event handler that set the Visible property of the controls to False with the following lines:
'Hidethetable
MailTable.Visible=False
Save the page, browse it, and submit an e-mail. You should no longer get the JavaScript error (and your code’s a lot cleaner to boot).
In addition to using the RequiredFieldValidator to ensure that an e-mail address is entered, you could add a RegularExpressionValidator to each of the addressfields to ensure that the data entered by the user matches the pattern for a valid e mail address. This prevents delivery errors that are due to malformed e-mail addresses and helps prevent the mail server’s resources from being wasted attempting to deliver such mail. A good place to find regular expressions for use with the RegularExpressionValidator control is http://www.regexlib.com/.
Validating by Comparison
Another one of the previous examples with the potential for trouble is the Calendar control example. As coded in the example, the Calendar control can be used to set a start date that is later than the end date. Clearly, if you’re storing these dates or using them to drive some programmatic logic, this is not something you want to allow. Fortunately, the CompareValidator control can help prevent this problem, as illustrated by the following example.
Use the CompareValidator control
Open the file Calendar.aspx created earlier in this chapter.
Add a CompareValidator control below the EndDate TextBox control and set its properties as follows:
| Control | Property | Value | 
|---|---|---|
| CompareValidator1 | ControlToValidate | StartDate | 
| CompareValidator1 | ControlToCompare | EndDate | 
| CompareValidator1 | Type | Date | 
| CompareValidator1 | Operator | LessThan | 
| CompareValidator1 | Display | Dynamic | 
| CompareValidator1 | ErrorMessage | Start Date must be before End Date! | 
Right-click an empty area of the page and select View Code to switch to the code-behind module, and then add a line of code to the Calendar1_SelectionChanged event handler to cause the Validation controlto validate each time the event handler is fired. The Page.Validate call should go between the End If and End Sub statements:
Page.Validate()
Save the file and code-behind module, and then rebuild the project. Browse the page and set the end date to a date earlier than the start date. The validation error message will appear, as shown in the following illustration. Additionally, the IsValid property of the page will be set to False. You can test this property before saving the date values to ensure that they are valid.

Validation controls can also improve the security of your application. For example, you can use the RegularExpressionValidator control to ensure that passwords entered by users (such as when establishing account information) meet minimum length and complexity requirements. This can make it more difficult for the bad guys to crack your application.
Data-Bound Controls
One of the most significant advances in ASP.NET is in the area of data binding. The System.Web.UI.WebControls namespace contains a set of data-bound controls that offer substantial functionality and flexibility, without the necessity of tying front-end UI logic into back-end database logic, as was the case with thedata-bound Design-Time Controls available in classic ASP through the Microsoft Visual InterDev 6.0 development environment. The data-bound controls also allow you to provide data binding regardless of the browser that your clients are using. This is because the controls run on the server and return plain HTML to the client, unlike some of the data-binding techniques that were possible with Internet Explorer versions 4.0 and later.Another major improvement is that the data-bound controls can use a variety of sources, not just data from a database. Data-bound controls in ASP.NET can be bound to data from an array, an ADO.NET DataSet, a DataView, or any data source that implements the ICollection or IList interfaces. The data-bound controls include the DataGrid, DataList, and Repeater controls. In Chapter 9 you’ll learn more about these controls.
 لطفا منتظر باشید ...
        لطفا منتظر باشید ...
     
                     
                
                