OUR company has recognized that forms design is

Size: px
Start display at page:

Download "OUR company has recognized that forms design is"

Transcription

1 User Interface Standards for Forms Smart Access Dennis Schumaker User interface standards are critical for both programmer and end-user productivity. An important part of any application is Application Maintenance Forms and Dennis Schumaker shows the strategy and the code you need to create them. OUR company has recognized that forms design is part art and part science. However, by critically looking at the applications that we d developed over the years, we recognized that we could classify our forms into two major categories: Business Process Forms: These are forms created to model the specific business process that the application was primarily intended to automate. Although we can identify some specific common processes, such as adding, editing, deleting, filtering, and printing (which are discussed later), the exact nature of what the form will do is dictated by the unique business process. Application Maintenance Forms: These forms were created to support ancillary business functions like adding and editing information in various lookup tables (or other supporting tables used within the business application). Generally, all applications need some of these types of forms. These forms tend to be similar among all applications building a form to support adding and editing information in a lookup table is essentially an identical business process in any application. In many cases, a programmer needs to know very little about the specific business process being automated to develop the appropriate Application Maintenance Forms. However, a specific understanding of the business process is needed to successfully design acceptable Business Process Forms. Having recognized this difference, it became apparent that these two different types of forms would require different skill levels and knowledge of the business process on the part of our programming staff. So, we strove to develop user interface design and coding standards that would not only streamline our programming staff s development and take advantage of the differing skill levels, but also increase their knowledge of business processes. Our chosen user interface design for navigation is based on using drop-down menus. Consequently, Business Process Forms are typically found under our Activities menu (see Figure 1), and Application Maintenance Forms are found under an Administration menu (see Figure 2). Our IT department re-programmed the CD Collection database (which is included in the Source Code file at to demonstrate the standards. The remainder of this article will discuss these standards and demonstrate how they re to be implemented using this simple database as an example. This article will deal only with the development of Application Maintenance Forms, whereas an earlier article dealt with Business Process Forms. Application Maintenance Forms Application Maintenance Forms are typically found under an Administration menu item. Under the Administration menu item, for lack of a better name, we have a menu selection called Table Maintenance (see the section Setting the order later in this article). In all of our applications, we generally have supporting tables that are used throughout the application for looking up values, names, and so forth. Some applications may have 20 to 40 such tables, while others have just a few. The CD Collection that we use as our reference application has three lookup tables like the one shown in Figure 3. We were able to identify three major design considerations that are common to all Application Maintenance Forms, specifically: Figure 1. Activities menu. Figure 2. Administration menu. Smart Access December

2 Navigation: We found that we needed an easy way to navigate from one Application Maintenance Form to another. As applications get larger and the number of Application Maintenance Forms that are required increases, it becomes more difficult for the user to navigate from one form to another. Why not permit editing all of these tables within one form? Sorting: Information contained within maintenance tables is often used in printing reports. In many instances, these values are used in grouping and sorting the primary data in the reports. All too frequently, the user doesn t want the grouping and sorting to be alphabetical, ascending, or descending, but wants some other ordering that we can t predict. A user might, for instance, want to sort a list of categories by their relative importance to the business, something that we can t determine from the data and that may change over time. We built a sort by field capability within all of our maintenance tables that can be manipulated using the Sorting feature of the Application Maintenance Form. Operations: Once the proper Application Maintenance Form has been selected, the user will want to add, edit, or delete some information. We usually lock the data controls on the form when it s first opened so that the user doesn t unintentionally add, edit, or delete records. The user must click an operation button before any changes can be made. Printing: As described in my article in the November issue of Smart Access, this button generates a report based on the information in the form. Navigation When many maintenance tables are involved, it s difficult to provide navigation to these forms through a dropdown menu system. Consequently, we developed the Figure 3. Maintain Artist form. form and subform design (shown later, in the Update operations section). As the user clicks on a particular type of information in the Table list box, the subform control on the right of the form displays the appropriate subform. Here s the code that allows this to happen: Private Sub lstform_afterupdate() Select Case Me!lstForm Case 1 Me.fsubdialog.SourceObject = _ "frmmaintainformat" Case 2 Me.fsubdialog.SourceObject = _ "frmmaintainartist" Case 3 Me.fsubdialog.SourceObject = _ "frmmaintaintype" End Select The code is relatively straightforward for smaller applications. However, when working with a larger set of Application Maintenance Forms, we ve built a working table into the application. The code can then be made relatively generic by using a separate working table to store the information required to support the generic code. This makes adding additional maintenance tables into the application relatively easy, as described in the section Extending the design at the end of this article. Sorting In many instances, information contained within maintenance tables is used for printing reports; specifically in the grouping and sorting of these reports. The information in the form is normally presented in alphabetical order to make it easy to look up values in long lists. We build a sort by field into all of our maintenance tables that can be manipulated using the Sorting feature of the Application Maintenance Form (see Figure 4). The sort by field is used to order information in other than ascending/descending by data or primary key order. Basically, the users can have any order that they desire. Once the Order radio button is selected, the user can select a record in the form and use the arrows on the form to move it up or down in the list. Setting the order Much of the code for setting the order was presented in an article by Andy Baron a couple of years ago (why invent when you can borrow?). In order to reorder the sort by field in the table, the Order radio button is selected, and the move up and move down arrows are activated as shown in Figure 5. The code begins by 18 Smart Access December 2001

3 populating the list using an SQL statement based on the sort order selected on the form (alphabetical or primary key): Private Sub frasorting_afterupdate() Dim msql As String Dim mbmark As Variant msql = "SELECT * FROM tblmusiccategories" & _ " ORDER BY " With Me If!fraSorting = 1 Then msql = msql & "tblmusiccategories.musiccategory;"!cmdmoveup.enabled = False!cmdMoveDown.Enabled = False msql = msql & "tblmusiccategories.musicsortby;"!cmdmoveup.enabled = True!cmdMoveDown.Enabled = True!fsubMaintainType.Form.RecordSource = msql End With The user orders items with the up and down arrow buttons. The code that moves items up or down looks like this: Private Sub cmdmovedown_click() With Me MoveItem "Down",.fsubMaintainType.Form, _ "MusicCategoryID", dblong, _.fsubmaintaintype!musiccategoryid End With Private Sub cmdmoveup_click() Figure 4. Maintain Format form. Figure 5. Order items. Smart Access December

4 With Me MoveItem "Up",.fsubMaintainType.Form, _ "MusicCategoryID", dblong, _.fsubmaintaintype!musiccategoryid End With As you can see, each of the routines calls the MoveItem subroutine, which does the heavy lifting in this design. This MoveItem method accepts as parameters the direction to move, a reference to the form being manipulated, and a parameter array of all of the other parameters passed to it. The parameter array contains information that uniquely identifies the current record in the form: a field name, the data type of the field, and the value of the field. This information is repeated for however many fields are required to identify the record: Public Sub MoveItem(strUpDown As String, frm As Form, _ ParamArray avarpkfieldnamestypesvalues() As Variant) On Error GoTo Handle_Err Dim rs As DAO.Recordset Dim fmoved As Boolean Dim strcriteria As String Dim inti As Integer If Not frm.newrecord Then Set rs = frm.recordsetclone rs.bookmark = frm.bookmark If strupdown = "Up" Then rs.moveprevious If Not rs.bof Then rs.edit rs.fields(2).value = rs.fields(2).value + 1 rs.update rs.movenext rs.edit rs.fields(2).value = rs.fields(2).value - 1 rs.update fmoved = True rs.movenext If strupdown = "Down" Then rs.movenext If Not rs.eof Then rs.edit rs.fields(2).value = rs.fields(2).value - 1 rs.update rs.moveprevious rs.edit rs.fields(2).value = rs.fields(2).value + 1 rs.update fmoved = True rs.moveprevious While the code is lengthy, what it does is relatively simple. The code finds the current record on the form by getting a clone of the form s recordset and using the form s bookmark to position itself in the cloned recordset. The code then swaps the position of the current record with the record before or after it (depending on whether you re moving up or down). Swapping in this case means changing the value of the field used to order the records by adding or subtracting 1 from the current value. Much of the code is there to handle the first and last records in the recordset or when a new record is being added. Once the sorting value has been changed, the next step is to redisplay the subform with the records in the right order. However, the user must be repositioned on the record that he or she started with. That s the purpose of the next piece of code. The code first steps through the parameter array passed to the routine building a criteria string for the FindFirst method, using the information in the array. Once the criteria string is built, the form is required to redisplay the data, and the FindFirst method is used to reposition the user in the cloned recordset. If there s a match, the bookmark from the clone is passed to the form to put the user back at his or her original starting position: If fmoved Then For inti = LBound(avarPKFieldNamesTypesValues) _ To UBound(avarPKFieldNamesTypesValues) _ Step 3 If Len(strCriteria) > 0 Then strcriteria = strcriteria & " AND " strcriteria = strcriteria & BuildCriteria( _ avarpkfieldnamestypesvalues(inti), _ avarpkfieldnamestypesvalues(inti + 1), "=" & _ CStr(avarPKFieldNamesTypesValues(intI + 2))) Next inti frm.requery Set rs = frm.recordsetclone rs.findfirst strcriteria If Not rs.nomatch Then frm.bookmark = rs.bookmark Set rs = Nothing Exit_Here: Exit Sub Handle_Err: Select Case Err.Number Case MsgBox "Error: " & Err.Number & vbcrlf & _ Err.Description, Title:="GetNextLineNumber" End Select Resume Exit_Here Resume Update operations Aside from changing the order of the information through the ordering process, information in the subform can t be changed until the user selects an operation button, as shown in Figure 6. A user adds new information by clicking on the Add button. This works as would normally be expected, except that in order to support the Sorting feature some code needs to be added to the form to populate the sort by field in the table. Additions are added to the bottom of the order; that is, they re given the highest sort by number. If the user wants to change the record s position, he or she can manually move the record up by using the sorting controls. Here s the code to unlock a record: Private Sub cmdadd_click() FormState ("UnLocked") ControlState ("Edit") DoCmd.GoToRecord,, acnewrec Once the record is added, the following code is used in the BeforeUpdate event to assign a value to the sort by field: Private Sub Form_BeforeUpdate(Cancel As Integer) If Me.NewRecord Then Me!txtMusicSortBy = DMax("[MusicSortBy]", _ "tblmusiccategories") Smart Access December 2001

5 [Parent].Caption = "Music Category Entry/Editing" [Parent]!fraSorting.Enabled = True Delete In a similar manner, when an item is highlighted and the Delete button is pressed, the item is deleted. However, additional code must now be run to renumber the order of the items. If the item s sort by field was 12, then once the record is deleted, record 13 becomes 12, record 14 becomes 13, and so on. Here s the code that initiates the process: Private Sub cmddelete_click() If Me!fraSorting = 1 Then MsgBox "Change Sorting to Order " & _ " for Delete Operation! ", _ vbcritical, "Attention" Exit Sub LockMe (False) Call DeleteRecord(Me!fsubMaintainType.Form, _ "fsubmaintaintype", _ Me!fsubMaintainType!txtMusicSortBy, "MusicSortBy", _ "tblmusiccategories") The DeleteRecord routine is the most complicated of the routines. First, we get the user to confirm that he or she wants to delete the record: Sub DeleteRecord(lfm As Form, lsfm As String, _ lsortcon As Control, lsortby As String, _ ltblname As String) On Error GoTo Err_Delete_Click Dim intans As Integer intans = MsgBox("Delete This Record?", _ vbcritical + vbyesno, "Delete Confirmation") If the answer is Yes, we delete the record using the Access menu commands. The code then checks to see whether the user is deleting the last record. If so, we don t need to do anything else: DoCmd.SetWarnings False If lsortcon = DMax(lSortBy, ltblname) Then DoCmd.DoMenuItem acformbar, aceditmenu, 8,, _ acmenuver70 DoCmd.DoMenuItem acformbar, aceditmenu, 6,, _ acmenuver70 DoCmd.SetWarnings True Exit Sub If we re not deleting the last record, then the code gets a clone of the form s recordset and loops through, renumbering the sort by field on all of the records: Dim intcolumncounter As Integer Dim rst As DAO.Recordset Set rst = lfm.recordsetclone rst.movefirst intcolumncounter = 1 While (Not rst.eof) rst.edit rst.fields(2).value = intcolumncounter rst.update intcolumncounter = intcolumncounter + 1 rst.movenext Wend rst.close Set rst = Nothing Exit_Delete_Click: Exit Sub Err_Delete_Click: MsgBox Err.Description Resume Exit_Delete_Click Edit and Save The Edit button is used to change the values of the item. We re normally storing a unique id (an autonumber or other unique id) as a primary key in our tables. Therefore, editing the values doesn t invoke cascading deletes or updates. The code behind the Edit button is shown here: Figure 6. Form Maintain Type. Smart Access December

6 Private Sub cmdedit_click() FormState ("UnLocked") ControlState ("Edit") Saving records is just as straightforward: Private Sub cmdsave_click() DoCmd.DoMenuItem acformbar, acrecordsmenu, _ acsaverecord,, acmenuver70 ControlState ("Normal") FormState ("Locked") Cancel Finally, here s the code to let the user cancel any changes: Private Sub cmdcancel_click() UndoForm ("fsubmaintaintype") LockMe (False) ControlState ("Normal") FormState ("Locked") DoCmd.GoToRecord,, acfirst The heavy lifting in the cancel operation is in the UndoForm subroutine: Sub UndoForm(lsfm As String) On Error Resume Next DoCmd.GoToControl lsfm DoCmd.SetWarnings False DoCmd.DoMenuItem acformbar, aceditmenu, _ acundo,, acmenuver70 DoCmd.SetWarnings True 'SendKeys "{ESC}{ESC}", True Utility routines Throughout our code, we ve made use of some utility routines. The LockMe routine is used to lock or unlock the controls on the subform, depending on the parameter passed to it: Sub LockMe(YesOrNo As Boolean) With Me If YesOrNo Then!fsubMaintainArtist.Locked = True!fsubMaintainArtist.Locked = False!fsubMaintainArtist.SetFocus End With Printing The same concession that was originally made to accommodate our client s Excel users has also become a standard in our user interface design. At almost any time, except in the middle of doing an operation, the user can press a Print button and be presented with a Report Preview of the information contained on the form. In some cases, we ve found that the user prefers to look up information in a report by being able to page through the report on screen rather than scroll down to the record on the form. Providing this printing option is a feature that all users have begun to appreciate, as it lets the user avoid doing a File Print that prints all of the information in the form. The Print button is also integrated with the sorting settings; that is, the sorting settings determine the sorting and grouping in the report. This is implemented using the following code: Private Sub Report_Open(Cancel As Integer) Dim msql As String Dim mbmark As Variant msql = "SELECT * FROM tblmusiccategories" & _ " ORDER BY " If Form_frmMaintainType!fraSorting = 1 Then msql = msql & "RecordingArtistName;" Form_frmMaintainType!cmdMoveUp.Enabled = False Form_frmMaintainType!cmdMoveDown.Enabled = False msql = msql & "SortBy;" Form_frmMaintainInfoType!cmdMoveUp.Enabled = True Form_frmMaintainInfoType!cmdMoveDown.Enabled = True Me.RecordSource = msql DoCmd.Maximize In short, our user interface standards for Application Maintenance Forms are focused on a relatively straightforward design that takes each of the design components and integrates them with each other. This design provides basic functionality for all of our Application Maintenance Forms without requiring our systems analysts to specifically describe each requirement to our programmers. The programmer can move forward with very little additional guidance by using these design standards. All that s required is a list of the various tables that need to be modified and edited through the user interface. Extending the design Using our user interface design standards, we ve found it very easy to extend our design into much more complicated situations. A working table can be created in the database that facilitates the creation and easy modification and maintenance of these forms. Then generic code can be written that uses the information in the table to manage the Application Maintenance Form. A more complex Application Maintenance Form is shown in Figure 7. Application maintenance tables that are related to each other can be grouped by adding a combo box to the design. As the item in the combo box control is changed, the options displayed in the list box below that control also change. The items to be displayed in the list box are read from the working table using the following code: Private Sub cbocategory_afterupdate() Dim strsql As String strsql = "select twrktablemaintenance.id, " & _ "twrktablemaintenance.formname, " strsql = strsql & "twrktablemaintenance.formlabel, " & _ " twrktablemaintenance.category " strsql = strsql & "From twrktablemaintenance " strsql = strsql & "Where " & _ " twrktablemaintenance.category = '" & _ Me!cboCategory & "'" Me.lstDialog.RowSource = strsql 22 Smart Access December 2001

7 Furthermore, the record source for the combo box can be populated from the working table using the following SQL statement: SELECT DISTINCT [twrktablemaintenance].[category] FROM twrktablemaintenance; Once an item in the list box is clicked, the subform can also be replaced by a lookup to the working table using the following code: Private Sub lstdialog_afterupdate() Me.fsubDialog.SourceObject = Me.lstDialog.Column(1) This makes adding new items to the form as easy as adding additional rows to the working table. The table contains the fields shown in Figure 8. This extension shows how the same basic user interface concepts can be used to handle a much more complete application and yet provide the user with a similar user interface for frequent use and easy navigation. Our system designers can communicate design decisions efficiently to our programmers, our programmers have a library of reusable code, and our Figure 7. Complex Applications Maintenance Form. Figure 8. Working table for Application Maintenance Forms in datasheet mode. Smart Access December

8 users have consistent user interfaces. It s hard to argue with any of those benefits. APMFORM.ZIP at Dennis Schumaker has more than 27 years of business and consulting experience, both public and private sector. Dennis holds a bachelor s degree in mechanical engineering and a master s degree in nuclear engineering from Ohio State University, and an MBA from the University of Michigan. He s also a Microsoft Certified Professional plus Internet, a Microsoft Certified Systems Engineer (MCSE), and a Microsoft Certified Trainer (MCT). Dennis is an officer with Schumaker & Company, a management consulting and professional services firm headquartered in Ann Arbor, MI. Downloads December 2001 Source Code SNAP.ZIP Garry Robinson s download shows how to create report snapshots from Access with the click of a button. (Access 97, Access 2000) LIST2002.ZIP Andy Baron has provided a sample database that shows how to use the ListBox filling features of Access 2002 (and how to use Microsoft Form controls with Access). (Access 2002) SEQSQL.ZIP This sample database from Peter Vogel demonstrates the SQL techniques to find a list of values within a consecutive range or the largest range available. (Access 97) APMFORM.ZIP Dennis Schumaker s sample database provides the code behind the user interface standards that his company has established for managing lookup tables. (Access 2000) SA0112.ZIP and SA0112.CHM The latest update to the cumulative Smart Access index includes full descriptions of every article since the January 1999 issue of Smart Access, as well as an index to each month s Source Code files. (The index is available in SA1201.ZIP The Complete December 2001 Source Code. ) Smart Access Subscription Information: or Subscription rates: United States: One year (12 issues): $139; Two years (24 issues): $250 Canada:* One year: $154; two years: $265 Standard Other:* One year: $159; two years: $270 Single issue rate: $15 ($17.50 in Canada; $20 outside North America)* * Funds must be in U.S. currency. Editor Peter Vogel; Contributing Editors Andy Baron, Mary Chipman, Mike Gunderloy, Garry Robinson, Russell Sinclair; President Connie Austin; Executive Editor of IT Farion Grove; Editorial Assistant Micki Bailey Direct all editorial, advertising, or subscriptionrelated questions to Pinnacle Publishing, Inc.: or Fax: Pinnacle Publishing, Inc. PO Box Roswell, GA smartacc@pinpub.com Pinnacle Web Site: Access technical support: Call Microsoft at Smart Access (ISSN ) is published monthly (12 times per year) by Pinnacle Publishing, Inc., 1000 Holcomb Woods Pkwy, Bldg 200, Suite 280, Roswell, GA POSTMASTER: Send address changes to Smart Access, PO Box , Roswell, GA Copyright 2001 by Pinnacle Publishing, Inc. All rights reserved. No part of this periodical may be used or reproduced in any fashion whatsoever (except in the case of brief quotations embodied in critical articles and reviews) without the prior written consent of Pinnacle Publishing, Inc. Printed in the United States of America. Brand and product names are trademarks or registered trademarks of their respective holders. Microsoft is a registered trademark of Microsoft Corporation. Microsoft Access is a registered trademark of Microsoft Corporation. Smart Access is an independent publication not affiliated with Microsoft Corporation. Microsoft Corporation is not responsible in any way for the editorial policy or other contents of the publication. This publication is intended as a general guide. It covers a highly technical and complex subject and should not be used for making decisions concerning specific products or applications. This publication is sold as is, without warranty of any kind, either express or implied, respecting the contents of this publication, including but not limited to implied warranties for the publication, quality, performance, merchantability, or fitness for any particular purpose. Pinnacle Publishing, Inc., shall not be liable to the purchaser or any other person or entity with respect to any liability, loss, or damage caused or alleged to be caused directly or indirectly by this publication. Articles published in Smart Access do not necessarily reflect the viewpoint of Pinnacle Publishing, Inc. Inclusion of advertising inserts does not constitute an endorsement by Pinnacle Publishing, Inc., or Smart Access. The Source Code portion of the Smart Access Web site is available to paid subscribers only. Log in for access to all current and archive content and source code. For access to this issue only, go to click on Source Code, select the file(s) you want from this issue, and enter the User name and Password at right when prompted. User name Password yacht zydeco 24 Smart Access December 2001

Save and Load Searches in Access VBA

Save and Load Searches in Access VBA Save and Load Searches in Access VBA How to allow your users to load and save form states in Access through VBA to provide cross-session saving and retrieval of search or other information. This article

More information

DataMaster for Windows

DataMaster for Windows DataMaster for Windows Version 3.0 April 2004 Mid America Computer Corp. 111 Admiral Drive Blair, NE 68008-0700 (402) 426-6222 Copyright 2003-2004 Mid America Computer Corp. All rights reserved. Table

More information

File Organization and Management

File Organization and Management 1 UNESCO-NIGERIA TECHNICAL & VOCATIONAL EDUCATION REVITALISATION PROJECT-PHASE II NATIONAL DIPLOMA IN COMPUTER TECHNOLOGY File Organization and Management YEAR II- SE MESTER I PRACTICAL Version 1: December

More information

Smart Access. SOMETIMES you need to hold some data in a table to work with it over. Temporary Tables. with No Bloat. Doug Den Hoed. vb123.

Smart Access. SOMETIMES you need to hold some data in a table to work with it over. Temporary Tables. with No Bloat. Doug Den Hoed. vb123. vb123.com Smart Access Solutions for Microsoft Access Developers Temporary Tables with No Bloat Doug Den Hoed 2000 Temporary tables are great for extending query functionality, storing transient data,

More information

Simply Access Tips. Issue April 26 th, Welcome to the twelfth edition of Simply Access Tips for 2007.

Simply Access Tips. Issue April 26 th, Welcome to the twelfth edition of Simply Access Tips for 2007. Hi [FirstName], Simply Access Tips Issue 12 2007 April 26 th, 2007 Welcome to the twelfth edition of Simply Access Tips for 2007. Housekeeping as usual is at the end of the Newsletter so, if you need to

More information

How-To Guide. SigIDp (With Microsoft Access) Demo. Copyright Topaz Systems Inc. All rights reserved.

How-To Guide. SigIDp (With Microsoft Access) Demo. Copyright Topaz Systems Inc. All rights reserved. How-To Guide SigIDp (With Microsoft Access) Demo Copyright Topaz Systems Inc. All rights reserved. For Topaz Systems, Inc. trademarks and patents, visit www.topazsystems.com/legal. Table of Contents Overview...

More information

ONE of the challenges we all face when developing

ONE of the challenges we all face when developing Using SQL-DMO to Handle Security in ADPs Russell Sinclair 2000 2002 Smart Access MSDE is a powerful, free version of SQL Server that you can make available to your users. In this issue, Russell Sinclair

More information

BUSINESS DEVELOPMENT SUITE. EXPERIENCE MANAGEMENT USER GUIDE a Hubbard One Product

BUSINESS DEVELOPMENT SUITE. EXPERIENCE MANAGEMENT USER GUIDE a Hubbard One Product BUSINESS DEVELOPMENT SUITE EXPERIENCE MANAGEMENT USER GUIDE a Hubbard One Product NOTICES Copyright Copyright 2011: Thomson Reuters. All Rights Reserved. Proprietary and Confidential information of Thomson

More information

THERE have been a number of articles in Smart Access

THERE have been a number of articles in Smart Access Prometheus Unbound Smart Access 2000 2002 David Moss If you re thinking of moving to a client/sever database, you can do it in Access. However, if you re going to get the performance that you need, then

More information

ORACLE USER PRODUCTIVITY KIT USAGE TRACKING ADMINISTRATION & REPORTING RELEASE SERVICE PACK 1 PART NO. E

ORACLE USER PRODUCTIVITY KIT USAGE TRACKING ADMINISTRATION & REPORTING RELEASE SERVICE PACK 1 PART NO. E ORACLE USER PRODUCTIVITY KIT USAGE TRACKING ADMINISTRATION & REPORTING RELEASE 3.6.1 SERVICE PACK 1 PART NO. E17383-01 MARCH 2010 COPYRIGHT Copyright 1998, 2010, Oracle and/or its affiliates. All rights

More information

WORKFLOW MANAGER RELEASE NOTES NEW FEATURES * OPEN ISSUES * ADDRESSED ISSUES RELEASE DATE: MAY 17, 2013 CS.THOMSONREUTERS.COM

WORKFLOW MANAGER RELEASE NOTES NEW FEATURES * OPEN ISSUES * ADDRESSED ISSUES RELEASE DATE: MAY 17, 2013 CS.THOMSONREUTERS.COM WORKFLOW MANAGER RELEASE NOTES NEW FEATURES * OPEN ISSUES * ADDRESSED ISSUES RELEASE DATE: MAY 17, 2013 CS.THOMSONREUTERS.COM Proprietary Materials No use of these Proprietary materials is permitted without

More information

SAS Business Rules Manager 1.2

SAS Business Rules Manager 1.2 SAS Business Rules Manager 1.2 User s Guide Second Edition SAS Documentation The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2012. SAS Business Rules Manager 1.2. Cary,

More information

Smart Access. CROSSTAB queries are helpful tools for displaying data in a tabular. Automated Excel Pivot Reports from Access. Mark Davis. vb123.

Smart Access. CROSSTAB queries are helpful tools for displaying data in a tabular. Automated Excel Pivot Reports from Access. Mark Davis. vb123. vb123.com Smart Access Solutions for Microsoft Access Developers Automated Excel Pivot Reports from Access Mark Davis 2000 2002 Excel pivot reports are dynamic, easy to use, and have several advantages

More information

RSWeb.NET. Client User Guide. O'Neil Software, Inc.

RSWeb.NET. Client User Guide. O'Neil Software, Inc. RSWeb.NET Client User Guide O'Neil Software, Inc. Corporate Headquarters O'Neil Software, Inc. 11 Cushing, Suite 100 Irvine, California 92618 949-458-1234 Fax: 949-206-6949 E-Mail: sales@oneilsoft.com

More information

VISUAL QUICKSTART GUIDE QUICKTIME PRO 4. Judith Stern Robert Lettieri. Peachpit Press

VISUAL QUICKSTART GUIDE QUICKTIME PRO 4. Judith Stern Robert Lettieri. Peachpit Press VISUAL QUICKSTART GUIDE QUICKTIME PRO 4 Judith Stern Robert Lettieri Peachpit Press Visual QuickStart Guide QuickTime Pro 4 Judith Stern Robert Lettieri Peachpit Press 1249 Eighth Street Berkeley, CA 94710

More information

Microsoft Dynamics GP. Extender User s Guide

Microsoft Dynamics GP. Extender User s Guide Microsoft Dynamics GP Extender User s Guide Copyright Copyright 2009 Microsoft Corporation. All rights reserved. Complying with all applicable copyright laws is the responsibility of the user. Without

More information

Expense Management. User Guide. Tenant Resale Module. NEC NEC Corporation. November 2010 NDA-30988, Issue 2

Expense Management. User Guide. Tenant Resale Module. NEC NEC Corporation. November 2010 NDA-30988, Issue 2 Expense Management Tenant Resale Module User Guide NEC NEC Corporation November 2010 NDA-30988, Issue 2 Liability Disclaimer NEC Corporation reserves the right to change the specifications, functions,

More information

MMS DATA SUBSCRIPTION SERVICES USER INTERFACE GUIDE

MMS DATA SUBSCRIPTION SERVICES USER INTERFACE GUIDE MMS DATA SUBSCRIPTION SERVICES USER INTERFACE GUIDE VERSION: 2.01 DOCUMENT REF: PREPARED BY: MMSTDPD69 EMD DATE: 16 February 2010 Final Copyright Copyright 2012 Australian Energy Market Operator Limited

More information

Washington State Office of Superintendent of Public Instruction. Direct Certification System User s Manual

Washington State Office of Superintendent of Public Instruction. Direct Certification System User s Manual Washington State Office of Superintendent of Public Instruction Direct Certification System Contents Introduction... 1 Who Uses the Direct Certification System?... 1 Why Use the Direct Certification System?...

More information

TRYING to keep up with ActiveX Data Objects (ADO)

TRYING to keep up with ActiveX Data Objects (ADO) Accessing Records Peter Vogel 2000 Smart Access In this article, Peter Vogel looks at one of the newer features in ADO: the Record object. Peter outlines the object s future and shows how you can use it

More information

Enhancements Guide. Applied Business Services, Inc. 900 Wind River Lane Suite 102 Gaithersburg, MD General Phone: (800)

Enhancements Guide. Applied Business Services, Inc. 900 Wind River Lane Suite 102 Gaithersburg, MD General Phone: (800) Enhancements Guide Applied Business Services, Inc. 900 Wind River Lane Suite 102 Gaithersburg, MD 20878 General Phone: (800) 451-7447 Support Telephone: (800) 451-7447 Ext. 2 Support Email: support@clientaccess.com

More information

Enerdeq Browser Transition from PI/Dwights PLUS Data on CD

Enerdeq Browser Transition from PI/Dwights PLUS Data on CD IHS > Critical Information Product Enerdeq Browser Transition from PI/Dwights PLUS Data on CD October, 2013 2013 IHS, All Rights Reserved. All trademarks belong to IHS or its affiliated and subsidiary

More information

Overview of AccuCare Feature Changes

Overview of AccuCare Feature Changes Overview of AccuCare 8.7.0 Feature Changes Progress Notes Feature Changes: Co-Facilitator: All Progress Notes will now allow for inclusion of a Co-Facilitator. The Co-Facilitator list will consist of staff

More information

IRA Basic Running Financial Reports

IRA Basic Running Financial Reports IRA Basic Running Financial Reports Updated 6-7-2013 1 Training Index Part I Introduction to the IRA Reporting Tool IRA Resources (3) Logging onto the system (4) Navigating the Dashboard (5-9) Running

More information

[ Getting Started with Analyzer, Interactive Reports, and Dashboards ] ]

[ Getting Started with Analyzer, Interactive Reports, and Dashboards ] ] Version 5.3 [ Getting Started with Analyzer, Interactive Reports, and Dashboards ] ] https://help.pentaho.com/draft_content/version_5.3 1/30 Copyright Page This document supports Pentaho Business Analytics

More information

IRA Basic Running Financial Reports

IRA Basic Running Financial Reports IRA Basic Running Financial Reports Dartmouth College maintains a data warehouse of institutional finances, student data, advancement giving and other important measures. Institutional Reporting and Analysis

More information

Using the WorldCat Digital Collection Gateway

Using the WorldCat Digital Collection Gateway Using the WorldCat Digital Collection Gateway This tutorial leads you through the steps for configuring your CONTENTdm collections for use with the Digital Collection Gateway and using the Digital Collection

More information

Getting Started Manual. SmartList To Go

Getting Started Manual. SmartList To Go Getting Started Manual SmartList To Go Table of contents Installing SmartList To Go 3 Launching SmartList To Go on the handheld 4 SmartList To Go toolbar 4 Creating a SmartList 5 The Field Editor Screen

More information

SyncFirst Standard. Quick Start Guide User Guide Step-By-Step Guide

SyncFirst Standard. Quick Start Guide User Guide Step-By-Step Guide SyncFirst Standard Quick Start Guide Step-By-Step Guide How to Use This Manual This manual contains the complete documentation set for the SyncFirst system. The SyncFirst documentation set consists of

More information

IntelleView /SB Transaction Monitoring System

IntelleView /SB Transaction Monitoring System IntelleView /SB Transaction Monitoring System Operator's Guide Contents About this Guide... 1 What is IntelleView/SB?... 2 Starting the Operator Application... 3 Video Recording Modes... 6 Viewing Live

More information

Simply Access Tips. Issue February 2 nd 2009

Simply Access Tips. Issue February 2 nd 2009 Hi [FirstName], Simply Access Tips Issue 02 2009 February 2 nd 2009 Welcome to the second edition of Simply Access Tips for 2009. Housekeeping, as usual, is at the end of the Newsletter so; if you need

More information

Wholesale Lockbox User Guide

Wholesale Lockbox User Guide Wholesale Lockbox User Guide August 2017 Copyright 2017 City National Bank City National Bank Member FDIC For Client Use Only Table of Contents Introduction... 3 Getting Started... 4 System Requirements...

More information

Polaris SimplyReports Guide

Polaris SimplyReports Guide Polaris SimplyReports Guide Copyright 2012 by Polaris Library Systems This document is copyrighted. All rights are reserved. No part of this document may be photocopied or reproduced in any form without

More information

A Back-End Link Checker for Your Access Database

A Back-End Link Checker for Your Access Database A Back-End for Your Access Database Published: 30 September 2018 Author: Martin Green Screenshots: Access 2016, Windows 10 For Access Versions: 2007, 2010, 2013, 2016 Working with Split Databases When

More information

Logging In to the Program

Logging In to the Program Introduction to FLEX DMS F&I Introduction to FLEX DMS F&I Welcome to Autosoft FLEX DMS F&I, a Web-based program that fully integrates with the Autosoft FLEX Dealership Management System (DMS). The program

More information

Customization Manager

Customization Manager Customization Manager Release 2015 Disclaimer This document is provided as-is. Information and views expressed in this document, including URL and other Internet Web site references, may change without

More information

Avaya 3100 Mobile Communicator - Web UI User Guide. Avaya 3100 Mobile Communicator Release 3.1

Avaya 3100 Mobile Communicator - Web UI User Guide. Avaya 3100 Mobile Communicator Release 3.1 Avaya 3100 Mobile Communicator - Web UI User Guide Avaya 3100 Mobile Communicator Release 3.1 Document Status: Standard Document Number: NN42030-110 Document Version: 04.04 Date: July 2010 2009 2010 Avaya

More information

EDITING AN EXISTING REPORT

EDITING AN EXISTING REPORT Report Writing in NMU Cognos Administrative Reporting 1 This guide assumes that you have had basic report writing training for Cognos. It is simple guide for the new upgrade. Basic usage of report running

More information

Microsoft Dynamics GP. Extender User s Guide Release 9.0

Microsoft Dynamics GP. Extender User s Guide Release 9.0 Microsoft Dynamics GP Extender User s Guide Release 9.0 Copyright Copyright 2005 Microsoft Corporation. All rights reserved. Complying with all applicable copyright laws is the responsibility of the user.

More information

A. Open Access and create a new database named Lab7_yourlastname.accdb.

A. Open Access and create a new database named Lab7_yourlastname.accdb. Create a Database Table Lab 7, Step 1 A. Open Access and create a new database named Lab7_yourlastname.accdb. Access the ilabs and open the Office 2010 application folder. Select Access 2010: The Access

More information

ACCESS isn t only a great development tool it s

ACCESS isn t only a great development tool it s Upsizing Access to Oracle Smart Access 2000 George Esser In addition to showing you how to convert your Access prototypes into Oracle systems, George Esser shows how your Access skills translate into Oracle.

More information

Smart Access. HAVE you ever taken over a large Access project and been overwhelmed. Navigating Through. Recursion, Part 1. vb123.com.

Smart Access. HAVE you ever taken over a large Access project and been overwhelmed. Navigating Through. Recursion, Part 1. vb123.com. vb123.com Smart Access Solutions for Microsoft Access Developers Navigating Through Recursion, Part 1 Christopher R. Weber 2000 2002 Knowing your way around your Access project is important for any developer.

More information

Simply Access Tips. Issue May 4 th, Welcome to the thirteenth edition of Simply Access Tips for 2007.

Simply Access Tips. Issue May 4 th, Welcome to the thirteenth edition of Simply Access Tips for 2007. Hi [FirstName], Simply Access Tips Issue 13 2007 May 4 th, 2007 Welcome to the thirteenth edition of Simply Access Tips for 2007. Housekeeping as usual is at the end of the Newsletter so, if you need to

More information

System Administration Guide

System Administration Guide System Administration Guide Maintenance Connection Inc. 1477 Drew Ave Suite 103 Davis, CA 95616 Toll Free: 888.567.3434 Fax: 888.567.3434 www.maintenanceconnection.com Maintenance Connection System Administration

More information

REFERENCE GUIDE FOR MANUAL DATA INPUT v1.1

REFERENCE GUIDE FOR MANUAL DATA INPUT v1.1 REFERENCE GUIDE FOR MANUAL DATA INPUT v. TABLE OF CONTENTS Introduction User Roles Logging in to VIVO Site Administration Menu Navigating VIVO Data Input Overview Profile Fields Mapping a CV to a VIVO

More information

SDC PLATINUM QUICK START GUIDE

SDC PLATINUM QUICK START GUIDE SDC PLATINUM QUICK START GUIDE Date of issue: 21 May 2012 Contents Contents About this Document... 1 Intended Readership... 1 In this Document... 1 Feedback... 1 Chapter 1 Overview... 2 Get Started...

More information

MaintScape Training Course Table of Contents

MaintScape Training Course Table of Contents MaintScape Training Course Table of Contents Table of Contents... 1 Training Course Requirements... 3 Overview and Main Modules... 3 Search Window... 4 Reports are produced from the Search Window... 6

More information

FOCUS ON: DATABASE MANAGEMENT

FOCUS ON: DATABASE MANAGEMENT EXCEL 2002 (XP) FOCUS ON: DATABASE MANAGEMENT December 16, 2005 ABOUT GLOBAL KNOWLEDGE, INC. Global Knowledge, Inc., the world s largest independent provider of integrated IT education solutions, is dedicated

More information

Balance Point Technologies, Inc. MAX Toolbar for Microsoft Dynamics GP V2013. User Guide

Balance Point Technologies, Inc.   MAX Toolbar for Microsoft Dynamics GP V2013. User Guide Balance Point Technologies, Inc. MAX Toolbar for Microsoft Dynamics GP V2013 User Guide MAX Toolbar for Microsoft Dynamics GP V2013 Copyright Manual copyright 2013 Balance Point Technologies, Inc. All

More information

myreports User Guide A31003-P3010-U

myreports User Guide A31003-P3010-U myreports User Guide A31003-P3010-U107-17-7619 Our Quality and Environmental Management Systems are implemented according to the requirements of the ISO9001 and ISO14001 standards and are certified by

More information

Lab 01 Developing a Power Pivot Data Model in Excel 2013

Lab 01 Developing a Power Pivot Data Model in Excel 2013 Power BI Lab 01 Developing a Power Pivot Data Model in Excel 2013 Jump to the Lab Overview Terms of Use 2014 Microsoft Corporation. All rights reserved. Information in this document, including URL and

More information

Microsoft Access XP (2002) Queries

Microsoft Access XP (2002) Queries Microsoft Access XP (2002) Queries Column Display & Sorting Simple Queries And & Or Conditions Ranges Wild Cards Blanks Calculations Multi-table Queries Table of Contents INTRODUCTION TO ACCESS QUERIES...

More information

Recommendations for LXI systems containing devices supporting different versions of IEEE 1588

Recommendations for LXI systems containing devices supporting different versions of IEEE 1588 Recommendations for LXI systems containing devices supporting different versions of IEEE 1588 Revision 1.0 December 15, 2008 Edition Page 1 of 9 Notice of Rights All rights reserved. This document is the

More information

My Publications Quick Start Guide

My Publications Quick Start Guide IHS > Decision Support Tool My Publications Quick Start Guide January 28, 2011 Version 2.0 2011 IHS, All Rights Reserved. All trademarks belong to IHS or its affiliated and subsidiary companies, all rights

More information

CPD Essentials User Guide A practical introduction to CPD Essentials.

CPD Essentials User Guide A practical introduction to CPD Essentials. CPD Essentials User Guide A practical introduction to CPD Essentials www.cii.co.uk 2 Contents 3 Glossary and terminology 4 The home page 5 To do list 6 Editing time spent on programmes 7 Recording and

More information

Objective 1: Familiarize yourself with basic database terms and definitions. Objective 2: Familiarize yourself with the Access environment.

Objective 1: Familiarize yourself with basic database terms and definitions. Objective 2: Familiarize yourself with the Access environment. Beginning Access 2007 Objective 1: Familiarize yourself with basic database terms and definitions. What is a Database? A Database is simply defined as a collection of related groups of information. Things

More information

Houghton Mifflin Harcourt and its logo are trademarks of Houghton Mifflin Harcourt Publishing Company.

Houghton Mifflin Harcourt and its logo are trademarks of Houghton Mifflin Harcourt Publishing Company. Guide for Teachers Updated September 2013 Houghton Mifflin Harcourt Publishing Company. All rights reserved. Houghton Mifflin Harcourt and its logo are trademarks of Houghton Mifflin Harcourt Publishing

More information

CA Output Management Web Viewer

CA Output Management Web Viewer CA Output Management Web Viewer User Guide Release 12.1.00 This Documentation, which includes embedded help systems and electronically distributed materials, (hereinafter referred to as the Documentation

More information

2 The Stata user interface

2 The Stata user interface 2 The Stata user interface The windows This chapter introduces the core of Stata s interface: its main windows, its toolbar, its menus, and its dialogs. The five main windows are the Review, Results, Command,

More information

e-builder User Guide Views

e-builder User Guide Views Views 2016 e-builder, Inc. e-builder 8.12 Help by e-builder, Inc. 2016 e-builder, Inc. All rights reserved. No parts of this work may be reproduced in any form or by any means - graphic, electronic, or

More information

CYMA IV. Accounting for Windows. CYMA IV Getting Started Guide. Training Guide Series

CYMA IV. Accounting for Windows. CYMA IV Getting Started Guide. Training Guide Series CYMA IV Accounting for Windows Training Guide Series CYMA IV Getting Started Guide November 2010 CYMA Systems, Inc. 2330 West University Drive, Suite 4 Tempe, AZ 85281 (800) 292-2962 Fax: (480) 303-2969

More information

CorpSystem Workpaper Manager. Admin Guide

CorpSystem Workpaper Manager. Admin Guide CorpSystem Workpaper Manager Admin Guide December 2011 Copyright 2011 CCH INCORPORATED. A Wolters Kluwer business. All Rights Reserved. Material in this publication may not be reproduced or transmitted,

More information

Plunkett Research Online

Plunkett Research Online Plunkett Research Online User s Guide Welcome to Plunkett Research Online. This user guide will show you everything you need to know to access and utilize the wealth of information available from Plunkett

More information

ORACLE USER PRODUCTIVITY KIT KNOWLEDGE CENTER: REPORTS MANAGEMENT RELEASE 11.0 PART NO. E

ORACLE USER PRODUCTIVITY KIT KNOWLEDGE CENTER: REPORTS MANAGEMENT RELEASE 11.0 PART NO. E ORACLE USER PRODUCTIVITY KIT KNOWLEDGE CENTER: REPORTS MANAGEMENT RELEASE 11.0 PART NO. E23918-01 JULY 2011 COPYRIGHT & TRADEMARKS Copyright 1998, 2011, Oracle and/or its affiliates. All rights reserved.

More information

Microsoft Office 2010: Introductory Q&As Access Chapter 3

Microsoft Office 2010: Introductory Q&As Access Chapter 3 Microsoft Office 2010: Introductory Q&As Access Chapter 3 Is the form automatically saved the way the report was created when I used the Report Wizard? (AC 142) No. You will need to take specific actions

More information

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

De La Salle University Information Technology Center. Microsoft Windows SharePoint Services and SharePoint Portal Server 2003 De La Salle University Information Technology Center Microsoft Windows SharePoint Services and SharePoint Portal Server 2003 WEB DESIGNER / ADMINISTRATOR User s Guide 2 Table Of Contents I. What is Microsoft

More information

Oracle. Service Cloud Knowledge Advanced User Guide

Oracle. Service Cloud Knowledge Advanced User Guide Oracle Service Cloud Release November 2016 Oracle Service Cloud Part Number: E80589-02 Copyright 2015, 2016, Oracle and/or its affiliates. All rights reserved Authors: The Knowledge Information Development

More information

Global Support Software. User Guide

Global Support Software. User Guide Global Support Software User Guide Table of Contents Contacting Global Support Software Corp... 3 Log into the Site... 5 Changing your password...5 Self Registration...6 About Issues...6 The Home Page...

More information

Advanced ARC Reporting

Advanced ARC Reporting COPYRIGHT & TRADEMARKS Copyright 1998, 2009, Oracle and/or its affiliates. All rights reserved. Oracle is a registered trademark of Oracle Corporation and/or its affiliates. Other names may be trademarks

More information

User Guide. Customer Self Service (CSS) Web Application Progress Software Corporation. All rights reserved.

User Guide. Customer Self Service (CSS) Web Application Progress Software Corporation. All rights reserved. User Guide Customer Self Service (CSS) Web Application 1993-2017 Progress Software Corporation. Version 2.1 March 2017 Table of Contents Welcome... 3 Accessing the Customer Self Service (CSS) Web Application...

More information

PORTA ONE. PORTA Billing100. Customer Self-Care Interface.

PORTA ONE. PORTA Billing100. Customer Self-Care Interface. PORTA ONE PORTA Billing100 Customer Self-Care Interface www.portaone.com Customer Care Interface Copyright notice & disclaimers Copyright (c) 2001-2006 PortaOne, Inc. All rights reserved. PortaBilling100,

More information

Oracle Financial Services Regulatory Reporting Rwanda Suspicious Transaction Report User Guide. Release October 2014

Oracle Financial Services Regulatory Reporting Rwanda Suspicious Transaction Report User Guide. Release October 2014 Oracle Financial Services Regulatory Reporting Rwanda Suspicious Transaction Report User Guide Release 2.5.2 October 2014 Oracle Financial Services Regulatory Reporting Rwanda Suspicious Transaction Report

More information

Cisco TEO Adapter Guide for Microsoft System Center Operations Manager 2007

Cisco TEO Adapter Guide for Microsoft System Center Operations Manager 2007 Cisco TEO Adapter Guide for Microsoft System Center Operations Manager 2007 Release 2.3 April 2012 Americas Headquarters Cisco Systems, Inc. 170 West Tasman Drive San Jose, CA 95134-1706 USA http://www.cisco.com

More information

Access Intermediate

Access Intermediate Access 2013 - Intermediate 103-134 Advanced Queries Quick Links Overview Pages AC124 AC125 Selecting Fields Pages AC125 AC128 AC129 AC131 AC238 Sorting Results Pages AC131 AC136 Specifying Criteria Pages

More information

DataBar Online User Tutorial Updated September 2016

DataBar Online User Tutorial Updated September 2016 DataBar Online User Tutorial Updated September 2016 The DataBar Online tool was created to allow sellers of produce to communicate their Global Trade Item Numbers (GTINs) encoded inside of the DataBar

More information

ACTIVE Net Insights user guide. (v5.4)

ACTIVE Net Insights user guide. (v5.4) ACTIVE Net Insights user guide (v5.4) Version Date 5.4 January 23, 2018 5.3 November 28, 2017 5.2 October 24, 2017 5.1 September 26, 2017 ACTIVE Network, LLC 2017 Active Network, LLC, and/or its affiliates

More information

Aboriginal Information Systems. Per Capita Distribution TOBTAX. User Reference

Aboriginal Information Systems. Per Capita Distribution TOBTAX. User Reference Aboriginal Information Systems Per Capita Distribution TOBTAX User Reference Custom Software. Network Services. E-Business. Complete I T Solutions. 2005 - Advanced DataSystems Ltd. Copyright Information

More information

Quick Start Guide. Copyright 2016 Rapid Insight Inc. All Rights Reserved

Quick Start Guide. Copyright 2016 Rapid Insight Inc. All Rights Reserved Quick Start Guide Copyright 2016 Rapid Insight Inc. All Rights Reserved 2 Rapid Insight Veera - Quick Start Guide QUICK REFERENCE Workspace Tab MAIN MENU Toolbar menu options change when the Workspace

More information

Database. Ed Milne. Theme An introduction to databases Using the Base component of LibreOffice

Database. Ed Milne. Theme An introduction to databases Using the Base component of LibreOffice Theme An introduction to databases Using the Base component of LibreOffice Database Ed Milne Database A database is a structured set of data held in a computer SQL Structured Query Language (SQL) is a

More information

LexisNexis Coplogic Solutions LexisNexis Command Center. User Guide

LexisNexis Coplogic Solutions LexisNexis Command Center. User Guide LexisNexis Coplogic Solutions LexisNexis Command Center User Guide The recipient of this material (hereinafter "the Material") acknowledges that it contains confidential and proprietary data the disclosure

More information

Protect Your Investment In Asure ID. Thank You For Purchasing Asure ID Let s Get Started! Section 1 Installing Asure ID

Protect Your Investment In Asure ID. Thank You For Purchasing Asure ID Let s Get Started! Section 1 Installing Asure ID QuickStart Guide Protect Your Investment In Asure ID Save Valuable Time And Money With Asure ID Protect! Asure ID Protect is a comprehensive customer care program designed to ensure that you receive the

More information

Excel Forecasting Tools Review

Excel Forecasting Tools Review Excel Forecasting Tools Review Duke MBA Computer Preparation Excel Forecasting Tools Review Focus The focus of this assignment is on four Excel 2003 forecasting tools: The Data Table, the Scenario Manager,

More information

SharePoint Designer Advanced

SharePoint Designer Advanced SharePoint Designer Advanced SharePoint Designer Advanced (1:00) Thank you for having me here today. As mentioned, my name is Susan Hernandez, and I work at Applied Knowledge Group (http://www.akgroup.com).

More information

Overview. Filing an Amalgamation Application (Regular) Background. Downloads Download this overview for printing

Overview. Filing an Amalgamation Application (Regular) Background. Downloads Download this overview for printing Overview Filing an Amalgamation Application (Regular) The following overview provides information on how to file an Amalgamation Application (Regular) to amalgamate two or more BC companies. It also provides

More information

Governance, Risk, and Compliance Controls Suite. Release Notes. Software Version

Governance, Risk, and Compliance Controls Suite. Release Notes. Software Version Governance, Risk, and Compliance Controls Suite Release Notes Software Version 7.2.2.1 Governance, Risk, and Compliance Controls Suite Release Notes Part No. AG008-7221A Copyright 2007, 2008, Oracle Corporation

More information

Excel 2016: Part 2 Functions/Formulas/Charts

Excel 2016: Part 2 Functions/Formulas/Charts Excel 2016: Part 2 Functions/Formulas/Charts Updated: March 2018 Copy cost: $1.30 Getting Started This class requires a basic understanding of Microsoft Excel skills. Please take our introductory class,

More information

Sage One Accountant Edition. User Guide. Professional user guide for Sage One and Sage One Accountant Edition. Banking. Invoicing. Expenses.

Sage One Accountant Edition. User Guide. Professional user guide for Sage One and Sage One Accountant Edition. Banking. Invoicing. Expenses. Banking Invoicing Professional user guide for and Canadian Table of contents 2 2 5 Banking 8 Invoicing 15 21 22 24 34 35 36 37 39 Overview 39 clients 39 Accessing client books 46 Dashboard overview 48

More information

SAS Factory Miner 14.2: User s Guide

SAS Factory Miner 14.2: User s Guide SAS Factory Miner 14.2: User s Guide SAS Documentation The correct bibliographic citation for this manual is as follows: SAS Institute Inc. 2016. SAS Factory Miner 14.2: User s Guide. Cary, NC: SAS Institute

More information

Student Financials - Inquiry. Finance and Accounting Student Accounts

Student Financials - Inquiry. Finance and Accounting Student Accounts Student Financials - Inquiry Finance and Accounting Student Accounts 5/7/2009 Table of Contents Introduction... iv Lesson 1 - Basic Navigation... 1 1.1 Navigating in Student Financials... 1 Lesson 2 -

More information

VBA Collections A Group of Similar Objects that Share Common Properties, Methods and

VBA Collections A Group of Similar Objects that Share Common Properties, Methods and VBA AND MACROS VBA is a major division of the stand-alone Visual Basic programming language. It is integrated into Microsoft Office applications. It is the macro language of Microsoft Office Suite. Previously

More information

Designer TM for Microsoft Access

Designer TM for Microsoft Access Designer TM for Microsoft Access Application Guide 1.7.2018 This document is copyright 2009-2018 OpenGate Software. The information contained in this document is subject to change without notice. If you

More information

Oracle Insurance QuickView Service Ordering User Guide. Version 8.0

Oracle Insurance QuickView Service Ordering User Guide. Version 8.0 Oracle Insurance QuickView Service Ordering User Guide Version 8.0 February 2009 Oracle Insurance QuickView Service Ordering User Guide Version 8.0 Part # E14966-01 Library # E14885-01 E14886-01 February

More information

Institutional Reporting and Analysis (IRA) For help, blitz "Financial Reports", or

Institutional Reporting and Analysis (IRA) For help, blitz Financial Reports, or Institutional Reporting and Analysis (IRA) 1 Training Agenda Introduction to the IRA Reporting Tool Logging onto the system (4-5) Navigating the Dashboard (6-10) Running Reports (11-12) Working with Reports

More information

Cisco TEO Adapter Guide for Microsoft Windows

Cisco TEO Adapter Guide for Microsoft Windows Cisco TEO Adapter Guide for Microsoft Windows Release 2.3 April 2012 Americas Headquarters Cisco Systems, Inc. 170 West Tasman Drive San Jose, CA 95134-1706 USA http://www.cisco.com Tel: 408 526-4000 800

More information

General Ledger Updated December 2017

General Ledger Updated December 2017 Updated December 2017 Contents About General Ledger...4 Navigating General Ledger...4 Setting Up General Ledger for First-Time Use...4 Setting Up G/L Parameters...5 Setting the G/L Parameters...6 Setting

More information

The following Terms and Conditions apply to the use of this Website, as well as all transactions conducted through the site.

The following Terms and Conditions apply to the use of this Website, as well as all transactions conducted through the site. The following Terms and Conditions apply to the use of this Website, as well as all transactions conducted through the site. Copyright All content appearing on this Web site is the property of: Osprey

More information

Advanced SmartList 2016

Advanced SmartList 2016 Advanced SmartList 2016 An application for Microsoft Dynamics TM GP 2016 Furthering your success through innovative business solutions Copyright Manual copyright 2016 Encore Business Solutions, Inc. Printed

More information

Oracle. Service Cloud Knowledge Advanced User Guide

Oracle. Service Cloud Knowledge Advanced User Guide Oracle Service Cloud Release May 2017 Oracle Service Cloud Part Number: E84078-03 Copyright 2015, 2016, 2017, Oracle and/or its affiliates. All rights reserved Authors: The Knowledge Information Development

More information

USING ODBC COMPLIANT SOFTWARE MINTRAC PLUS CONTENTS:

USING ODBC COMPLIANT SOFTWARE MINTRAC PLUS CONTENTS: CONTENTS: Summary... 2 Microsoft Excel... 2 Creating a New Spreadsheet With ODBC Data... 2 Editing a Query in Microsoft Excel... 9 Quattro Pro... 12 Creating a New Spreadsheet with ODBC Data... 13 Editing

More information

SirsiDynix Symphony 3.3 Request Training Guide DOC- REQGEN -S

SirsiDynix Symphony 3.3 Request Training Guide DOC- REQGEN -S SirsiDynix Symphony 3.3 Request Training Guide DOC- REQGEN -S Publication Name: SirsiDynix Symphony 3.3 Request Training Guide Publication Number: DOC- REQGEN -S Updated: July 2009 Additional copies of

More information