19
Fri, Apr
5 New Articles

Microsoft Computing: Active Server Pages, Continued

Microsoft
Typography
  • Smaller Small Medium Big Bigger
  • Default Helvetica Segoe Georgia Times

This month, I'll continue to explore Active Server Pages (ASP) technology. I'll take last month's look at classic ASP further--to ASP.NET, the latest form of ASP.

Why ASP.NET?

Last month's column examined the established version of ASP called classic ASP. I listed some of the shortcomings of developing Web applications with classic ASP--scripted server-side language, no OOP, mixed HTML and script, and the like. However, to the rescue rides Microsoft's .NET architecture, which includes these advantages:

  • Fully object-oriented languages
  • Client-side controls
  • The use of "code behind" to separate program code from HTML code
  • Compiled code for faster execution
  • Access to other .NET assemblies
  • Easy development and deployment

OK, you're almost sold on ASP.NET. How about a test drive?

You can create an ASP.NET application two ways: with and without code behind. (Recall that "code behind" is the server-side instruction set written in a .NET-aware language like C# or VB.NET.) Writing an ASP.NET application without code behind is a little like trying to grow the world's tallest Bonsai tree; it defeats the point, but it can be done. Instead, with the help of Visual Studio .NET (VS.NET), I'll build an example application here that takes advantage of the code behind benefit.


Creating an ASP.NET Application with Visual Studio

Recall that ASP applications require the background services of an ASP-capable Web server, so the first step in creating a classic ASP application was to create a virtual directory entry in your Internet Information Server (IIS) configuration. When using VS, however, the IIS configuration part is performed for you when you first create your project.

The first step then, is to start VS and create a new project. The example created here will be a C# project; the application type will be an ASP.NET Web Application (Figure 1).

Note the name of the virtual directory where your application will be stored (http://localhost/...). This location will probably map to the real directory c:Inetpubwwwroot... as per your IIS configuration settings.

http://www.mcpressonline.com/articles/images/2002/Microsoft-ASPNet2%20V4--11220400.jpg

Figure 1: Create a virtual directory for your project. (Click images to enlarge.)

Give your application a directory name and click OK. VS will check for its partner in ASP services (a running instance of IIS) and then churn a bit as your supporting directories are created and IIS is updated. Finally, you'll get a blank form that represents your page (Figure 2). This is where you'll place controls like text boxes and buttons to form the user interface of your application.

http://www.mcpressonline.com/articles/images/2002/Microsoft-ASPNet2%20V4--11220401.jpg

Figure 2: VS creates a blank form as the application's initial user interface.

If you click on the HTML tab at the bottom of the designer display, the supporting HTML will be displayed as Visual Studio generated it (Figure 3).

<%@ Page language="c#" Codebehind="WebForm1.aspx.cs" AutoEventWireup="false" 

       Inherits="ASPExample.WebForm1" %>



      
      WebForm1
      
      
      
      
      
      
            
      

Figure 3: Visual Studio generates this HTML code.

Some things to notice here about the HTML generated are the "Page" directives on the first line. These instructions specify the language that's to be used for the server-side processing (C#) and the form that will be used to inherit form-like things. Note also the directive in the body section that determines the location where the processing will take place (runat="server"').

The only part left is the source statements for the code behind the processing. VS.NET helps out there, too. Click on the Webform1.aspx.cl tab on the top of your editing window (Figure 2) to display some of the C# code generated (Figure 4).

using System;
using System.IO;
.
.
using System.Web.UI.WebControls;
using System.Web.UI.HtmlControls;

namespace ASPExample
{
       public class WebForm1 : System.Web.UI.Page
       {
              private void Page_Load(object sender, System.EventArgs e)
              {
                     // Put user code to initialize the page here
              }

              #region Web Form Designer generated code
              override protected void OnInit(EventArgs e)
              {
                     InitializeComponent();
                     base.OnInit(e);
              }

Figure 4: Visual Studio generated this code for the "code behind" the page.

If you're comfortable with .NET languages, this should look pretty good. This code is similar to standard Windows application instructions for applications built with VS.NET.

Also similar are the components to be placed on the user interface. One of the most significant aspects of the ASP.NET platform is the familiar controls. These widgets look and act like Windows desktop controls rather than Web components built with other, less accommodating languages. To illustrate, I'll create a user ID and password entry screen that corresponds to the HTML version you developed last month. The example application will collect the user ID and password and echo the data back to the client for display.

Click on the WebForm1.aspx tab and then the Design tab to access the user interface designer screen. Open the Web Forms toolbox on the left side of the VS display and select the TextBox button (Figure 5).

http://www.mcpressonline.com/articles/images/2002/Microsoft-ASPNet2%20V4--11220402.jpg

Figure 5: The ASP.NET Web Forms toolbox offers many options for user interface design.

Draw the text box on your page somewhere near the top to act as the space for the user ID to be keyed. Next, draw another text box on your page to act as the password field. Then, press F4 to access the control's properties. Scroll down to the TextMode property and set it to Password to make the text non-display. Now, add a command button that the user can click on to submit the information to the code behind. Then, add a few label controls to hold the values that are echoed back to the browser for display.

Finally, in this humble example, you'll add a bit of code to read from the server's database. In this case, the database will just be a text file of city names that is stored on the server and is loaded to the ASP page dynamically for display at the browser. The user can then select the city from a drop-down list. Bear in mind that the file data, instead of coming from a text file on the server, could be obtained from your iSeries or network server using a high-level access method like ODBC or ADO.

Select a DropDownList control from the toolbox and draw it on your form. The list will be loaded from the text file during the InitializeComponent event (Figure 6).

Note: To use the StreamReader, you have to include this statement in your code (shown in the first line of code in Figure 4): using System.IO;

private void InitializeComponent()
{    
       this.Button1.Click += new System.EventHandler(this.Button1_Click);
      this.DropDownList1.SelectedIndexChanged += new 

       System.EventHandler(this.DropDownList1_SelectedIndexChanged);
      this.Load += new System.EventHandler(this.Page_Load);
      
      // Load the DropDown Listbox...
      TextReader SReader = new StreamReader("Cities.txt"); 
String s1 = "";
      
      // read an example text file...
      DropDownList1.Items.Clear();
      while ((s1 = SReader.ReadLine()) != null)
      {
           DropDownList1.Items.Add(s1);
      }
      // close the stream
      SReader.Close();
}  

Figure 6: Load the DropDownList box from a text file in the InitializeComponent event.

OK, so your form should now look something like Figure 7.

http://www.mcpressonline.com/articles/images/2002/Microsoft-ASPNet2%20V4--11220403.jpg

Figure 7: The example ASP page looks like this in the Visual Studio page designer.

Next, in standard VS style, double-click on the page's Logon button to access the click event. Add some code to load the user-keyed values into labels for display:

      private void Button1_Click(object sender, System.EventArgs e)
      {
           Label2.Text = "Values keyed are:";
           Label3.Text = TextBox1.Text;
           Label4.Text = TextBox2.Text;
           Label5.Text = DropDownList1.SelectedItem.Text;
      }

Figure 8: Add this code in the Click event for Button1 to echo values back to the browser.

To see the result of your efforts, save your project and then "build" the application (from the menu bar, select Build > Rebuild Solution). Your code will be compiled into a DLL and placed in the virtual directory that was specified when the project was started. (Note: Another copy is actually created and placed in what's called a "shadow directory" with other temporary Internet files when IIS is asked to service the page.)

For the payoff, press F5 or click the Run button to set the processing in motion. Your browser will start, and you should be greeted with a page like that shown in Figure 9. The drop-down list box shows city names for the user to select, along with the usual user ID and password text boxes.

http://www.mcpressonline.com/articles/images/2002/Microsoft-ASPNet2%20V4--11220404.jpg

Figure 9: Your ASP client page should look like this now.

Key some nonsense into the user ID and password text boxes, select a city from the list, and click the Logon button. The server-side code will return the values for inspection in the label controls (Figure 10).

http://www.mcpressonline.com/articles/images/2002/Microsoft-ASPNet2%20V4--11220405.jpg

Figure 10: Values echo back to the client from the server-side code behind.

With this sort of arrangement, you can bring a tremendous level of capability and flexibility into your Web-based applications. The server-side code can perform complex tasks and interact with your existing databases just as if the user were running a conventional desktop application. All your coding know-how can be leveraged to the ASP.NET platform to create a capable Web-based solution.

With the groundwork laid, I'll take up the ASP.NET cause again in the near future to explore some of the more useful aspects of the platform.

Chris Peters has 27 years of experience in the IBM midrange and PC platforms. Chris is president of Evergreen Interactive Systems, a software development firm and creators of the iSeries Report Downloader. Chris is the author of The OS/400 and Microsoft Office 2000 Integration Handbook, The AS/400 TCP/IP Handbook, AS/400 Client/Server Programming with Visual Basic, and Peer Networking on the AS/400 (MC Press). He is also a nationally recognized seminar instructor. Chris can be reached at This email address is being protected from spambots. You need JavaScript enabled to view it..

Chris Peters has 32 years of experience with IBM midrange and PC platforms. Chris is president of Evergreen Interactive Systems, a software development firm and creators of the iSeries Report Downloader. Chris is the author of i5/OS and Microsoft Office Integration Handbook, AS/400 TCP/IP Handbook, AS/400 Client/Server Programming with Visual Basic, and Peer Networking on the AS/400. He is also a nationally recognized seminar instructor and a lecturer in the Computer Science department at Eastern Washington University. Chris can be reached at This email address is being protected from spambots. You need JavaScript enabled to view it..


MC Press books written by Chris Peters available now on the MC Press Bookstore.

i5/OS and Microsoft Office Integration Handbook i5/OS and Microsoft Office Integration Handbook
Harness the power of Office while exploiting the i5/iSeries database.
List Price $79.95

Now On Sale

BLOG COMMENTS POWERED BY DISQUS

LATEST COMMENTS

Support MC Press Online

$0.00 Raised:
$

Book Reviews

Resource Center

  • SB Profound WC 5536 Have you been wondering about Node.js? Our free Node.js Webinar Series takes you from total beginner to creating a fully-functional IBM i Node.js business application. You can find Part 1 here. In Part 2 of our free Node.js Webinar Series, Brian May teaches you the different tooling options available for writing code, debugging, and using Git for version control. Brian will briefly discuss the different tools available, and demonstrate his preferred setup for Node development on IBM i or any platform. Attend this webinar to learn:

  • SB Profound WP 5539More than ever, there is a demand for IT to deliver innovation. Your IBM i has been an essential part of your business operations for years. However, your organization may struggle to maintain the current system and implement new projects. The thousands of customers we've worked with and surveyed state that expectations regarding the digital footprint and vision of the company are not aligned with the current IT environment.

  • SB HelpSystems ROBOT Generic IBM announced the E1080 servers using the latest Power10 processor in September 2021. The most powerful processor from IBM to date, Power10 is designed to handle the demands of doing business in today’s high-tech atmosphere, including running cloud applications, supporting big data, and managing AI workloads. But what does Power10 mean for your data center? In this recorded webinar, IBMers Dan Sundt and Dylan Boday join IBM Power Champion Tom Huntington for a discussion on why Power10 technology is the right strategic investment if you run IBM i, AIX, or Linux. In this action-packed hour, Tom will share trends from the IBM i and AIX user communities while Dan and Dylan dive into the tech specs for key hardware, including:

  • Magic MarkTRY the one package that solves all your document design and printing challenges on all your platforms. Produce bar code labels, electronic forms, ad hoc reports, and RFID tags – without programming! MarkMagic is the only document design and print solution that combines report writing, WYSIWYG label and forms design, and conditional printing in one integrated product. Make sure your data survives when catastrophe hits. Request your trial now!  Request Now.

  • SB HelpSystems ROBOT GenericForms of ransomware has been around for over 30 years, and with more and more organizations suffering attacks each year, it continues to endure. What has made ransomware such a durable threat and what is the best way to combat it? In order to prevent ransomware, organizations must first understand how it works.

  • SB HelpSystems ROBOT GenericIT security is a top priority for businesses around the world, but most IBM i pros don’t know where to begin—and most cybersecurity experts don’t know IBM i. In this session, Robin Tatam explores the business impact of lax IBM i security, the top vulnerabilities putting IBM i at risk, and the steps you can take to protect your organization. If you’re looking to avoid unexpected downtime or corrupted data, you don’t want to miss this session.

  • SB HelpSystems ROBOT GenericCan you trust all of your users all of the time? A typical end user receives 16 malicious emails each month, but only 17 percent of these phishing campaigns are reported to IT. Once an attack is underway, most organizations won’t discover the breach until six months later. A staggering amount of damage can occur in that time. Despite these risks, 93 percent of organizations are leaving their IBM i systems vulnerable to cybercrime. In this on-demand webinar, IBM i security experts Robin Tatam and Sandi Moore will reveal:

  • FORTRA Disaster protection is vital to every business. Yet, it often consists of patched together procedures that are prone to error. From automatic backups to data encryption to media management, Robot automates the routine (yet often complex) tasks of iSeries backup and recovery, saving you time and money and making the process safer and more reliable. Automate your backups with the Robot Backup and Recovery Solution. Key features include:

  • FORTRAManaging messages on your IBM i can be more than a full-time job if you have to do it manually. Messages need a response and resources must be monitored—often over multiple systems and across platforms. How can you be sure you won’t miss important system events? Automate your message center with the Robot Message Management Solution. Key features include:

  • FORTRAThe thought of printing, distributing, and storing iSeries reports manually may reduce you to tears. Paper and labor costs associated with report generation can spiral out of control. Mountains of paper threaten to swamp your files. Robot automates report bursting, distribution, bundling, and archiving, and offers secure, selective online report viewing. Manage your reports with the Robot Report Management Solution. Key features include:

  • FORTRAFor over 30 years, Robot has been a leader in systems management for IBM i. With batch job creation and scheduling at its core, the Robot Job Scheduling Solution reduces the opportunity for human error and helps you maintain service levels, automating even the biggest, most complex runbooks. Manage your job schedule with the Robot Job Scheduling Solution. Key features include:

  • LANSA Business users want new applications now. Market and regulatory pressures require faster application updates and delivery into production. Your IBM i developers may be approaching retirement, and you see no sure way to fill their positions with experienced developers. In addition, you may be caught between maintaining your existing applications and the uncertainty of moving to something new.

  • LANSAWhen it comes to creating your business applications, there are hundreds of coding platforms and programming languages to choose from. These options range from very complex traditional programming languages to Low-Code platforms where sometimes no traditional coding experience is needed. Download our whitepaper, The Power of Writing Code in a Low-Code Solution, and:

  • LANSASupply Chain is becoming increasingly complex and unpredictable. From raw materials for manufacturing to food supply chains, the journey from source to production to delivery to consumers is marred with inefficiencies, manual processes, shortages, recalls, counterfeits, and scandals. In this webinar, we discuss how:

  • The MC Resource Centers bring you the widest selection of white papers, trial software, and on-demand webcasts for you to choose from. >> Review the list of White Papers, Trial Software or On-Demand Webcast at the MC Press Resource Center. >> Add the items to yru Cart and complet he checkout process and submit

  • Profound Logic Have you been wondering about Node.js? Our free Node.js Webinar Series takes you from total beginner to creating a fully-functional IBM i Node.js business application.

  • SB Profound WC 5536Join us for this hour-long webcast that will explore:

  • Fortra IT managers hoping to find new IBM i talent are discovering that the pool of experienced RPG programmers and operators or administrators with intimate knowledge of the operating system and the applications that run on it is small. This begs the question: How will you manage the platform that supports such a big part of your business? This guide offers strategies and software suggestions to help you plan IT staffing and resources and smooth the transition after your AS/400 talent retires. Read on to learn: