Dynamic Web Pages with ASP.NET. Hanspeter Mössenböck
|
|
|
- Antonia Ross
- 9 years ago
- Views:
Transcription
1 Dynamic Web Pages with ASP.NET Hanspeter Mössenböck
2 Main Features of ASP.NET Successor of Active Server Pages (ASP), but completely different architecture object-oriented event-based rich library of Web Controls Separation of layout (HTML) and logic (e.g. C#) compiled languages instead of interpreted languages GUI can be composed interactively with Visual Studio.NET better state management... 2
3 Static Web Pages Pure HTML <html> <head> <title>statc Web Page</title> </head> <body> <h1>welcome</h1> You are visitor number 1! </body> </html> My.html browser request ("My.html") response (My.html) server (IIS) My.html 3
4 Dynamic ASPX Pages Counter.aspx Page Language="C#" %> Import Namespace="System.IO" %> <html> <head> <title>dynamic ASPX Page</title> </head> <body> <h1>welcome</h1> You are visitor number <% FileStream s = new FileStream("c:\\Data\\Counter.dat", FileMode.OpenOrCreate); int n; try { BinaryReader r = new BinaryReader(s); n = r.readint32(); } catch { n = 0; } // in case the file is empty n++; s.seek(0, SeekOrigin.Begin); BinaryWriter w = new BinaryWriter(s); w.write(n); s.close(); Response.Write(n); %>! </body> </html> Counter.aspx must be in a virtual directory. 4
5 How to Create a Virtual Directory Control Panel > Administrative Tools > Computer Management Right-click on Default Web Site > New... Virtual Directory follow the dialog All aspx files must be in a virtual directory accessible as 5
6 What Happens Behind the Scene? client (browser) request ("Counter.aspx") server (IIS) response (*.html) "Counter.aspx" *.html ASP.NET Counter.aspx page class preprocessor, compiler loader page object.net framework 6
7 Code in Script Tags Page Language="C#" %> Counter.aspx Import Namespace="System.IO" %> <html> <head> <title>dynamic ASPX Page</title> <script Language="C#" Runat="Server"> int CounterValue() { FileStream s = new FileStream("c:\\Data\\Counter.dat", FileMode.OpenOrCreate);... n = r.readint32(); n++;... return n; } </script> </head> <body> <h1>welcome</h1> You are visitor number <%=CounterValue()%>! </body> </html> 7
8 Code Behind Page Language="C#" Inherits="CounterPage" Src="CounterPage.cs" %> <html> <head> <title>dynamic ASPX Page</title> </head> <body> <h1>welcome</h1> You are visitor number <%=CounterValue()%>! </body> </html> using System.IO; Counter.aspx CounterPage.cs public class CounterPage : System.Web.UI.Page { public int CounterValue() { FileStream s = new FileStream("c:\\Data\\Counter.dat", FileMode.OpenOrCreate);... n = r.readint32(); n++;... return n; } } 8
9 Generated Page Class System.Web.UI.Page code behind CounterPage.cs public class CounterPage : System.Web.UI.Page { public int CounterValue() {... } } CounterPage CounterValue() aspx page Counter.aspx <%@ Page... Src="CounterPage.cs"%> <html> <body>... <%=CounterValue()%>... </body> </html> Counter_aspx... 9
10 HTML Forms... <body> <form action=" method="post"> <b>balance:</b> <input type="text" name="total" readonly value="0"> Euro<br> <input type="text" name="amount"> <input type="submit" name="ok" value="pay"> </form> </body> CGI program myprog - reads total and amount - returns new HTML text in which total and amount have new values Problems - CGI programming is tricky - restricted to HTML elements - must set the state of the text field before the page is returned 10
11 Web Forms under ASP.NET Page Language="C#" Inherits="AdderPage" Src="Adder.aspx.cs"%> <html> <head><title>account</title></head> <body> <form method="post" Runat="server"> <b>balance:</b> <asp:label ID="total" Text="0" Runat="server"/> Euro<br><br> <asp:textbox ID="amount" Runat="server"/> <asp:button ID="ok" Text="Pay" OnClick="ButtonClick" Runat="server" /> </form> </body> </html> Adder.aspx using System; using System.Web.UI; using System.Web.UI.WebControls; public class AdderPage : Page { protected Label total; protected TextBox amount; protected Button ok; } public void ButtonClick (object sender, EventArgs e) { int totalval = Convert.ToInt32(total.Text); int amountval = Convert.ToInt32(amount.Text); total.text = (totalval + amountval).tostring(); } Adder.aspx.cs 11
12 Advantages of Web Forms The page is an object one can access all its properties and methods: page.ispostback, page.user, page.findcontrol(),... All GUI elements are objects one can access all their properties and methods: amount.text, amount.font, amount.width,... One can implement custom GUI elements Web pages can access the whole.net library databases, XML, RMI,... The state of all GUI elements is retained amount.text does not need to be set before the page is returned 12
13 Web Controls Label TextBox Button RadioButton CheckBox DropDownList ListBox abc Calendar DataGrid... User Controls Custom Controls 13
14 Web Control Hierarchy Control ID Page Visible WebControl Font Width Height TemplateControl... Button TextBox Label Page UserControl Text Text Rows Columns Text Request Response IsPostBack 14
15 Event-based Processing mouse click <asp:button Text="..." OnClick="DoClick" Runat="sever" /> Click event event handler void DoClick (object sender, EventArgs e) {... } Client Server 15
16 Round Trip of a Web Page Click round trip event + page state Page Label TextBox Button 1. Creation create page object and GUI objects Client Server 16
17 Round Trip of a Web Page round trip event + page state Page Label Init Init Click TextBox Button Init Init 2. Initialisation - raise Init events Client Server 17
18 Round Trip of a Web Page round trip event + page state Page Label Load Load Click TextBox Button Load Load 3. Loading - load GUI objects with the values that the user has entered (page state) - raise Load events Client Server 18
19 Round Trip of a Web Page Click round trip event + page state Page Label TextBox Button 4. Action handle round trip event(s) (Click, TextChanged,...) Client Server 19
20 Round Trip of a Web Page round trip event + page state Page Label PreRender PreRender <html>... <input type="text"...> <input type="button"...>... </html> HTML + page state TextBox Button 5. Rendering - raise PreRender events - call Render methods of all GUI objects, which render them to HTML code PreRender PreRender Client Server 20
21 Round Trip of a Web Page round trip event + page state Page Label Unload Unload TextBox Unload <html>... <input type="text"...> <input type="button"...>... </html> Button Unload 6. Unloading - raise Unload events for cleanup actions Client Server 21
22 Which Events Cause a Round Trip? Round Trip Events (cause an immediate round trip) Click <asp:button Text="click me" Runat="server" OnClick="DoClick" /> Delayed Events (are only handled at the next round trip) TextChanged SelectedIndexChanged <asp:textbox Runat="server" OnTextChanged="DoTextChanged" /> <asp:listbox Rows="3" Runat="server" OnSelectedIndexChanged="DoSIChanged" /> AutoPostBack (causes a delayed event to lead to an immediate round trip) TextChanged <asp:textbox Runat="server" AutoPostBack="true" OnTextChanged="DoTextChanged" /> 22
23 Validators Objects for plausibility checks Label BaseValidator RequiredFieldValidator BaseCompareValidator CustomValidator checks if a text field is empty RangeValidator CompareValidator does a user-defined check checks if the value of a text field is in a valid range compares the values of two text fields 23
24 Validators (Example) Name: <asp:textbox ID="name" Runat="server" /> <asp:requiredfieldvalidator ControlToValidate="name" Text="*" ErrorMessage="You must enter a name" Runat="server" /> <br> Age: <asp:textbox ID="age" Runat="server" /> <asp:rangevalidator ControlToValidate="age" Text="*" MinimumValue="0" MaximumValue="100" Type="Integer" ErrorMessage="The age must be between 0 and 100" Runat="server" /> <asp:button Text="Submit" OnClick="DoClick" Runat="server" /> <asp:validationsummary Runat="server" /> 24
25 User Controls Group of Web Controls, that can be used like a single element Described in an ascx file (e.g. MoneyField.ascx) <%@ Control Inherits="MoneyFieldBase" Src="MoneyField.ascx.cs" %> <asp:textbox ID="amount" Runat="server" /> <asp:dropdownlist ID="currency" AutoPostBack="true" OnSelectedIndexChanged="Select" Runat="server"> <asp:listitem Text="Euro" Value="1.0" Selected="true" /> <asp:listitem Text="Dollars" Value="0.88" /> <asp:listitem Text="Fracs" Value="1.47" /> <asp:listitem Text="Pounds" Value="0.62" /> </asp:dropdownlist> 25
26 User Controls Code Behind using System; using System.Web.UI; using System.Web.UI.WebControls; MoneyField.ascx.cs public class MoneyFieldBase : UserControl { protected TextBox amount; protected DropDownList currency; } public void Select(object sender, EventArgs arg) {... } 26
27 User Controls Can be used multiple times per page MoneyFieldTest.aspx Page Language="C#" %> Register TagPrefix="my" TagName="MoneyField" Src="MoneyField.ascx" %> <html> <body> <form Runat="server"> Amount 1: <my:moneyfield ID="field1" Runat="server" /><br> Amoun 2: <my:moneyfield ID="field2" Runat="server" /> </form> </body> </html>> 27
28 Custom Controls Allow you to implement completely new functionality (e.g. text folding) Implemented as an (indirect) subclass of Control Control WebControl ImageButton Fold must override the method Render, which translates this control to HTML 28
29 Custom Controls Class Fold using System.Web.UI; using System.Web.UI.WebControls; namespace Folds { public class Fold : ImageButton {... protected override void Render(HtmlTextWriter w) {... } } } Must be compiled into a DLL, which has to be stored in the \bin directory csc /target:library /out:bin/folds.dll Fold.cs Used as follows <%@ Page Language="C#" %> <%@ Register TagPrefix="my" Namespace="Folds" Assembly="Folds" %> <html> <body> <form Runat="server"> <my:fold Text="..." AlternateText="..." Runat="server" /> </form> </body> </html> 29
30 State Management Page state e.g. contents of text fields, state of check boxes,... Session state (Session = all requests from the same client within a certain time) e.g. shopping cart, address of a client,... Application state (Application = all aspx files in the same virtual directory) e.g. configuration data, number of sessions,... application C li request + page state session /samples e n t C li e n t response + page state session state session session state S er v er x.aspx y.aspx z.aspx application state 30
31 Accessing State Information Page state setting: getting: ViewState["counter"] = counterval; int counterval = (int) ViewState["counter"]; Session state setting: getting: Session["cart"] = shoppingcart; DataTable shoppingcart = (DataTable) Session["cart"]; Application state setting: getting: Application["database"] = databasename; string databasename = (string) Application["databaseName"]; 31
32 Summary Advantages of ASP.NET over ASP object-oriented event-based prefabricated controls and custom controls separation between layout (HTML) and logic (e.g. C#) compiled code instead of interpreted code simple and powerful state management 32
CIS 445 Advanced Visual Basic.NET ASP.NET
California State University Los Angeles CIS 445 Advanced Visual Basic.NET ASP.NET (Part 1), PhD [email protected] California State University, LA Department Computer s Part1 The Fundamentals of ASP.NET
Agenda. ASP.NET Overview Programming Basics Server Controls
Agenda ASP.NET Overview Programming Basics Server Controls ASP.NET Overview public void B_Click (object sender, System.EventArgs e)
Implementing Specialized Data Capture Applications with InVision Development Tools (Part 2)
Implementing Specialized Data Capture Applications with InVision Development Tools (Part 2) [This is the second of a series of white papers on implementing applications with special requirements for data
Introduction to ASP.NET and Web Forms
Introduction to ASP.NET and Web Forms This material is based on the original slides of Dr. Mark Sapossnek, Computer Science Department, Boston University, Mosh Teitelbaum, evoch, LLC, and Joe Hummel, Lake
c. Write a JavaScript statement to print out as an alert box the value of the third Radio button (whether or not selected) in the second form.
Practice Problems: These problems are intended to clarify some of the basic concepts related to access to some of the form controls. In the process you should enter the problems in the computer and run
HTML Form Widgets. Review: HTML Forms. Review: CGI Programs
HTML Form Widgets Review: HTML Forms HTML forms are used to create web pages that accept user input Forms allow the user to communicate information back to the web server Forms allow web servers to generate
Creating Form Rendering ASP.NET Applications
Creating Form Rendering ASP.NET Applications You can create an ASP.NET application that is able to invoke the Forms service resulting in the ASP.NET application able to render interactive forms to client
HTML Forms and CONTROLS
HTML Forms and CONTROLS Web forms also called Fill-out Forms, let a user return information to a web server for some action. The processing of incoming data is handled by a script or program written in
Configuring iplanet 6.0 Web Server For SSL and non-ssl Redirect
Introduction Configuring iplanet 6.0 Web Server For SSL and non-ssl Redirect This document describes the process for configuring an iplanet web server for the following situation: Require that clients
Intell-a-Keeper Reporting System Technical Programming Guide. Tracking your Bookings without going Nuts! http://www.acorn-is.
Intell-a-Keeper Reporting System Technical Programming Guide Tracking your Bookings without going Nuts! http://www.acorn-is.com 877-ACORN-99 Step 1: Contact Marian Talbert at Acorn Internet Services at
Internet Technologies
QAFQAZ UNIVERSITY Computer Engineering Department Internet Technologies HTML Forms Dr. Abzetdin ADAMOV Chair of Computer Engineering Department [email protected] http://ce.qu.edu.az/~aadamov What are forms?
JavaScript and Dreamweaver Examples
JavaScript and Dreamweaver Examples CSC 103 October 15, 2007 Overview The World is Flat discussion JavaScript Examples Using Dreamweaver HTML in Dreamweaver JavaScript Homework 3 (due Friday) 1 JavaScript
Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring
Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring Estimated time to complete this lab: 45 minutes ASP.NET 2.0 s configuration API fills a hole in ASP.NET 1.x by providing an easy-to-use and extensible
ASP.NET: THE NEW PARADIGM FOR WEB APPLICATION DEVELOPMENT
ASP.NET: THE NEW PARADIGM FOR WEB APPLICATION DEVELOPMENT Dr. Mike Morrison, University of Wisconsin-Eau Claire, [email protected] Dr. Joline Morrison, University of Wisconsin-Eau Claire, [email protected]
Further web design: HTML forms
Further web design: HTML forms Practical workbook Aims and Learning Objectives The aim of this document is to introduce HTML forms. By the end of this course you will be able to: use existing forms on
Sample Chapters. To learn more about this book visit Microsoft Learning at: http://go.microsoft.com/fwlink/?linkid=206094
Sample Chapters Copyright 2010 by Tony Northrup and Mike Snell. All rights reserved. To learn more about this book visit Microsoft Learning at: http://go.microsoft.com/fwlink/?linkid=206094 Contents Acknowledgments
Slide.Show Quick Start Guide
Slide.Show Quick Start Guide Vertigo Software December 2007 Contents Introduction... 1 Your first slideshow with Slide.Show... 1 Step 1: Embed the control... 2 Step 2: Configure the control... 3 Step 3:
Hello World RESTful web service tutorial
Hello World RESTful web service tutorial Balázs Simon ([email protected]), BME IIT, 2015 1 Introduction This document describes how to create a Hello World RESTful web service in Eclipse using JAX-RS
HTML Tables. IT 3203 Introduction to Web Development
IT 3203 Introduction to Web Development Tables and Forms September 3 HTML Tables Tables are your friend: Data in rows and columns Positioning of information (But you should use style sheets for this) Slicing
İNTERNET TABANLI PROGRAMLAMA- 13.ders GRIDVIEW, DETAILSVIEW, ACCESSDATASOURCE NESNELERİ İLE BİLGİ GÖRÜNTÜLEME
İNTERNET TABANLI PROGRAMLAMA- 13.ders GRIDVIEW, DETAILSVIEW, ACCESSDATASOURCE NESNELERİ İLE BİLGİ GÖRÜNTÜLEME Asp.Net kodları
Web services can convert your existing applications into web applications.
i About the Tutorial Web services are open standard (XML, SOAP, HTTP, etc.) based web applications that interact with other web applications for the purpose of exchanging data Web services can convert
SQL Server Database Web Applications
SQL Server Database Web Applications Microsoft Visual Studio (as well as Microsoft Visual Web Developer) uses a variety of built-in tools for creating a database-driven web application. In addition to
The MVC Programming Model
The MVC Programming Model MVC is one of three ASP.NET programming models. MVC is a framework for building web applications using a MVC (Model View Controller) design: The Model represents the application
CS412 Interactive Lab Creating a Simple Web Form
CS412 Interactive Lab Creating a Simple Web Form Introduction In this laboratory, we will create a simple web form using HTML. You have seen several examples of HTML pages and forms as you have worked
Working with forms in PHP
2002-6-29 Synopsis In this tutorial, you will learn how to use forms with PHP. Page 1 Forms and PHP One of the most popular ways to make a web site interactive is the use of forms. With forms you can have
(Ch: 1) Building ASP.NET Pages. A. ASP.NET and the.net Framework B. Introducing ASP.NET Controls C. Adding Application logic to an ASP.
(Ch: 1) Building ASP.NET Pages A. ASP.NET and the.net Framework B. Introducing ASP.NET Controls C. Adding Application logic to an ASP.NET Page D. the structure of an ASP.NET Page ASP.NET and the.net Framework
Inserting the Form Field In Dreamweaver 4, open a new or existing page. From the Insert menu choose Form.
Creating Forms in Dreamweaver Modified from the TRIO program at the University of Washington [URL: http://depts.washington.edu/trio/train/howto/page/dreamweaver/forms/index.shtml] Forms allow users to
Tutorial: Building a Dojo Application using IBM Rational Application Developer Loan Payment Calculator
Tutorial: Building a Dojo Application using IBM Rational Application Developer Loan Payment Calculator Written by: Chris Jaun ([email protected]) Sudha Piddaparti ([email protected]) Objective In this
<option> eggs </option> <option> cheese </option> </select> </p> </form>
FORMS IN HTML A form is the usual way information is gotten from a browser to a server HTML has tags to create a collection of objects that implement this information gathering The objects are called widgets
Walkthrough: Creating and Using an ASP.NET Web Service in Visual Web Developer
http://msdn.microsoft.com/en-us/library/8wbhsy70.aspx Walkthrough: Creating and Using an ASP.NET Web Service in Visual Web Developer In addition to letting you create Web pages, Microsoft Visual Studio
Introduction to XHTML. 2010, Robert K. Moniot 1
Chapter 4 Introduction to XHTML 2010, Robert K. Moniot 1 OBJECTIVES In this chapter, you will learn: Characteristics of XHTML vs. older HTML. How to write XHTML to create web pages: Controlling document
Web Development 1 A4 Project Description Web Architecture
Web Development 1 Introduction to A4, Architecture, Core Technologies A4 Project Description 2 Web Architecture 3 Web Service Web Service Web Service Browser Javascript Database Javascript Other Stuff:
Working with Data in ASP.NET 2.0 :: Paging and Sorting Report Data Introduction. Step 1: Adding the Paging and Sorting Tutorial Web Pages
1 of 18 This tutorial is part of a set. Find out more about data access with ASP.NET in the Working with Data in ASP.NET 2.0 section of the ASP.NET site at http://www.asp.net/learn/dataaccess/default.aspx.
Website Login Integration
SSO Widget Website Login Integration October 2015 Table of Contents Introduction... 3 Getting Started... 5 Creating your Login Form... 5 Full code for the example (including CSS and JavaScript):... 7 2
2. Modify default.aspx and about.aspx. Add some information about the web site.
This was a fully function Shopping Cart website, which was hosted on the university s server, which I no longer can access. I received an A on this assignment. The directions are listed below for your
MASTERTAG DEVELOPER GUIDE
MASTERTAG DEVELOPER GUIDE TABLE OF CONTENTS 1 Introduction... 4 1.1 What is the zanox MasterTag?... 4 1.2 What is the zanox page type?... 4 2 Create a MasterTag application in the zanox Application Store...
Introduction to ASP.NET Web Development Instructor: Frank Stepanski
Introduction to ASP.NET Web Development Instructor: Frank Stepanski Overview From this class, you will learn how to develop web applications using the Microsoft web technology ASP.NET using the free web
Novell Identity Manager
AUTHORIZED DOCUMENTATION Manual Task Service Driver Implementation Guide Novell Identity Manager 4.0.1 April 15, 2011 www.novell.com Legal Notices Novell, Inc. makes no representations or warranties with
Dynamic Web-Enabled Data Collection
Dynamic Web-Enabled Data Collection S. David Riba, Introduction Web-based Data Collection Forms Error Trapping Server Side Validation Client Side Validation Dynamic generation of web pages with Scripting
Tutorial 8: Quick Form Button
Objectives: Your goal in this tutorial is to be able to: properly use NetStores Quick-Form feature in Dreamweaver customize the Quick Form order button create a form with various components: check boxes
Specify the location of an HTML control stored in the application repository. See Using the XPath search method, page 2.
Testing Dynamic Web Applications How To You can use XML Path Language (XPath) queries and URL format rules to test web sites or applications that contain dynamic content that changes on a regular basis.
2- Forms and JavaScript Course: Developing web- based applica<ons
2- Forms and JavaScript Course: Cris*na Puente, Rafael Palacios 2010- 1 Crea*ng forms Forms An HTML form is a special section of a document which gathers the usual content plus codes, special elements
Building A Very Simple Web Site
Sitecore CMS 6.2 Building A Very Simple Web Site Rev 100601 Sitecore CMS 6. 2 Building A Very Simple Web Site A Self-Study Guide for Developers Table of Contents Chapter 1 Introduction... 3 Chapter 2 Building
VB.NET - WEB PROGRAMMING
VB.NET - WEB PROGRAMMING http://www.tutorialspoint.com/vb.net/vb.net_web_programming.htm Copyright tutorialspoint.com A dynamic web application consists of either or both of the following two types of
Bookstore Application: Client Tier
29 T U T O R I A L Objectives In this tutorial, you will learn to: Create an ASP.NET Web Application project. Create and design ASPX pages. Use Web Form controls. Reposition controls, using the style attribute.
4.2 Understand Microsoft ASP.NET Web Application Development
L E S S O N 4 4.1 Understand Web Page Development 4.2 Understand Microsoft ASP.NET Web Application Development 4.3 Understand Web Hosting 4.4 Understand Web Services MTA Software Fundamentals 4 Test L
JavaScript By: A. Mousavi & P. Broomhead SERG, School of Engineering Design, Brunel University, UK
Programming for Digital Media EE1707 JavaScript By: A. Mousavi & P. Broomhead SERG, School of Engineering Design, Brunel University, UK 1 References and Sources 1. DOM Scripting, Web Design with JavaScript
FORMS. Introduction. Form Basics
FORMS Introduction Forms are a way to gather information from people who visit your web site. Forms allow you to ask visitors for specific information or give them an opportunity to send feedback, questions,
WIRIS quizzes web services Getting started with PHP and Java
WIRIS quizzes web services Getting started with PHP and Java Document Release: 1.3 2011 march, Maths for More www.wiris.com Summary This document provides client examples for PHP and Java. Contents WIRIS
A send-a-friend application with ASP Smart Mailer
A send-a-friend application with ASP Smart Mailer Every site likes more visitors. One of the ways that big sites do this is using a simple form that allows people to send their friends a quick email about
07 Forms. 1 About Forms. 2 The FORM Tag. 1.1 Form Handlers
1 About Forms For a website to be successful, it is important to be able to get feedback from visitors to your site. This could be a request for information, general comments on your site or even a product
Client-side Web Engineering From HTML to AJAX
Client-side Web Engineering From HTML to AJAX SWE 642, Spring 2008 Nick Duan 1 What is Client-side Engineering? The concepts, tools and techniques for creating standard web browser and browser extensions
BUILDING APPLICATIONS USING C# AND.NET FRAMEWORK (OBJECT-ORIENTED PROGRAMMING, X428.6)
Technology & Information Management Instructor: Michael Kremer, Ph.D. Class 9 Professional Program: Data Administration and Management BUILDING APPLICATIONS USING C# AND.NET FRAMEWORK (OBJECT-ORIENTED
IMRG Peermap API Documentation V 5.0
IMRG Peermap API Documentation V 5.0 An Introduction to the IMRG Peermap Service... 2 Using a Tag Manager... 2 Inserting your Unique API Key within the Script... 2 The JavaScript Snippet... 3 Adding the
Tutorial: Creating a form that emails the results to you.
Tutorial: Creating a form that emails the results to you. 1. Create a new page in your web site Using the Wizard Interface. a) Choose I want to add a form that emails the results to me in the wizard. b)
Designing and Implementing Forms 34
C H A P T E R 34 Designing and Implementing Forms 34 You can add forms to your site to collect information from site visitors; for example, to survey potential customers, conduct credit-card transactions,
DNNCentric Custom Form Creator. User Manual
DNNCentric Custom Form Creator User Manual Table of contents Introduction of the module... 3 Prerequisites... 3 Configure SMTP Server... 3 Installation procedure... 3 Creating Your First form... 4 Adding
HTML Forms. Pat Morin COMP 2405
HTML Forms Pat Morin COMP 2405 HTML Forms An HTML form is a section of a document containing normal content plus some controls Checkboxes, radio buttons, menus, text fields, etc Every form in a document
Yandex.Widgets Quick start
17.09.2013 .. Version 2 Document build date: 17.09.2013. This volume is a part of Yandex technical documentation. Yandex helpdesk site: http://help.yandex.ru 2008 2013 Yandex LLC. All rights reserved.
ASP.NET and Web Forms
ch14.fm Page 587 Wednesday, May 22, 2002 1:38 PM F O U R T E E N ASP.NET and Web Forms 14 An important part of.net is its use in creating Web applications through a technology known as ASP.NET. Far more
Fortigate SSL VPN 4 With PINsafe Installation Notes
Fortigate SSL VPN 4 With PINsafe Installation Notes Table of Contents Fortigate SSL VPN 4 With PINsafe Installation Notes... 1 1. Introduction... 2 2. Overview... 2 2.1. Prerequisites... 2 2.2. Baseline...
ASP &.NET. Microsoft's Solution for Dynamic Web Development. Mohammad Ali Choudhry Milad Armeen Husain Zeerapurwala Campbell Ma Seul Kee Yoon
ASP &.NET Microsoft's Solution for Dynamic Web Development Mohammad Ali Choudhry Milad Armeen Husain Zeerapurwala Campbell Ma Seul Kee Yoon Introduction Microsoft's Server-side technology. Uses built-in
Visual COBOL ASP.NET Shopping Cart Demonstration
Visual COBOL ASP.NET Shopping Cart Demonstration Overview: The original application that was used as the model for this demonstration was the ASP.NET Commerce Starter Kit (CSVS) demo from Microsoft. The
Kentico CMS 7.0 Tutorial ASPX
Kentico CMS 7.0 Tutorial ASPX 2 Kentico CMS 7.0 Tutorial ASPX Table of Contents Introduction 5... 5 Kentico CMS Overview Installation 7... 7 Prerequisites... 8 Setup installation... 9 Web application installation...
Transition your MCPD Web Developer Skills to MCPD ASP.NET Developer 3.5 (VB)
Transition your MCPD Web Developer Skills to MCPD ASP.NET Developer 3.5 (VB) Course Number: 70-567 UPGRADE Certification Exam 70-567 - UPGRADE: Transition your MCPD Web Developer Skills to MCPD ASP.NET
Real SQL Programming 1
Real 1 We have seen only how SQL is used at the generic query interface an environment where we sit at a terminal and ask queries of a database. Reality is almost always different: conventional programs
Configuring IBM WebSphere Application Server 7.0 for Web Authentication with SAS 9.3 Web Applications
Configuration Guide Configuring IBM WebSphere Application Server 7.0 for Web Authentication with SAS 9.3 Web Applications Configuring the System for Web Authentication This document explains how to configure
Viewing Form Results
Form Tags XHTML About Forms Forms allow you to collect information from visitors to your Web site. The example below is a typical tech suupport form for a visitor to ask a question. More complex forms
Engagement Analytics Configuration Reference Guide
Engagement Analytics Configuration Reference Guide Rev: 17 June 2013 Sitecore CMS & DMS 6.6 or later Engagement Analytics Configuration Reference Guide A conceptual overview for developers and administrators
Kentico CMS 7.0 User s Guide. User s Guide. Kentico CMS 7.0. 1 www.kentico.com
User s Guide Kentico CMS 7.0 1 www.kentico.com Table of Contents Introduction... 4 Kentico CMS overview... 4 Signing in... 4 User interface overview... 6 Managing my profile... 8 Changing my e-mail and
Fortigate SSL VPN 3.x With PINsafe Installation Notes
Fortigate SSL VPN 3.x With PINsafe Installation Notes Table of Contents Fortigate SSL VPN 3.x With PINsafe Installation Notes... 1 1. Introduction... 2 2. Overview... 2 2.1. Prerequisites... 2 2.2. Baseline...
How to configure the DBxtra Report Web Service on IIS (Internet Information Server)
How to configure the DBxtra Report Web Service on IIS (Internet Information Server) Table of Contents Install the DBxtra Report Web Service automatically... 2 Access the Report Web Service... 4 Verify
Visualizing a Neo4j Graph Database with KeyLines
Visualizing a Neo4j Graph Database with KeyLines Introduction 2! What is a graph database? 2! What is Neo4j? 2! Why visualize Neo4j? 3! Visualization Architecture 4! Benefits of the KeyLines/Neo4j architecture
PDG Software. Site Design Guide
PDG Software Site Design Guide PDG Software, Inc. 1751 Montreal Circle, Suite B Tucker, Georgia 30084-6802 Copyright 1998-2007 PDG Software, Inc.; All rights reserved. PDG Software, Inc. ("PDG Software")
JavaScript Basics & HTML DOM. Sang Shin Java Technology Architect Sun Microsystems, Inc. [email protected] www.javapassion.com
JavaScript Basics & HTML DOM Sang Shin Java Technology Architect Sun Microsystems, Inc. [email protected] www.javapassion.com 2 Disclaimer & Acknowledgments Even though Sang Shin is a full-time employee
http://msdn.microsoft.com/en-us/library/4w3ex9c2.aspx
ASP.NET Overview.NET Framework 4 ASP.NET is a unified Web development model that includes the services necessary for you to build enterprise-class Web applications with a minimum of coding. ASP.NET is
Forms, CGI Objectives. HTML forms. Form example. Form example...
The basics of HTML forms How form content is submitted GET, POST Elements that you can have in forms Responding to forms Common Gateway Interface (CGI) Later: Servlets Generation of dynamic Web content
ASP.NET Dynamic Data
30 ASP.NET Dynamic Data WHAT S IN THIS CHAPTER? Building an ASP.NET Dynamic Data application Using dynamic data routes Handling your application s display ASP.NET offers a feature that enables you to dynamically
Installing the ASP.NET VETtrak APIs onto IIS 5 or 6
Installing the ASP.NET VETtrak APIs onto IIS 5 or 6 2 Installing the ASP.NET VETtrak APIs onto IIS 5 or 6 3... 3 IIS 5 or 6 1 Step 1- Install/Check 6 Set Up and Configure VETtrak ASP.NET API 2 Step 2 -...
Coding Standards for C#
DotNetDaily.net Coding Standards for C# This document was downloaded from http://www.dotnetdaily.net/ You are permitted to use and distribute this document for any noncommercial purpose as long as you
Application Developer Guide
IBM Maximo Asset Management 7.1 IBM Tivoli Asset Management for IT 7.1 IBM Tivoli Change and Configuration Management Database 7.1.1 IBM Tivoli Service Request Manager 7.1 Application Developer Guide Note
Tutorial 6 Creating a Web Form. HTML and CSS 6 TH EDITION
Tutorial 6 Creating a Web Form HTML and CSS 6 TH EDITION Objectives Explore how Web forms interact with Web servers Create form elements Create field sets and legends Create input boxes and form labels
Introduction to Web Design Curriculum Sample
Introduction to Web Design Curriculum Sample Thank you for evaluating our curriculum pack for your school! We have assembled what we believe to be the finest collection of materials anywhere to teach basic
Using Form Tools (admin)
EUROPEAN COMMISSION DIRECTORATE-GENERAL INFORMATICS Directorate A - Corporate IT Solutions & Services Corporate Infrastructure Solutions for Information Systems (LUX) Using Form Tools (admin) Commission
How to use SSO with SharePoint 2010 (FBA) using subdomains. Moataz Esmat EXT.1386
How to use SSO with SharePoint 2010 (FBA) using subdomains Moataz Esmat EXT.1386 I. Browse the web applications using subdomains: After creating the FBA web applications you need to simulate browsing the
Hands-On Lab. Building a Data-Driven Master/Detail Business Form using Visual Studio 2010. Lab version: 1.0.0. Last updated: 12/10/2010.
Hands-On Lab Building a Data-Driven Master/Detail Business Form using Visual Studio 2010 Lab version: 1.0.0 Last updated: 12/10/2010 Page 1 CONTENTS OVERVIEW... 3 EXERCISE 1: CREATING THE APPLICATION S
InPost UK Limited GeoWidget Integration Guide Version 1.1
InPost UK Limited GeoWidget Integration Guide Version 1.1 Contents 1.0. Introduction... 3 1.0.1. Using this Document... 3 1.0.1.1. Document Purpose... 3 1.0.1.2. Intended Audience... 3 1.0.2. Background...
600-152 People Data and the Web Forms and CGI. HTML forms. A user interface to CGI applications
HTML forms A user interface to CGI applications Outline A simple example form. GET versus POST. cgi.escape(). Input controls. A very simple form a simple form
SelectSurvey.NET Developers Manual
Developers Manual (Last updated: 6/24/2012) SelectSurvey.NET Developers Manual Table of Contents: SelectSurvey.NET Developers Manual... 1 Overview... 2 General Design... 2 Debugging Source Code with Visual
Upload Center Forms. Contents. Defining Forms 2. Form Options 5. Applying Forms 6. Processing The Data 6. Maxum Development Corp.
Contents Defining Forms 2 Form Options 5 Applying Forms 6 Processing The Data 6 Maxum Development Corp. Put simply, the Rumpus Upload Center allows you to collect information from people sending files.
2. Follow the installation directions and install the server on ccc
Installing a Web Server 1. Install a sample web server, which supports Servlets/JSPs. A light weight web server is Apache Tomcat server. You can get the server from http://tomcat.apache.org/ 2. Follow
CRM Setup Factory Installer V 3.0 Developers Guide
CRM Setup Factory Installer V 3.0 Developers Guide Who Should Read This Guide This guide is for ACCPAC CRM solution providers and developers. We assume that you have experience using: Microsoft Visual
