HASH TABLES. Hash Workshop Applet (pages ) The Hash Workshop applet demonstrates the Java implementation of a hash table using linear probing.

Size: px
Start display at page:

Download "HASH TABLES. Hash Workshop Applet (pages ) The Hash Workshop applet demonstrates the Java implementation of a hash table using linear probing."

Transcription

1 HASH TABLES Open Addressing Hash Tables (clsed hashing) pp Table rganizatin (pages ) An pen addressing hash table is an array structure with B elements, called buckets, which are numbered 0 thrugh B 1. Hashing Functins (pages ) Assume that database recrds are being stred in the hash table and that each recrd has a primary key. A hashing functin inputs a value fr the key and returns an index (0 thrugh B 1) within the hash table. The index returned by is called the hash address r hash cde. When the key values are integers, such as Scial Security numbers r credit card accunt numbers, the simplest hashing functin scales the key t the range 0 thrugh B 1 by dividing it mdul B: public int ( int key ) return key % B; Algrithm fr peratins find and insert (page ) Suppse yu wish t find r insert a recrd with key X int a hash table. Cmpute (X) = b and inspect bucket b. If bucket b is empty then place the recrd at that psitin. If bucket b is nt empty then a cllisin has ccurred and a cllisin reslutin (r prbing) strategy must be emplyed. Linear Prbing (page 528) The simplest prbing strategy is linear prbing, in which yu successively search buckets b+1, b+2, b+3, (wrap arund t bucket 0 if necessary) until: the recrd with key X is fund, meaning yu ve fund the recrd, OR an empty slt is encuntered, in which case the recrd is nt in the table and s yu insert it int the table at that psitin, OR yu return t bucket b in which case the table is full and must be increased in size Since the same algrithm is used t find and insert, a recrd is always fund even if it is nt placed int bucket given by its hash address. Hash Wrkshp Applet (pages ) The Hash Wrkshp applet demnstrates the Java implementatin f a hash table using linear prbing. Deletin (pages ) T delete an item in a hash table, verwrite it with a special value. The find algrithm treats this bucket as nt empty; the insert treats it as empty. Hash Tables Page 1

2 Clustering Linear prbing suffers frm primary clustering where large grups f cnsecutive e buckets becme ccupied. Duble Hashing (pages ) Uses this prbing sequence: If bucket b is full, successively prbe buckets b+h, b+2h, b+3h, where h is an increment value given by a secndary hashing functin. Thus, even if tw keys hash t the same bucket address b using the primary hashing functin, they wn t hash t the same increment h using the secndary ne and, therefre, their prbe sequences will differ. We need a guarantee that we d nt keep searching the same buckets ver and ver again (see page 551). Duble Hashing Therem: If table size B is relatively prime t the increment value h, then the duble hashing prbing sequence b, b+h, b+2h, b+3h, etc. will eventually examine every bucket f the hash table. T satisfy the requirement if the Duble Hashing Therem, make the table size B a prime number and use this secndary hashing functin (where c is sme small cnstant): public int ( int key ) return c - (key % c); Yur authr (n page 545) says that the cnstant c must be a prime number. Weiss 1 als suggests chsing a prime number fr c but desn t imply that it is necessary. Sedgwick 2 suggests chsing c = 8 s that yu can efficiently implement the secndary hashing functin by simply extracting the rightmst three bits f the key. Rehashing (page 541) If the hash array becmes t full, yu cannt simply create a larger ne and cpy the cntents f the ld array int it because each recrd s psitin is derived frm the array size. T enlarge a hash table, yu must allcate a new array using the larger size and, by lping thrugh the ld table, take each recrd, rehash its key with the new size and insert it int the new table. 1 Mark Allen Weiss, Data Structures and Algrithm Analysis in Java, Addisn-Wesley, 1999, p Rbert Sedgewick, Algrithms, Addisn-Wesley Publishing Cmpany, 1988, p Hash Tables Page 2

3 Clsed Addressing Hash Tables (pen hashing) pp Each bucket f the hash table is a linked list. T insert a recrd with key X int the hash table cmpute (X) = b and search the linked list at bucket b fr the recrd, inserting it int the list if it isn t already present. Alphanumeric Keys (pages ) Fr recrds with alphanumeric keys (such as VIN numbers) the key must be cnverted t an integer as part f the hashing functin. The cnversin algrithm uses the fact that each character f a string is stred as an integer such as its ASCII cde (American Standard Cde fr Infrmatin Interchange) where each character is stred as an eight-bit binary number. Fr example: Letter ASCII Cde Decimal Hex Binary A B C D E F A gd cnversin algrithm must use as many characters f the key as pssible and, preferably, all f them. Fr example, if nly the first 3 characters are used then FZZ000 thrugh FZZ999 wuld all hash t the same address. Furthermre, gd cnversin algrithm must accunt fr the psitin f each character. If it didn t, fr example, TAR, ART and RAT wuld all hash t the same address. The best strategy guarantees that n tw different strings are cnverted t the same integer. This is dne by using the binary string that represents the key. C A B E Hash Tables Page 3

4 Here s the algrithm fr cnstructing this number. String t Integer Cnversin Algrithm Given: key, a string f alphanumeric characters key[0], key[1], etc. Steps: Initialize integer result t key[0] fr k=1 t last character in the string d shift bits in result left 8 bits place key[k] int rightmst 8 bits end fr Shifting the integer 8 bits t the left can be accmplished by multiplying it by 256 (2 8 ). The final result must be divided mdul the hash table size B but it is better t d this within the lp as the result is calculated s as t prevent verflwing the cmputer s integer range befre all the characters have been prcessed. Here s the algrithm cded int Java. 3 public int hashstring( String key, int B ) // Hash the given alphanumeric key int an address // fr a hash table with B buckets. int hashval = key.charat( 1 ); fr ( int k = 1; k < key.length( ); k++ ) hashval *= 256; // shift left 8 bits hashval += key.charat( k ); // place char int the 8 bits hashval %= B; // md by table size return hashval; 3 Yur textbk (n page 565) presents a similar algrithm. His algrithm uses a radix f 27 and subtracts 96 frm the ASCII cde because he is assuming keys are made up nly f blanks and the twenty-six lwer-case letters. The ASCII cde fr the lwer-case letter a is 97. Thus, by subtracting 96 frm the ASCII cde in the first statement, he scales each lwer-case letter t an integer in the range 1 thrugh 26. Hash Tables Page 4

5 Expert Recmmendatins n Hashing Techniques Bth yur authr (n page 552) and Sedgewick 4 claim that duble hashing is the pen addressing methd f chice. Weiss 5, n the ther hand, refers t duble hashing as theretically interesting and recmmends quadratic prbing. Sedgewick 6 recmmends: 1. If the number f recrds t be placed int the table is unknwn then use separate chaining. 2. If yu can rughly estimate in advance the number f recrds t be placed int the table then use duble hashing. Make the table abut twice as large as the number f recrds (remember that it must be a prime number). Never let it becme mre than 60% full. If it reaches 60% full, rehash it t at least twice its current size. 4 Rbert Sedgewick, p. cit., p Mark Allen Weiss, p. cit., p Rbert Sedgewick, lc. cit. Hash Tables Page 5

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

Topic: Import MS Excel data into MS Project Tips & Troubleshooting

Topic: Import MS Excel data into MS Project Tips & Troubleshooting Tpic: Imprt MS Excel data int MS Prject Tips & Trubleshting by Ellen Lehnert, MS Prject MVP, PMP, MCT, MCP www.lehnertcs.cm April, 2014 There are several things yu shuld be aware f regarding the imprt

More information

CSE 231 Fall 2015 Computer Project #4

CSE 231 Fall 2015 Computer Project #4 CSE 231 Fall 2015 Cmputer Prject #4 Assignment Overview This assignment fcuses n the design, implementatin and testing f a Pythn prgram that uses character strings fr data decmpressin. It is wrth 45 pints

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

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

Legacy EMR Data Conversions

Legacy EMR Data Conversions Legacy EMR Data Cnversins Agenda Abut us Drivers fr EMR Replacement Things t Cnsider Tp 5 Reasns EMR Cnversins Fail Optins fr Legacy EMR Cnversin Case Study Abut Us Health efrmatics is a healthcare IT

More information

Merchant Management System. New User Guide CARDSAVE

Merchant Management System. New User Guide CARDSAVE Merchant Management System New User Guide CARDSAVE Table f Cntents Lgging-In... 2 Saving the MMS website link... 2 Lgging-in and changing yur passwrd... 3 Prcessing Transactins... 4 Security Settings...

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

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

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

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

Contents. Extra copies of this booklet are available on the Study Skills section of the school website (www.banbridgehigh.co.

Contents. Extra copies of this booklet are available on the Study Skills section of the school website (www.banbridgehigh.co. Banbridge High Schl Revisin & Examinatins Cntents Hw t Plan Yur Revisin... 2 A sample timetable:... 3 Sample Revisin Timetable... 4 Hw t Create the Right Envirnment: Setting Up My Space... 5 Think Abut

More information

David Drivers Revit One-sheets: Linked Project Positioning and shared coordinates

David Drivers Revit One-sheets: Linked Project Positioning and shared coordinates This paper discusses the fllwing features f Revit Building Shared Crdinates Named lcatins Publish and acquire Vs Saving lcatins Shared Crdinates and wrkset enabled files Revisin 1 (Versin 9.0) David Driver.

More information

Personal Selling. Lesson 22. 22.1 Objectives. 22.2 Meaning of Personal Selling

Personal Selling. Lesson 22. 22.1 Objectives. 22.2 Meaning of Personal Selling Persnal Selling Lessn 22 Persnal Selling When yu want t buy smething yu usually g t a cncerned shp and purchase it frm there. But, smetimes yu find peple bring certain gds r prducts and make them available

More information

Unit tests need to be supervised and the final exam invigilated.

Unit tests need to be supervised and the final exam invigilated. Activating the Curse: Pre-Calculus 11 requires students t cmplete a threshld in rder t be cnsidered active in the curse. The threshld cnsists f the first tw assignments; Quadratic Functins 1 and Quadratic

More information

StarterPak: Dynamics CRM Opportunity To NetSuite Sales Order

StarterPak: Dynamics CRM Opportunity To NetSuite Sales Order StarterPak: Dynamics CRM Opprtunity T NetSuite Sales Order Versin 1.0 7/20/2015 Imprtant Ntice N part f this publicatin may be reprduced, stred in a retrieval system, r transmitted in any frm r by any

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

Computer Science Undergraduate Scholarship

Computer Science Undergraduate Scholarship Cmputer Science Undergraduate Schlarship R E G U L A T I O N S The Cmputer Science Department at the University f Waikat runs an annual Schlarship examinatin which ffers up t 10 undergraduate Schlarships

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

Note: The designation of a Roommate is determined from the Occupants table. Roommate checkbox must be checked.

Note: The designation of a Roommate is determined from the Occupants table. Roommate checkbox must be checked. MultiSite Feature: Renters Insurance Versin 2 with Rmmates Renter s Insurance infrmatin can be tracked n each resident and rmmate, including insurance histry. Infrmatin can be edited in the Renters Insurance

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

Create a Non-Catalog Requisition

Create a Non-Catalog Requisition Create a Nn-Catalg Requisitin Jb Aid This jb aid describes hw t create a standard nn-catalg (i.e., nn-ibuynu) purchase request. REFER TO ADDITIONAL TRAINING GUIDES If yu need t create a special requisitin

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

Additional Resources Refer to the Inventory Year-End Closing Tips. Refer to the Inventory Year-End Questions and Answers.

Additional Resources Refer to the Inventory Year-End Closing Tips. Refer to the Inventory Year-End Questions and Answers. Inventry Year-End Clsing Prcedures - 2007 Use the prcedure described in this sectin t clse the year fr Inventry Cntrl and prepare yur Inventry recrds fr the new fiscal year. Clsing a year transfers all

More information

Affixes Lesson Plan. Students use Words With Friends (WWF) EDU to identify and spell affixes.

Affixes Lesson Plan. Students use Words With Friends (WWF) EDU to identify and spell affixes. Affixes Lessn Plan Students use Wrds With Friends (WWF) EDU t identify and spell affixes. Primary Objective Students will be able t identify and spell cmmn affixes (e.g., prefixes such as re- and un- ;

More information

A. Your Privacy Issues Concerned with

A. Your Privacy Issues Concerned with Questinnaire Dear Respndent, Please take yur time t fill up the fllwing questinnaire, as it will help us t design a highly infrmative and effective platfrm fr the cncerned peple wh are in need f high quality

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

Backups and Backup Strategies

Backups and Backup Strategies IT Security Office Versin 2.3 02/19/10 Backups and Backup Strategies IT managers need t plan fr backups in terms f time and space required. Hwever, mst mdern backup sftware can cmpress the backup files

More information

Volunteer Tracking Software input received from APGA volunteer section members

Volunteer Tracking Software input received from APGA volunteer section members Vlunteer Tracking Sftware input received frm APGA vlunteer sectin members Cmments received n the fllwing systems: 1. Micrsft Access Database/Excel 2. Vlgistics 3. Raiser s Edge Questins asked: What data

More information

System Business Continuity Classification

System Business Continuity Classification System Business Cntinuity Classificatin Business Cntinuity Prcedures Infrmatin System Cntingency Plan (ISCP) Business Impact Analysis (BIA) System Recvery Prcedures (SRP) Cre Infrastructure Criticality

More information

Times Table Activities: Multiplication

Times Table Activities: Multiplication Tny Attwd, 2012 Times Table Activities: Multiplicatin Times tables can be taught t many children simply as a cncept that is there with n explanatin as t hw r why it is there. And mst children will find

More information

College Application Toolkit How to survive and thrive in the college application process

College Application Toolkit How to survive and thrive in the college application process Cllege Applicatin Tlkit Hw t survive and thrive in the cllege applicatin prcess Where t Apply Naviance SuperMatch Scattergrams Net price calculatr (beware f sticker shck) Fr specialty prgrams: advice frm

More information

Design for securability Applying engineering principles to the design of security architectures

Design for securability Applying engineering principles to the design of security architectures Design fr securability Applying engineering principles t the design f security architectures Amund Hunstad Phne number: + 46 13 37 81 18 Fax: + 46 13 37 85 50 Email: amund@fi.se Jnas Hallberg Phne number:

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

In addition to assisting with the disaster planning process, it is hoped this document will also::

In addition to assisting with the disaster planning process, it is hoped this document will also:: First Step f a Disaster Recver Analysis: Knwing What Yu Have and Hw t Get t it Ntes abut using this dcument: This free tl is ffered as a guide and starting pint. It is des nt cver all pssible business

More information

Integrating With incontact dbprovider & Screen Pops

Integrating With incontact dbprovider & Screen Pops Integrating With incntact dbprvider & Screen Pps incntact has tw primary pints f integratin. The first pint is between the incntact IVR (script) platfrm and the custmer s crprate database. The secnd pint

More information

Creating Your First Year/Semester Student s Group Advising session

Creating Your First Year/Semester Student s Group Advising session 1 Creating Yur First Year/Semester Student s Grup Advising sessin This dcument is meant as a spring bard t get yu thinking abut yur wn grup advising sessins based n yur campus demgraphics. This is nt an

More information

Deployment Overview (Installation):

Deployment Overview (Installation): Cntents Deplyment Overview (Installatin):... 2 Installing Minr Updates:... 2 Dwnlading the installatin and latest update files:... 2 Installing the sftware:... 3 Uninstalling the sftware:... 3 Lgging int

More information

CHECKING ACCOUNTS AND ATM TRANSACTIONS

CHECKING ACCOUNTS AND ATM TRANSACTIONS 1 Grades 6-8 Lessn 1 CHECKING ACCOUNTS AND ATM TRANSACTIONS Tpic t Teach: This lessn is intended fr middle schl students in sixth thrugh eighth grades during a frty minute time perid. The lessn teaches

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

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

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

Grant Application Writing Tips and Tricks

Grant Application Writing Tips and Tricks Grant Applicatin Writing Tips and Tricks Grants are prvided by gvernment (lcal, state and natinal), charitable trusts, and by cmmunity rganisatins (eg Ltteries, Rtary, etc). Each grant has a specific purpse,

More information

WHAT YOU NEED TO KNOW ABOUT. Protecting your Privacy

WHAT YOU NEED TO KNOW ABOUT. Protecting your Privacy WHAT YOU NEED TO KNOW ABOUT Prtecting yur Privacy YOUR PRIVACY IS OUR PRIORITY Credit unins have a histry f respecting the privacy f ur members and custmers. Yur Bard f Directrs has adpted the Credit Unin

More information

Instructions for Certify

Instructions for Certify Lg int Certify using yur full Bwdin Cllege email address and yur passwrd. If yu have frgtten yur passwrd, select Frgt yur passwrd? frm the Certify Lgin page and fllw the Lst Passwrd Wizard steps. Add receipts

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

Information Guide Booklet. Home Loans

Information Guide Booklet. Home Loans Infrmatin Guide Bklet Hme Lans This Infrmatin Guide bklet prvides yu with general infrmatin nly. It will als help yu t better understand any recmmendatins we have made fr yu. Infrmatin Guide Hme Lans January

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

PROMOTING THE USE OF VIDEO CONFERENCING. How to get the absolute best from Video Conferencing by encouraging and increasing usage.

PROMOTING THE USE OF VIDEO CONFERENCING. How to get the absolute best from Video Conferencing by encouraging and increasing usage. PROMOTING THE USE OF VIDEO CONFERENCING Hw t get the abslute best frm Vide Cnferencing by encuraging and increasing usage. A LITTLE BIT OF ENCOURAGEMENT GOES A LONG WAY Having invested in Vide Cnferencing

More information

By offering the Study Abroad Scholarship, we hope to make your study abroad experience much more affordable!

By offering the Study Abroad Scholarship, we hope to make your study abroad experience much more affordable! Internatinal Educatin Prgrams is pleased t annunce a Study Abrad Schlarship fr Seattle Central Cmmunity Cllege students. The schlarship has been established by the Internatinal Educatin Prgrams divisin

More information

How To Install Fcus Service Management Software On A Pc Or Macbook

How To Install Fcus Service Management Software On A Pc Or Macbook FOCUS Service Management Sftware Versin 8.4 fr Passprt Business Slutins Installatin Instructins Thank yu fr purchasing Fcus Service Management Sftware frm RTM Cmputer Slutins. This bklet f installatin

More information

PROCESSING THROUGH MPS and AVIMARK

PROCESSING THROUGH MPS and AVIMARK Befre using McAllister Payment Slutins (MPS) as yur pint-f-sale and/r integrated credit card prcess slutin, the McAllister Payment Slutins PA- DSS Implementatin Guide must be reviewed in its entirety.

More information

Custom Portlets. an unbiased review of the greatest Practice CS feature ever. Andrew V. Gamet

Custom Portlets. an unbiased review of the greatest Practice CS feature ever. Andrew V. Gamet Custm Prtlets an unbiased review f the greatest Practice CS feature ever Andrew V. Gamet Descriptin In Practice CS, the firm can use any f the fur dashbards t quickly display relative infrmatin. The Firm,

More information

Annex 3. Specification of requirement. Surveillance of sulphur-emissions from ships in Danish waters

Annex 3. Specification of requirement. Surveillance of sulphur-emissions from ships in Danish waters Annex 3 Specificatin f requirement Surveillance f sulphur-emissins frm ships in Danish waters 1 Cntent 1 Objective... 3 2 Prject Perid... 4 3 Psitin and Planning f Measurements... 4 3.1 Mnitring frm a

More information

Masters of Divinity Concentration in Christian Spirituality

Masters of Divinity Concentration in Christian Spirituality Masters f Divinity Cncentratin in Christian Spirituality Overview: Multi-Semester Curse Descriptin and Service/Leadership Cmpnent Descriptin: The Spirituality Cncentratin cnsists in SP-2527 Spiritual Life

More information

URM 11g Implementation Tips, Tricks & Gotchas ALAN MACKENTHUN FISHBOWL SOLUTIONS, INC.

URM 11g Implementation Tips, Tricks & Gotchas ALAN MACKENTHUN FISHBOWL SOLUTIONS, INC. URM 11g Implementatin Tips, Tricks & Gtchas ALAN MACKENTHUN FISHBOWL SOLUTIONS, INC. i Fishbwl Slutins Ntice The infrmatin cntained in this dcument represents the current view f Fishbwl Slutins, Inc. n

More information

Student Academic Learning Services Page 1 of 7. Statistics: The Null and Alternate Hypotheses. A Student Academic Learning Services Guide

Student Academic Learning Services Page 1 of 7. Statistics: The Null and Alternate Hypotheses. A Student Academic Learning Services Guide Student Academic Learning Services Page 1 f 7 Statistics: The Null and Alternate Hyptheses A Student Academic Learning Services Guide www.durhamcllege.ca/sals Student Services Building (SSB), Rm 204 This

More information

Understanding Federal Direct Consolidation Loans. 2012 Spring MASFAA Conference

Understanding Federal Direct Consolidation Loans. 2012 Spring MASFAA Conference Understanding Federal Direct Cnslidatin Lans 2012 Spring MASFAA Cnference UNDERSTANDING FEDERAL DIRECT & SPECIAL CONSOLIDATION LOANS Amy M. Mser, Reginal Directr Nelnet Educatin Lan Services 2 Nelnet Educatin

More information

Account Switch Kit. Locations. HACKLEBURG PO DRAWER A 34888 US HWY 43 HACKLEBURG, AL 35564 Phone: (205)395-1944 Fax: (205)935-3349

Account Switch Kit. Locations. HACKLEBURG PO DRAWER A 34888 US HWY 43 HACKLEBURG, AL 35564 Phone: (205)395-1944 Fax: (205)935-3349 Member FDIC "Hmetwn Banking... Accunt Switch Kit... Mving Made Easy" Lcatins HAMILTON PO BO 189 1281 MILITARY ST S HAMILTON, AL 35570 Phne: (205)921-9400 Fax: (205)921-9708 HACKLEBURG PO DRAWER A 34888

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

Disassembly of the CertiflexDimension software is also expressly prohibited.

Disassembly of the CertiflexDimension software is also expressly prohibited. All cntent included in CertiflexDimensin prgrams, manuals and materials generated by the prgrams are the prperty f The Versatile Grup Inc. (TVG) and are prtected by United States and Internatinal cpyright

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

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

HOPE LoanPort On-Boarding Requirements & Process Table of Contents

HOPE LoanPort On-Boarding Requirements & Process Table of Contents HOPE LanPrt On-Barding Requirements & Prcess Table f Cntents Table f Cntents...1 Step 1: VISIT www.hpelanprtal.rg....2 Step 2: COMPLETE COUNSELOR ON-BOARDING FORM...3 Step 3: AGREE TO PARTICIPATION AGREEMENT...4

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

Knowledge Base Article

Knowledge Base Article Knwledge Base Article Crystal Matrix Interface Cmparisn TCP/IP vs. SDK Cpyright 2008-2012, ISONAS Security Systems All rights reserved Table f Cntents 1: INTRODUCTION... 3 1.1: TCP/IP INTERFACE OVERVIEW:...

More information

FOCUS Service Management Software Version 8.5 for Passport Business Solutions Installation Instructions

FOCUS Service Management Software Version 8.5 for Passport Business Solutions Installation Instructions FOCUS Service Management Sftware fr Passprt Business Slutins Installatin Instructins Thank yu fr purchasing Fcus Service Management Sftware frm RTM Cmputer Slutins. This bklet f installatin instructins

More information

Fiscal Operation of Service Centers

Fiscal Operation of Service Centers Oregn University System Fiscal Plicy Manual Fiscal Operatin f Service Centers Sectin: Accunting and Financial Reprting Number: 05.713 Title: Fiscal Operatin f Service Centers Index POLICY.100 POLICY STATEMENT.110

More information

NAVIPLAN PREMIUM LEARNING GUIDE. Existing insurance coverage

NAVIPLAN PREMIUM LEARNING GUIDE. Existing insurance coverage NAVIPLAN PREMIUM LEARNING GUIDE Existing insurance cverage Cntents Existing insurance cverage 1 Learning bjectives 1 NaviPlan planning stages 1 Client case 2 Enter yur clients existing life, disability,

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

FACT SHEET BORROWING THROUGH SUPER. Prepared by Brett Griffiths, Director Superannuation Consulting e bgriffiths@vincents.com.au

FACT SHEET BORROWING THROUGH SUPER. Prepared by Brett Griffiths, Director Superannuation Consulting e bgriffiths@vincents.com.au FACT SHEET BORROWING THROUGH SUPER Prepared by Brett Griffiths, Directr Superannuatin Cnsulting e bgriffiths@vincents.cm.au FACT SHEET Since September 2007 Self Managed Superannuatin Funds (SMSF s) can

More information

FORM ADV (Paper Version) UNIFORM APPLICATION FOR INVESTMENT ADVISER REGISTRATION AND REPORT FORM BY EXEMPT REPORTING ADVISERS

FORM ADV (Paper Version) UNIFORM APPLICATION FOR INVESTMENT ADVISER REGISTRATION AND REPORT FORM BY EXEMPT REPORTING ADVISERS APPENDIX A FORM ADV (Paper Versin) UNIFORM APPLICATION FOR INVESTMENT ADVISER REGISTRATION AND REPORT FORM BY EXEMPT REPORTING ADVISERS Frm ADV: General Instructins Read these instructins carefully befre

More information

Inspired Leaders Principal Licensure Program PROGRAM APPLICATION

Inspired Leaders Principal Licensure Program PROGRAM APPLICATION Inspired Leaders Principal Licensure Prgram PROGRAM APPLICATION Applicatin Submissin Prcess: Submit the fllwing t the Center fr Educatinal Leadership: Prgram applicatin Experience Verificatin Frm Tw Current

More information

PENNSYLVANIA SURPLUS LINES ASSOCIATION Electronic Filing System (EFS) Frequently Asked Questions and Answers

PENNSYLVANIA SURPLUS LINES ASSOCIATION Electronic Filing System (EFS) Frequently Asked Questions and Answers PENNSYLVANIA SURPLUS LINES ASSOCIATION Electrnic Filing System (EFS) Frequently Asked Questins and Answers 1 What changed in Release 2.0?...2 2 Why was my accunt disabled?...3 3 Hw d I inactivate an accunt?...4

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

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

iphone Mobile Application Guide Version 2.2.2

iphone Mobile Application Guide Version 2.2.2 iphne Mbile Applicatin Guide Versin 2.2.2 March 26, 2014 Fr the latest update, please visit ur website: www.frte.net/mbile Frte Payment Systems, Inc. 500 West Bethany, Suite 200 Allen, Texas 75013 (800)

More information

SWARTHMORE GIFT PLANNING

SWARTHMORE GIFT PLANNING SWARTHMORE GIFT PLANNING Gift Basics Thank yu fr serving as a 50 th reunin gift planning representative fr yur class. Yur supprt fr the Cllege and yur membership in the Swarthmre Legacy Circle will serve

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

How do I evaluate the quality of my wireless connection?

How do I evaluate the quality of my wireless connection? Hw d I evaluate the quality f my wireless cnnectin? Enterprise Cmputing & Service Management A number f factrs can affect the quality f wireless cnnectins at UCB. These include signal strength, pssible

More information

Emulated Single-Sign-On in LISTSERV Rev: 15 Jan 2010

Emulated Single-Sign-On in LISTSERV Rev: 15 Jan 2010 Emulated Single-Sign-On in LISTSERV Rev: 15 Jan 2010 0. Nte that frm LISTSERV versin 15.5, LISTSERV supprts using an external LDAP directry (r Windws Active Directry) fr lgin authenticatin in additin t

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

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

B Bard Video Games - Cnflict F interest

B Bard Video Games - Cnflict F interest St Andrews Christian Cllege BOARD CONFLICT OF INTEREST POLICY April 2011 St Andrews Christian Cllege 2 Bard Cnflict f Interest Plicy Plicy Dcument Infrmatin Plicy Name Bard Cnflict f Interest Plicy Authr/Supervisr

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

Data Warehouse Scope Recommendations

Data Warehouse Scope Recommendations Rensselaer Data Warehuse Prject http://www.rpi.edu/datawarehuse Financial Analysis Scpe and Data Audits This dcument describes the scpe f the Financial Analysis data mart scheduled fr delivery in July

More information

Credit Report Reissue Recommendation TABLE OF CONTENTS

Credit Report Reissue Recommendation TABLE OF CONTENTS T: Credit Reprting Wrkgrup Frm: Mike Bixby (305) 829-5549 MBixby@LandAm.cm Paul Wills (770) 740-7353 Paul.Wills@Equifax.cm Date: February 13, 2007 Re: Credit Reprt Reissue Recmmendatin The MISMO Credit

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

PMR: FINANCIAL INSTRUMENTS IFRS: IAS 39 (measurement), IAS 32 (presentation) N.B. Text in purple are not converged between ASPE and IFRS

PMR: FINANCIAL INSTRUMENTS IFRS: IAS 39 (measurement), IAS 32 (presentation) N.B. Text in purple are not converged between ASPE and IFRS PMR: FINANCIAL INSTRUMENTS IFRS: IAS 39 (measurement), IAS 32 (presentatin) N.B. Text in purple are nt cnverged between ASPE and IFRS DEFINITIONS Financial Instrument is a cntract that creates a financial

More information

ViPNet VPN in Cisco Environment. Supplement to ViPNet Documentation

ViPNet VPN in Cisco Environment. Supplement to ViPNet Documentation ViPNet VPN in Cisc Envirnment Supplement t ViPNet Dcumentatin 1991 2015 Inftecs Americas. All rights reserved. Versin: 00121-04 90 02 ENU This dcument is included in the sftware distributin kit and is

More information

Online Network Administration Degree Programs

Online Network Administration Degree Programs Online Schls, Degrees & Prgrams Blg Abut Archives Cntact Online Netwrk Administratin Degree Prgrams A Netwrk Administratr is smene respnsible fr the maintenance and perfrmance f cmputer hardware and sftware

More information

Master of Education in Organizational Leadership PROGRAM APPLICATION

Master of Education in Organizational Leadership PROGRAM APPLICATION Master f Educatin in Organizatinal Leadership PROGRAM APPLICATION Applicatin Submissin Prcess: Submit the fllwing t the Center fr Educatinal Leadership: Prgram applicatin Experience Verificatin frm Tw

More information

The ADA: Your Employment Rights as an Individual With a Disability

The ADA: Your Employment Rights as an Individual With a Disability The ADA: Yur Emplyment Rights as an Individual With a Disability The U.S. Equal Emplyment Opprtunity Cmmissin ADDENDUM Since The Americans with Disabilities Act: Yur Respnsibilities as an Emplyer was published,

More information

Results-Driven Website Design, Development & Online Marketing ONLINE BUSINESS STRATEGY

Results-Driven Website Design, Development & Online Marketing ONLINE BUSINESS STRATEGY Results-Driven Website Design, Develpment & Online Marketing ONLINE BUSINESS STRATEGY Blue Funtain Media 2010 TABLE OF CONTENTS Tw Principles t Online Business Strategy Online Marketing Methds Fur Essential

More information

Manual. Adapter OBD v2. Software version: NEVO-4.0.4.0. DiegoG3-3.0.8.0. Full compatibility with OBD Adapter v2 2.0B

Manual. Adapter OBD v2. Software version: NEVO-4.0.4.0. DiegoG3-3.0.8.0. Full compatibility with OBD Adapter v2 2.0B Manual Adapter OBD v2 Sftware versin: NEVO-4.0.4.0 DiegG3-3.0.8.0 Full cmpatibility with OBD Adapter v2 2.0B Page 2 / 7 1 Descriptin The OBD Adapter v2 enables cmmunicatin between NEVO r Dieg gas injectin

More information

ENERGY CALIBRATION IN DPPMCA AND XRS-FP REV A0 ENERGY CALIBRATION IN DPPMCA AND XRS-FP

ENERGY CALIBRATION IN DPPMCA AND XRS-FP REV A0 ENERGY CALIBRATION IN DPPMCA AND XRS-FP ENERGY CALIBRATION IN DPPMCA AND XRS-FP Energy calibratin is very imprtant fr quantitative X-ray analysis. Even a small errr in the calibratin f the energy scale can have significant cnsequences: if the

More information

Making the right choice between VoIP Service and Traditional Telephone Service

Making the right choice between VoIP Service and Traditional Telephone Service Making the right chice between VIP Service and Traditinal Telephne Service Befre making the switch t VIP, businesses are ften cncerned abut a cmparisn between traditinal and VIP service. Cncerns ver relative

More information

Introduction to Mindjet MindManager Server

Introduction to Mindjet MindManager Server Intrductin t Mindjet MindManager Server Mindjet Crpratin Tll Free: 877-Mindjet 1160 Battery Street East San Francisc CA 94111 USA Phne: 415-229-4200 Fax: 415-229-4201 mindjet.cm 2013 Mindjet. All Rights

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

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