In this lab class we will approach the following topics:

Size: px
Start display at page:

Download "In this lab class we will approach the following topics:"

Transcription

1 Department f Cmputer Science and Engineering 2013/2014 Database Administratin and Tuning Lab 8 2nd semester In this lab class we will apprach the fllwing tpics: 1. Query Tuning 1. Rules f thumb fr query tuning 2. Index Tuning 1. Using the the Database Engine Tuning Advisr 3. Experiments and Exercises 1. A Practical Exercise Using the Database Engine Tuning Advisr 2. Implementing the Database Engine Tuning Advisr recmmendatins 3. Exercise 1. Query Tuning SQL Server uses cst-based ptimizatin, i.e. it tries t find the executin plan with the lwest pssible cst, where cst means bth the time the query will take t execute and the hardware resurces that will be used. Basically, the query ptimizer is lking t minimize the number f lgical reads required t fetch the required data. The bad news is that it is nt magic, and the ptimizer des nt always cme up with the best slutin. A database administratr shuld be aware f the factrs that gvern query ptimizatin, what pitfalls there are, and hw the query ptimizer can be assisted in its jb. Database administratrs wh knw well their data can ften influence the ptimizer t chse certain indexes, in rder t cme up with the mst efficient slutin Rules f Thumb fr Query Tuning There are sme very basic guidelines fr writing efficient SQL cde. These guidelines largely cnstitute nthing mre than writing queries in the prper way. In fact, it might be quite surprising t learn that, as yu wrk with a relatinal database, ne f the mst cmmn causes f perfrmance prblems can usually be tracked dwn t prly cded queries. We will nw discuss in general terms what, in SQL statements, is gd fr perfrmance, and what is nt. Make careful use f the HAVING clause. HAVING is intended t filter recrds frm the result f a GROUP BY, and a cmmn mistake is using it t filter recrds that can be mre efficiently filtered using a WHERE clause. Make careful use f the DISTINCT clause. DISTINCT can cause an additinal srt peratin, and it shuld be avided except when strictly necessary. IST/DEI Pág. 1 de 10

2 Make careful use f functins. They simply shuld nt be used where yu expect an SQL statement t use an index. When using a functin in a query, d nt execute it against a table field if pssible. Instead, apply it n the search value, fr example: SELECT * FROM custmer WHERE zip = TO_NUMBER('94002') Data type cnversins are ften a prblem and will likely cnflict with existing indexes (e.g., an index is created ver a VARCHAR atribute named datestr, but a query accesses the atribute as if it were a date, fr instance thrugh a cnversin functin such as CONVERT(DATETIME, datestr)). Unless implicit data type cnversin ccurs, e.g. between number and string, indexes will likely be ignred. Make careful use f the ORDER BY clause. Avid srting the results when that is nt strictly necessary. Use UNION ALL instead f UNION. When yu use the UNION clause t cncatenate the results frm tw r mre SELECT statements, duplicate recrds are remved. This duplicate remval requires additinal cmputing. If yu are nt cncerned that yur results may include duplicate recrds, use the UNION ALL clause, which cncatenates the full results frm the SELECT statements. Avid anti-cmparisns. Avid instructins such as!= r NOT, as they are lking fr what is nt in a table the entire table must be read regardless. Use IN t test against literal values and EXISTS t create a crrelatin between a calling query and a subquery. IN will cause a subquery t be executed in its entirety befre passing the result t the calling query. EXISTS will stp nce a result is fund. Avid using the OR r the IN peratrs. Ntice, fr instance, that SELECT * FROM emplyees WHERE state IN ('CA', 'IL', 'KS') is the same as SELECT * FROM emplyees WHERE state = 'CA' OR state = 'IL' OR state = 'KS', and bth are cstly queries t execute. The query ptimizer will always perfrm a table scan (r a clustered index scan n an indexed table) if the WHERE clause in the query cntains an OR peratr, and if any f the referenced clumns in the OR clause des nt have an index with the clumn as the search key. If yu use many queries cntaining OR clauses r IN peratrs, yu will want t ensure that each referenced clumn has an index. A query with ne r mre OR clauses, r using the IN peratr, can smetimes be rewritten as a series f queries that are cmbined with a UNION statement, in rder t bst the perfrmance. Fr ptimizing jins, the fllwing rules f thumb apply: IST/DEI Pág. 2 de 10

3 Use equality first, and nly use range peratrs where equality des nt apply. Avid the use f negatives in the frm f!= r NOT. Avid LIKE pattern matching. In the relatins being jined, try t retrieve specific rws, and in small numbers, s that nly a small number f rws is actually invlved in the jin peratin(s). Filter large tables befre applying a jin peratin, t reduce the number f rws that is jined. Als access tables frm the mst highly filtered, preferably the largest, dwnward. Ntice that this is imprtante t reduce the number f rws that is invlved in the jin peratin(s). Use indexes wherever pssible except fr very small tables. Regarding jins, nested sub-queries can be difficult t tune but can ften be a viable tl, and smetimes highly effective, fr tuning mutable cmplex jins, with three and smetimes many mre tables in a single query. The term mutable cmplex jins refers t jin queries invlving mre than tw tables, that are mutable in the sense that different jin rders can be cnsidered, and that are cmplex in the sense that they invlve ther selectins n the tables that are being jined. Using nested sub-queries, it might be easier t tune such queries, because ne can tune each sub-query independently. 2. Index Tuning In terms f tuning, the ptin that prduces maximum gains with least impact n existing systems and prcesses is t examine yur indexing strategy. Hwever, the task f identifying the right indexes is nt necessarily straightfrward. It requires a sund knwledge f the srt f queries that will be run against the data, the distributin f that data, and the vlume f data, as well as an understanding f what type f index will best suit yur needs. Cnsider the fllwing query: Select A, COUNT(*) FROM T WHERE X < 10 GROUP BY A; The fllwing different physical design structures can reduce the executin cst f this query: (i) A clustered index n X; (ii) Table range partitined n X; (iii) A nn-clustered index with key X and including the additinal atribute A; (iv) A materialized view that matches the query, and s n. These alternatives can have widely varying strage and update characteristics. Thus, in the IST/DEI Pág. 3 de 10

4 presence f strage cnstraints, r fr a wrklad cntaining updates, making a glbal chice fr a wrklad is difficult. Fr example, a clustered index n a table and hrizntal partitining f a table are bth nn-redundant structures (i.e., they incur negligible additinal strage verhead) whereas nn-clustered indexes and materialized views can be ptentially strage intensive and invlve higher update csts. Hwever, nn-clustered indexes and materialized views can ften be much mre beneficial than a clustered index r a hrizntally partitined table. Clearly, a physical design tl that can give an integrated physical design recmmendatin can greatly reduce/eliminate the need fr a DBA t make ad-hc decisins. While understanding the basics is still essential, SQL Server des ffer a helping hand in the frm f sme tls in particular, the Database Engine Tuning Advisr that can help t determine, tune and mnitr yur indexes. It can be used t get answers t the fllwing questins: Which indexes are needed fr specific queries? Hw t mnitr index usage and its effectiveness? Hw t identify redundant indexes that culd negatively impact perfrmance? As the wrklad changes, hw t identify missing indexes that culd enhance perfrmance fr the new queries? 2.1. Using the Database Engine Tuning Advisr Determining exactly the right indexes fr yur system can be quite a taxing prcess. Fr example, yu have t cnsider: Which clumns shuld be indexed, based n the knwledge n hw the data is queried. Whether t chse a single-clumn index r a multiple clumn index. Whether t use a clustered index r a nn-clustered index. Whether ne culd benefit frm an index with included clumns. Hw t utilize indexed (i.e., materialized) views. Mrever, nce yu have determined the perfect set f indexes, yur jb is nt finished. Yur wrklad will change ver time (i.e., new queries will be added, and lder nes remved) and this might warrant revisiting existing indexes, analyzing their usage and making adjustments (i.e., mdifying r drpping existing indexes and creating new nes). Maintenance f indexes is critical t ensure ptimal perfrmance in the lng run. The Database Engine Tuning Advisr (DTA) is a physical design tl prviding an integrated cnsle where DBAs can tune all physical design features supprted by the IST/DEI Pág. 4 de 10

5 server. The DTA takes int accunt all aspects f perfrmance that the query ptimizer can mdel, including the impact f multiple prcessrs, amunt f memry n the server, and s n. It is imprtant t nte, hwever, that query ptimizers typically d nt mdel all the aspects f query executin (e.g., impact f indexes n lcking behavir, impact f data layut etc.). Thus, DTA s estimated imprvement can be different frm the actual imprvement in executin time. Taking as input a wrklad t fine-tune, i.e., a set f SQL statements that execute against the database server, the DTA prduces a set f physical design recmmendatins, cnsisting f indexes, materialized views, and strategies fr hrizntal range partitining f tables, indexes and views. The basis f DTA s recmmendatins is a what-if analysis prvided by the SQL Server query ptimizer, which allws the cmputatin f an estimated cst as if a given cnfiguratin (e.g., the existence f sme indexes) was materialized in the database. Similarly t the actual evaluatin f a given query plan, the query ptimizer cmpnent can d an evaluatin cnsidering the what-if existence f a given physical design structure. Yu can tune a single query r the entire wrklad t which yur server is subjected. A wrklad can be btained, fr instance, by using SQL Server Prfiler, i.e., a tl fr lgging events (e.g., queries) that execute n a server. In this case, the wrklad wuld be given t the DTA in the frm f a trace file, btained with the SQL Server Prfiler. The Prfiler tl is just used t cllect the wrklad, whereas the DTA perfrms the actual analysis and the tuning suggestins. Alternatively, a wrklad can be specified as an SQL file cntaining an rganizatin r industry benchmark. In this case, a text file with the SQL fr each query in the wrklad wuld be given t the DTA. The DTA can als take as input wrklads referring t either a single r t a set f databases, as many applicatins use mre than ne database simultaneusly. Based n the ptins that yu select, yu can use the DTA t make recmmendatins fr several Physical Design Structures (PDS), including: Clustered indexes Nn-clustered indexes Indexes with included clumns (t avid bkmark lkups) Indexed views Partitins The first step is t cllect a wrklad fr DTA t analyze. Yu can d this in ne f tw ways: IST/DEI Pág. 5 de 10

6 Using the Management Studi If yu need t ptimize the perfrmance f a single query, yu can use Management Studi t prvide directly an input t DTA. Type the query in Management Studi, highlight it and then right click n it t chse Analyze in Database Engine Tuning Advisr. Using the Prfiler If yu want t determine the ptimum index set fr the entire wrklad, crrespnding t the actual queries that are being executed against an SQL Server instance, yu shuld cllect a prfiler trace with the TUNING template (i.e., ne f the pssible ptins fr the trace file that is generated by the SQL Server Prfiler, and that cntains all the infrmatin that is required by the Database Engine Tuning Advisr). T fully explit the effectiveness f DTA, yu shuld always use a representative prfiler trace. Fr instance, the indexes and partitining cnsidered by the DTA are limited nly t interesting clumn grups (i.e., thse clumns that appear in a large fractin f the queries in the wrklad that have the highest cst), in rder t imprve scalability with little impact n quality. If the prfiler trace is nt representative f a true wrklad, imprtant queries will likely be missing. Yu shuld make sure that yu subject yur server t all the queries that will typically be run against the data, while yu are cllecting the trace. This culd lead t a huge trace file, but that is nrmal. If yu simply cllect a prfiler trace ver a 5-10 minute perid, yu can be pretty sure it will nt be truly representative f all the queries executed against yur database. In the SQL Prfiler, the TUNING template captures nly minimal events, s there shuld nt be any significant perfrmance impact n yur server. A technique fr wrklad cmpressin is als emplyed, partitining wrklads with basis n a signature f each query (i.e., tw queries have the same signature if they are identical in all aspects except fr the cnstants referenced in the query). 3. Experiments and Exercises 3.1. A Practical Exercise Using the Database Engine Tuning Advisr As materials fr this class, we have prvided a wrklad (Queries4Wrklad.sql) against the AdventureWrks2012 database. We recmmend that yu use this wrklad, t get a hands-n perspective f the DTA. Alternatively t prviding an SQL script with the wrklad, yu can use the SQL Prfiler Tl t gather a system trace, and prvide this trace as input t the DTA. IST/DEI Pág. 6 de 10

7 Assuming that the given wrklad is representative f the queries that wuld be executed against the database, yu can use it as an input t the DTA, which will then generate recmmendatins. Yu can perfrm ne f the fllwing tw types f analysis. A. Keep my existing Physical Design Structures and tell me what else I am missing This type f analysis is cmmn and is useful if yu have previusly established the set f indexes that yu deem t be mst useful fr yur given wrklad, and are seeking further recmmendatins. T cnduct this analysis: 1. Initiate a new sessin in the DTA, by launching the crrespnding tl frm the Windws menu with the SQL Server Perfrmance Tls, r by selecting this tl frm the tls menu within the SQL Server Management Studi. 2. Chse the prvided wrklad as the input t this sessin. 3. In the Select databases and tables t tune sectin, select AdventureWrks In the Database fr wrklad analysis drpdwn, use AdventureWrks At the Tuning Optins tab, select the fllwing ptins: (1) Physical Design Structures t use in database -> Indexes and Indexed views (2) Physical Design Structures t keep in database -> Keep all existing PDS 6. Uncheck the checkbx fr limit tuning time. 7. Hit START ANALYSIS -- the DTA will start cnsuming yur wrklad. Once DTA finishes cnsuming the wrklad, it will list its recmmendatins under the recmmendatins tab. B. Ignre my existing Physical Design Structures and tell me what query ptimizer needs In the previus scenari, DTA makes recmmendatins fr any missing indexes. Hwever, this des nt necessarily mean yur existing indexes are ptimal fr the query ptimizer. Yu may als cnsider cnducting an analysis whereby DTA ignres all existing physical design structures and recmmends what it deems the best pssible set fr the given wrklad. This way, yu can validate yur assumptins abut what indexes are required. T cnduct this analysis, fllw steps 1 t 6 f the previus scenari, except that at step 5(2), chse D nt keep any existing PDS. Cntrary t hw this might sund, the DTA will nt actually drp r delete any existing physical design structures. This is the biggest advantage f using DTA, as it means yu can use the tl t perfrm what-if analysis withut actually intrducing any changes t the underlying schema. IST/DEI Pág. 7 de 10

8 After cnsuming the wrklad, DTA presents, under the recmmendatins tab, a set f tuning recmmendatins. A gd idea is t fcus n the fllwing sectins: Recmmendatin this is the actin that yu need t take. Pssible values include Create r Drp. Target f Recmmendatin this is the prpsed name f the physical design structure t be created. The naming cnventin is typical f DTA and generally starts with _dta*. Hwever, it is recmmended that yu change this name based n the naming cnventin in yur database. Definitin this is the list f clumns that this new physical design structure will include. If yu click n the hyperlink, it will pen up a new windw with the T-SQL script t implement this recmmendatin. Estimated Imprvements this is the estimated percentage imprvement that yu can expect in yur wrklad perfrmance, if yu implement all the recmmendatins made by DTA. Space used by recmmendatin (MB) under the Tuning Summary sectin f the Reprts tab, yu can find ut the extra space in MB that yu wuld need, if yu decide t implement these recmmendatins. The reprts tab features several in-built analysis reprts. There are 15 built-in reprts, but the fllwing three are the mst imprtant. Current Index Usage Reprt - Start with this reprt t see hw yur existing indexes are being used by the queries running against yur server. Each index that has been used by a query is listed here. Each referenced index has a Percent Usage value which indicates the percentage f statements in yur wrklad that referenced this index. If an index is nt listed here, it means that it has nt been used by any query in yur wrklad. If yu are certain that all the queries that run against yur server have been captured by yur prfiler trace, then yu can use this reprt t identify indexes that are nt required and pssibly delete them. Recmmended Index Usage Reprt - Lk at this reprt t identify hw index usage will change if the recmmended indexes are implemented. If yu cmpare these tw reprts, yu will see that the index usage f sme f the current indexes has fallen while sme new indexes have been included with a higher usage percentage, indicating a different executin plan fr yur wrklad and imprved perfrmance. Statement Cst Reprt - This reprt lists individual statements in yur wrklad and IST/DEI Pág. 8 de 10

9 the estimated perfrmance imprvement fr each ne. Using this reprt, yu can identify yur prly perfrming queries and see the srt f imprvement yu can expect if yu implement the recmmendatins made by DTA. Yu will find that sme statements dn't have any imprvements (Percent imprvement = 0). This is because either the statement was nt tuned fr sme reasn r it already has all the indexes that it needs t perfrm ptimally. 3.2 Implementing the Database Engine Tuning Advisr Recmmendatins By nw, we have cllected a wrklad using Prfiler, cnsumed it using the DTA, and gt a set f recmmendatins t imprve perfrmance. Yu then have the chice t either: Save recmmendatins yu can save the recmmendatins in an SQL script by navigating t ACTIONS -> SAVE RECOMMENDATIONS. Yu can then manually run the script in Management Studi t create all the recmmended physical design structures. Apply recmmendatins using the DTA if yu are happy with the set f recmmendatins, then simply navigate t ACTIONS -> APPLY RECOMMENDATIONS. Yu can als schedule a later time t apply these recmmendatins, fr instance during ff-peak hurs s that interference with ther peratins is minimal. Perfrming what-if analysis is a very useful feature f the DTA. Yu may nt want t apply all the recmmendatins that the DTA prvided. Hwever, since the Estimated Imprvement value can nly be achieved if yu apply all f these recmmendatins tgether, yu are nt really sure what kind f impact it will have if yu nly chse t apply a sub-set f these recmmendatins. T d a what-if analysis, deselect the recmmendatins that yu d nt want t apply. Nw, g t ACTIONS -> EVALUATE RECOMMENDATIONS. This will launch anther sessin with the same ptins as the earlier ne. Hwever, when yu click n START ANALYSIS, the DTA will prvide data n estimated perfrmance imprvements, based n just this sub-set f the recmmendatins. Again, the key thing t remember is that the DTA perfrms this what-if analysis withut actually implementing anything in the database Exercise Cnsider the fllwing nrmalized relatin where the primary key is ID: Emplyees(ID, name, salary, department, cntract_year) Cnsider as well the fllwing fur queries equally imprtant and frequent: a) What is the average number f emplyees per department? b) Which are the IDs f the emplyees with the highest salary? c) What is the ttal amunt f salaries paid by each department? d) Hw many emplyees were hired in the current year? IST/DEI Pág. 9 de 10

10 Cnsidering each query individually, which indices wuld yu create ver the relatin? Fr each index, indicate the type (hash r B+tree) and indicate if the index is clustered r nnclustered. Justify. IST/DEI Pág. 10 de 10

Licensing Windows Server 2012 for use with virtualization technologies

Licensing Windows Server 2012 for use with virtualization technologies Vlume Licensing brief Licensing Windws Server 2012 fr use with virtualizatin technlgies (VMware ESX/ESXi, Micrsft System Center 2012 Virtual Machine Manager, and Parallels Virtuzz) Table f Cntents This

More information

Licensing Windows Server 2012 R2 for use with virtualization technologies

Licensing Windows Server 2012 R2 for use with virtualization technologies Vlume Licensing brief Licensing Windws Server 2012 R2 fr use with virtualizatin technlgies (VMware ESX/ESXi, Micrsft System Center 2012 R2 Virtual Machine Manager, and Parallels Virtuzz) Table f Cntents

More information

Getting Started Guide

Getting Started Guide AnswerDash Resurces http://answerdash.cm Cntextual help fr sales and supprt Getting Started Guide AnswerDash is cmmitted t helping yu achieve yur larger business gals. The utlined pre-launch cnsideratins

More information

Using Sentry-go Enterprise/ASPX for Sentry-go Quick & Plus! monitors

Using Sentry-go Enterprise/ASPX for Sentry-go Quick & Plus! monitors Using Sentry-g Enterprise/ASPX fr Sentry-g Quick & Plus! mnitrs 3Ds (UK) Limited, February, 2014 http://www.sentry-g.cm Be Practive, Nt Reactive! Intrductin Sentry-g Enterprise Reprting is a self-cntained

More information

Application Note: 202

Application Note: 202 Applicatin Nte: 202 MDK-ARM Cmpiler Optimizatins Getting the Best Optimized Cde fr yur Embedded Applicatin Abstract This dcument examines the ARM Cmpilatin Tls, as used inside the Keil MDK-ARM (Micrcntrller

More information

QAD Operations BI Metrics Demonstration Guide. May 2015 BI 3.11

QAD Operations BI Metrics Demonstration Guide. May 2015 BI 3.11 QAD Operatins BI Metrics Demnstratin Guide May 2015 BI 3.11 Overview This demnstratin fcuses n ne aspect f QAD Operatins Business Intelligence Metrics and shws hw this functinality supprts the visin f

More information

DIRECT DATA EXPORT (DDE) USER GUIDE

DIRECT DATA EXPORT (DDE) USER GUIDE 2 ND ANNUAL PSUG-NJ CONFERNCE PSUG-NJ STUDENT MANAGEMENT SYSTEM DIRECT DATA EXPORT (DDE) USER GUIDE VERSION 7.6+ APRIL, 2013 FOR USE WITH POWERSCHOOL PREMIER VERSION 7.6+ Prepared by: 2 TABLE OF CONTENTS

More information

Live Analytics for Kaltura Live Streaming Information Guide. Version: Jupiter

Live Analytics for Kaltura Live Streaming Information Guide. Version: Jupiter Live Analytics fr Kaltura Live Streaming Infrmatin Guide Versin: Jupiter Kaltura Business Headquarters 250 Park Avenue Suth, 10th Flr, New Yrk, NY 10003 Tel.: +1 800 871 5224 Cpyright 2015 Kaltura Inc.

More information

How to put together a Workforce Development Fund (WDF) claim 2015/16

How to put together a Workforce Development Fund (WDF) claim 2015/16 Index Page 2 Hw t put tgether a Wrkfrce Develpment Fund (WDF) claim 2015/16 Intrductin What eligibility criteria d my establishment/s need t meet? Natinal Minimum Data Set fr Scial Care (NMDS-SC) and WDF

More information

How to Reduce Project Lead Times Through Improved Scheduling

How to Reduce Project Lead Times Through Improved Scheduling Hw t Reduce Prject Lead Times Thrugh Imprved Scheduling PROBABILISTIC SCHEDULING & BUFFER MANAGEMENT Cnventinal Prject Scheduling ften results in plans that cannt be executed and t many surprises. In many

More information

learndirect Test Information Guide The National Test in Adult Numeracy

learndirect Test Information Guide The National Test in Adult Numeracy learndirect Test Infrmatin Guide The Natinal Test in Adult Numeracy 1 Cntents The Natinal Test in Adult Numeracy: Backgrund Infrmatin... 3 What is the Natinal Test in Adult Numeracy?... 3 Why take the

More information

Mobile Device Manager Admin Guide. Reports and Alerts

Mobile Device Manager Admin Guide. Reports and Alerts Mbile Device Manager Admin Guide Reprts and Alerts September, 2013 MDM Admin Guide Reprts and Alerts i Cntents Reprts and Alerts... 1 Reprts... 1 Alerts... 3 Viewing Alerts... 5 Keep in Mind...... 5 Overview

More information

Draft for consultation

Draft for consultation Draft fr cnsultatin Draft Cde f Practice n discipline and grievance May 2008 Further infrmatin is available frm www.acas.rg.uk CONSULTATION ON REVISED ACAS CODE OF PRACTICE ON DISCIPLINE AND GRIEVANCE

More information

TRAINING GUIDE. Crystal Reports for Work

TRAINING GUIDE. Crystal Reports for Work TRAINING GUIDE Crystal Reprts fr Wrk Crystal Reprts fr Wrk Orders This guide ges ver particular steps and challenges in created reprts fr wrk rders. Mst f the fllwing items can be issues fund in creating

More information

CHAPTER 26: INFORMATION SEARCH

CHAPTER 26: INFORMATION SEARCH Chapter 26: Infrmatin Search CHAPTER 26: INFORMATION SEARCH AVImark allws yu t lcate r target a variety f infrmatin in yur data including clients, patients, Medical Histry, and accunting. The data can

More information

Welcome to Microsoft Access Basics Tutorial

Welcome to Microsoft Access Basics Tutorial Welcme t Micrsft Access Basics Tutrial After studying this tutrial yu will learn what Micrsft Access is and why yu might use it, sme imprtant Access terminlgy, and hw t create and manage tables within

More information

The ad hoc reporting feature provides a user the ability to generate reports on many of the data items contained in the categories.

The ad hoc reporting feature provides a user the ability to generate reports on many of the data items contained in the categories. 11 This chapter includes infrmatin regarding custmized reprts that users can create using data entered int the CA prgram, including: Explanatin f Accessing List Screen Creating a New Ad Hc Reprt Running

More information

Service Desk Self Service Overview

Service Desk Self Service Overview Tday s Date: 08/28/2008 Effective Date: 09/01/2008 Systems Invlved: Audience: Tpics in this Jb Aid: Backgrund: Service Desk Service Desk Self Service Overview All Service Desk Self Service Overview Service

More information

Access to the Ashworth College Online Library service is free and provided upon enrollment. To access ProQuest:

Access to the Ashworth College Online Library service is free and provided upon enrollment. To access ProQuest: PrQuest Accessing PrQuest Access t the Ashwrth Cllege Online Library service is free and prvided upn enrllment. T access PrQuest: 1. G t http://www.ashwrthcllege.edu/student/resurces/enterlibrary.html

More information

Excel Contact Reports

Excel Contact Reports Excel Cntact Reprts v.1.0 Anther efficient and affrdable ACT! Add-On by http://www.expnenciel.cm Excel Cntact Reprts User s Manual 2 Table f cntents Purpse f the add-n... 3 Installatin prcedure... 3 The

More information

Ad Hoc Reporting: Query Building Tyler SIS Version 10.5

Ad Hoc Reporting: Query Building Tyler SIS Version 10.5 Mdule: Tpic: Ad Hc Reprting Ad Hc Reprting Basics Ad Hc Reprting: Query Building Tyler SIS Versin 10.5 Cntents OBJECTIVE... 1 OVERVIEW... 2 PREREQUISITES... 2 PROCEDURES... 3 THE COLUMN LISTING LANDSCAPE...

More information

Chris Chiron, Interim Senior Director, Employee & Management Relations Jessica Moore, Senior Director, Classification & Compensation

Chris Chiron, Interim Senior Director, Employee & Management Relations Jessica Moore, Senior Director, Classification & Compensation TO: FROM: HR Officers & Human Resurces Representatives Chris Chirn, Interim Senir Directr, Emplyee & Management Relatins Jessica Mre, Senir Directr, Classificatin & Cmpensatin DATE: May 26, 2015 RE: Annual

More information

Watlington and Chalgrove GP Practice - Patient Satisfaction Survey 2011

Watlington and Chalgrove GP Practice - Patient Satisfaction Survey 2011 Watlingtn and Chalgrve GP - Patient Satisfactin Survey 2011 Backgrund During ne week in Nvember last year patients attending either the Chalgrve r the Watlingtn surgeries were asked t cmplete a survey

More information

Access EEC s Web Applications... 2 View Messages from EEC... 3 Sign In as a Returning User... 3

Access EEC s Web Applications... 2 View Messages from EEC... 3 Sign In as a Returning User... 3 EEC Single Sign In (SSI) Applicatin The EEC Single Sign In (SSI) Single Sign In (SSI) is the secure, nline applicatin that cntrls access t all f the Department f Early Educatin and Care (EEC) web applicatins.

More information

Exercise 5 Server Configuration, Web and FTP Instructions and preparatory questions Administration of Computer Systems, Fall 2008

Exercise 5 Server Configuration, Web and FTP Instructions and preparatory questions Administration of Computer Systems, Fall 2008 Exercise 5 Server Cnfiguratin, Web and FTP Instructins and preparatry questins Administratin f Cmputer Systems, Fall 2008 This dcument is available nline at: http://www.hh.se/te2003 Exercise 5 Server Cnfiguratin,

More information

Getting Started Guide

Getting Started Guide Getting Started Guide AnswerDash is cmmitted t helping yu achieve yur larger business gals. The utlined pre-launch cnsideratins are key t setting up yur implementatin s yu can make pwerful imprvements

More information

Frequently Asked Questions November 19, 2013. 1. Which browsers are compatible with the Global Patent Search Network (GPSN)?

Frequently Asked Questions November 19, 2013. 1. Which browsers are compatible with the Global Patent Search Network (GPSN)? Frequently Asked Questins Nvember 19, 2013 General infrmatin 1. Which brwsers are cmpatible with the Glbal Patent Search Netwrk (GPSN)? Ggle Chrme (v23.x) and IE 8.0. 2. The versin number and dcument cunt

More information

How To Set Up A General Ledger In Korea

How To Set Up A General Ledger In Korea MODULE 6: RECEIVABLES AND PAYABLES MANAGEMENT: PAYMENT DISCOUNT AND PAYMENT TOLERANCE Mdule Overview Granting payment discunts prvides an incentive fr custmers t quickly pay their utstanding amunts in

More information

Implementing SQL Manage Quick Guide

Implementing SQL Manage Quick Guide Implementing SQL Manage Quick Guide The purpse f this dcument is t guide yu thrugh the quick prcess f implementing SQL Manage n SQL Server databases. SQL Manage is a ttal management slutin fr Micrsft SQL

More information

Online Learning Portal best practices guide

Online Learning Portal best practices guide Online Learning Prtal Best Practices Guide best practices guide This dcument prvides Micrsft Sftware Assurance Benefit Administratrs with best practices fr implementing e-learning thrugh the Micrsft Online

More information

MS SQL SERVER. Course Catalog 2012-2013

MS SQL SERVER. Course Catalog 2012-2013 MS SQL SERVER Curse Catalg 2012-2013 Micrs SQL Server 2012 Administratin This class cnsists f hands-n training that fcus n the fundamentals f administering the SQL Server 2012 database engine. Participants

More information

Business Intelligence represents a fundamental shift in the purpose, objective and use of information

Business Intelligence represents a fundamental shift in the purpose, objective and use of information Overview f BI and rle f DW in BI Business Intelligence & Why is it ppular? Business Intelligence Steps Business Intelligence Cycle Example Scenaris State f Business Intelligence Business Intelligence Tls

More information

Retirement Planning Options Annuities

Retirement Planning Options Annuities Retirement Planning Optins Annuities Everyne wants a glden retirement. But saving fr retirement is n easy task. The baby bmer generatin is graying. Mre and mre peple are appraching retirement age. With

More information

1 GETTING STARTED. 5/7/2008 Chapter 1

1 GETTING STARTED. 5/7/2008 Chapter 1 5/7/2008 Chapter 1 1 GETTING STARTED This chapter intrduces yu t the web-based UIR menu system. Infrmatin is prvided abut the set up necessary t assign users permissin t enter and transmit data. This first

More information

The Importance of Market Research

The Importance of Market Research The Imprtance f Market Research 1. What is market research? Successful businesses have extensive knwledge f their custmers and their cmpetitrs. Market research is the prcess f gathering infrmatin which

More information

Improved Data Center Power Consumption and Streamlining Management in Windows Server 2008 R2 with SP1

Improved Data Center Power Consumption and Streamlining Management in Windows Server 2008 R2 with SP1 Imprved Data Center Pwer Cnsumptin and Streamlining Management in Windws Server 2008 R2 with SP1 Disclaimer The infrmatin cntained in this dcument represents the current view f Micrsft Crpratin n the issues

More information

GETTING STARTED With the Control Panel Table of Contents

GETTING STARTED With the Control Panel Table of Contents With the Cntrl Panel Table f Cntents Cntrl Panel Desktp... 2 Left Menu... 3 Infrmatin... 3 Plan Change... 3 Dmains... 3 Statistics... 4 Ttal Traffic... 4 Disk Quta... 4 Quick Access Desktp... 4 MAIN...

More information

This page provides help in using WIT.com to carry out the responsibilities listed in the Desk Aid Titled Staffing Specialists

This page provides help in using WIT.com to carry out the responsibilities listed in the Desk Aid Titled Staffing Specialists This page prvides help in using WIT.cm t carry ut the respnsibilities listed in the Desk Aid Titled Staffing Specialists 1. Assign jbs t yurself G t yur hme page Click n Yur Center has new jb pstings r

More information

CorasWorks v11 Essentials Distance Learning

CorasWorks v11 Essentials Distance Learning CrasWrks v11 Essentials Curse Outline CrasWrks distance learning training is designed t help students leverage the CrasWrks platfrm t either build cllabrative applicatins r extend and enhance existing

More information

Succession Planning & Leadership Development: Your Utility s Bridge to the Future

Succession Planning & Leadership Development: Your Utility s Bridge to the Future Successin Planning & Leadership Develpment: Yur Utility s Bridge t the Future Richard L. Gerstberger, P.E. TAP Resurce Develpment Grup, Inc. 4625 West 32 nd Ave Denver, CO 80212 ABSTRACT A few years ag,

More information

Army DCIPS Employee Self-Report of Accomplishments Overview Revised July 2012

Army DCIPS Employee Self-Report of Accomplishments Overview Revised July 2012 Army DCIPS Emplyee Self-Reprt f Accmplishments Overview Revised July 2012 Table f Cntents Self-Reprt f Accmplishments Overview... 3 Understanding the Emplyee Self-Reprt f Accmplishments... 3 Thinking Abut

More information

Implementing ifolder Server in the DMZ with ifolder Data inside the Firewall

Implementing ifolder Server in the DMZ with ifolder Data inside the Firewall Implementing iflder Server in the DMZ with iflder Data inside the Firewall Nvell Cl Slutins AppNte www.nvell.cm/clslutins JULY 2004 OBJECTIVES The bjectives f this dcumentatin are as fllws: T cnfigure

More information

STUDIO DESIGNER. Accounting 3 Participant

STUDIO DESIGNER. Accounting 3 Participant Accunting 3 Participant Thank yu fr enrlling in Accunting 3 fr Studi Designer and Studi Shwrm. Please feel free t ask questins as they arise. If we start running shrt n time, we may hld ff n sme f them

More information

Special Tax Notice Regarding 403(b) (TSA) Distributions

Special Tax Notice Regarding 403(b) (TSA) Distributions Special Tax Ntice Regarding 403(b) (TSA) Distributins P.O. Bx 7893 Madisn, WI 53707-7893 1-800-279-4030 Fax: (608) 237-2529 The IRS requires us t prvide yu with a cpy f the Explanatin f Direct Rllver,

More information

KronoDesk Migration and Integration Guide Inflectra Corporation

KronoDesk Migration and Integration Guide Inflectra Corporation / KrnDesk Migratin and Integratin Guide Inflectra Crpratin Date: September 24th, 2015 0B Intrductin... 1 1B1. Imprting frm Micrsft Excel... 2 6B1.1. Installing the Micrsft Excel Add-In... 2 7B1.1. Cnnecting

More information

Helpdesk Support Tickets & Knowledgebase

Helpdesk Support Tickets & Knowledgebase Helpdesk Supprt Tickets & Knwledgebase User Guide Versin 1.0 Website: http://www.mag-extensin.cm Supprt: http://www.mag-extensin.cm/supprt Please read this user guide carefully, it will help yu eliminate

More information

Vancouver Island University Job Posting System Instruction Manual

Vancouver Island University Job Posting System Instruction Manual Vancuver Island University Jb Psting System Instructin Manual Have questins, cncerns, r need training? Cntact Human Resurces Recruitment Office at recruit@viu.ca r lcal 6239 Last updated: February 2013

More information

efusion Table of Contents

efusion Table of Contents efusin Cst Centers, Partner Funding, VAT/GST and ERP Link Table f Cntents Cst Centers... 2 Admin Setup... 2 Cst Center Step in Create Prgram... 2 Allcatin Types... 3 Assciate Payments with Cst Centers...

More information

CU Payroll Data Entry

CU Payroll Data Entry Lg int PepleSft Human Resurces: Open brwser G t: https://cubshr9.clemsn.edu/psp/hpprd/?cmd=lgin Enter yur Nvell ID and Passwrd Click Sign In A. Paysheets are created by the Payrll Department. B. The Payrll

More information

Disk Redundancy (RAID)

Disk Redundancy (RAID) A Primer fr Business Dvana s Primers fr Business series are a set f shrt papers r guides intended fr business decisin makers, wh feel they are being bmbarded with terms and want t understand a cmplex tpic.

More information

Using PayPal Website Payments Pro UK with ProductCart

Using PayPal Website Payments Pro UK with ProductCart Using PayPal Website Payments Pr UK with PrductCart Overview... 2 Abut PayPal Website Payments Pr & Express Checkut... 2 What is Website Payments Pr?... 2 Website Payments Pr and Website Payments Standard...

More information

Google Adwords Pay Per Click Checklist

Google Adwords Pay Per Click Checklist Ggle Adwrds Pay Per Click Checklist This checklist summarizes all the different things that need t be setup t prperly ptimize Ggle Adwrds t get the best results. This includes items that are required fr

More information

HarePoint HelpDesk for SharePoint. For SharePoint Server 2010, SharePoint Foundation 2010. User Guide

HarePoint HelpDesk for SharePoint. For SharePoint Server 2010, SharePoint Foundation 2010. User Guide HarePint HelpDesk fr SharePint Fr SharePint Server 2010, SharePint Fundatin 2010 User Guide Prduct versin: 14.1.0 04/10/2013 2 Intrductin HarePint.Cm (This Page Intentinally Left Blank ) Table f Cntents

More information

Licensing the Core Client Access License (CAL) Suite and Enterprise CAL Suite

Licensing the Core Client Access License (CAL) Suite and Enterprise CAL Suite Vlume Licensing brief Licensing the Cre Client Access License (CAL) Suite and Enterprise CAL Suite Table f Cntents This brief applies t all Micrsft Vlume Licensing prgrams. Summary... 1 What s New in This

More information

Table of Contents. This document is for informational purposes only. MICROSOFT MAKES NO WARRANTIES, EXPRESS OR IMPLIED, IN THIS SUMMARY.

Table of Contents. This document is for informational purposes only. MICROSOFT MAKES NO WARRANTIES, EXPRESS OR IMPLIED, IN THIS SUMMARY. Table f Cntents Tp Pricing and Licensing Questins... 2 Why shuld custmers be excited abut Micrsft SQL Server 2012?... 2 What are the mst significant changes t the pricing and licensing fr SQL Server?...

More information

Heythrop College Disciplinary Procedure for Support Staff

Heythrop College Disciplinary Procedure for Support Staff Heythrp Cllege Disciplinary Prcedure fr Supprt Staff Intrductin 1. This prcedural dcument des nt apply t thse academic-related staff wh are mentined in the Cllege s Ordinance, namely the Librarian and

More information

CSAT Account Management

CSAT Account Management CSAT Accunt Management User Guide March 2011 Versin 2.1 U.S. Department f Hmeland Security 1 CSAT Accunt Management User Guide Table f Cntents 1. Overview... 1 1.1 CSAT User Rles... 1 1.2 When t Update

More information

Diagnostic Manager Change Log

Diagnostic Manager Change Log Diagnstic Manager Change Lg Updated: September 8, 2015 4.4.4090 Features and Issues Supprt fr Office 365 Tenants Yu can nw: Mnitr the status f Office 365 Services (including SharePint Online, Exchange

More information

990 e-postcard FAQ. Is there a charge to file form 990-N (e-postcard)? No, the e-postcard system is completely free.

990 e-postcard FAQ. Is there a charge to file form 990-N (e-postcard)? No, the e-postcard system is completely free. 990 e-pstcard FAQ Fr frequently asked questins abut filing the e-pstcard that are nt listed belw, brwse the FAQ at http://epstcard.frm990.rg/frmtsfaq.asp# (cpy and paste this link t yur brwser). General

More information

Point2 Property Manager Quick Setup Guide

Point2 Property Manager Quick Setup Guide Click the Setup Tab Mst f what yu need t get started using Pint 2 Prperty Manager has already been taken care f fr yu. T begin setting up yur data in Pint2 Prperty Manager, make sure yu have cmpleted the

More information

What is a dashboard and why do I want one?

What is a dashboard and why do I want one? What is a dashbard and why d I want ne? QIQ Slutins Pty Ltd Suite G11, Bay 9, Lcmtive Wrkshp Australian Technlgy Park, Crnwallis Street Eveleigh NSW 1430 Australia Phne: +61 2 9209 4298 Fax: +61 2 9209

More information

PART 6. Chapter 12. How to collect and use feedback from readers. Should you do audio or video recording of your sessions?

PART 6. Chapter 12. How to collect and use feedback from readers. Should you do audio or video recording of your sessions? TOOLKIT fr Making Written Material Clear and Effective SECTION 3: Methds fr testing written material with readers PART 6 Hw t cllect and use feedback frm readers Chapter 12 Shuld yu d audi r vide recrding

More information

Software Distribution

Software Distribution Sftware Distributin Quantrax has autmated many f the prcesses invlved in distributing new cde t clients. This will greatly reduce the time taken t get fixes laded nt clients systems. The new prcedures

More information

Kronos Workforce Timekeeper Frequently Asked Questions

Kronos Workforce Timekeeper Frequently Asked Questions Krns Wrkfrce Timekeeper Frequently Asked Questins 1. I d nt have the Emplyee Time Reprting ptin listed in my Agra menu. What d I d? If yu are a new emplyee and can t see yur emplyee timecard, cnfirm with

More information

MiaRec. Performance Monitoring. Revision 1.1 (2014-09-18)

MiaRec. Performance Monitoring. Revision 1.1 (2014-09-18) Revisin 1.1 (2014-09-18) Table f Cntents 1 Purpse... 3 2 Hw it wrks... 3 3 A list f MiaRec perfrmance cunters... 4 3.1 Grup MiaRec Statistics... 4 3.2 Grup MiaRec Call Statistics Per-State... 5 3.3 Grup

More information

MaaS360 Cloud Extender

MaaS360 Cloud Extender MaaS360 Clud Extender Installatin Guide Cpyright 2012 Fiberlink Cmmunicatins Crpratin. All rights reserved. Infrmatin in this dcument is subject t change withut ntice. The sftware described in this dcument

More information

Migrating to SharePoint 2010 Don t Upgrade Your Mess

Migrating to SharePoint 2010 Don t Upgrade Your Mess Migrating t SharePint 2010 Dn t Upgrade Yur Mess by David Cleman Micrsft SharePint Server MVP April 2011 Phne: (610)-717-0413 Email: inf@metavistech.cm Website: www.metavistech.cm Intrductin May 12 th

More information

Phi Kappa Sigma International Fraternity Insurance Billing Methodology

Phi Kappa Sigma International Fraternity Insurance Billing Methodology Phi Kappa Sigma Internatinal Fraternity Insurance Billing Methdlgy The Phi Kappa Sigma Internatinal Fraternity Executive Bard implres each chapter t thrughly review the attached methdlgy and plan nw t

More information

IN-HOUSE OR OUTSOURCED BILLING

IN-HOUSE OR OUTSOURCED BILLING IN-HOUSE OR OUTSOURCED BILLING Medical billing is ne f the mst cmplicated aspects f running a medical practice. With thusands f pssible cdes fr diagnses and prcedures, and multiple payers, the ability

More information

AMWA Chapter Subgroups on LinkedIn Guidance for Subgroup Managers and Chapter Leaders, updated 2-12-15

AMWA Chapter Subgroups on LinkedIn Guidance for Subgroup Managers and Chapter Leaders, updated 2-12-15 AMWA Chapter Subgrups n LinkedIn Guidance fr Subgrup Managers and Chapter Leaders, updated 2-12-15 1. Chapters may nt have an independent grup n LinkedIn, Facebk, r ther scial netwrking site. AMWA prvides

More information

Durango Merchant Services QuickBooks SyncPay

Durango Merchant Services QuickBooks SyncPay Durang Merchant Services QuickBks SyncPay Gateway Plug-In Dcumentatin April 2011 Durang-Direct.cm 866-415-2636-1 - QuickBks Gateway Plug-In Dcumentatin... - 3 - Installatin... - 3 - Initial Setup... -

More information

Archiving IVTVision Video (Linux)

Archiving IVTVision Video (Linux) Archiving IVTVisin Vide (Linux) 1 Intrductin Because IVTVisin Server recrds vide using a straightfrward perating system file structure, archiving vide shuld be simple fr any IT prfessinal. This dcument

More information

:: EMAIL ADMIN HELP AT A GLANCE Contents

:: EMAIL ADMIN HELP AT A GLANCE Contents :: EMAIL ADMIN HELP AT A GLANCE Cntents Email Admin Dmain Inf... 2 POP Accunts... 3 Edit POP Accunts... 4 Search Accunts... 5 Frwards... 6 Spam Cntrl... 7 CatchAll... 8 EMAIL ADMIN HELP AT A GLANCE ::

More information

BackupAssist SQL Add-on

BackupAssist SQL Add-on WHITEPAPER BackupAssist Versin 6 www.backupassist.cm 2 Cntents 1. Requirements... 3 1.1 Remte SQL backup requirements:... 3 2. Intrductin... 4 3. SQL backups within BackupAssist... 5 3.1 Backing up system

More information

Patient Participation Report

Patient Participation Report Patient Participatin Reprt In 2011, Westngrve Partnership decided t establish a PPG (Patient Participatin Grup) that wuld allw us t engage with ur patients, receive feedback frm them and ensure that they

More information

1)What hardware is available for installing/configuring MOSS 2010?

1)What hardware is available for installing/configuring MOSS 2010? 1)What hardware is available fr installing/cnfiguring MOSS 2010? 2 Web Frnt End Servers HP Prliant DL 380 G7 2 quad cre Intel Xen Prcessr E5620, 2.4 Ghz, Memry 12 GB, 2 HP 146 GB drives RAID 5 2 Applicatin

More information

TaskCentre v4.5 MS SQL Server Trigger Tool White Paper

TaskCentre v4.5 MS SQL Server Trigger Tool White Paper TaskCentre v4.5 MS SQL Server Trigger Tl White Paper Dcument Number: PD500-03-02-1_0-WP Orbis Sftware Limited 2010 Table f Cntents COPYRIGHT... 1 TRADEMARKS... 1 INTRODUCTION... 2 Overview... 2 Features...

More information

Group Term Life Insurance: Table I Straddle Testing and Imputed Income for Dependent Life Insurance

Group Term Life Insurance: Table I Straddle Testing and Imputed Income for Dependent Life Insurance An American Benefits Cnsulting White Paper American Benefits Cnsulting, LLC 99 Park Ave, 25 th Flr New Yrk, NY 10016 212 716-3400 http://www.abcsys.cm Grup Term Life Insurance: Table I Straddle Testing

More information

FundingEdge. Guide to Business Cash Advance & Bank Statement Loan Programs

FundingEdge. Guide to Business Cash Advance & Bank Statement Loan Programs Guide t Business Cash Advance & Bank Statement Lan Prgrams Cash Advances: $2,500 - $1,000,000 Business Bank Statement Lans: $5,000 - $500,000 Canada Cash Advances: $5,000 - $500,000 (must have 9 mnths

More information

Have some knowledge of how queries execute. Must be able to read a query execution plan and understand what is happening.

Have some knowledge of how queries execute. Must be able to read a query execution plan and understand what is happening. Curse 2786B: Designing a Micrsft SQL Server 2005 Infrastructure Abut this Curse This tw-day instructr-led curse prvides database administratrs wrking in enterprise envirnments with the knwledge and skills

More information

Project Startup Report Presented to the IT Committee June 26, 2012

Project Startup Report Presented to the IT Committee June 26, 2012 Prject Name: SOS File 2.0 Agency: Secretary f State Business Unit/Prgram Area: Secretary f State Prject Spnsr: Al Jaeger Prject Manager: Beverly Maitland Prject Startup Reprt Presented t the IT Cmmittee

More information

Serv-U Distributed Architecture Guide

Serv-U Distributed Architecture Guide Serv-U Distributed Architecture Guide Hrizntal Scaling and Applicatin Tiering fr High Availability, Security, and Perfrmance Serv-U Distributed Architecture Guide v14.0.1.0 Page 1 f 16 Intrductin Serv-U

More information

FINRA Regulation Filing Application Batch Submissions

FINRA Regulation Filing Application Batch Submissions FINRA Regulatin Filing Applicatin Batch Submissins Cntents Descriptin... 2 Steps fr firms new t batch submissin... 2 Acquiring necessary FINRA accunts... 2 FTP Access t FINRA... 2 FTP Accunt n FINRA s

More information

Mobile Workforce. Improving Productivity, Improving Profitability

Mobile Workforce. Improving Productivity, Improving Profitability Mbile Wrkfrce Imprving Prductivity, Imprving Prfitability White Paper The Business Challenge Between increasing peratinal cst, staff turnver, budget cnstraints and pressure t deliver prducts and services

More information

The Importance Advanced Data Collection System Maintenance. Berry Drijsen Global Service Business Manager. knowledge to shape your future

The Importance Advanced Data Collection System Maintenance. Berry Drijsen Global Service Business Manager. knowledge to shape your future The Imprtance Advanced Data Cllectin System Maintenance Berry Drijsen Glbal Service Business Manager WHITE PAPER knwledge t shape yur future The Imprtance Advanced Data Cllectin System Maintenance Cntents

More information

Cost Allocation Methodologies

Cost Allocation Methodologies Cst Allcatin Methdlgies Helping States Determine Equitable Distributin f Sftware Develpment Csts t Benefiting Prgrams Over the System Develpment Lifecycle CAM-TOOL User Guide May 2004 Updated December

More information

NAVIPLAN PREMIUM LEARNING GUIDE. Analyze, compare, and present insurance scenarios

NAVIPLAN PREMIUM LEARNING GUIDE. Analyze, compare, and present insurance scenarios NAVIPLAN PREMIUM LEARNING GUIDE Analyze, cmpare, and present insurance scenaris Cntents Analyze, cmpare, and present insurance scenaris 1 Learning bjectives 1 NaviPlan planning stages 1 Client case 2 Analyze

More information

Copyrights and Trademarks

Copyrights and Trademarks Cpyrights and Trademarks Sage One Accunting Cnversin Manual 1 Cpyrights and Trademarks Cpyrights and Trademarks Cpyrights and Trademarks Cpyright 2002-2014 by Us. We hereby acknwledge the cpyrights and

More information

Trends and Considerations in Currency Recycle Devices. What is a Currency Recycle Device? November 2003

Trends and Considerations in Currency Recycle Devices. What is a Currency Recycle Device? November 2003 Trends and Cnsideratins in Currency Recycle Devices Nvember 2003 This white paper prvides basic backgrund n currency recycle devices as cmpared t the cmbined features f a currency acceptr device and a

More information

Data Abstraction Best Practices with Cisco Data Virtualization

Data Abstraction Best Practices with Cisco Data Virtualization White Paper Data Abstractin Best Practices with Cisc Data Virtualizatin Executive Summary Enterprises are seeking ways t imprve their verall prfitability, cut csts, and reduce risk by prviding better access

More information

HP Connected Backup Online Help. Version 8.7.1 04 October 2012

HP Connected Backup Online Help. Version 8.7.1 04 October 2012 HP Cnnected Backup Online Help Versin 8.7.1 04 Octber 2012 Legal Ntices Warranty The nly warranties fr Hewlett-Packard prducts and services are set frth in the express statements accmpanying such prducts

More information

How much life insurance do I need? Wrong question!

How much life insurance do I need? Wrong question! Hw much life insurance d I need? Wrng questin! We are ften asked this questin r sme variatin f it. We believe it is NOT the right questin t ask. What yu REALLY need is mney, cash. S the questin shuld be

More information

Lesson Study Project in Mathematics, Fall 2008. University of Wisconsin Marathon County. Report

Lesson Study Project in Mathematics, Fall 2008. University of Wisconsin Marathon County. Report Lessn Study Prject in Mathematics, Fall 2008 University f Wiscnsin Marathn Cunty Reprt Date: December 14 2008 Students: MAT 110 (Cllege Algebra) students at UW-Marathn Cunty Team Members: Paul Martin Clare

More information

ISAM TO SQL MIGRATION IN SYSPRO

ISAM TO SQL MIGRATION IN SYSPRO 118 ISAM TO SQL MIGRATION IN SYSPRO This dcument is aimed at assisting yu in the migratin frm an ISAM data structure t an SQL database. This is nt a detailed technical dcument and assumes the reader has

More information

Integrate Marketing Automation, Lead Management and CRM

Integrate Marketing Automation, Lead Management and CRM Clsing the Lp: Integrate Marketing Autmatin, Lead Management and CRM Circular thinking fr marketers 1 (866) 372-9431 www.clickpintsftware.cm Clsing the Lp: Integrate Marketing Autmatin, Lead Management

More information

Often people have questions about new or enhanced services. This is a list of commonly asked questions and answers regarding our new WebMail format.

Often people have questions about new or enhanced services. This is a list of commonly asked questions and answers regarding our new WebMail format. Municipal Service Cmmissin Gerald P. Cle Frederick C. DeLisle Thmas M. Kaul Gregry L. Riggle Stanley A. Rutkwski Electric, Steam, Water Cable Televisin and High Speed Internet Service since 1889 Melanie

More information

2008 BA Insurance Systems Pty Ltd

2008 BA Insurance Systems Pty Ltd 2008 BA Insurance Systems Pty Ltd BAIS have been delivering insurance systems since 1993. Over the last 15 years, technlgy has mved at breakneck speed. BAIS has flurished in this here tday, gne tmrrw sftware

More information

User Guide Version 3.9

User Guide Version 3.9 User Guide Versin 3.9 Page 2 f 22 Summary Cntents 1 INTRODUCTION... 3 1.1 2 CREATE A NEW ACCOUNT... 4 2.1 2.2 3 NAVIGATION... 3 CREATE AN EMAIL ACCOUNT... 4 CREATE AN ALIAS ACCOUNT... 6 MODIFYING AN EXISTING

More information

This report provides Members with an update on of the financial performance of the Corporation s managed IS service contract with Agilisys Ltd.

This report provides Members with an update on of the financial performance of the Corporation s managed IS service contract with Agilisys Ltd. Cmmittee: Date(s): Infrmatin Systems Sub Cmmittee 11 th March 2015 Subject: Agilisys Managed Service Financial Reprt Reprt f: Chamberlain Summary Public Fr Infrmatin This reprt prvides Members with an

More information

Research Report. Abstract: The Emerging Intersection Between Big Data and Security Analytics. November 2012

Research Report. Abstract: The Emerging Intersection Between Big Data and Security Analytics. November 2012 Research Reprt Abstract: The Emerging Intersectin Between Big Data and Security Analytics By Jn Oltsik, Senir Principal Analyst With Jennifer Gahm Nvember 2012 2012 by The Enterprise Strategy Grup, Inc.

More information