Microsoft Virtual Labs. Building Windows Presentation Foundation Applications - C# - Part 1

Size: px
Start display at page:

Download "Microsoft Virtual Labs. Building Windows Presentation Foundation Applications - C# - Part 1"

Transcription

1 Microsoft Virtual Labs Building Windows Presentation Foundation Applications - C# - Part 1

2 Table of Contents Building Windows Presentation Foundation Applications - C# - Part Exercise 1 Creating a WPF Application... 2 Exercise 2 Data Binding to a Collection Object Lab Summary... 15

3 Building Windows Presentation Foundation Applications - C# - Part 1 Objectives Estimated Time to Complete This Lab Computer to Use After completing this lab, you will be better able to: Develop a basic WPF application Use a NavigationWindow and page functions to create a wizard Learn how Property Bags are used Data bind to a collections object 45 Minutes Vista Page 1 of 15

4 Exercise 1 Creating a WPF Application Scenario There are two main types of applications you can build using the Windows Presentation Foundation: Installed applications and Web Browser applications. The main differences between the types are in how they are hosted, what security restrictions they must operate under, what application object they are associated with, and whether they allow you to navigate from page to page. Each type of application has a corresponding Microsoft Visual Studio 2005 template that you can use to start implementing the application. In this lab, we will create an Installed application. These applications are installed on the user's system with ClickOnce or MSI and hosted in a standalone window. They have full access to the user's system resources and must have user s consent before they can be deployed. In this exercise, you will develop a basic Address Book application with minimal functionality. You will learn how to create basic UI, use Property Bags to pass information from one page to another, and write some application logic. The application UI will show multiple examples of how to trigger the creation of a contact: via menu items, context menu items, and toolbar buttons. You will be able to find codes snippets used for this exercise under C:\Microsoft Hands-On Labs\DEV007 Building WPF Applications\codesnippets\CSharp\Exercise 1 Task 1 & Exercise 1 Task 2. The bolded codes in the code section are the changes you need to make in your code. Complete the following 2 tasks on: Vista 1. Create a basic application a. Launch Microsoft Visual Studio b. Create a new project using the C# Windows Application (WPF) project template in Visual C# Net Framework 3.0. Name it AddressBook. This will create the skeleton for our installed application. c. The Address Book application will help you manage your Contacts. Add a new C# class to your project. You can do this via the Solution Explorer by right-clicking on the AddressBook project, then choosing Add New Item and then selecting Class from the dialog. We ll call it Contact.cs and this will have our data model: Code Snippet (code1.txt) using System; using System.Collections.Generic; using System.Text; using System.Windows.Data; using System.Collections.ObjectModel; namespace AddressBook / <summary> / Contact value object / </summary> public class Contact private String firstname; private String lastname; private String address; private Uri homepageuri; Page 2 of 15

5 private string homeaddress; private string businessaddress; / <summary> / First name of contact / </summary> public String FirstName get return firstname; set firstname = value; / <summary> / Last name of contact / </summary> public String LastName get return lastname; set lastname = value; / <summary> / address of contact / </summary> public String Address get return address; set address = value; / <summary> / Home page / </summary> public Uri HomePage get return homepageuri; set homepageuri = value; / <summary> / Home address / </summary> public string HomeAddress get return homeaddress; set homeaddress = value; Page 3 of 15

6 / <summary> / Business address / </summary> public string BusinessAddress get return businessaddress; set businessaddress = value; / <summary> / This collection will hold all of our contacts in the / address book / </summary> public class ContactList : ObservableCollection<Contact> public ContactList() : base() Note: You will notice that the ContactList class derives from ObservableCollection<T> and thus provides the main data context with a bindable data collection. The DataContext property on an element is used to specify the source data for the binding. By binding to data grouped into collections using WPF data collections features, your application can automatically respond to changes in individual data items in the collection as well as to changes in the collection as a whole. Alternate views on data collections can be constructed to support sorting, filtering, and navigating over the collection, without necessarily modifying the content of the collection. The ObservableCollection<T> class is Windows Presentation Foundation s built-in implementation of a data collection. Exercise 2 will focus on our data binding implementation. d. Now let s define a set of contacts. You will need to add a new text file to your project and call it contacts.txt. You can do this via the Solution Explorer by rightclicking on the project, then choosing Add New Item and then selecting Text File from the dialog. Copy the following content over to that file: Code Snippet (code2.txt) Joe;Developer;jd@spaces.msn.com; North First St, Redmond, WA 98052; 2 South First St, Redmond, WA Jane;Tester;jt@spaces.msn.com; Baker St, Bellevue, WA 98055; 202 Smith St, Redmond, WA Note: The contact information consists of two entries each on a separate line. Once the contacts.txt file is created, select it in the Solution Explorer. Its properties should Page 4 of 15

7 show up in the Properties window below. If they do not show up, right-click the file and select Properties. Notice that the Build Action property has the value Content. This tells the WPF MSBuild system to treat this file as loose content accompanying the application. The Copy to Output Directory property has the value Do not copy. Change this to Copy if newer. This will ensure that the contacts.txt file is copied over to the build s output directory if changes are made to it. Figure 1.1 Properties for loose content file contacts.txt e. To allow us to have more control over what happens when the application starts and exits, we will handle the Application Startup and Exit events. Add the following code to App.xaml.cs: Code Snippet (code3.txt) public App() void AppStartup(object sender, StartupEventArgs args) Window1 mainwindow = new Window1(); mainwindow.windowstartuplocation = WindowStartupLocation.CenterScreen; mainwindow.show(); private void AppExit(Object sender, ExitEventArgs e) f. Double click on MyApp.xaml to view the XAML and add the following markup to MyApp.xaml so that the Startup event is wired up to the code. You will also need to remove the StartupUri property so that the Startup event code can handle the loading of Window1. Code Snippet (code4.txt) <Application Page 5 of 15

8 x:class="addressbook.app" xmlns:x=" xmlns=" tation" StartupUri="Window1.xaml" Startup="AppStartup" Exit="AppExit" > <Application.Resources> </Application.Resources> </Application> g. Let s create a basic UI. The UI will consist of a Window with a Grid which in turn contains a DockPanel for each of the following: the menu bar, the toolbar, the status bar, and the left-pane which lists your contacts. A frame on the right will house the details information for the selected contact. In the Window1.xaml file, we ll start with a Grid and name it DocumentRoot: When you double click on Window1.xaml, you will see xaml tab below along with Code and Design tab. Click on XAML Tab to edit xaml Code Snippet (code5.txt) <Window x:class="addressbook.window1" xmlns=" tation" xmlns:x=" Title="AddressBook" Loaded="WindowLoaded" SizeToContent="WidthAndHeight" MinWidth="640" MinHeight="480"> <Grid Background="White" Name="DocumentRoot"> <Grid.ColumnDefinitions> <ColumnDefinition Width="200"/> <ColumnDefinition Width="*"/> </Grid.ColumnDefinitions> <Grid.RowDefinitions> <RowDefinition Height="Auto"/> <RowDefinition Height="Auto"/> <RowDefinition Height="*"/> <RowDefinition Height="Auto"/> </Grid.RowDefinitions> <!-- Menu --> <!-- Tool Bar --> <!-- Content Area --> <!-- Status Bar --> </Grid> </Window> h. All of our layout and form elements will be within the DocumentRoot Grid. Next, create the DockPanel_Menu which will enclose the menu bar. We will have two top-level MenuItems: File and Edit, each with several child MenuItems. Code Snippet (code6.txt) Page 6 of 15

9 <!-- Menu Bar --> <DockPanel Name="DockPanel_Menu" Grid.Column="0" Grid.ColumnSpan="2" Grid.Row="0"> <Menu Background="White"> <MenuItem Header="File"> <MenuItem Header="New Contact" Click="LaunchNewContactWizard"/> <MenuItem Header="New Group" Click="NotImplementedMsg"/> <Separator /> <MenuItem Header="Properties" Click="NotImplementedMsg"/> <MenuItem Header="Delete" Click="NotImplementedMsg"/> <MenuItem Header="Import"> <MenuItem Header="Address book (WAB)..." Click="NotImplementedMsg"/> <MenuItem Header="Business card vcard)..." Click="NotImplementedMsg"/> </MenuItem> <Separator /> <MenuItem Header="Exit" InputGestureText="Alt-F4" Click="ExitApplication"> <MenuItem.ToolTip> <ToolTip> Click here to exit </ToolTip> </MenuItem.ToolTip> </MenuItem> </MenuItem> </Menu> <Menu Background="White"> <MenuItem Header="Edit"> <MenuItem Command="ApplicationCommands.Copy"/> <MenuItem Command="ApplicationCommands.Paste"/> </MenuItem> </Menu> </DockPanel> i. The tool bar comes next. The ToolBar has two Buttons which allow you to add and remove contacts. We ll implement the add functionality later. The delete function is a placeholder and is handled by the NotImplementedMsg handler method we ve previously defined. Code Snippet (code7.txt) <!-- Tool Bar --> <DockPanel Name="DockPanel_Toolbar" Grid.Column="0" Grid.ColumnSpan="2" Grid.Row="1"> <ToolBar> Page 7 of 15

10 <Button Click="LaunchNewContactWizard" ToolTip="Add Contact"> + </Button> <Button Click="NotImplementedMsg" ToolTip="Delete Contact"> - </Button> </ToolBar> </DockPanel> j. The left pane of the Address Book application s main window must display a list of your contacts. For this purpose, we ll use a ListBox, with each Contact s FirstName as a ListItem entry. For now, let s focus on the ListBox and the DockPanel which encloses it. We ll come back to the ListItems when we look at data binding.while we are at it, let us also define a Context Menu for the list of contacts. This will allow you to Add a Contact or Add a Group. Code Snippet (code8.txt) <!-- Left Pane for contact list view --> <DockPanel Name="DockPanel_LeftPane" Grid.Column="0" Grid.Row="2"> <ListBox Name="allContacts" SelectionChanged="ListItemSelected"> <ListBox.ContextMenu> <ContextMenu> <MenuItem Header="Add a Contact" Click="LaunchNewContactWizard"/> <MenuItem Header="Add a Group" Click="NotImplementedMsg"/> </ContextMenu> </ListBox.ContextMenu> </ListBox> </DockPanel> k. Another key element of the main window s UI is the status bar. This is achieved by enclosing a TextBlock within a StatusBar element. Code Snippet (code9.txt) <!-- Status Bar --> <DockPanel Name="DockPanel_Statusbar" Grid.Column="0" Grid.ColumnSpan="2" Grid.Row="3"> <StatusBar BorderBrush="Black" BorderThickness="1"> <TextBlock Name="tb" Foreground="Black"> Status bar </TextBlock> </StatusBar> </DockPanel> l. The final piece of the basic application UI is the right hand side frame. When the Page 8 of 15

11 ListItems finally show up, clicking on one of them will display the contact s information in the Frame_RightPane. Code Snippet (code10.txt) <!-- RightPanel --> <Frame Name="Frame_RightPane" Grid.Column="1" Grid.Row="2"/> m. Now that we've added the UI elements in the XAML page, it is time to move on to the code-behind. In the Window1.xaml.cs file, add the ExitApplication, NotImplementedMsg, WindowLoaded, ListItemSelected and LaunchNewContactWizard methods in the body of the Window1 class. You will notice that the latter 3 methods have empty bodies. We will add logic to these methods later: Code Snippet (code11.txt) Triggered on Window load. Sets the ContactList collection as the Data Context. private void WindowLoaded(object sender, RoutedEventArgs e) Triggers application shutdown void ExitApplication(object sender, RoutedEventArgs e) this.close(); Shows a message box informing user that a feature hasn't been implemented. void NotImplementedMsg(object sender, RoutedEventArgs e) MessageBox.Show("This feature has not been implemented.", "Not Implemented"); Triggered when an item in the Contacts list is selected void ListItemSelected(object sender, SelectionChangedEventArgs args) Page 9 of 15

12 option Triggered when context menu or other toolbar is clicked to launch 'Create a new contact' dialog private void LaunchNewContactWizard(object sender, RoutedEventArgs e) n. Build and run your application. You now have the skeleton of your Address Book application. Since we haven t initialized and used the contact information, you won't see anything in the left and right panes. At this stage, you application should look like this: 2. Use Property Bag to store the collection of Contacts Figure 1.2 Basic Address Book application UI a. Upon startup, the application must read the contact information from a file and initialize the ContactList object. Open the App.xaml.cs file for editing. The ReadContactsFromFile method reads data from a file. In the class body, add this method and the helper method to de-tokenize entries. Code Snippet (code1.txt) Reads contact information from file private ContactList ReadContactsFromFile() ContactList contactlist = new ContactList(); Page 10 of 15

13 Create an instance of StreamReader to read from a file. The using statement also closes the StreamReader. using (StreamReader sr = new StreamReader("contacts.txt")) String line; Read and display lines from the file until the end of the file is reached. while ((line = sr.readline())!= null) contactlist.add(createcontactfromline(line)); return contactlist; ); De-tokenize one line of contact information and hydrate a Contact object private Contact CreateContactFromLine(string line) string[] tokens = line.split(new char[] ';' format. " + 1", 6, if (tokens.length!= 6) throw new ApplicationException( String.Format("Input contact file "Expected tokens 0; Actual tokens tokens.length)); Contact contact = new Contact(); contact.firstname = tokens[0]; contact.lastname = tokens[1]; contact. address = tokens[2]; contact.homepage = (String.IsNullOrEmpty(tokens[3])? null : new Uri(tokens[3], UriKind.Absolute)); contact.homeaddress = tokens[4]; contact.businessaddress = tokens[5]; return contact; Page 11 of 15

14 b. The ReadContactFromFile method uses System.IO.StreamReader. Make sure you add a using statement for it before the namespace declaration: Code Snippet (code2.txt) using System.IO; c. The ContactList data returned by the ReadContactsFromFile method is added as an entry in the application s Property Bag. Modify the AppStartup method as shown below: Code Snippet (code3.txt) Triggered on application startup. Positions the window, Initializes the contact list model and adds it to the Property Bag. void AppStartup(object sender, StartupEventArgs args) initialize the Contacts collection using data from file ContactList contactlist = ReadContactsFromFile(); add it to the Property Bag this.properties["contactlist"] = contactlist; Window1 mainwindow = new Window1(); make sure the window appears in the center of the screen mainwindow.windowstartuplocation = WindowStartupLocation.CenterScreen; mainwindow.show(); d. While we are at it, let s also create a method to save the changes back to the contacts.txt file. The logic is pretty straightforward and not really related to this lab, so we won t go into it. Code Snippet (code4.txt) Persists changes from ContactList object in Property Bag to file. private void SaveContactsToFile(string filename) e. Build and run the application. It should still look like it did in Figure 1.2. From the UI it does not appear we are making any progress. Rest easy, we are! Page 12 of 15

15 Exercise 2 Data Binding to a Collection Object Scenario WPF provides powerful data services which allow you to integrate data into your applications. UI elements can be bound to data in CLR objects and XML sources. Data sources manage the relationship between data items (business objects) and the various data binding capabilities of your application. There are several different types of data sources for different source data types, including ObjectDataProvider and XmlDataProvider. Both implement the IDataSource interface which provides a data source with the ability to notify its dependent bindings of changes to the data object referred to by the data source. In this exercise, you will learn how to data bind the contacts ListBox to the ContactsList collection present in the property bag. You will be able to find codes snippets used for this exercise under C:\Microsoft Hands-On Labs\DEV007 Building WPF Applications\codesnippets\CSharp\Exercise 2. The bolded codes in the code section are the changes you need to make in your code. Complete the following task on: Vista 1. Creating a one-way binding a. Define an ObjectDataProvider called ContactList as a resource in the Resources section within the Window element in the Window1.xaml page. The ObjectDataProvider s type name is set to the namespace-qualified name of the ContactList collection class. In addition, the name of the assembly, AddressBook, is supplied to the MethodName attribute. Make sure you insert this Window.Resources element above the Grid definition. When you double click on Window1.xaml, you will see Xaml tab below next to the Design tab. Click on Xaml tab to edit: Code Snippet (code1.txt) <Window.Resources> <ObjectDataProvider x:key="contactlist" MethodName="AddressBook.ContactList,AddressBook" /> </Window.Resources> b. Styles allow an application, document, or user interface (UI) designer to standardize on a particular look for their product. Further, data templates are used to define the appearance of data. In order to style the UI for contact list data, you must define a data template called ContactNameTemplate with a TextBlock bound to the FirstName property of the Contact object in the ContactList. Code Snippet (code2.txt) <Window.Resources> <ObjectDataProvider x:key="contactlist" MethodName="AddressBook.ContactList,AddressBook" /> <DataTemplate x:key="contactnametemplate" > <TextBlock Text="Binding Path=FirstName" /> </DataTemplate> </Window.Resources> Page 13 of 15

16 c. We are ready to specify the ItemsSource for the allcontacts ListBox as well as assign the ContactNameTemplate. Code Snippet (code3.txt) <ListBox Name="allContacts" SelectionChanged="ListItemSelected" ItemsSource="Binding " ItemTemplate="DynamicResource ContactNameTemplate" IsSynchronizedWithCurrentItem="True"> <ListBox.ContextMenu> <ContextMenu> <MenuItem Header="Add a Contact" Click="LaunchNewContactWizard"/> <MenuItem Header="Add a Group" Click="NotImplementedMsg"/> </ContextMenu> </ListBox.ContextMenu> </ListBox> d. All that s left is to set the value of the DockPanel_LeftPane s data context to the ContactList entry in the Property Bag. Add this line to the WindowLoaded method in Window1.xaml.cs. Code Snippet (code4.txt) DockPanel_LeftPane.DataContext = Application.Current.Properties["ContactList"]; e. Browse into the folder where you saved your project. If you have saved in default directory. Please go to C:\Users\User\Documents\Visual Studio 2005\Projects\AddressBook\AddressBook. Copy contacts.txt into the directory bin\debug of the project. f. If a dialog appears click Yes to continue. g. Build and run your application. You should now see the application load with your list of contacts populated in the ListBox on the left pane. Page 14 of 15

17 Figure 1.3 Basic Address Book application UI Lab Summary In part 1 and 2 of this lab you performed the following exercises: Created a WPF application Bound an application UI element to data in a collection object Used Windows and Page Functions to create a structured navigation wizard In part 1 and 2 of this lab, you learned how to use the WPF application model, its layout system, and other features to build a sample Address Book application. In three exercises you developed the use cases for: Creating a contact with personal information (name, , URL, IM address etc.) and home/business contact information. Navigating to the Add Contact wizard in various ways (via menu item, context menu item and toolbar button). Listing all contacts in the address book. Listing detail information on selected contact. Actions associated with a contact, namely, sending or viewing their homepage. Page 15 of 15

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

Learn how to create web enabled (browser) forms in InfoPath 2013 and publish them in SharePoint 2013. InfoPath 2013 Web Enabled (Browser) forms

Learn how to create web enabled (browser) forms in InfoPath 2013 and publish them in SharePoint 2013. InfoPath 2013 Web Enabled (Browser) forms Learn how to create web enabled (browser) forms in InfoPath 2013 and publish them in SharePoint 2013. InfoPath 2013 Web Enabled (Browser) forms InfoPath 2013 Web Enabled (Browser) forms Creating Web Enabled

More information

Relationships in WPF Applications

Relationships in WPF Applications Chapter 15 Relationships in WPF Applications Table of Contents Chapter 15... 15-1 Relationships in WPF Applications... 15-1 One-To-Many Combo Box to List Box... 15-1 One-To-Many Relationships using Properties...

More information

Data Binding with WPF: Binding to XML

Data Binding with WPF: Binding to XML Data Binding with WPF: Binding to XML Excerpted from WPF in Action with Visual Studio 2008 EARLY ACCESS EDITION Arlen Feldman and Maxx Daymon MEAP Release: July 2007 Softbound print: October 2008 (est.),

More information

Understanding In and Out of XAML in WPF

Understanding In and Out of XAML in WPF Understanding In and Out of XAML in WPF 1. What is XAML? Extensible Application Markup Language and pronounced zammel is a markup language used to instantiate.net objects. Although XAML is a technology

More information

Windows Presentation Foundation Tutorial 1

Windows Presentation Foundation Tutorial 1 Windows Presentation Foundation Tutorial 1 PDF: Tutorial: A http://billdotnet.com/wpf.pdf http://billdotnet.com/dotnet_lecture/dotnet_lecture.htm Introduction 1. Start Visual Studio 2008, and select a

More information

What is a Mail Merge?

What is a Mail Merge? NDUS Training and Documentation What is a Mail Merge? A mail merge is generally used to personalize form letters, to produce mailing labels and for mass mailings. A mail merge can be very helpful if you

More information

SQL Server 2005: Report Builder

SQL Server 2005: Report Builder SQL Server 2005: Report Builder Table of Contents SQL Server 2005: Report Builder...3 Lab Setup...4 Exercise 1 Report Model Projects...5 Exercise 2 Create a Report using Report Builder...9 SQL Server 2005:

More information

Making a Web Page with Microsoft Publisher 2003

Making a Web Page with Microsoft Publisher 2003 Making a Web Page with Microsoft Publisher 2003 The first thing to consider when making a Web page or a Web site is the architecture of the site. How many pages will you have and how will they link to

More information

STEP BY STEP to Build the Application 1. Start a. Open a MvvmLight (WPF4) application and name it MvvmControlChange.

STEP BY STEP to Build the Application 1. Start a. Open a MvvmLight (WPF4) application and name it MvvmControlChange. Application Description This MVVM WPF application includes a WPF Window with a contentcontrol and multiple UserControls the user can navigate between with button controls. The contentcontrols will have

More information

Chapter 14 WCF Client WPF Implementation. Screen Layout

Chapter 14 WCF Client WPF Implementation. Screen Layout Chapter 14 WCF Client WPF Implementation Screen Layout Window1.xaml

More information

Composite.Community.Newsletter - User Guide

Composite.Community.Newsletter - User Guide Composite.Community.Newsletter - User Guide Composite 2015-11-09 Composite A/S Nygårdsvej 16 DK-2100 Copenhagen Phone +45 3915 7600 www.composite.net Contents 1 INTRODUCTION... 4 1.1 Who Should Read This

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

A SharePoint Developer Introduction. Hands-On Lab. Lab Manual HOL8 Using Silverlight with the Client Object Model C#

A SharePoint Developer Introduction. Hands-On Lab. Lab Manual HOL8 Using Silverlight with the Client Object Model C# A SharePoint Developer Introduction Hands-On Lab Lab Manual HOL8 Using Silverlight with the Client Object Model C# Information in this document, including URL and other Internet Web site references, is

More information

1. WPF Tutorial Page 1 of 431 wpf-tutorial.com

1. WPF Tutorial Page 1 of 431 wpf-tutorial.com 1. WPF Tutorial Page 1 of 431 1.1. About WPF 1.1.1. What is WPF? WPF, which stands for Windows Presentation Foundation, is Microsoft's latest approach to a GUI framework, used with the.net framework. But

More information

Windows Presentation Foundation

Windows Presentation Foundation Windows Presentation Foundation C# Programming April 18 Windows Presentation Foundation WPF (code-named Avalon ) is the graphical subsystem of the.net 3.0 Framework It provides a new unified way to develop

More information

Junk E-mail Settings. Options

Junk E-mail Settings. Options Outlook 2003 includes a new Junk E-mail Filter. It is active, by default, and the protection level is set to low. The most obvious junk e-mail messages are caught and moved to the Junk E-Mail folder. Use

More information

A SharePoint Developer Introduction. Hands-On Lab. Lab Manual SPCHOL306 Using Silverlight with the Client Object Model VB

A SharePoint Developer Introduction. Hands-On Lab. Lab Manual SPCHOL306 Using Silverlight with the Client Object Model VB A SharePoint Developer Introduction Hands-On Lab Lab Manual SPCHOL306 Using Silverlight with the Client Object Model VB This document is provided as-is. Information and views expressed in this document,

More information

Microsoft Expression Web

Microsoft Expression Web Microsoft Expression Web Microsoft Expression Web is the new program from Microsoft to replace Frontpage as a website editing program. While the layout has changed, it still functions much the same as

More information

Subscribe to RSS in Outlook 2007. Find RSS Feeds. Exchange Outlook 2007 How To s / RSS Feeds 1of 7

Subscribe to RSS in Outlook 2007. Find RSS Feeds. Exchange Outlook 2007 How To s / RSS Feeds 1of 7 Exchange Outlook 007 How To s / RSS Feeds of 7 RSS (Really Simple Syndication) is a method of publishing and distributing content on the Web. When you subscribe to an RSS feed also known as a news feed

More information

Essentials of Developing Windows Store Apps Using C# MOC 20484

Essentials of Developing Windows Store Apps Using C# MOC 20484 Essentials of Developing Windows Store Apps Using C# MOC 20484 Course Outline Module 1: Overview of the Windows 8 Platform and Windows Store Apps This module describes the Windows 8 platform and features

More information

Appendix A How to create a data-sharing lab

Appendix A How to create a data-sharing lab Appendix A How to create a data-sharing lab Creating a lab involves completing five major steps: creating lists, then graphs, then the page for lab instructions, then adding forms to the lab instructions,

More information

Data Tool Platform SQL Development Tools

Data Tool Platform SQL Development Tools Data Tool Platform SQL Development Tools ekapner Contents Setting SQL Development Preferences...5 Execution Plan View Options Preferences...5 General Preferences...5 Label Decorations Preferences...6

More information

Appendix K Introduction to Microsoft Visual C++ 6.0

Appendix K Introduction to Microsoft Visual C++ 6.0 Appendix K Introduction to Microsoft Visual C++ 6.0 This appendix serves as a quick reference for performing the following operations using the Microsoft Visual C++ integrated development environment (IDE):

More information

Outlook Web App User Guide

Outlook Web App User Guide Outlook Web App Table of Contents QUICK REFERENCE... 2 OUTLOOK WEB APP URL... 2 Imagine! Help Desk...... 2 OUTLOOK WEB APP MAIN WINDOW... 2 KEY NEW FEATURES... 3 GETTING STARTED WITH OUTLOOK... 4 LOGGING

More information

Building A Very Simple Web Site

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

More information

MICROSOFT ACCESS 2003 TUTORIAL

MICROSOFT ACCESS 2003 TUTORIAL MICROSOFT ACCESS 2003 TUTORIAL M I C R O S O F T A C C E S S 2 0 0 3 Microsoft Access is powerful software designed for PC. It allows you to create and manage databases. A database is an organized body

More information

About the Tutorial. Audience. Prerequisites. Copyright & Disclaimer. Windows 10 Apps Development

About the Tutorial. Audience. Prerequisites. Copyright & Disclaimer. Windows 10 Apps Development About the Tutorial Welcome to Windows 10 tutorial. This tutorial is designed for people who want to learn how to develop apps meant for Windows 10. After completing it, you will have a better understating

More information

Introduction to Building Windows Store Apps with Windows Azure Mobile Services

Introduction to Building Windows Store Apps with Windows Azure Mobile Services Introduction to Building Windows Store Apps with Windows Azure Mobile Services Overview In this HOL you will learn how you can leverage Visual Studio 2012 and Windows Azure Mobile Services to add structured

More information

StrikeRisk v6.0 IEC/EN 62305-2 Risk Management Software Getting Started

StrikeRisk v6.0 IEC/EN 62305-2 Risk Management Software Getting Started StrikeRisk v6.0 IEC/EN 62305-2 Risk Management Software Getting Started Contents StrikeRisk v6.0 Introduction 1/1 1 Installing StrikeRisk System requirements Installing StrikeRisk Installation troubleshooting

More information

Building and Using Web Services With JDeveloper 11g

Building and Using Web Services With JDeveloper 11g Building and Using Web Services With JDeveloper 11g Purpose In this tutorial, you create a series of simple web service scenarios in JDeveloper. This is intended as a light introduction to some of the

More information

INFOPATH FORMS FOR OUTLOOK, SHAREPOINT, OR THE WEB

INFOPATH FORMS FOR OUTLOOK, SHAREPOINT, OR THE WEB INFOPATH FORMS FOR OUTLOOK, SHAREPOINT, OR THE WEB GINI COURTER, TRIAD CONSULTING Like most people, you probably fill out business forms on a regular basis, including expense reports, time cards, surveys,

More information

Visual Basic. murach's TRAINING & REFERENCE

Visual Basic. murach's TRAINING & REFERENCE TRAINING & REFERENCE murach's Visual Basic 2008 Anne Boehm lbm Mike Murach & Associates, Inc. H 1-800-221-5528 (559) 440-9071 Fax: (559) 440-0963 murachbooks@murach.com www.murach.com Contents Introduction

More information

De La Salle University Information Technology Center. Microsoft Windows SharePoint Services and SharePoint Portal Server 2003 READER / CONTRIBUTOR

De La Salle University Information Technology Center. Microsoft Windows SharePoint Services and SharePoint Portal Server 2003 READER / CONTRIBUTOR De La Salle University Information Technology Center Microsoft Windows SharePoint Services and SharePoint Portal Server 2003 READER / CONTRIBUTOR User s Guide Microsoft Windows SharePoint Services and

More information

Tyler Dashboard. User Guide Version 6.2. For more information, visit www.tylertech.com.

Tyler Dashboard. User Guide Version 6.2. For more information, visit www.tylertech.com. Tyler Dashboard User Guide Version 6.2 For more information, visit www.tylertech.com. TABLE OF CONTENTS Tyler Dashboard... 3 Tyler Dashboard Features... 3 Site Search... 3 Browse... 4 Page... 5 Dashboard...

More information

MICROSOFT OUTLOOK 2010 READ, ORGANIZE, SEND AND RESPONSE E-MAILS

MICROSOFT OUTLOOK 2010 READ, ORGANIZE, SEND AND RESPONSE E-MAILS MICROSOFT OUTLOOK 2010 READ, ORGANIZE, SEND AND RESPONSE E-MAILS Last Edited: 2012-07-09 1 Read Emails... 4 Find the inbox... 4 Change new incoming e-mail notification options... 5 Read email... 6 Change

More information

CHAPTER 10: WEB SERVICES

CHAPTER 10: WEB SERVICES Chapter 10: Web Services CHAPTER 10: WEB SERVICES Objectives Introduction The objectives are: Provide an overview on how Microsoft Dynamics NAV supports Web services. Discuss historical integration options,

More information

Developing Rich Web Applications with Oracle ADF and Oracle WebCenter Portal

Developing Rich Web Applications with Oracle ADF and Oracle WebCenter Portal JOIN TODAY Go to: www.oracle.com/technetwork/java OTN Developer Day Oracle Fusion Development Developing Rich Web Applications with Oracle ADF and Oracle WebCenter Portal Hands on Lab (last update, June

More information

MS Access Lab 2. Topic: Tables

MS Access Lab 2. Topic: Tables MS Access Lab 2 Topic: Tables Summary Introduction: Tables, Start to build a new database Creating Tables: Datasheet View, Design View Working with Data: Sorting, Filtering Help on Tables Introduction

More information

Getting Started with Telerik Data Access. Contents

Getting Started with Telerik Data Access. Contents Contents Overview... 3 Product Installation... 3 Building a Domain Model... 5 Database-First (Reverse) Mapping... 5 Creating the Project... 6 Creating Entities From the Database Schema... 7 Model-First

More information

EditAble CRM Grid. For Microsoft Dynamics CRM. How To Guide. Trial Configuration: Opportunity View EditAble CRM Grid Scenario

EditAble CRM Grid. For Microsoft Dynamics CRM. How To Guide. Trial Configuration: Opportunity View EditAble CRM Grid Scenario EditAble CRM Grid For Microsoft Dynamics CRM How To Guide Trial Configuration: Opportunity View EditAble CRM Grid Scenario Table of Contents Overview... 3 Opportunity View EditAble CRM Grid... 3 Scenario...

More information

Outlook Express. a ZOOMERS guide

Outlook Express. a ZOOMERS guide Outlook Express a ZOOMERS guide Introduction...2 Main Window... 4 Reading email...9 Sending email...14 Contacts list... 17 Housekeeping...20 Configuration... 21 Written by Chorlton Workshop for hsbp Introduction

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

MS WORD 2007 (PC) Macros and Track Changes Please note the latest Macintosh version of MS Word does not have Macros.

MS WORD 2007 (PC) Macros and Track Changes Please note the latest Macintosh version of MS Word does not have Macros. MS WORD 2007 (PC) Macros and Track Changes Please note the latest Macintosh version of MS Word does not have Macros. Record a macro 1. On the Developer tab, in the Code group, click Record Macro. 2. In

More information

INFOPATH FORMS FOR OUTLOOK, SHAREPOINT, OR THE WEB

INFOPATH FORMS FOR OUTLOOK, SHAREPOINT, OR THE WEB INFOPATH FORMS FOR OUTLOOK, SHAREPOINT, OR THE WEB GINI COURTER, TRIAD CONSULTING If you currently create forms using Word, Excel, or even Adobe Acrobat, it s time to step up to a best-in-class form designer:

More information

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

Chapter 5. Microsoft Access

Chapter 5. Microsoft Access Chapter 5 Microsoft Access Topic Introduction to DBMS Microsoft Access Getting Started Creating Database File Database Window Table Queries Form Report Introduction A set of programs designed to organize,

More information

Maximizing the Use of Slide Masters to Make Global Changes in PowerPoint

Maximizing the Use of Slide Masters to Make Global Changes in PowerPoint Maximizing the Use of Slide Masters to Make Global Changes in PowerPoint This document provides instructions for using slide masters in Microsoft PowerPoint. Slide masters allow you to make a change just

More information

Visual Studio 2008: Windows Presentation Foundation

Visual Studio 2008: Windows Presentation Foundation Visual Studio 2008: Windows Presentation Foundation Course 6460A: Three days; Instructor-Led Introduction This three-day instructor-led course provides students with the knowledge and skills to build and

More information

Lab 9 Access PreLab Copy the prelab folder, Lab09 PreLab9_Access_intro

Lab 9 Access PreLab Copy the prelab folder, Lab09 PreLab9_Access_intro Lab 9 Access PreLab Copy the prelab folder, Lab09 PreLab9_Access_intro, to your M: drive. To do the second part of the prelab, you will need to have available a database from that folder. Creating a new

More information

Importing Contacts to Outlook

Importing Contacts to Outlook Importing Contacts to Outlook 1. The first step is to create a file of your contacts from the National Chapter Database. 2. You create this file under Reporting, Multiple. You will follow steps 1 and 2

More information

The Application Getting Started Screen is display when the Recruiting Matrix 2008 Application is Started.

The Application Getting Started Screen is display when the Recruiting Matrix 2008 Application is Started. Application Screen The Application Getting Started Screen is display when the Recruiting Matrix 2008 Application is Started. Navigation - The application has navigation tree, which allows you to navigate

More information

A SharePoint Developer Introduction

A SharePoint Developer Introduction A SharePoint Developer Introduction Hands-On Lab Lab Manual HOL7 - Developing a SharePoint 2010 Workflow with Initiation Form in Visual Studio 2010 C# Information in this document, including URL and other

More information

Integrating with BarTender Integration Builder

Integrating with BarTender Integration Builder Integrating with BarTender Integration Builder WHITE PAPER Contents Overview 3 Understanding BarTender's Native Integration Platform 4 Integration Builder 4 Administration Console 5 BarTender Integration

More information

WINDOWS LIVE MAIL FEATURES

WINDOWS LIVE MAIL FEATURES WINDOWS LIVE MAIL Windows Live Mail brings a free, full-featured email program to Windows XP, Windows Vista and Windows 7 users. It combines in one package the best that both Outlook Express and Windows

More information

Outlook 2007: Managing your mailbox

Outlook 2007: Managing your mailbox Outlook 2007: Managing your mailbox Find its size and trim it down Use Mailbox Cleanup On the Tools menu, click Mailbox Cleanup. You can do any of the following from this one location: View the size of

More information

Microsoft Access to Microsoft Word Performing a Mail Merge from an Access Query

Microsoft Access to Microsoft Word Performing a Mail Merge from an Access Query Microsoft Access to Microsoft Word Performing a Mail Merge from an Access Query Performing a Query in Access Before performing a mail merge, we need to set up a query with the necessary fields. Opening

More information

PDF Web Form. Projects 1

PDF Web Form. Projects 1 Projects 1 In this project, you ll create a PDF form that can be used to collect user data online. In this exercise, you ll learn how to: Design a layout for a functional form. Add form fields and set

More information

Microsoft Access 3: Understanding and Creating Queries

Microsoft Access 3: Understanding and Creating Queries Microsoft Access 3: Understanding and Creating Queries In Access Level 2, we learned how to perform basic data retrievals by using Search & Replace functions and Sort & Filter functions. For more complex

More information

Handout: Creating Forms in Word 2010

Handout: Creating Forms in Word 2010 Creating Forms in Word 2010 Table of Contents ABOUT PRINTED FORMS AND FORMS FOR USE IN WORD... 1 KINDS OF FORMS... 2 DESIGNING A FORM... 2 CREATE FORMS THAT USERS COMPLETE IN WORD... 2 STEP 1: SHOW THE

More information

WebPlus X8. Quick Start Guide. Simple steps for designing your site and getting it online.

WebPlus X8. Quick Start Guide. Simple steps for designing your site and getting it online. WebPlus X8 Quick Start Guide Simple steps for designing your site and getting it online. In this guide, we will refer to specific tools, toolbars, tabs, or options. Use this visual reference to help locate

More information

Access II 2007 Workshop

Access II 2007 Workshop Access II 2007 Workshop Query & Report I. Review Tables/Forms Ways to create tables: tables, templates & design Edit tables: new fields & table properties Import option Link tables: Relationship Forms

More information

Quick Start Guide. Microsoft Access 2013 looks different from previous versions, so we created this guide to help you minimize the learning curve.

Quick Start Guide. Microsoft Access 2013 looks different from previous versions, so we created this guide to help you minimize the learning curve. Quick Start Guide Microsoft Access 2013 looks different from previous versions, so we created this guide to help you minimize the learning curve. Change the screen size or close a database Click the Access

More information

MICROSOFT OUTLOOK 2011 READ, SEARCH AND PRINT E-MAILS

MICROSOFT OUTLOOK 2011 READ, SEARCH AND PRINT E-MAILS MICROSOFT OUTLOOK 2011 READ, SEARCH AND PRINT E-MAILS Lasted Edited: 2012-07-10 1 Find the Inbox... 3 Check for New Mail... 4 Manually check for new messages... 4 Change new incoming e-mail schedule options...

More information

آموزش DataGrid در WPF به همراه صفحه بندي و جستجوي انتخابی. کلیک کن www.papro-co.ir

آموزش DataGrid در WPF به همراه صفحه بندي و جستجوي انتخابی. کلیک کن www.papro-co.ir آموزش DataGrid در WPF به همراه صفحه بندي و جستجوي انتخابی در پاپرو برنامه نویسی را شیرین یاد بگیرید کلیک کن www.papro-co.ir WPF DataGrid Custom Paging and Sorting This article shows how to implement custom

More information

Microsoft Office Access 2007 Basics

Microsoft Office Access 2007 Basics Access(ing) A Database Project PRESENTED BY THE TECHNOLOGY TRAINERS OF THE MONROE COUNTY LIBRARY SYSTEM EMAIL: TRAININGLAB@MONROE.LIB.MI.US MONROE COUNTY LIBRARY SYSTEM 734-241-5770 1 840 SOUTH ROESSLER

More information

Microsoft PowerPoint 2010 Handout

Microsoft PowerPoint 2010 Handout Microsoft PowerPoint 2010 Handout PowerPoint is a presentation software program that is part of the Microsoft Office package. This program helps you to enhance your oral presentation and keep the audience

More information

Scribe Online Integration Services (IS) Tutorial

Scribe Online Integration Services (IS) Tutorial Scribe Online Integration Services (IS) Tutorial 7/6/2015 Important Notice No part of this publication may be reproduced, stored in a retrieval system, or transmitted in any form or by any means, photocopying,

More information

ACCESSING YOUR CHAFFEY COLLEGE E-MAIL VIA THE WEB

ACCESSING YOUR CHAFFEY COLLEGE E-MAIL VIA THE WEB ACCESSING YOUR CHAFFEY COLLEGE E-MAIL VIA THE WEB If a District PC has not been permanently assigned to you for work purposes, access your Chaffey College e-mail account via the Web (Internet). You can

More information

Aspera Connect User Guide

Aspera Connect User Guide Aspera Connect User Guide Windows XP/2003/Vista/2008/7 Browser: Firefox 2+, IE 6+ Version 2.3.1 Chapter 1 Chapter 2 Introduction Setting Up 2.1 Installation 2.2 Configure the Network Environment 2.3 Connect

More information

MadCap Software. Import Guide. Flare 11

MadCap Software. Import Guide. Flare 11 MadCap Software Import Guide Flare 11 Copyright 2015 MadCap Software. All rights reserved. Information in this document is subject to change without notice. The software described in this document is furnished

More information

MICROSOFT ACCESS 2007 BOOK 2

MICROSOFT ACCESS 2007 BOOK 2 MICROSOFT ACCESS 2007 BOOK 2 4.1 INTRODUCTION TO ACCESS FIRST ENCOUNTER WITH ACCESS 2007 P 205 Access is activated by means of Start, Programs, Microsoft Access or clicking on the icon. The window opened

More information

SPHOL207: Database Snapshots with SharePoint 2013

SPHOL207: Database Snapshots with SharePoint 2013 2013 SPHOL207: Database Snapshots with SharePoint 2013 Hands-On Lab Lab Manual This document is provided as-is. Information and views expressed in this document, including URL and other Internet Web site

More information

WPF Viewer for Reporting Services 2008/2012 Getting Started

WPF Viewer for Reporting Services 2008/2012 Getting Started WPF Viewer for Reporting Services 2008/2012 Getting Started Last modified on: July 9, 2012 Table of Content Introduction... 3 Prerequisites... 3 Creating application using Microsoft SQL 2008/2008 R2 /2012

More information

Table of Contents. 1. Introduction to the Outlook Mail Client

Table of Contents. 1. Introduction to the Outlook Mail Client M icrosoft Outlook is the Microsoft s flagship messaging tool for email, calendaring and information sharing for Microsoft Exchange Server and is the supported client at. This manual will provide an introduction

More information

Use Mail Merge to create a form letter

Use Mail Merge to create a form letter Use Mail Merge to create a form letter Suppose that you want to send a form letter to 1,000 different contacts. With the Mail Merge Manager, you can write one form letter, and then have Word merge each

More information

NETWRIX EVENT LOG MANAGER

NETWRIX EVENT LOG MANAGER NETWRIX EVENT LOG MANAGER ADMINISTRATOR S GUIDE Product Version: 4.0 July/2012. Legal Notice The information in this publication is furnished for information use only, and does not constitute a commitment

More information

Elisabetta Zodeiko 2/25/2012

Elisabetta Zodeiko 2/25/2012 PRINCETON UNIVERSITY Report Studio Introduction Elisabetta Zodeiko 2/25/2012 Report Studio Introduction pg. 1 Table of Contents 1. Report Studio Overview... 6 Course Overview... 7 Princeton Information

More information

App Development for Modern UI MODULE 4: APP DEVELOPMENT ESSENTIALS

App Development for Modern UI MODULE 4: APP DEVELOPMENT ESSENTIALS App Development for Modern UI MODULE 4: APP DEVELOPMENT ESSENTIALS Module 4: App Development Essentials Windows, Bing, PowerPoint, Internet Explorer, Visual Studio, WebMatrix, DreamSpark, and Silverlight

More information

Volunteers for Salesforce Installation & Configuration Guide Version 3.76

Volunteers for Salesforce Installation & Configuration Guide Version 3.76 Volunteers for Salesforce Installation & Configuration Guide Version 3.76 July 15, 2015 Djhconsulting.com 1 CONTENTS 1. Overview... 4 2. Installation Instructions... 4 2.1 Requirements Before Upgrading...

More information

Desktop, Web and Mobile Testing Tutorials

Desktop, Web and Mobile Testing Tutorials Desktop, Web and Mobile Testing Tutorials * Windows and the Windows logo are trademarks of the Microsoft group of companies. 2 About the Tutorial With TestComplete, you can test applications of three major

More information

Lab 2: MS ACCESS Tables

Lab 2: MS ACCESS Tables Lab 2: MS ACCESS Tables Summary Introduction to Tables and How to Build a New Database Creating Tables in Datasheet View and Design View Working with Data on Sorting and Filtering 1. Introduction Creating

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

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 Tutorial: Building a Dojo Application using IBM Rational Application Developer Loan Payment Calculator Written by: Chris Jaun (cmjaun@us.ibm.com) Sudha Piddaparti (sudhap@us.ibm.com) Objective In this

More information

Changes to Skillnet Group Emails. Outlook and Outlook Express Users

Changes to Skillnet Group Emails. Outlook and Outlook Express Users Changes to Skillnet Group Emails Skillnet Group emails are moving from the current provider to our own exchange mail server. This will mean that you will have a much improved web-mail system and almost

More information

Managing Contacts in Outlook

Managing Contacts in Outlook Managing Contacts in Outlook This document provides instructions for creating contacts and distribution lists in Microsoft Outlook 2007. In addition, instructions for using contacts in a Microsoft Word

More information

Microsoft Outlook Quick Reference Sheet

Microsoft Outlook Quick Reference Sheet Microsoft Outlook is an incredibly powerful e-mail and personal information management application. Its features and capabilities are extensive. Refer to this handout whenever you require quick reminders

More information

T300 Acumatica Customization Platform

T300 Acumatica Customization Platform T300 Acumatica Customization Platform Contents 2 Contents How to Use the Training Course... 4 Getting Started with the Acumatica Customization Platform...5 What is an Acumatica Customization Project?...6

More information

GETTING STARTED WITH SQL SERVER

GETTING STARTED WITH SQL SERVER GETTING STARTED WITH SQL SERVER Download, Install, and Explore SQL Server Express WWW.ESSENTIALSQL.COM Introduction It can be quite confusing trying to get all the pieces in place to start using SQL. If

More information

Ricardo Perdigao, Solutions Architect Edsel Garcia, Principal Software Engineer Jean Munro, Senior Systems Engineer Dan Mitchell, Principal Systems

Ricardo Perdigao, Solutions Architect Edsel Garcia, Principal Software Engineer Jean Munro, Senior Systems Engineer Dan Mitchell, Principal Systems A Sexy UI for Progress OpenEdge using JSDO and Kendo UI Ricardo Perdigao, Solutions Architect Edsel Garcia, Principal Software Engineer Jean Munro, Senior Systems Engineer Dan Mitchell, Principal Systems

More information

Timeless Time and Expense Version 3.0. Copyright 1997-2009 MAG Softwrx, Inc.

Timeless Time and Expense Version 3.0. Copyright 1997-2009 MAG Softwrx, Inc. Timeless Time and Expense Version 3.0 Timeless Time and Expense All rights reserved. No parts of this work may be reproduced in any form or by any means - graphic, electronic, or mechanical, including

More information

SPHOL326: Designing a SharePoint 2013 Site. Hands-On Lab. Lab Manual

SPHOL326: Designing a SharePoint 2013 Site. Hands-On Lab. Lab Manual 2013 SPHOL326: Designing a SharePoint 2013 Site Hands-On Lab Lab Manual This document is provided as-is. Information and views expressed in this document, including URL and other Internet Web site references,

More information

Quick Start Guide. Microsoft Access 2013 looks different from previous versions, so we created this guide to help you minimize the learning curve.

Quick Start Guide. Microsoft Access 2013 looks different from previous versions, so we created this guide to help you minimize the learning curve. Quick Start Guide Microsoft Access 2013 looks different from previous versions, so we created this guide to help you minimize the learning curve. Change the screen size or close a database Click the Access

More information

University of Rochester

University of Rochester University of Rochester User s Guide to URGEMS Ad Hoc Reporting Guide Using IBM Cognos Workspace Advanced, Version 10.2.1 Version 1.0 April, 2016 1 P age Table of Contents Table of Contents... Error! Bookmark

More information

ComponentOne. Windows for WPF

ComponentOne. Windows for WPF ComponentOne Windows for WPF Copyright 1987-2012 GrapeCity, Inc. All rights reserved. ComponentOne, a division of GrapeCity 201 South Highland Avenue, Third Floor Pittsburgh, PA 15206 USA Internet: info@componentone.com

More information

CMS Training. Prepared for the Nature Conservancy. March 2012

CMS Training. Prepared for the Nature Conservancy. March 2012 CMS Training Prepared for the Nature Conservancy March 2012 Session Objectives... 3 Structure and General Functionality... 4 Section Objectives... 4 Six Advantages of using CMS... 4 Basic navigation...

More information

Universal Management Service 2015

Universal Management Service 2015 Universal Management Service 2015 UMS 2015 Help All rights reserved. No parts of this work may be reproduced in any form or by any means - graphic, electronic, or mechanical, including photocopying, recording,

More information

Silect Software s MP Author

Silect Software s MP Author Silect MP Author for Microsoft System Center Operations Manager Silect Software s MP Author User Guide September 2, 2015 Disclaimer The information in this document is furnished for informational use only,

More information

Appendix M: Introduction to Microsoft Visual C++ 2010 Express Edition

Appendix M: Introduction to Microsoft Visual C++ 2010 Express Edition Appendix M: Introduction to Microsoft Visual C++ 2010 Express Edition This book may be ordered from Addison-Wesley in a value pack that includes Microsoft Visual C++ 2010 Express Edition. Visual C++ 2010

More information

netduino Getting Started

netduino Getting Started netduino Getting Started 1 August 2010 Secret Labs LLC www.netduino.com welcome Netduino is an open-source electronics platform using the.net Micro Framework. With Netduino, the world of microcontroller

More information