Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring

Size: px
Start display at page:

Download "Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring"

Transcription

1 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 API for reading and writing configuration settings. Applications can now read their own configuration settings without parsing raw XML, and they see a merged view of those settings that includes settings inherited from configuration files higher in the directory hierarchy. Moreover, writing configuration settings is as easy as reading them, and implementing custom configuration sections requires little more than deriving from System.Configuration.ConfigurationSection. Health monitoring, sometimes called Web events, is another notable addition to the platform. Thanks to the health monitoring subsystem, a few simple statements in Web.config can configure an application to write an entry to the Windows event log when a login fails, a system administrator when an unhandled exception occurs, and more. In addition, you can extend the health monitoring subsystem by defining Web events of your own. The purpose of this lab is to acquire first-hand experience with both the configuration API and health monitoring. You ll begin by enabling Failure Audit events in the MyComics application you ve been working on since Lab 2 and seeing what happens when someone tries to log in with an invalid user name or password. Then you ll use the configuration API to allow administrators to turn Failure Audits on and off from MyComics admin page. Next, you ll implement a custom Web event and modify MyComics to fire that event when comics are deleted from the admin page. Finally, you ll use the SQL Server Web event provider to record custom Web events in a SQL Server database. Lab Setup If you have not completed Lab 2 (ASP.NET 2.0 Data Access) previous to this lab, enable database caching as follows: a. Open a Visual Studio command prompt window. You ll find it under All Programs->Microsoft Visual Studio >Visual Studio Tools->Visual Studio Command Prompt. b. Navigate to the C:\MSLabs\ASP.NET\LabFiles\Database directory. c. Type CacheSetup.

2 2 Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring Exercise 1 Enable Failure Audit events Failure audit events fire when the membership service detects a failed login and in response to other failures during an application s lifetime. In this exercise, you ll enable Failure Audit events in MyComics, configure them to use the Windows event log provider, and use the Windows Event Viewer to audit failed login attempts Tasks 1. Copy the Security database Detailed Steps a. Copy ASPNETDB.MDF and aspnetdb_log.ldf from the C:\MSLabs\ASP.NET\Starter\<Language>\Lab4\App_Data folder to the C:\MSLabs\ASP.NET\Starter\<Language>\Lab8\App_Data folder. This database was created when you ran the ASP.NET Configuration tool in Lab 4. It contains the security settings for the Web application, including users, roles and access rules. 2. Open the Web site a. Start Microsoft Visual Studio and use the File->Open Web Site command to open the C:\MSLabs\ASP.NET\Starter\<Language>\Lab8 site. 3. Enable Failure Audit events 4. Perform some failed logins 5. View the Windows event log a. Double-click Web.config in Solution Explorer to open it for editing. b. Add the following statements to the <system.web> section of Web.config: <healthmonitoring enabled="true"> <rules> <remove name="failure Audits Default" /> <add name="mycomics Failure Audit Events" eventname="failure Audits" provider="eventlogprovider"/> </rules> </healthmonitoring> c. Save your changes and close Web.config. a. Launch Default.aspx and click the Login button to go to the login page. b. Attempt to log in with an invalid user name or password. c. Repeat the previous step several times to generate a series of Failure Audit events. d. Close your browser and return to Visual Studio. a. Open the Windows Event Viewer (All Programs->Control Panel->Administrative Tools->Event Viewer). b. Double-click Application in Event Viewer s left pane. c. Examine the entries in the right pane. Do you see entries reflecting the failed login attempts? d. Double-click one of the entries corresponding to a failed login attempt. What kind of information do you see there? Is it possible to discern the user name (or names) used in the failed login attempts? e. Suppose you wanted to limit log entries reporting failed login attempts to no more than one every five seconds. How would you go about it? f. Close the Windows Event Viewer and return to Visual Studio.

3 Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring 3 Exercise 2 Build a configuration interface In this exercise, you ll modify MyComics admin page to enable administrators to turn Failure Audit events on and off by clicking a check box. You ll use the configuration API to toggle the setting. Tasks 1. Add a CheckBox to Admin.aspx 2. Use the configuration API to turn Web events on and off Detailed Steps a. Open Admin.aspx in the designer and switch to Design view. It is in Secure folder. b. Add a CheckBox to the right of the DropDownList. Insert a couple of spaces between the DropDownList and the CheckBox to provide some separation between the two. c. Set the CheckBox s Text property to Enable Web events. d. Set the CheckBox s AutoPostBack property to true. e. Set the CheckBox s Font to 10-point Verdana. f. Double-click the CheckBox to add a CheckedChanged event handler. a. Add the following statement to the using statements already present in Admin.aspx.<cs or vb>: using System.Web.Configuration; Imports System.Web.Configuration b. Add the following code to the body of the CheckBox1_CheckedChanged method: Configuration config = WebConfigurationManager.OpenWebConfiguration (Request.ApplicationPath); ConfigurationSectionGroup group = config.sectiongroups["system.web"]; HealthMonitoringSection section = (HealthMonitoringSection) group.sections["healthmonitoring"]; section.enabled = CheckBox1.Checked; config.save (); Dim config As Configuration = _ WebConfigurationManager.OpenWebConfiguration(Request.ApplicationPath) Dim group As ConfigurationSectionGroup = config.sectiongroups("system.web") Dim section As HealthMonitoringSection = _ CType(group.Sections("healthMonitoring"), HealthMonitoringSection) section.enabled = CheckBox1.Checked config.save c. Add the following Page_Load method to the Admin_aspx class in Admin.aspx.<cs or vb> to initialize the check box so that it reflects the current enabled/disabled state of health monitoring: If the Page_Load method is not in the code, go to design view and double click on the page so it is created. void Page_Load (Object sender, EventArgs e) { if (!IsPostBack) { Configuration config = WebConfigurationManager.OpenWebConfiguration (Request.ApplicationPath); ConfigurationSectionGroup group = config.sectiongroups["system.web"]; HealthMonitoringSection section =

4 4 Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring } } (HealthMonitoringSection) group.sections["healthmonitoring"]; CheckBox1.Checked = section.enabled; If Not Page.IsPostBack Then Dim config As Configuration = _ WebConfigurationManager.OpenWebConfiguration(Request.ApplicationPath) Dim group As ConfigurationSectionGroup = _ config.sectiongroups("system.web") Dim section As HealthMonitoringSection = _ CType(group.Sections("healthMonitoring"), HealthMonitoringSection) CheckBox1.Checked = section.enabled End If 3. Test the results a. Launch Default.aspx and click the Admin link at the top of the page to go to the login page. b. Log in using the Administrator account you created in Lab 4 to go to the admin page. c. Verify that the Enable Web events check box is present and that it s checked, as shown below. d. Click Enable Web events to uncheck it. e. Return to Visual Studio and open Web.config. How has the <healthmonitoring> element changed? f. Close Web.config and return to your browser. g. Click the Logout link to log out. h. Click the Admin link to go back to the login page. i. Try to log in several times with an invalid user name or password. j. Log in using the Administrator account you created in Lab 4. k. Use the Windows Event Viewer to view Application events. Verify that no entries appear there for the failed login attempts you just performed. l. Go back to your browser where Admin.aspx is showing and click Enable Web events to check it. m. Click the Logout link to log out. n. Click the Admin link to go back to the login page.

5 Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring 5 o. Try to log in several times with an invalid user name or password. p. Use the Windows Event Viewer to view Application events. Verify that the event log contains entries reflecting the failed login attempts you just performed. q. Close the Windows Event Viewer and your browser and return to Visual Studio.

6 6 Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring Exercise 3 Implement a custom Web event One of the characteristics of the health monitoring subsystem is that it s extensible. You can define Web events of your own and fire them from your code. In this exercise, you ll define a custom Web event named MyComicsWebEvent that fires when the admin page is used to delete a comic from the database. Then you ll log instances of that event in the Windows event log. Tasks 1. Create the MyComicsWebE vent class Detailed Steps a. Right-click C:\..\Lab8 in Solution Explorer and use the Add ASP.NET Folder- >Bin command to create a new folder named Bin. b. Right-click C:\..\Lab8 in Solution Explorer and use the New Folder command to create a new folder named Source. NOTE: You re going to place the source code for MyComicsWebEvent in the Source directory instead of the Code directory because custom Web event classes don t work if they re autocompiled. Specifically, they don t get autocompiled early enough in the application s lifetime to be properly recognized in Web.config. The solution is to compile them separately and drop the resulting assemblies into the application s bin subdirectory. c. Right-click the Source folder and use the Add New Item command to add a class named MyComicsWebEvent. If Visual Studio warns that the class should go in the Code directory and asks if you d rather put it there instead, answer No. d. Add the following statement above the Public Class MyComicsWebEvent statement: using System.Web.Management; Imports System.Web.Management e. Implement the MyComicsWebEvent class as follows: public class MyComicsWebEvent : WebBaseEvent { int _comicid; public MyComicsWebEvent (string message, object source, int eventcode, int comicid) : base (message, source, eventcode) { _comicid = comicid; } public override void FormatCustomEventDetails (WebEventFormatter formatter) { formatter.appendline ("Comic ID: " + _comicid.tostring()); } } Namespace MyComicsWebEvent Public Class MyComicsWebEvent Inherits WebBaseEvent Dim _comicid As Integer Public Sub New(ByVal message As String, ByVal source As Object, ByVal

7 Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring 7 eventcode As Integer, ByVal comicid As Integer) MyBase.New(message, source, eventcode) _comicid = comicid End Sub Public Overrides Sub FormatCustomEventDetails(ByVal formatter As System.Web.Management.WebEventFormatter) MyBase.FormatCustomEventDetails(formatter) formatter.appendline("comic ID: " & _comicid.tostring) End Sub End Class End Namespace f. Open a Visual Studio Command Prompt window (All Programs->Microsoft Visual Studio 2005 Beta->Visual Studio Tools->Visual Studio Command Prompt). g. Type cd \MSLabs\ASP.NET\Starter\< or CS>\Lab8\source to go to the Source directory. h. Execute the following commands to compile MyComicsWebEvent.<cs or vb> and place the resulting assembly in the bin subdirectory: cd \MSLabs\ASP.NET\Starter\CS\Lab8\source csc /t:library /out:..\bin\mycomicswebevent.dll MyComicsWebEvent.cs cd \MSLabs\ASP.NET\Starter\\Lab8\source vbc /t:library /out:..\bin\mycomicswebevent.dll MyComicsWebEvent.vb i. Make sure that the compilation succeeded. Then close the Visual Studio Command Prompt window and return to Visual Studio. j. Right click on the Bin folder and choose Refresh Folder. You should now see the dll you just built in Solution Explorer. 2. Modify Admin.aspx to fire MyComicsWebE vents a. Open Admin.aspx in the designer and switch to Design view. b. Click the ObjectDataSource1 control to select it. c. Go to the Properties window and click the lightning bolt icon to display a list of ObjectDataSource events. d. Double-click Deleting to add a handler for ObjectDataSource1.Deleting events. e. Add the following statement to the using statements already present in Admin.aspx.<cs or vb>: using System.Web.Management; Imports System.Web.Management f. Add the following field declaration to the Admin_aspx class. This field will be used to store the ID of the comic that s about to be deleted when the ObjectDataSource fires a Deleting event: int _comicid = -1; Dim _comicid as Integer = -1 g. Add the following statement to the ObjectDataSource1_Deleting method: _comicid = (int) e.inputparameters[0]; _comicid = CInt(e.InputParameters(0))

8 8 Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring 3. Register MyComics WebEvents h. Add the following statements to the ObjectDataSource1_Deleted method already present in Admin.aspx.<cs or vb> to fire a MyComicsWebEvent when a comic is deleted: MyComicsWebEvent mcwe = new MyComicsWebEvent("Comic book deleted", null, , _comicid); WebBaseEvent.Raise(mcwe); Dim mcwe As New MyComicsWebEvent.MyComicsWebEvent( _ "Comic book deleted", sender, , _comicid) WebBaseEvent.Raise(mcwe) a. Double-click Web.config in Solution Explorer to open it for editing. b. Add the following section to the <healthmonitoring> section of Web.config:, task 4 <eventmappings> <add name="mycomics Web Events" type="mycomicswebevent, MyComicsWebEvent" /> </eventmappings> c. Add the following element to the <rules> section of Web.config: <add name="mycomics Web Events" eventname="mycomics Web Events" provider="eventlogprovider" /> d. Save your changes and close Web.config. 4. Test the results a. Launch the Admin page in your browser. b. Go to the admin page and verify that the Enable Web events box is checked. (If it s not, check it.) c. Click one of the Delete buttons to delete a comic book. d. Start the Windows Event Viewer and double-click Application to view application events. e. Verify that the custom Web event appears in the event log, as shown below. Verify that the event code is and that the event message is Comic book deleted. Scroll down in the description box and verify that the ID of the comic that was deleted appears, too.

9 Lab 8: ASP.NET 2.0 Configuration API and Health Monitoring 9

10 Exercise 4 Use the SQL Server Web Event Provider EventLogProvider logs Web events in the Windows event log, but other providers enable Web events to be logged in other media. The SQL Server Web event provider, for example, permits Web events to be logged in ASP.NET s SQL Server database. In this exercise, you ll use the SQL Server Web event provider to log MyComicsWebEvents in SQL Server. Tasks Detailed Steps 1. Change providers a. Open Web.config and change this: <add name="mycomics Web Events" eventname="mycomics Web Events" provider="eventlogprovider" /> to this: <add name="mycomics Web Events" eventname="mycomics Web Events" provider="sqlwebeventprovider" /> b. Add the following section to the <healthmonitoring> section of Web.config: <buffermodes> <add name="buffer" maxbuffersize="1000" maxflushsize="100" urgentflushthreshold="100" regularflushinterval="00:05:00" urgentflushinterval="00:01:00" maxbufferthreads="1"/> </buffermodes> <providers> <remove name="sqlwebeventprovider" /> <add name="sqlwebeventprovider" type="system.web.management.sqlwebeventprovider" buffermode="buffer" connectionstringname="localsqlserver"/> </providers> c. Save your changes and close Web.config. 2. Fire several MyComicsWebEvents. 3. View the events in SQL Server a. Launch MyComics in your browser. b. Go to the admin page and verify that the Enable Web events box is checked. (If it s not, check it.) c. Delete several comic books using the admin page s Delete buttons. a. Select the Solution Explorer window. b. Click the plus sign next to the App_Data directory and right click on ASPNETDB.MDF, select Open c. Click the plus sign next to ASPNETDB ->Tables to view the Tables. d. Right click aspnet_webevent_events and select Show Table Data. e. Verify that the MyComicsWebEvents were logged in the database s aspnet_webevents_events table.

Hands-On Lab. Web Development in Visual Studio 2010. Lab version: 1.0.0. Last updated: 12/10/2010. Page 1

Hands-On Lab. Web Development in Visual Studio 2010. Lab version: 1.0.0. Last updated: 12/10/2010. Page 1 Hands-On Lab Web Development in Visual Studio 2010 Lab version: 1.0.0 Last updated: 12/10/2010 Page 1 CONTENTS OVERVIEW... 3 EXERCISE 1: USING HTML CODE SNIPPETS IN VISUAL STUDIO 2010... 6 Task 1 Adding

More information

To install Multifront you need to have familiarity with Internet Information Services (IIS), Microsoft.NET Framework and SQL Server 2008.

To install Multifront you need to have familiarity with Internet Information Services (IIS), Microsoft.NET Framework and SQL Server 2008. Znode Multifront - Installation Guide Version 6.2 1 System Requirements To install Multifront you need to have familiarity with Internet Information Services (IIS), Microsoft.NET Framework and SQL Server

More information

Installation Guide v3.0

Installation Guide v3.0 Installation Guide v3.0 Shepherd TimeClock 4465 W. Gandy Blvd. Suite 800 Tampa, FL 33611 Phone: 813-882-8292 Fax: 813-839-7829 http://www.shepherdtimeclock.com The information contained in this document

More information

O Reilly Media, Inc. 3/2/2007

O Reilly Media, Inc. 3/2/2007 A Setup Instructions This appendix provides detailed setup instructions for labs and sample code referenced throughout this book. Each lab will specifically indicate which sections of this appendix must

More information

FaxCore Ev5 Database Migration Guide :: Microsoft SQL 2008 Edition

FaxCore Ev5 Database Migration Guide :: Microsoft SQL 2008 Edition 1 FaxCore Ev5 - Database Migration Guide :: Microsoft SQL 2008 Edition Version 1.0.0 FaxCore Ev5 Database Migration Guide :: Microsoft SQL 2008 Edition 2 FaxCore Ev5 - Database Migration Guide :: Microsoft

More information

Hands-On Lab. Client Workflow. Lab version: 1.0.0 Last updated: 2/23/2011

Hands-On Lab. Client Workflow. Lab version: 1.0.0 Last updated: 2/23/2011 Hands-On Lab Client Workflow Lab version: 1.0.0 Last updated: 2/23/2011 CONTENTS OVERVIEW... 3 EXERCISE 1: DEFINING A PROCESS IN VISIO 2010... 4 Task 1 Define the Timesheet Approval process... 4 Task 2

More information

Walkthrough: Creating and Using an ASP.NET Web Service in Visual Web Developer

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

More information

FaxCore 2007 Database Migration Guide :: Microsoft SQL 2008 Edition

FaxCore 2007 Database Migration Guide :: Microsoft SQL 2008 Edition 1 FaxCore 2007 - Database Migration Guide :: Microsoft SQL 2008 Edition Version 1.0.0 FaxCore 2007 Database Migration Guide :: Microsoft SQL 2008 Edition 2 FaxCore 2007 - Database Migration Guide :: Microsoft

More information

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. 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

More information

Installation of IR under Windows Server 2008

Installation of IR under Windows Server 2008 Installation of IR under Windows Server 2008 Installation of IR under windows 2008 involves the following steps: Installation of IIS Check firewall settings to allow HTTP traffic through firewall Installation

More information

Download and Install the Citrix Receiver for Mac/Linux

Download and Install the Citrix Receiver for Mac/Linux Download and Install the Citrix Receiver for Mac/Linux NOTE: WOW can only be used with Internet Explorer for Windows. To accommodate WOW customers using Mac or Linux computers, a Citrix solution was developed

More information

LAB: Enterprise Single Sign-On Services. Last Saved: 7/17/2006 10:48:00 PM

LAB: Enterprise Single Sign-On Services. Last Saved: 7/17/2006 10:48:00 PM LAB: Enterprise Single Sign-On Services LAB: Enterprise Single Sign-On Services 2 TABLE OF CONTENTS HOL: Enterprise Single Sign-On Services...3 Objectives...3 Lab Setup...4 Preparation...5 Exercise 1:

More information

USER GUIDE Appointment Manager

USER GUIDE Appointment Manager 2011 USER GUIDE Appointment Manager 0 Suppose that you need to create an appointment manager for your business. You have a receptionist in the front office and salesmen ready to service customers. Whenever

More information

SWCS 4.2 Client Configuration Users Guide Revision 49. 11/26/2012 Solatech, Inc.

SWCS 4.2 Client Configuration Users Guide Revision 49. 11/26/2012 Solatech, Inc. SWCS 4.2 Client Configuration Users Guide Revision 49 11/26/2012 Solatech, Inc. Contents Introduction... 4 Installation... 4 Running the Utility... 4 Company Database Tasks... 4 Verifying a Company...

More information

Working with SQL Server Integration Services

Working with SQL Server Integration Services SQL Server Integration Services (SSIS) is a set of tools that let you transfer data to and from SQL Server 2005. In this lab, you ll work with the SQL Server Business Intelligence Development Studio to

More information

USER GUIDE Deploying Your Application to WinHost

USER GUIDE Deploying Your Application to WinHost 2011 USER GUIDE Deploying Your Application to WinHost Table of Contents Deploying Your Application to WinHost... 2 Configuring the Settings in WinHost... 2 Deploying a Web Site Factory Application with

More information

Installing the ASP.NET VETtrak APIs onto IIS 5 or 6

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 -...

More information

Visual COBOL ASP.NET Shopping Cart Demonstration

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

More information

TECHNICAL TRAINING LAB INSTRUCTIONS

TECHNICAL TRAINING LAB INSTRUCTIONS In Lab 2-1 you will review the Kofax TotalAgility 7 software prerequisites. Although complete instructions for installing the prerequisites, including the necessary user accounts follows the review, it

More information

Setup Forms Based Authentication Under SharePoint 2010

Setup Forms Based Authentication Under SharePoint 2010 Introduction This document will cover the steps for installing and configuring Forms Based Authentication (FBA) on a SharePoint 2010 site. The document is presented in multiple steps: Step#1: Step#2: Step#3:

More information

Crystal Reports Installation Guide

Crystal Reports Installation Guide Crystal Reports Installation Guide Version XI Infor Global Solutions, Inc. Copyright 2006 Infor IP Holdings C.V. and/or its affiliates or licensors. All rights reserved. The Infor word and design marks

More information

Avatier Identity Management Suite

Avatier Identity Management Suite Avatier Identity Management Suite Migrating AIMS Configuration and Audit Log Data To Microsoft SQL Server Version 9 2603 Camino Ramon Suite 110 San Ramon, CA 94583 Phone: 800-609-8610 925-217-5170 FAX:

More information

Print Audit 6 - SQL Server 2005 Express Edition

Print Audit 6 - SQL Server 2005 Express Edition Print Audit 6 - SQL Server 2005 Express Edition Summary This is a step-by-step guide to install SQL Server 2005 Express Edition to use as a database for Print Audit 6. Pre-Requisites There are a few pre-requisites

More information

SplendidCRM Deployment Guide

SplendidCRM Deployment Guide SplendidCRM Deployment Guide Version 5.x Last Updated: December 14, 2010 Category: Deployment This guide is for informational purposes only. SPLENDIDCRM SOFTWARE MAKES NO WARRANTIES, EXPRESS OR IMPLIED,

More information

EMC ApplicationXtender Server

EMC ApplicationXtender Server EMC ApplicationXtender Server 6.5 Monitoring Guide P/N 300-010-560 A01 EMC Corporation Corporate Headquarters: Hopkinton, MA 01748-9103 1-508-435-1000 www.emc.com Copyright 1994-2010 EMC Corporation. All

More information

Hands-On Lab. Lab 01: Getting Started with SharePoint 2010. Lab version: 1.0.0 Last updated: 2/23/2011

Hands-On Lab. Lab 01: Getting Started with SharePoint 2010. Lab version: 1.0.0 Last updated: 2/23/2011 Hands-On Lab Lab 01: Getting Started with SharePoint 2010 Lab version: 1.0.0 Last updated: 2/23/2011 CONTENTS OVERVIEW... 3 EXERCISE 1: CREATING A SITE COLLECTION IN SHAREPOINT CENTRAL ADMINISTRATION...

More information

HIRSCH Velocity Web Console Guide

HIRSCH Velocity Web Console Guide HIRSCH Velocity Web Console Guide MAN012-1112 HIRSCH Velocity Web Console Guide MAN012-1112, November 2012 Version 1.1 Copyright 2012 Identive Group. All rights reserved. ScramblePad and ScrambleProx are

More information

Sitecore Ecommerce Enterprise Edition Installation Guide Installation guide for administrators and developers

Sitecore Ecommerce Enterprise Edition Installation Guide Installation guide for administrators and developers Installation guide for administrators and developers Table of Contents Chapter 1 Introduction... 2 1.1 Preparing to Install Sitecore Ecommerce Enterprise Edition... 2 1.2 Required Installation Components...

More information

BID2WIN Workshop. Advanced Report Writing

BID2WIN Workshop. Advanced Report Writing BID2WIN Workshop Advanced Report Writing Please Note: Please feel free to take this workbook home with you! Electronic copies of all lab documentation are available for download at http://www.bid2win.com/userconf/2011/labs/

More information

Installing Windows Server Update Services (WSUS) on Windows Server 2012 R2 Essentials

Installing Windows Server Update Services (WSUS) on Windows Server 2012 R2 Essentials Installing Windows Server Update Services (WSUS) on Windows Server 2012 R2 Essentials With Windows Server 2012 R2 Essentials in your business, it is important to centrally manage your workstations to ensure

More information

QUANTIFY INSTALLATION GUIDE

QUANTIFY INSTALLATION GUIDE QUANTIFY INSTALLATION GUIDE Thank you for putting your trust in Avontus! This guide reviews the process of installing Quantify software. For Quantify system requirement information, please refer to the

More information

Installing SQL Express. For CribMaster 9.2 and Later

Installing SQL Express. For CribMaster 9.2 and Later Installing SQL Express For CribMaster 9.2 and Later CRIBMASTER USER GUIDE Installing SQL Express Document ID: CM9-031-03012012 Copyright CribMaster. 1996, 1997, 1998, 1999, 2000, 2001, 2002, 2003, 2004,

More information

How To Upgrade Your Microsoft SQL Server for Accounting CS Version 2012.1

How To Upgrade Your Microsoft SQL Server for Accounting CS Version 2012.1 How To Upgrade Your Microsoft SQL Server for Version 2012.1 The first step is to gather important information about your existing configuration. Identify The Database Server and SQL Server Version The

More information

Richmond SupportDesk Web Reports Module For Richmond SupportDesk v6.72. User Guide

Richmond SupportDesk Web Reports Module For Richmond SupportDesk v6.72. User Guide Richmond SupportDesk Web Reports Module For Richmond SupportDesk v6.72 User Guide Contents 1 Introduction... 4 2 Requirements... 5 3 Important Note for Customers Upgrading... 5 4 Installing the Web Reports

More information

Lab 1: Create a Web Site

Lab 1: Create a Web Site Lab 1: Create a Web Site Estimated time to complete this lab: 60 minutes ASP.NET is loaded with new features designed to make building sophisticated Web sites easier than ever before. In this lab, you

More information

Building A Very Simple Website

Building A Very Simple Website Sitecore CMS 6.5 Building A Very Simple Web Site Rev 110715 Sitecore CMS 6.5 Building A Very Simple Website A Self-Study Guide for Developers Table of Contents Chapter 1 Introduction... 3 Chapter 2 Creating

More information

Tracing and Debugging in ASP.NET

Tracing and Debugging in ASP.NET Tracing and Debugging in ASP.NET Tracing and Debugging in ASP.NET Objectives Learn how to set up traces in Visual Studio.NET. Configure tracing and debugging in Visual Studio.NET. Step through code written

More information

FocusOPEN Deployment & Configuration Guide

FocusOPEN Deployment & Configuration Guide FocusOPEN Deployment & Configuration Guide Revision: 7 Date: 13 September 2010 Contents A. Overview...2 B. Target Readership...2 C. Prerequisites...2 D. Test Installation Instructions...2 1. Download the

More information

Installing and Configuring Login PI

Installing and Configuring Login PI Installing and Configuring Login PI Login PI Hands-on lab In this lab, you will configure Login PI to provide performance insights for a Windows Server 2012 R2 Remote Desktop Services installation. To

More information

Installation Manual Version 8.5 (w/sql Server 2005)

Installation Manual Version 8.5 (w/sql Server 2005) C ase Manag e m e n t by C l i e n t P rofiles Installation Manual Version 8.5 (w/sql Server 2005) T E C H N O L O G Y F O R T H E B U S I N E S S O F L A W Table of Contents - 2 - Table of Contents SERVER

More information

How To Create An Easybelle History Database On A Microsoft Powerbook 2.5.2 (Windows)

How To Create An Easybelle History Database On A Microsoft Powerbook 2.5.2 (Windows) Introduction EASYLABEL 6 has several new features for saving the history of label formats. This history can include information about when label formats were edited and printed. In order to save this history,

More information

BUILDER 3.0 Installation Guide with Microsoft SQL Server 2005 Express Edition January 2008

BUILDER 3.0 Installation Guide with Microsoft SQL Server 2005 Express Edition January 2008 BUILDER 3.0 Installation Guide with Microsoft SQL Server 2005 Express Edition January 2008 BUILDER 3.0 1 Table of Contents Chapter 1: Installation Overview... 3 Introduction... 3 Minimum Requirements...

More information

Velocity Web Services Client 1.0 Installation Guide and Release Notes

Velocity Web Services Client 1.0 Installation Guide and Release Notes Velocity Web Services Client 1.0 Installation Guide and Release Notes Copyright 2014-2015, Identiv. Last updated June 24, 2015. Overview This document provides the only information about version 1.0 of

More information

Ingenious Testcraft Technical Documentation Installation Guide

Ingenious Testcraft Technical Documentation Installation Guide Ingenious Testcraft Technical Documentation Installation Guide V7.00R1 Q2.11 Trademarks Ingenious, Ingenious Group, and Testcraft are trademarks of Ingenious Group, Inc. and may be registered in the United

More information

Single sign-on for ASP.Net and SharePoint

Single sign-on for ASP.Net and SharePoint Single sign-on for ASP.Net and SharePoint Author: Abhinav Maheshwari, 3Pillar Labs Introduction In most organizations using Microsoft platform, there are more than one ASP.Net applications for internal

More information

How To Fix A Backup Error In A Windows Xp Server On A Windows 7.5.1 (Windows) On A Pc Or Mac Xp (Windows 7) On An Uniden Computer (Windows 8) On Your Computer Or Your Computer (For

How To Fix A Backup Error In A Windows Xp Server On A Windows 7.5.1 (Windows) On A Pc Or Mac Xp (Windows 7) On An Uniden Computer (Windows 8) On Your Computer Or Your Computer (For Resolving errors when restoring databases Problem: User receives an Unhandled Exception Error when attempting to restore a database. This error is usually caused by one of three issues. If the Exception

More information

Reference and Troubleshooting: FTP, IIS, and Firewall Information

Reference and Troubleshooting: FTP, IIS, and Firewall Information APPENDIXC Reference and Troubleshooting: FTP, IIS, and Firewall Information Although Cisco VXC Manager automatically installs and configures everything you need for use with respect to FTP, IIS, and the

More information

SonicWALL CDP 5.0 Microsoft Exchange User Mailbox Backup and Restore

SonicWALL CDP 5.0 Microsoft Exchange User Mailbox Backup and Restore SonicWALL CDP 5.0 Microsoft Exchange User Mailbox Backup and Restore Document Scope This solutions document describes how to configure and use the Microsoft Exchange User Mailbox Backup and Restore feature

More information

SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24. Data Federation Administration Tool Guide

SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24. Data Federation Administration Tool Guide SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24 Data Federation Administration Tool Guide Content 1 What's new in the.... 5 2 Introduction to administration

More information

Upgrading from MSDE to SQL Server 2005 Express Edition with Advanced Services SP2

Upgrading from MSDE to SQL Server 2005 Express Edition with Advanced Services SP2 Upgrading from MSDE to SQL Server 2005 Express Edition with Advanced Services SP2 Installation and Configuration Introduction This document will walk you step by step in removing MSDE and the setup and

More information

STATISTICA VERSION 10 STATISTICA ENTERPRISE SERVER INSTALLATION INSTRUCTIONS

STATISTICA VERSION 10 STATISTICA ENTERPRISE SERVER INSTALLATION INSTRUCTIONS Notes: STATISTICA VERSION 10 STATISTICA ENTERPRISE SERVER INSTALLATION INSTRUCTIONS 1. The installation of the STATISTICA Enterprise Server entails two parts: a) a server installation, and b) workstation

More information

EMC ApplicationXtender Server

EMC ApplicationXtender Server EMC ApplicationXtender Server 6.0 Monitoring Guide P/N 300 008 232 A01 EMC Corporation Corporate Headquarters: Hopkinton, MA 01748 9103 1 508 435 1000 www.emc.com Copyright 1994 2009 EMC Corporation. All

More information

System Area Management Software Tool Tip: Integrating into NetIQ AppManager

System Area Management Software Tool Tip: Integrating into NetIQ AppManager System Area Management Software Tool Tip: Integrating into NetIQ AppManager Overview: This document provides an overview of how to integrate System Area Management's event logs with NetIQ's AppManager.

More information

STATISTICA VERSION 9 STATISTICA ENTERPRISE INSTALLATION INSTRUCTIONS FOR USE WITH TERMINAL SERVER

STATISTICA VERSION 9 STATISTICA ENTERPRISE INSTALLATION INSTRUCTIONS FOR USE WITH TERMINAL SERVER Notes: STATISTICA VERSION 9 STATISTICA ENTERPRISE INSTALLATION INSTRUCTIONS FOR USE WITH TERMINAL SERVER 1. These instructions focus on installation on Windows Terminal Server (WTS), but are applicable

More information

Security API Cookbook

Security API Cookbook Sitecore CMS 6 Security API Cookbook Rev: 2010-08-12 Sitecore CMS 6 Security API Cookbook A Conceptual Overview for CMS Developers Table of Contents Chapter 1 Introduction... 3 Chapter 2 User, Domain,

More information

GoDaddy (CentriqHosting): Data driven Web Application Deployment

GoDaddy (CentriqHosting): Data driven Web Application Deployment GoDaddy (CentriqHosting): Data driven Web Application Deployment Process Summary There a several steps to deploying an ASP.NET website that includes databases (for membership and/or for site content and

More information

0651 Installing PointCentral 8.0 For the First Time

0651 Installing PointCentral 8.0 For the First Time Prerequisites Microsoft Windows Server 2003 or Windows Server 2008 Microsoft.NET Framework 4 Microsoft SQL Server 2005 or SQL Server 2008 IIS **For Windows Server 2003. You must manually configure IIS6

More information

About Email Archiving for Microsoft Exchange Server

About Email Archiving for Microsoft Exchange Server Setup Guide Revision A McAfee SaaS Email Archiving Service Configuring Microsoft Exchange Server 2013 About Email Archiving for Microsoft Exchange Server The McAfee SaaS Email Archiving service stores

More information

2. Using Notepad, create a file called c:\demote.txt containing the following information:

2. Using Notepad, create a file called c:\demote.txt containing the following information: Unit 4 Additional Projects Configuring the Local Computer Policy You need to prepare your test lab for your upcoming experiments. First, remove a child domain that you have configured. Then, configure

More information

Sage 200 Web Time & Expenses Guide

Sage 200 Web Time & Expenses Guide Sage 200 Web Time & Expenses Guide Sage (UK) Limited Copyright Statement Sage (UK) Limited, 2006. All rights reserved If this documentation includes advice or information relating to any matter other than

More information

WordCom, Inc. Secure File Transfer Web Application

WordCom, Inc. Secure File Transfer Web Application WordCom, Inc. Secure File Transfer Web Application Table of Contents 1. Introduction 2. Logging into WordCom s File Transfer Web Client 3. Toolbar buttons 4. Sending a package in Enhanced Mode (If installed

More information

Tool Tip. SyAM Management Utilities and Non-Admin Domain Users

Tool Tip. SyAM Management Utilities and Non-Admin Domain Users SyAM Management Utilities and Non-Admin Domain Users Some features of SyAM Management Utilities, including Client Deployment and Third Party Software Deployment, require authentication credentials with

More information

OUTLOOK WEB APP (OWA): MAIL

OUTLOOK WEB APP (OWA): MAIL Office 365 Navigation Pane: Navigating in Office 365 Click the App Launcher and then choose the application (i.e. Outlook, Calendar, People, etc.). To modify your personal account settings, click the Logon

More information

Outlook Web Access (OWA) User Guide

Outlook Web Access (OWA) User Guide Outlook Web Access (OWA) User Guide September 2010 TABLE OF CONTENTS TABLE OF CONTENTS... 2 1.0 INTRODUCTION... 4 1.1 OUTLOOK WEB ACCESS SECURITY CONSIDERATIONS... 4 2.0 GETTING STARTED... 5 2.1 LOGGING

More information

Server Configuration and Deployment (part 1) Lotus Foundations Essentials

Server Configuration and Deployment (part 1) Lotus Foundations Essentials Server Configuration and Deployment (part 1) Lab Manual Lotus Foundations Essentials Introduction: In this lab, students will configure an IBM Lotus Foundations server using a virtual image to perform

More information

Setting Up the Mercent Marketplace Price Optimizer Extension

Setting Up the Mercent Marketplace Price Optimizer Extension For Magento ecommerce Software Table of Contents Overview... 3 Installing the Mercent Marketplace Price Optimizer extension... 4 Linking Your Amazon Seller account with the Mercent Developer account...

More information

Installation Instruction STATISTICA Enterprise Small Business

Installation Instruction STATISTICA Enterprise Small Business Installation Instruction STATISTICA Enterprise Small Business Notes: ❶ The installation of STATISTICA Enterprise Small Business entails two parts: a) a server installation, and b) workstation installations

More information

Microsoft Dynamics GP. Electronic Signatures

Microsoft Dynamics GP. Electronic Signatures Microsoft Dynamics GP Electronic Signatures Copyright Copyright 2011 Microsoft. All rights reserved. Limitation of liability This document is provided as-is. Information and views expressed in this document,

More information

RoomWizard Synchronization Software Manual Installation Instructions

RoomWizard Synchronization Software Manual Installation Instructions 2 RoomWizard Synchronization Software Manual Installation Instructions Table of Contents Exchange Server Configuration... 4 RoomWizard Synchronization Software Installation and Configuration... 5 System

More information

CRM Setup Factory Installer V 3.0 Developers Guide

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

More information

UP L18 Enhanced MDM and Updated Email Protection Hands-On Lab

UP L18 Enhanced MDM and Updated Email Protection Hands-On Lab UP L18 Enhanced MDM and Updated Email Protection Hands-On Lab Description The Symantec App Center platform continues to expand it s offering with new enhanced support for native agent based device management

More information

Initial Setup of Microsoft Outlook 2011 with IMAP for OS X Lion

Initial Setup of Microsoft Outlook 2011 with IMAP for OS X Lion Initial Setup of Microsoft Outlook Concept This document describes the procedures for setting up the Microsoft Outlook email client to download messages from Google Mail using Internet Message Access Protocol

More information

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) 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

More information

VB.NET - WEB PROGRAMMING

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

More information

Bullet Proof: A Guide to Tableau Server Security

Bullet Proof: A Guide to Tableau Server Security Bullet Proof: A Guide to Tableau Server Security PDF Guide Tableau Conference 2014 Bryan Naden & Ray Randall Tableau Server Security Hands On To begin the exercise we are going to start off fresh by restoring

More information

Team Foundation Server 2010, Visual Studio Ultimate 2010, Team Build 2010, & Lab Management Beta 2 Installation Guide

Team Foundation Server 2010, Visual Studio Ultimate 2010, Team Build 2010, & Lab Management Beta 2 Installation Guide Page 1 of 243 Team Foundation Server 2010, Visual Studio Ultimate 2010, Team Build 2010, & Lab Management Beta 2 Installation Guide (This is an alpha version of Benjamin Day Consulting, Inc. s installation

More information

STK Terrain Server Installation Guide

STK Terrain Server Installation Guide STK Terrain Server Installation Guide This guide walks you through the process of installing and configuring STK Terrain Server on your system. System Requirements 64-bit Windows, including Windows Server

More information

Installation and Operation Manual Unite Log Analyser

Installation and Operation Manual Unite Log Analyser Installation and Operation Manual Unite Log Analyser Contents 1 Introduction... 3 1.1 Abbreviations and Glossary... 4 2 Technical Solution... 4 2.1 Requirements... 5 2.1.1 Hardware... 5 2.1.2 Software...

More information

FTP, IIS, and Firewall Reference and Troubleshooting

FTP, IIS, and Firewall Reference and Troubleshooting FTP, IIS, and Firewall Reference and Troubleshooting Although Cisco VXC Manager automatically installs and configures everything you need for use with respect to FTP, IIS, and the Windows Firewall, the

More information

Baylor Secure Messaging. For Non-Baylor Users

Baylor Secure Messaging. For Non-Baylor Users Baylor Secure Messaging For Non-Baylor Users TABLE OF CONTENTS SECTION ONE: GETTING STARTED...4 Receiving a Secure Message for the First Time...4 Password Configuration...5 Logging into Baylor Secure Messaging...7

More information

Installation Instruction STATISTICA Enterprise Server

Installation Instruction STATISTICA Enterprise Server Installation Instruction STATISTICA Enterprise Server Notes: ❶ The installation of STATISTICA Enterprise Server entails two parts: a) a server installation, and b) workstation installations on each of

More information

BSDI Advanced Fitness & Wellness Software

BSDI Advanced Fitness & Wellness Software BSDI Advanced Fitness & Wellness Software 6 Kellie Ct. Califon, NJ 07830 http://www.bsdi.cc INSTRUCTION SHEET FOR MOVING YOUR DATABASE FROM ONE COMPUTER TO ANOTHER This document will outline the steps

More information

Tutorial #1: Getting Started with ASP.NET

Tutorial #1: Getting Started with ASP.NET Tutorial #1: Getting Started with ASP.NET This is the first of a series of tutorials that will teach you how to build useful, real- world websites with dynamic content in a fun and easy way, using ASP.NET

More information

MULTIFUNCTIONAL DIGITAL SYSTEMS. Network Fax Guide

MULTIFUNCTIONAL DIGITAL SYSTEMS. Network Fax Guide MULTIFUNCTIONAL DIGITAL SYSTEMS Network Fax Guide 2009 KYOCERA MITA Corporation All rights reserved Preface Thank you for purchasing Multifunctional Digital Color Systems. This manual explains the instructions

More information

VERALAB LDAP Configuration Guide

VERALAB LDAP Configuration Guide VERALAB LDAP Configuration Guide VeraLab Suite is a client-server application and has two main components: a web-based application and a client software agent. Web-based application provides access to

More information

SOPHOS PureMessage Anti Spam Program

SOPHOS PureMessage Anti Spam Program SOPHOS PureMessage Anti Spam Program The following FAQ s should help clarify some questions you might have about Villanova s new anti spam quarantining program. If your question is not answered below,

More information

Getting Started Guide

Getting Started Guide BlackBerry Web Services For Microsoft.NET developers Version: 10.2 Getting Started Guide Published: 2013-12-02 SWD-20131202165812789 Contents 1 Overview: BlackBerry Enterprise Service 10... 5 2 Overview:

More information

BSDI Advanced Fitness & Wellness Software

BSDI Advanced Fitness & Wellness Software BSDI Advanced Fitness & Wellness Software 6 Kellie Ct. Califon, NJ 07830 http://www.bsdi.cc SOFTWARE BACKUP/RESTORE INSTRUCTION SHEET This document will outline the steps necessary to take configure the

More information

owncloud Configuration and Usage Guide

owncloud Configuration and Usage Guide owncloud Configuration and Usage Guide This guide will assist you with configuring and using YSUʼs Cloud Data storage solution (owncloud). The setup instructions will include how to navigate the web interface,

More information

PaperClip Audit System Installation Guide

PaperClip Audit System Installation Guide Installation Guide Version 1.0 Copyright Information Copyright 2005, PaperClip Software, Inc. The PaperClip32 product name and PaperClip Logo are registered trademarks of PaperClip Software, Inc. All brand

More information

Secret Server Installation Windows 8 / 8.1 and Windows Server 2012 / R2

Secret Server Installation Windows 8 / 8.1 and Windows Server 2012 / R2 Secret Server Installation Windows 8 / 8.1 and Windows Server 2012 / R2 Table of Contents Table of Contents... 1 I. Introduction... 3 A. ASP.NET Website... 3 B. SQL Server Database... 3 C. Administrative

More information

Virtual Office Remote Installation Guide

Virtual Office Remote Installation Guide Virtual Office Remote Installation Guide Table of Contents VIRTUAL OFFICE REMOTE INSTALLATION GUIDE... 3 UNIVERSAL PRINTER CONFIGURATION INSTRUCTIONS... 12 CHANGING DEFAULT PRINTERS ON LOCAL SYSTEM...

More information

Network DK2 DESkey Installation Guide

Network DK2 DESkey Installation Guide VenturiOne Getting Started Network DK2 DESkey Installation Guide PD-056-306 DESkey Network Server Manual Applied Cytometry CONTENTS 1 DK2 Network Server Overview... 2 2 DK2 Network Server Installation...

More information

ProSystem fx Document

ProSystem fx Document ProSystem fx Document Server Upgrade from Version 3.7 to Version 3.8 1 This Document will guide you through the upgrade of Document Version 3.7 to Version 3.8. Do not attempt to upgrade from any other

More information

OWA - Outlook Web App

OWA - Outlook Web App OWA - Outlook Web App Olathe Public Schools 0 Page MS Outlook Web App OPS Technology Department Last Revised: May 1, 2011 Table of Contents MS Outlook Web App... 1 How to Access the MS Outlook Web App...

More information

Bitrix Site Manager ASP.NET. Installation Guide

Bitrix Site Manager ASP.NET. Installation Guide Bitrix Site Manager ASP.NET Installation Guide Contents Introduction... 4 Chapter 1. Checking for IIS Installation... 5 Chapter 2. Using An Archive File to Install Bitrix Site Manager ASP.NET... 7 Preliminary

More information

HOUR 3 Creating Our First ASP.NET Web Page

HOUR 3 Creating Our First ASP.NET Web Page HOUR 3 Creating Our First ASP.NET Web Page In the last two hours, we ve spent quite a bit of time talking in very highlevel terms about ASP.NET Web pages and the ASP.NET programming model. We ve looked

More information

Creating Home Directories for Windows and Macintosh Computers

Creating Home Directories for Windows and Macintosh Computers ExtremeZ-IP Active Directory Integrated Home Directories Configuration! 1 Active Directory Integrated Home Directories Overview This document explains how to configure home directories in Active Directory

More information

SelectSurvey.NET Developers Manual

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

More information

1 of 10 1/31/2014 4:08 PM

1 of 10 1/31/2014 4:08 PM 1 of 10 1/31/2014 4:08 PM copyright 2014 How to backup Microsoft SQL Server with Nordic Backup Pro Before creating a SQL backup set within Nordic Backup Pro it is first necessary to verify that the settings

More information