Database Management Systems

Size: px
Start display at page:

Download "Database Management Systems"

Transcription

1 Database Management Systems Practice #1 Oracle Optimizer Practice bjective Generate the executin plan fr sme SQL statements analyzing the fllwing issues: 1. access paths 2. jin rders and jin methds 3. peratin rders 4. explitatin f indexes defined by the user. The evaluatin will be perfrmed using Oracle Database 10g Express Editin (Oracle XE). Database schema The database cnsists f 3 tables: (EMP, DEPT e SALGRADE). The table schema and sme recrds are shwn in the fllwing. Table EMP EMPNO ENAME JOB MGR HIREDATE SAL COMM DEPT NO 1 COZZA MARIA PROFESSOR 0 09-JUN ECO LUIGI PHDSTUDENT 0 09-JUN CORONA CLARA PHDSTUDENT 2 09-JUN Table DEPT Table SALGRADE DEPTNO DNAME LOC GRADE LOSAL HISAL 1 INFORMATION BARI CHAIRMANSHIP FOGGIA ENVIRONMENT BRINDISI PHYSICS FOGGIA Preliminary steps t perfrm the practice: Cnnectin t the database Open the Oracle SQL Develper prgram (frm Start Menu-All prgrams) Select the Java SDK path Click n the green plus bttn n the left t create a new cnnectin

2 Lgin T lgn thrugh the Web interface, yu have t insert the fllwing parameters: Nme utente (username): bdati[chse a number between 1-100] Passwrd: rac[chse a number between 1-100] Nme hst (hst name): Prt: 1521 SID: xe Fr example, if yu are wrking n pc number 23, the crrespnding username is bdati23 and the passwrd is rac23. Available materials Sme scripts with SQL statements are available t perfrm the fllwing peratins: 1. create an index n a table clumn 2. cmpute statistics fr the database The scripts are available at the curse website in the Scripts.zip archive The scripts can be laded clicking n Open in the File Menu and selecting the.sql file. T execute the script click n the Esegui Script buttn as shwn in the fllwing figure. T view the index statistics, execute the script shw_indexes.sql (r cpy the script cntent and paste it as SQL cmmand)

3 Setting up the ptimizer envirnment At the beginning f wrking sessin yu need t perfrm the fllwing steps: 1. cmpute statistics n tables by means f the Web Interface r by the fllwing script cmp_statistics_tables.sql 2. check if there exist secndary indexes by means f the fllwing SQL query select INDEX_NAME frm USER_INDEXES; if secndary indexes (withut cnsidering system indexes, e.g., SYS_#) have been created, please, drp them by means f the fllwing SQL statement DROP INDEX IndexName; Executin plan cmputatin fr a query T btain the executin plan fr a query thrugh Web interface, it is necessary t execute the query and then t click the Pian di esecuzine buttn (as shwn in Fig.1) t display the executin plan f the query. Fig.1 Useful SQL statements T view the table schema with all attributes: DESCRIBE TableName; T create an index: CREATE INDEX IndexName ON TableName(ClumnName); T cmpute statistics related t indexes: ANALYZE INDEX IndexName COMPUTE STATISTICS; T remve an index: DROP INDEX IndexName; T view the indexes related t a table: SELECT INDEX_NAME FROM USER_INDEXES WHERE table_name='table Name needs t be written in capital letters'; Display statistics related t indexes: SELECT USER_INDEXES.INDEX_NAME as INDEX_NAME, INDEX_TYPE, USER_INDEXES.TABLE_NAME, COLUMN_NAME '(' COLUMN_POSITION ')' as COLUMN_NAME, BLEVEL, LEAF_BLOCKS, DISTINCT_KEYS, AVG_LEAF_BLOCKS_PER_KEY, AVG_DATA_BLOCKS_PER_KEY, CLUSTERING_FACTOR FROM user_indexes, user_ind_clumns WHERE user_indexes.index_name=user_ind_clumns.index_name and user_indexes.table_name=user_ind_clumns.table_name; Display statistics related t tables: SELECT TABLE_NAME, NUM_ROWS, BLOCKS, EMPTY_BLOCKS, AVG_SPACE, CHAIN_CNT, AVG_ROW_LEN FROM USER_TABLES; Display statistics related t table clumns: SELECT COLUMN_NAME, NUM_DISTINCT, NUM_NULLS, NUM_BUCKETS, DENSITY FROM USER_TAB_COL_STATISTICS WHERE TABLE_NAME = 'TableName' ORDER BY COLUMN_NAME; - 3 -

4 Display histgrams: SELECT * FROM USER_HISTOGRAMS; Queries The fllwing queries shuld be analyzed during the practice perfrming the fllwing steps: 1. algebraic expressin represented like a tree structure f the query 2. executin plan selected by Oracle ptimizer when n physical secndary structures are defined 3. Only fr queries frm #4 t #7, Select ne r mre secndary physical structures t increase query perfrmance. Resume f table structures EMP ( EMPNO, ENAME, JOB, MGR, HIREDATE, SAL, COMM, DEPTNO ) DEPT ( DEPTNO, DNAME, LOC ) SALGRADE ( GRADE, LOSAL, HISAL ) Query #1 SELECT * FROM emp, dept WHERE emp.deptn = dept.deptn AND emp.jb = 'ENGINEER'; Change the ptimizer gal frm ALL ROWS (best thrughput) t FIRST_ROWS (best respnse time) by means f the fllwing hint. Set different values fr n. SELECT /*+ FIRST_ROWS(n) */ * FROM emp, dept WHERE emp.deptn = dept.deptn AND emp.jb = 'ENGINEER'; Query #2 Disable the hash jin methd by means f the fllwing hint: (/*+ NO_USE_HASH(e d) */) SELECT /*+ NO_USE_HASH(e d) */ d.deptn, AVG(e.sal) FROM emp e, dept d WHERE d.deptn = e.deptn GROUP BY d.deptn; Query #3 Disable the hash jin methd by means f the fllwing hint: (/*+ NO_USE_HASH(e d) */) SELECT /*+ NO_USE_HASH(e d) */ ename, jb, sal, dname FROM emp e, dept d WHERE e.deptn = d.deptn AND NOT EXISTS (SELECT * FROM salgrade WHERE e.sal = hisal); Queries #4 Select ne r mre secndary structures t ptimize the fllwing query: select avg(e.sal) frm emp e where e.deptn < 10 and e.sal > 100 and e.sal < 200; Cmpare query perfrmance using distinct secndary structures n different attributes with the ne achieved by a unique secndary structure n multiple attributes

5 Query #5 Select ne r mre secndary structures t ptimize the fllwing query: select dname frm dept where deptn in (select deptn frm emp where jb = 'PHILOSOPHER'); Query #6 Select ne r mre secndary structures t ptimize the fllwing query (remve already existing indexes t cmpare query perfrmance with and withut indexes): select e1.ename, e1.empn, e1.sal, e2.ename, e2.empn, e2.sal frm emp e1, emp e2 where e1.ename <> e2.ename and e1.sal < e2.sal and e1.jb = 'PHILOSOPHER' and e2.jb = 'ENGINEER'; Query #7 Select ne r mre secndary structures t ptimize the fllwing query: select * frm emp e, dept d where e.deptn = d.deptn and e.sal nt in (select hisal frm salgrade where hisal > 500 and hisal < 1900); - 5 -

A COMPLETE GUIDE TO ORACLE BI DISCOVERER END USER LAYER (EUL)

A COMPLETE GUIDE TO ORACLE BI DISCOVERER END USER LAYER (EUL) A COMPLETE GUIDE TO ORACLE BI DISCOVERER END USER LAYER (EUL) Authr: Jayashree Satapathy Krishna Mhan A Cmplete Guide t Oracle BI Discverer End User Layer (EUL) 1 INTRODUCTION END USER LAYER (EUL) The

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

Table of Contents. About... 18

Table of Contents. About... 18 Table f Cntents Abut...3 System Requirements...3 Hw it Wrks...4 Abut... 4 Hw SFA Admin Prtects Data... 4 Hw SFA User Wrks with Prtected Data... 4 Sandbxed Sessin Restrictins... 4 Secure File Access User

More information

How to join an iconnect web conferencing session (using the Blackboard web-based program)

How to join an iconnect web conferencing session (using the Blackboard web-based program) Hw t jin an icnnect web cnferencing sessin (using the Blackbard web-based prgram) T participate in a web cnference yu will require Internet access, headset and micrphne (web cam is ptinal) r at least a

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

Backing Up and Restoring Your MySQL Database From the command prompt

Backing Up and Restoring Your MySQL Database From the command prompt Backing Up and Restring Yur MySQL Database Frm the cmmand prmpt In this article, it will utline tw easy ways f backing up and restring databases in MySQL. The easiest way t backup yur database wuld be

More information

Click Studios. Passwordstate. RSA SecurID Configuration

Click Studios. Passwordstate. RSA SecurID Configuration Passwrdstate RSA SecurID Cnfiguratin This dcument and the infrmatin cntrlled therein is the prperty f Click Studis. It must nt be reprduced in whle/part, r therwise disclsed, withut prir cnsent in writing

More information

Ten Steps for an Easy Install of the eg Enterprise Suite

Ten Steps for an Easy Install of the eg Enterprise Suite Ten Steps fr an Easy Install f the eg Enterprise Suite (Acquire, Evaluate, and be mre Efficient!) Step 1: Dwnlad the eg Sftware; verify hardware and perating system pre-requisites Step 2: Obtain a valid

More information

TaskCentre v4.5 File Transfer (FTP) Tool White Paper

TaskCentre v4.5 File Transfer (FTP) Tool White Paper TaskCentre v4.5 File Transfer (FTP) Tl White Paper Dcument Number: PD500-03-22-1_0-WP Orbis Sftware Limited 2010 Table f Cntents COPYRIGHT 1 TRADEMARKS 1 INTRODUCTION 2 Overview 2 FEATURES 2 GLOBAL CONFIGURATION

More information

TaskCentre v4.5 Send Message (SMTP) Tool White Paper

TaskCentre v4.5 Send Message (SMTP) Tool White Paper TaskCentre v4.5 Send Message (SMTP) Tl White Paper Dcument Number: PD500-03-17-1_0-WP Orbis Sftware Limited 2010 Table f Cntents COPYRIGHT 1 TRADEMARKS 1 INTRODUCTION 2 Overview 2 FEATURES 2 GLOBAL CONFIGURATION

More information

CenterPoint Accounting for Agriculture Network (Domain) Installation Instructions

CenterPoint Accounting for Agriculture Network (Domain) Installation Instructions CenterPint Accunting fr Agriculture Netwrk (Dmain) Installatin Instructins Dcument # Prduct Mdule Categry 2257 CenterPint CenterPint Installatin This dcument describes the dmain netwrk installatin prcess

More information

Agfa Servicios Profesionales. Index. Academy

Agfa Servicios Profesionales. Index. Academy Prtal versión 1 Quick reference Agfa Servicis Prfesinales Index Prerequisites... 5 Quick reference t wrking within the prtal... 5 Access t the prtal... 5 Create a new publicatin... 6 Wrking with a publicatin...

More information

Lab 12A Configuring Single Sign On Service

Lab 12A Configuring Single Sign On Service Lab 12A Cnfiguring Single Sign On Service Intrductin In this lab exercise we will see hw t cnfigure the Single Sign On Service and cnfigure Individual and Grup Enterprise Applicatin Definitins. The lab

More information

EASTERN ARIZONA COLLEGE Database Design and Development

EASTERN ARIZONA COLLEGE Database Design and Development EASTERN ARIZONA COLLEGE Database Design and Develpment Curse Design 2011-2012 Curse Infrmatin Divisin Business Curse Number CMP 280 Title Database Design and Develpment Credits 3 Develped by Sctt Russell/Revised

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

In this lab class we will approach the following topics:

In this lab class we will approach the following topics: 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

More information

Pronestor Visitor. Module 11. Installation of additional modules Pronestor Visitor Page 11.0 11.6

Pronestor Visitor. Module 11. Installation of additional modules Pronestor Visitor Page 11.0 11.6 Prnestr Visitr Prnestr Visitr Mdule 11 Installatin f additinal mdules Prnestr Visitr Page 11.0 11.6 A guide t the installatin f additinal mdules in Prnestr Visitr. Hst imprt (AD integratin) Page 11.1 11.3

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

User Guide. Excel Data Management Pack (EDM-Pack) OnCommand Workflow Automation (WFA) Abstract PROFESSIONAL SERVICES. Date: December 2015

User Guide. Excel Data Management Pack (EDM-Pack) OnCommand Workflow Automation (WFA) Abstract PROFESSIONAL SERVICES. Date: December 2015 PROFESSIONAL SERVICES User Guide OnCmmand Wrkflw Autmatin (WFA) Excel Data Management Pack (EDM-Pack) Date: December 2015 Dcument Versin: 1.0.0 Abstract The EDM-Pack includes a general-purpse Data Surce

More information

Displaying Data from Multiple Tables

Displaying Data from Multiple Tables Displaying Data from Multiple Tables 1 Objectives After completing this lesson, you should be able to do the following: Write SELECT statements to access data from more than one table using eguality and

More information

AvePoint Privacy Impact Assessment 1

AvePoint Privacy Impact Assessment 1 AvePint Privacy Impact Assessment 1 User Guide Cumulative Update 2 Revisin E Issued February 2015 Table f Cntents Table f Cntents... 2 Abut AvePint Privacy Impact Assessment... 5 Submitting Dcumentatin

More information

Net Conferencing User Guide: Advanced and Customized Net Conference with Microsoft Office Live Meeting Event Registration

Net Conferencing User Guide: Advanced and Customized Net Conference with Microsoft Office Live Meeting Event Registration Net Cnferencing User Guide: Advanced and Custmized Net Cnference with Micrsft Office Live Meeting Event Registratin Event Registratin User Guide Event Registratin is a feature f Advanced and Custmized

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

Guide to Stata Econ B003 Applied Economics

Guide to Stata Econ B003 Applied Economics Guide t Stata Ecn B003 Applied Ecnmics T cnfigure Stata in yur accunt: Lgin t WTS (use yur Cluster WTS passwrd) Duble-click in the flder Applicatins and Resurces Duble-click in the flder Unix Applicatins

More information

MapReduce Laboratory

MapReduce Laboratory MapReduce Labratry In this labratry students will learn hw t use the Hadp client API by wrking n a series f exercises: The classic Wrd Cunt and variatins n the theme Design Pattern: Pair and Stripes Design

More information

Displaying Data from Multiple Tables. Chapter 4

Displaying Data from Multiple Tables. Chapter 4 Displaying Data from Multiple Tables Chapter 4 1 Objectives After completing this lesson, you should be able to do the following: Write SELECT statements to access data from more than one table using equality

More information

Shelby County Schools Online Employee Accident Reporting User Manual

Shelby County Schools Online Employee Accident Reporting User Manual Shelby Cunty Schls Online Emplyee Accident Reprting User Manual Department f Risk Management Nvember, 2013 Overview In accrdance with SCS bard plicy 4014, Accidents n the Jb (als referred t as On the Jb

More information

SBClient and Microsoft Windows Terminal Server (Including Citrix Server)

SBClient and Microsoft Windows Terminal Server (Including Citrix Server) SBClient and Micrsft Windws Terminal Server (Including Citrix Server) Cntents 1. Intrductin 2. SBClient Cmpatibility Infrmatin 3. SBClient Terminal Server Installatin Instructins 4. Reslving Perfrmance

More information

X7500 Series, X4500 Scanner Series MFPs: LDAP Address Book and Authentication Configuration and Basic Troubleshooting Tips

X7500 Series, X4500 Scanner Series MFPs: LDAP Address Book and Authentication Configuration and Basic Troubleshooting Tips X7500 Series, X4500 Scanner Series MFPs: LDAP Address Bk and Authenticatin Cnfiguratin and Basic Trubleshting Tips Lexmark Internatinal 1 Prerequisite Infrm atin In rder t cnfigure a Lexmark MFP fr LDAP

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

D B M G Data Base and Data Mining Group of Politecnico di Torino

D B M G Data Base and Data Mining Group of Politecnico di Torino Politecnico di Torino Database Management System Oracle Hints Data Base and Data Mining Group of Politecnico di Torino Tania Cerquitelli Computer Engineering, 2014-2015, slides by Tania Cerquitelli and

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

Diagnosis and Troubleshooting

Diagnosis and Troubleshooting Diagnsis and Trubleshting DataDirect Cnnect Series ODBC Drivers Intrductin This paper discusses the diagnstic tls that are available t cnfigure and trublesht yur ODBC envirnment and prvides a trubleshting

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

Configuring and Monitoring Network Elements

Configuring and Monitoring Network Elements Cnfiguring and Mnitring Netwrk Elements eg Enterprise v5.6 Restricted Rights Legend The infrmatin cntained in this dcument is cnfidential and subject t change withut ntice. N part f this dcument may be

More information

AP Capstone Digital Portfolio - Teacher User Guide

AP Capstone Digital Portfolio - Teacher User Guide AP Capstne Digital Prtfli - Teacher User Guide Digital Prtfli Access and Classrm Setup... 2 Initial Lgin New AP Capstne Teachers...2 Initial Lgin Prir Year AP Capstne Teachers...2 Set up Yur AP Capstne

More information

Work- and Process Organisation

Work- and Process Organisation Das Knw-hw. Wrk- and Prcess Organisatin Seminars and Training Prgrams Fr Effective Prductin Management - REFA Basic Training in Wrk Organisatin - REFA Germany s leading assciatin in Wrk Design Industrial

More information

The user authentication process varies from client to client depending on internal resource capabilities, and client processes and procedures.

The user authentication process varies from client to client depending on internal resource capabilities, and client processes and procedures. Learn Basic Single Sign-On Authenticatin Tale s Basic SSO applicatin grants Learn access t users withut requiring that they enter authenticatin lgin credentials (username and passwrd). The access pint

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

CXA-300-1I: Advanced Administration for Citrix XenApp 5.0 for Windows Server 2008

CXA-300-1I: Advanced Administration for Citrix XenApp 5.0 for Windows Server 2008 CXA-300-1I: Advanced Administratin fr Citrix XenApp 5.0 fr Windws Server 2008 This curse prvides learners with the skills necessary t mnitr, maintain and trublesht netwrk envirnments running XenApp fr

More information

esupport Quick Start Guide

esupport Quick Start Guide esupprt Quick Start Guide Last Updated: 5/11/10 Adirndack Slutins, Inc. Helping Yu Reach Yur Peak 908.725.8869 www.adirndackslutins.cm 1 Table f Cntents PURPOSE & INTRODUCTION... 3 HOW TO LOGIN... 3 SUBMITTING

More information

HR Management Information (HRS)

HR Management Information (HRS) HR Management Infrmatin (HRS) Fact Sheet N 10. Managing Access t Claims Online T give access t ther departmental staff yu must be a Site Leader ie a Principal r Preschl Directr. If yu are nt a site leader

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

Server 2008 R2 - Generic - Case

Server 2008 R2 - Generic - Case Server 2008 R2 - Generic - Case Day 1 Task 1 Install the fllwing machines: DC01 Server2008 R2 Standard Editin WEB01 Server 2008 R2 Standard Editin WEB02 Server 2003 File01 Server 2008 R2 Standard Editin

More information

DocAve 6 High Availability

DocAve 6 High Availability DcAve 6 High Availability User Guide Service Pack 3, Cumulative Update 2 Revisin D Issued Octber 2013 1 Table f Cntents Abut DcAve High Availability... 4 Cmplementary Prducts... 4 Submitting Dcumentatin

More information

SQL Introduction Chapter 7, sections 1 & 4. Introduction to SQL. Introduction to SQL. Introduction to SQL

SQL Introduction Chapter 7, sections 1 & 4. Introduction to SQL. Introduction to SQL. Introduction to SQL SQL Introduction Chapter 7, sections 1 & 4 Objectives To understand Oracle s SQL client interface Understand the difference between commands to the interface and SQL language. To understand the Oracle

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

1) Update the AccuBuild Program to the latest version Version 9.3.0.3 or later.

1) Update the AccuBuild Program to the latest version Version 9.3.0.3 or later. Certified Payrll XML Exprt As f June 4 th, 2015, The Califrnia Department f Industrial Relatins (DIR) is requiring that all certified payrll reprts be submitted nline using the ecpr system. The ecpr System

More information

UNIVERSITY OF CALIFORNIA MERCED PERFORMANCE MANAGEMENT GUIDELINES

UNIVERSITY OF CALIFORNIA MERCED PERFORMANCE MANAGEMENT GUIDELINES UNIVERSITY OF CALIFORNIA MERCED PERFORMANCE MANAGEMENT GUIDELINES REFERENCES AND RELATED POLICIES A. UC PPSM 2 -Definitin f Terms B. UC PPSM 12 -Nndiscriminatin in Emplyment C. UC PPSM 14 -Affirmative

More information

Telelink 6. Installation Manual

Telelink 6. Installation Manual Telelink 6 Installatin Manual Table f cntents 1. SYSTEM REQUIREMENTS... 3 1.1. Hardware Requirements... 3 1.2. Sftware Requirements... 3 1.2.1. Platfrm... 3 1.2.1.1. Supprted Operating Systems... 3 1.2.1.2.

More information

Simmons GMAIL Client Setup

Simmons GMAIL Client Setup Simmns GMAIL Client Setup Supprted IMAP client list: Belw is a list f mail clients and mbile devices yu can synchrnize with yur Gmail. Mail Clients Outlk Express (Windws) Outlk 2003 (Windws) Outlk 2007/2010

More information

Spamguard SPAM Filter

Spamguard SPAM Filter Spamguard SPAM Filter The ECU Spam Firewall (spamguard) is designed t blck r quarantine e-mail messages that are r lk like spam befre it reaches ur email servers. The spam firewall will NOT catch all f

More information

Best Practice - Pentaho BA for High Availability

Best Practice - Pentaho BA for High Availability Best Practice - Pentah BA fr High Availability This page intentinally left blank. Cntents Overview... 1 Pentah Server High Availability Intrductin... 2 Prerequisites... 3 Pint Each Server t Same Database

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

Chalkable Classroom Lesson Plans

Chalkable Classroom Lesson Plans Chalkable Classrm Lessn Plans Creating a Lessn Plan Lessn Plans are created as items in Chalkable Classrm. Nte: Lessn plans were created as activities in InfrmatinNOW Grade Bk. Refer t the Chalkable Classrm

More information

FAQs for Webroot SecureAnywhere Identity Shield

FAQs for Webroot SecureAnywhere Identity Shield FAQs fr Webrt SecureAnywhere Identity Shield Table f Cntents General Questins...2 Why is the bank ffering Webrt SecureAnywhere Identity Shield?... 2 What des it prtect?... 2 Wh is Webrt?... 2 Is the Webrt

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

ABELMed Platform Setup Conventions

ABELMed Platform Setup Conventions ABELMed Platfrm Setup Cnventins 1 Intrductin 1.1 Purpse f this dcument The purpse f this dcument is t prvide prspective ABELMed licensees and their hardware vendrs with the infrmatin that they will require

More information

Licensed Practical Nurse (LPN) Role and Scope Course

Licensed Practical Nurse (LPN) Role and Scope Course Licensed Practical Nurse (LPN) Rle and Scpe Curse LPN Rle and Scpe 7/11/2014 1 Intrductin This mdule was develped t implement the educatinal prvisins in R4-19-301, which requires candidates wh are graduates

More information

AVG AntiVirus Business Edition

AVG AntiVirus Business Edition AVG AntiVirus Business Editin User Manual Dcument revisin AVG.02 (30.9.2015) C pyright AVG Technlgies C Z, s.r.. All rights reserved. All ther trademarks are the prperty f their respective wners. Cntents

More information

Ministry of Transport

Ministry of Transport Ministry f Transprt Student Misbehaviur User Guide Fr Bus Operatrs Versin: 4.0 Student Misbehaviur- User Guide fr Bus Operatrs Page 1 f 29 Table f Cntents: 1. Intrductin... 3 2. Student Misbehaviur Applicatin

More information

What's New. Sitecore CMS 6.6 & DMS 6.6. A quick guide to the new features in Sitecore 6.6. Sitecore CMS 6.6 & DMS 6.6 What's New Rev: 2012-10-22

What's New. Sitecore CMS 6.6 & DMS 6.6. A quick guide to the new features in Sitecore 6.6. Sitecore CMS 6.6 & DMS 6.6 What's New Rev: 2012-10-22 Sitecre CMS 6.6 & DMS 6.6 What's New Rev: 2012-10-22 Sitecre CMS 6.6 & DMS 6.6 What's New A quick guide t the new features in Sitecre 6.6 Sitecre is a registered trademark. All ther brand and prduct names

More information

TECHNICAL BULLETIN. Title: Remote Access Via Internet Date: 12/21/2011 Version: 1.1 Product: Hikvision DVR Action Required: Information Only

TECHNICAL BULLETIN. Title: Remote Access Via Internet Date: 12/21/2011 Version: 1.1 Product: Hikvision DVR Action Required: Information Only Title: Remte Access Via Internet Date: 12/21/2011 Versin: 1.1 Prduct: Hikvisin DVR Actin Required: Infrmatin Only The fllwing steps will guide yu thrugh the steps necessary t access yur Hikvisin DVR remtely

More information

Citrix Client (PN Agent) Upgrade Citrix Receiver 3.3

Citrix Client (PN Agent) Upgrade Citrix Receiver 3.3 1 P a g e February, 2013 Citrix Client (PN Agent) Upgrade Citrix Receiver 3.3 OCFS is in the prcess f upgrading the Citrix Server Envirnment, which requires an update t the Citrix Client (PN Agent). The

More information

Using McAllister Payment Solutions and Updating to AVImark version 2009.0.0.7263

Using McAllister Payment Solutions and Updating to AVImark version 2009.0.0.7263 Using McAllister Payment Slutins and Updating t AVImark versin 2009.0.0.7263 Befre the cnfiguratin f McAllister Payment Slutins (MPS) and AVImark, the McAllister Payment Slutins PA-DSS Implementatin Guide

More information

FUJITSU Software ServerView Suite ServerView PrimeCollect

FUJITSU Software ServerView Suite ServerView PrimeCollect User Guide - English FUJITSU Sftware ServerView Suite ServerView PrimeCllect Editin February 2015 Cmments Suggestins Crrectins The User Dcumentatin Department wuld like t knw yur pinin f this manual. Yur

More information

Customers FAQs for Webroot SecureAnywhere Identity Shield

Customers FAQs for Webroot SecureAnywhere Identity Shield Custmers FAQs fr Webrt SecureAnywhere Identity Shield Table f Cntents General Questins...2 Why is the bank ffering Webrt SecureAnywhere sftware?... 2 What des it prtect?... 2 Wh is Webrt?... 2 Is Webrt

More information

Grants Online. Quick Reference Guide - Grantees

Grants Online. Quick Reference Guide - Grantees Abut Grants Online: Grants Online perates in a web envirnment. Internet Explrer is the preferred brwser fr PC users; FireFx is the preferred brwser fr MAC users. N sftware is required fr installatin. Lgins

More information

SQL 2005 Database Management Plans

SQL 2005 Database Management Plans SQL 2005 Database Management Plans Overview STI recmmends that users create database maintenance plans fr Micrsft SQL 2005 t maintain the integrity f the system s database. Database maintenance plans are

More information

Elite Home Office and Roku HD Setup

Elite Home Office and Roku HD Setup Elite Hme Office and Rku HD Setup Spt On Netwrks Elite Hme Office ffers the user the advantages f having yur wn private wireless netwrk within ur larger netwrk. Print wirelessly, share files between devices,

More information

Business Digital Voice Site Services - Phone & User Assignments

Business Digital Voice Site Services - Phone & User Assignments Feature Overview The Phnes and Users must be assigned befre setting up ther cmpnents f Business Digital Vice. The system is designed t allw custmers t quickly setup and mdify phne assignments in real time

More information

Intelligent Monitoring Configuration Tool

Intelligent Monitoring Configuration Tool Intelligent Mnitring Cnfiguratin Tl Release Ntes Sftware Versin 1.0 and abve EZPlugger 2004 Sny Crpratin COPYRIGHT NOTICE 2004 Sny Crpratin. All rights reserved. This manual may nt be reprduced, translated

More information

Subqueries Chapter 6

Subqueries Chapter 6 Subqueries Chapter 6 Objectives After completing this lesson, you should be able to do the follovving: Describe the types of problems that subqueries can solve Define subqueries List the types of subqueries

More information

ELEC 204 Digital System Design LABORATORY MANUAL

ELEC 204 Digital System Design LABORATORY MANUAL ELEC 204 Digital System Design LABORATORY MANUAL : Design and Implementatin f a 3-bit Up/Dwn Jhnsn Cunter Cllege f Engineering Kç University Imprtant Nte: In rder t effectively utilize the labratry sessins,

More information

STIOffice Integration Installation, FAQ and Troubleshooting

STIOffice Integration Installation, FAQ and Troubleshooting STIOffice Integratin Installatin, FAQ and Trubleshting Installatin Steps G t the wrkstatin/server n which yu have the STIDistrict Net applicatin installed. On the STI Supprt page at http://supprt.sti-k12.cm/,

More information

Title: How Do You Handle Exchange Mailboxes for Employees Who Are No Longer With the Company

Title: How Do You Handle Exchange Mailboxes for Employees Who Are No Longer With the Company Dean Suzuki Blg Title: Hw D Yu Handle Exchange Mailbxes fr Emplyees Wh Are N Lnger With the Cmpany Created: 1/21/2013 Descriptin: I asked by ne f my custmers, hw d yu handle mailbxes fr emplyees wh are

More information

Industrial and Systems Engineering Master of Science Program Data Analytics and Optimization

Industrial and Systems Engineering Master of Science Program Data Analytics and Optimization Industrial and Systems Engineering Master f Science Prgram Data Analytics and Optimizatin Department f Integrated Systems Engineering The Ohi State University (Expected Duratin: 3 Semesters) Our sciety

More information

T2S Cash Coordinates User Guide

T2S Cash Coordinates User Guide T2S Cash Crdinates User Guide T2S cash settlement is pssible nly if at least ne SAC-DCA link has been settled up. As shwn in the schema belw, it is pssible t link a securities accunt t mre than ne cash

More information

Remote Setup and Configuration of the Outlook Email Program Information Technology Group

Remote Setup and Configuration of the Outlook Email Program Information Technology Group Remte Setup and Cnfiguratin f the Outlk Email Prgram Infrmatin Technlgy Grup The fllwing instructins will help guide yu in the prper set up f yur Outlk Email Accunt. Please nte that these instructins are

More information

Ahsay NAS Client Utility v1.0.1.x. Setup Guide. Ahsay TM Online Backup - Development Department

Ahsay NAS Client Utility v1.0.1.x. Setup Guide. Ahsay TM Online Backup - Development Department Ahsay NAS Client Utility v1.0.1.x Ahsay TM Online Backup - Develpment Department Octber 7, 2009 Cpyright Ntice Ahsay Systems Crpratin Limited 2008. All rights reserved. The use and cpying f this prduct

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

Microsoft Certified Database Administrator (MCDBA)

Microsoft Certified Database Administrator (MCDBA) Micrsft Certified Database Administratr (MCDBA) 460 hurs Curse Overview/Descriptin The MCDBA prgram and credential is designed fr individuals wh want t demnstrate that they have the necessary skills t

More information

HOWTO: How to configure SSL VPN tunnel gateway (office) to gateway

HOWTO: How to configure SSL VPN tunnel gateway (office) to gateway HOWTO: Hw t cnfigure SSL VPN tunnel gateway (ffice) t gateway Hw-t guides fr cnfiguring VPNs with GateDefender Integra Panda Security wants t ensure yu get the mst ut f GateDefender Integra. Fr this reasn,

More information

Client: Cisco Software VPN Client Version: 4.8.01.0300 or higher Platform: Windows 2000/XP & VISTA-32bit(5.0.00.0340)

Client: Cisco Software VPN Client Version: 4.8.01.0300 or higher Platform: Windows 2000/XP & VISTA-32bit(5.0.00.0340) Client: Cisc Sftware VPN Client Versin: 4.8.01.0300 r higher Platfrm: Windws 2000/XP & VISTA-32bit(5.0.00.0340) Descriptin: This dcument prvides instructins fr hw t mdify the CBP prvided Cisc Sftware VPN

More information

STIClassroom Win Rosters, Attendance, Lesson Plans and Textbooks

STIClassroom Win Rosters, Attendance, Lesson Plans and Textbooks STIClassrm Win Rsters, Attendance, Lessn Plans and Textbks Student Class Rster T access the student class rster, click the icn in the Classrm desktp. Frm the Rster screen, teachers may access the items

More information

AvePoint Office Connect 1.31

AvePoint Office Connect 1.31 AvePint Office Cnnect 1.31 User Guide Issued May 2016 1 Table f Cntents What s New in this Guide... 4 Abut Office Cnnect... 5 Understanding the Office Cnnect Explrer... 6 Sharing Files with Others (Quick

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

Recommended Backup Plan for SQL 2000 Server Database Servers

Recommended Backup Plan for SQL 2000 Server Database Servers Recmmended Backup Plan fr SQL 2000 Server Database Servers (DAISI) General Ntes STI recmmends that data backup be perfrmed n a regular basis. Transactin Lg Backup Users shuld nt truncate the Transactin

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

Instructions for Configuring a SAFARI Montage Managed Home Access Expansion Server

Instructions for Configuring a SAFARI Montage Managed Home Access Expansion Server Instructins fr Cnfiguring a SAFARI Mntage Managed Hme Access Expansin Server ~ Please read these instructins in their entirety befre yu begin. ~ These instructins explain hw t add a SAFARI Mntage Managed

More information

E-Biz Web Hosting Control Panel

E-Biz Web Hosting Control Panel 1 f 38 E-Biz Web Hsting Cntrl Panel This dcument has been created t give yu a useful insight in t the Hsting Cntrl Panel available with E-Biz hsting services. Please nte: Optins available are dependent

More information

Your Blooming Curriculum. Using Bloom s Taxonomy to Determine Student Performance Expectations

Your Blooming Curriculum. Using Bloom s Taxonomy to Determine Student Performance Expectations Yur Blming Curriculum Using Blm s Taxnmy t Determine Student Perfrmance Expectatins Sessin Descriptin Blm's Taxnmy is a useful tl fr analyzing the rigr and alignment f yur curriculum. In this sessin, we

More information

Valley Transcription Service I-Phone/I-Pod App User s Guide

Valley Transcription Service I-Phone/I-Pod App User s Guide 541-926-4194 Valley Transcriptin Service I-Phne/I-Pd App User s Guide (Fr use with iphne/ipad/i-pd Tuch) Page 0 Table f Cntents Table f Cntents... i Intrductin... 1 Requirements... 1 1. 2. 3. Installing

More information

Request for Resume (RFR) CATS II Master Contract. All Master Contract Provisions Apply

Request for Resume (RFR) CATS II Master Contract. All Master Contract Provisions Apply Sectin 1 General Infrmatin RFR Number: (Reference BPO Number) Functinal Area (Enter One Only) F50B3400026 7 Infrmatin System Security Labr Categry A single supprt resurce may be engaged fr a perid nt t

More information

Getting Started User Guide

Getting Started User Guide Getting Started User Guide Intrductin Guide Objectives This guide will help yu: Get started with Acland s Vide Atlas f Human Anatmy System requirements Lg in Understand the features f Acland s Vide Atlas

More information

1.0 Special Education and Conversion in MyEducation BC

1.0 Special Education and Conversion in MyEducation BC 1.0 Special Educatin and Cnversin in MyEducatin BC Special Educatin student eligibilities have been cnverted int MyEducatin BC frm BCeSIS. In rder t d s, special educatin wrkflw shells cntaining the designatin

More information

Application Advisories for Data Integrator for Non- EDI location

Application Advisories for Data Integrator for Non- EDI location Applicatin Advisries fr Data Integratr fr Nn- EDI lcatin It is a standalne Windws based applicatin that will be installed at every Cmmissinerate. Applicatin will be used fr filling Bill f Entry and Shipping

More information

Firewall/Proxy Server Settings to Access Hosted Environment. For Access Control Method (also known as access lists and usually used on routers)

Firewall/Proxy Server Settings to Access Hosted Environment. For Access Control Method (also known as access lists and usually used on routers) Firewall/Prxy Server Settings t Access Hsted Envirnment Client firewall settings in mst cases depend n whether the firewall slutin uses a Stateful Inspectin prcess r ne that is cmmnly referred t as an

More information

CallCenter@nywhere Interaction Manager OFT 605 (Part1)

CallCenter@nywhere Interaction Manager OFT 605 (Part1) Interactin Manager OFT 605 (Part1) Cpyright 2014 ICS, McGill University Table f Cntents What is Interactin Manager?... 1 Features and Benefits... 1 Launch Interactin Manager... 1 Screen Layut... 2 Cnfiguring

More information

INUVIKA OPEN VIRTUAL DESKTOP ENTERPRISE

INUVIKA OPEN VIRTUAL DESKTOP ENTERPRISE INUVIKA OPEN VIRTUAL DESKTOP ENTERPRISE MIGRATION GUIDE Mathieu Schires Versin 1.0 Published 06/03/2015 This dcument describes the preparatin and steps t fllw t upgrade an OVD farm frm Inuvika OVD 0.9.x

More information