Introduction to HBase Schema Design
|
|
|
- Dwight Bruce
- 10 years ago
- Views:
Transcription
1 Introdction to HBase Schema Design Amandeep Khrana Amandeep Khrana is a Soltions Architect at Clodera and works on bilding soltions sing the Hadoop stack. He is also a co-athor of HBase in Action. Prior to Clodera, Amandeep worked at Amazon Web Services, where he was part of the Elastic MapRedce team and bilt the initial versions of their hosted HBase prodct. [email protected] The nmber of applications that are being developed to work with large amonts of data has been growing rapidly in the recent past. To spport this new breed of applications, as well as scaling p old applications, several new data management systems have been developed. Some call this the big data revoltion. A lot of these new systems that are being developed are open sorce and commnity driven, deployed at several large companies. Apache HBase [2] is one sch system. It is an open sorce distribted database, modeled arond Google Bigtable [5] and is becoming an increasingly poplar database choice for applications that need fast random access to large amonts of data. It is bilt atop Apache Hadoop [1] and is tightly integrated with it. HBase is very different from traditional relational databases like MySQL, PostgreSQL, Oracle, etc. in how it s architected and the featres that it provides to the applications sing it. HBase trades off some of these featres for scalability and a flexible schema. This also translates into HBase having a very different data model. Designing HBase tables is a different ballgame as compared to relational database systems. I will introdce yo to the basics of HBase table design by explaining the data model and bild on that by going into the varios concepts at play in designing HBase tables throgh an example. Crash Corse on HBase Data Model HBase s data model is very different from what yo have likely worked with or know of in relational databases. As described in the original Bigtable paper, it s a sparse, distribted, persistent mltidimensional sorted map, which is indexed by a row key, colmn key, and a timestamp. Yo ll hear people refer to it as a key-vale store, a colmn-family-oriented database, and sometimes a database storing versioned maps of maps. All these descriptions are correct. This section toches pon these varios concepts. The easiest and most naive way to describe HBase s data model is in the form of tables, consisting of rows and colmns. This is likely what yo are familiar with in relational databases. Bt that s where the similarity between RDBMS data models and HBase ends. In fact, even the concepts of rows and colmns is slightly different. To begin, I ll define some concepts that I ll later se. ;login: OCTOBER
2 Table: HBase organizes data into tables. Table names are Strings and composed of characters that are safe for se in a file system path. Row: Within a table, data is stored according to its row. Rows are identified niqely by their row key. Row keys do not have a data type and are always treated as a byte[ ] (byte array). Colmn Family: Data within a row is groped by colmn family. Colmn families also impact the physical arrangement of data stored in HBase. For this reason, they mst be defined p front and are not easily modified. Every row in a table has the same colmn families, althogh a row need not store data in all its families. Colmn families are Strings and composed of characters that are safe for se in a file system path. Colmn Qalifier: Data within a colmn family is addressed via its colmn qalifier, or simply, colmn. Colmn qalifiers need not be specified in advance. Colmn qalifiers need not be consistent between rows. Like row keys, colmn qalifiers do not have a data type and are always treated as a byte[ ]. Cell: A combination of row key, colmn family, and colmn qalifier niqely identifies a cell. The data stored in a cell is referred to as that cell s vale. Vales also do not have a data type and are always treated as a byte[ ]. Timestamp: Vales within a cell are versioned. Versions are identified by their version nmber, which by defalt is the timestamp of when the cell was written. If a timestamp is not specified dring a write, the crrent timestamp is sed. If the timestamp is not specified for a read, the latest one is retrned. The nmber of cell vale versions retained by HBase is configred for each colmn family. The defalt nmber of cell versions is three. A table in HBase wold look like Figre 1. Figre 1: A table in HBase consisting of two colmn families, Personal and Office, each having two colmns. The entity that contains the data is called a cell. The rows are sorted based on the row keys. These concepts are also exposed via the API [3] to clients. HBase s API for data maniplation consists of three primary methods: Get, Pt, and Scan. Gets and Pts are specific to particlar rows and need the row key to be provided. Scans are done over a range of rows. The range cold be defined by a start and stop row key or cold be the entire table if no start and stop row keys are defined. Sometimes, it s easier to nderstand the data model as a mltidimensional map. The first row from the table in Figre 1 has been represented as a mltidimensional map in Figre ;login: Vol. 37, No. 5
3 The row key maps to a list of colmn families, which map to a list of colmn qalifiers, which map to a list of timestamps, each of which map to a vale, i.e., the cell itself. If yo were to retrieve the item that the row key maps to, yo d get data from all the colmns back. If yo were to retrieve the item that a particlar colmn family maps to, yo d get back all the colmn qalifiers and the associated maps. If yo were to retrieve the item that a particlar colmn qalifier maps to, yo d get all the timestamps and the associated vales. HBase optimizes for typical patterns and retrns only the latest version by defalt. Yo can reqest mltiple versions as a part of yor qery. Row keys are the eqivalent of primary keys in relational database tables. Yo cannot choose to change which colmn in an HBase table will be the row key after the table has been set p. In other words, the colmn Name in the Personal colmn family cannot be chosen to become the row key after the data has been pt into the table. Figre 2: One row in an HBase table represented as a mltidimensional map As mentioned earlier, there are varios ways of describing this data model. Yo can view the same thing as if it s a key-vale store (as shown in Figre 3), where the key is the row key and the vale is the rest of the data in a colmn. Given that the row key is the only way to address a row, that seems befitting. Yo can also consider HBase to be a key-vale store where the key is defined as row key, colmn family, colmn qalifier, timestamp, and the vale is the actal data stored in the cell. When we go into the details of the nderlying storage later, yo ll see that if yo want to read a particlar cell from a given row, yo end p reading a chnk of data that contains that cell and possibly other cells as well. This representation is also how the KeyVale objects in the HBase API and internals are represented. Key is formed by [row key, colmn family, colmn qalifier, timestamp] and Vale is the contents of the cell. Figre 3: HBase table as a key-vale store. The key can be considered to be jst the row key or a combination of the row key, colmn family, qalifier, timestamp, depending on the cells that yo are interested in addressing. If all the cells in a row were of interest, the key wold be jst the row key. If only specific cells are of interest, the appropriate colmn families and qalifiers will need to be a part of the key HBase Table Design Fndamentals As I highlighted in the previos section, the HBase data model is qite different from relational database systems. Designing HBase tables, therefore, involves taking a different approach from what works in relational systems. Designing HBase tables can be defined as answering the following qestions in the context of a se case: ;login: OCTOBER 2012 Introdction to HBase Schema Design 31
4 1. What shold the row key strctre be and what shold it contain? 2. How many colmn families shold the table have? 3. What data goes into what colmn family? 4. How many colmns are in each colmn family? 5. What shold the colmn names be? Althogh colmn names don t need to be defined on table creation, yo need to know them when yo write or read data. 6. What information shold go into the cells? 7. How many versions shold be stored for each cell? The most important thing to define in HBase tables is the row-key strctre. In order to define that effectively, it is important to define the access patterns (read as well as write) p front. To define the schema, several properties abot HBase s tables have to be taken into accont. A qick re-cap: 1. Indexing is only done based on the Key. 2. Tables are stored sorted based on the row key. Each region in the table is responsible for a part of the row key space and is identified by the start and end row key. The region contains a sorted list of rows from the start key to the end key. 3. Everything in HBase tables is stored as a byte[ ]. There are no types. 4. Atomicity is garanteed only at a row level. There is no atomicity garantee across rows, which means that there are no mlti-row transactions. 5. Colmn families have to be defined p front at table creation time. 6. Colmn qalifiers are dynamic and can be defined at write time. They are stored as byte[ ] so yo can even pt data in them. A good way to learn these concepts is throgh an example problem. Let s try to model the Twitter relationships (sers following other sers) in HBase tables. Follower-followed relationships are essentially graphs, and there are specialized graph databases that work more efficiently with sch data sets. However, this particlar se case makes for a good example to model in HBase tables and allows s to highlight some interesting concepts. The first step in starting to model tables is to define the access pattern of the application. In the context of follower-followed relationships for an application like Twitter, the access pattern can be defined as follows: Read access pattern: 1. Who does a ser follow? 2. Does a particlar ser A follow ser B? 3. Who follows a particlar ser A? Write access pattern: 1. User follows a new ser. 2. User nfollows someone they were following. Let s consider a few table design options and look at their pros and cons. Start with the table design shown in Figre 4. This table stores a list of sers being followed by a particlar ser in a single row, where the row key is the ser ID of the follower ser and each colmn contains the ser ID of the ser being followed. A table of that design with data wold look like Figre ;login: Vol. 37, No. 5
5 Figre 4: HBase table to persist the list of sers a particlar ser is following Figre 5: A table with sample data for the design shown in Figre 4 This table design works well for the first read pattern that was otlined. It also solves the second one, bt it s likely to be expensive if the list of sers being followed is large and will reqire iterating throgh the entire list to answer that qestion. Adding sers is slightly tricky in this design. There is no conter being kept so there s no way for yo to find ot which nmber the next ser shold be given nless yo read the entire row back before adding a ser. That s expensive! A possible soltion is to jst keep a conter then and the table will now look like Figre 6. Figre 6: A table with sample data for the design shown in Figre 4 bt with a conter to keep cont of the nmber of sers being followed by a given ser Figre 7: Steps reqired to add a new ser to the list of followed sers based on the table design from Figre 6 ;login: OCTOBER 2012 Introdction to HBase Schema Design 33
6 The design in Figre 6 is incrementally better than the earlier ones bt doesn t solve all problems. Unfollowing sers is still tricky since yo have to read the entire row to find ot which colmn yo need to delete. It also isn t ideal for the conts since nfollowing will lead to holes. The biggest isse is that to add sers, yo have to implement some sort of transaction logic in the client code since HBase doesn t do transactions for yo across rows or across RPC calls. The steps to add sers in this scheme are shown in Figre 7. One of the properties that I mentioned earlier was that the colmn qalifiers are dynamic and are stored as byte[ ] jst like the cells. That gives yo the ability to pt arbitrary data in them, which might come to yor resce in this design. Consider the table in Figre 8. In this design, the cont is not reqired, so the addition of sers becomes less complicated. The nfollowing is also simplified. The cells in this case contain jst some arbitrary small vale and are of no conseqence. Figre 8: The relationship table with the cells now having the followed ser s sername as the colmn qalifier and an arbitrary string as the cell vale. This latest design solves almost all the access patterns that we defined. The one that s left is #3 on the read pattern list: who follows a particlar ser A? In the crrent design, since indexing is only done on the row key, yo need to do a fll table scan to answer this qestion. This tells yo that the followed ser shold figre in the index somehow. There are two ways to solve this problem. First is to jst maintain another table which contains the reverse list (ser and a list of who all follows ser). The second is to persist that information in the same table with different row keys (remember it s all byte arrays, and HBase doesn t care what yo pt in there). In both cases, yo ll need to materialize that information separately so yo can access it qickly, withot doing large scans. There are also frther optimizations possible in the crrent table strctre. Consider the table shown in Figre 9. Figre 9: The relationship table with the row key containing the follower and the followed ser 34 ;login: Vol. 37, No. 5
7 There are two things to note in this design: the row key now contains the follower and followed ser; and the colmn family name has been shortened to f. The short colmn family name is an nrelated concept and cold very well be done in the previos table as well. It jst redces the I/O load (both disk and network) by redcing the data that needs to be read/written from HBase since the family name is a part of every KeyVale [4] object that is retrned back to the client. The first concept is what is more important here. Getting a list of followed sers now becomes a short Scan instead of a Get operation. There is little performance impact of that as Gets are internally implemented as Scans of length 1. Unfollowing, and answering the qestion Does A follow B? become simple delete and get operations, respectively, and yo don t need to iterate throgh the entire list of sers in the row in the earlier table designs. That s a significantly cheaper way of answering that qestion, specially when the list of followed sers is large. A table with sample data based on this design will look like Figre 10. Figre 10: Relationship table based on the design shown in Figre 9 with some sample data Notice that the row key length is variable across the table. The variation can make it difficlt to reason abot performance since the data being transferred for every call to the table is variable. A soltion to this problem is sing hash vales in the row keys. That s an interesting concept in its own regard and has other implications pertaining to row key design which are beyond the scope of this article. To get consistent row key length in the crrent tables, yo can hash the individal ser IDs and concatenate them, instead of concatenating the ser IDs themselves. Since yo ll always know the sers yo are qerying for, yo can recalclate the hash and qery the table sing the reslting digest vales. The table with hash vales will look like Figre 11. Figre 11: Using MD5s as a part of row keys to achieve fixed lengths. This also allows yo to get rid of the + delimiter that we needed so far. The row keys now consist of fixed length portions, with each ser ID being 16 bytes. This table design allows for effectively answering all the access patterns that we otlined earlier. ;login: OCTOBER 2012 Introdction to HBase Schema Design 35
8 Smmary This article covered the basics of HBase schema design. I started with a description of the data model and went on to discss some of the factors to think abot while designing HBase tables. There is mch more to explore and learn in HBase table design which can be bilt on top of these fndamentals. The key takeaways from this article are: Row keys are the single most important aspect of an HBase table design and determine how yor application will interact with the HBase tables. They also affect the performance yo can extract ot of HBase. HBase tables are flexible, and yo can store anything in the form of byte[ ]. Store everything with similar access patterns in the same colmn family. Indexing is only done for the Keys. Use this to yor advantage. Tall tables can potentially allow yo faster and simpler operations, bt yo trade off atomicity. Wide tables, where each row has lots of colmns, allow for atomicity at the row level. Think how yo can accomplish yor access patterns in single API calls rather than mltiple API calls. HBase does not have cross-row transactions, and yo want to avoid bilding that logic in yor client code. Hashing allows for fixed length keys and better distribtion bt takes away the ordering implied by sing strings as keys. Colmn qalifiers can be sed to store data, jst like the cells themselves. The length of the colmn qalifiers impact the storage footprint since yo can pt data in them. Length also affects the disk and network I/O cost when the data is accessed. Be concise. The length of the colmn family name impacts the size of data sent over the wire to the client (in KeyVale objects). Be concise. References [1] Apache Hadoop project: [2] Apache HBase project: [3] HBase client API: client/package-smmary.html. [4] HBase KeyVale API: hbase/keyvale.html. [5] Fay Chang, Jeffrey Dean, Sanjay Ghemawat, Wilson C. Hsieh, Deborah A. Wallach, Mike Brrows, Tshar Chandra, Andrew Fikes, and Robert E. Grber, Bigtable: A Distribted Storage System for Strctred Data, Proceedings of the 7th USENIX Symposim on Operating Systems Design and Implementation (OSDI 06), USENIX, 2006, pp ;login: Vol. 37, No. 5
Corporate performance: What do investors want to know? Innovate your way to clearer financial reporting
www.pwc.com Corporate performance: What do investors want to know? Innovate yor way to clearer financial reporting October 2014 PwC I Innovate yor way to clearer financial reporting t 1 Contents Introdction
High Availability for Microsoft SQL Server Using Double-Take 4.x
High Availability for Microsoft SQL Server Using Doble-Take 4.x High Availability for Microsoft SQL Server Using Doble-Take 4.x pblished April 2000 NSI and Doble-Take are registered trademarks of Network
Designing and Deploying File Servers
C H A P T E R 2 Designing and Deploying File Servers File servers rnning the Microsoft Windows Server 2003 operating system are ideal for providing access to files for sers in medim and large organizations.
Deploying Network Load Balancing
C H A P T E R 9 Deploying Network Load Balancing After completing the design for the applications and services in yor Network Load Balancing clster, yo are ready to deploy the clster rnning the Microsoft
Chapter 1. LAN Design
Chapter 1 LAN Design CCNA3-1 Chapter 1 Note for Instrctors These presentations are the reslt of a collaboration among the instrctors at St. Clair College in Windsor, Ontario. Thanks mst go ot to Rick Graziani
High Availability for Internet Information Server Using Double-Take 4.x
High Availability for Internet Information Server Using Doble-Take 4.x High Availability for Internet Information Server Using Doble-Take 4.x pblished April 2000 NSI and Doble-Take are registered trademarks
Planning a Managed Environment
C H A P T E R 1 Planning a Managed Environment Many organizations are moving towards a highly managed compting environment based on a configration management infrastrctre that is designed to redce the
Apache Hadoop. The Scalability Update. Source of Innovation
FILE SYSTEMS Apache Hadoop The Scalability Update KONSTANTIN V. SHVACHKO Konstantin V. Shvachko is a veteran Hadoop developer. He is a principal Hadoop architect at ebay. Konstantin specializes in efficient
Galvin s All Things Enterprise
Galvin s All Things Enterprise The State of the Clod, Part 2 PETER BAER GALVIN Peter Baer Galvin is the CTO for Corporate Technologies, a premier systems integrator and VAR (www.cptech. com). Before that,
Technical Notes. PostgreSQL backups with NetWorker. Release number 1.0 302-001-174 REV 01. June 30, 2014. u Audience... 2. u Requirements...
PostgreSQL backps with NetWorker Release nmber 1.0 302-001-174 REV 01 Jne 30, 2014 Adience... 2 Reqirements... 2 Terminology... 2 PostgreSQL backp methodologies...2 PostgreSQL dmp backp... 3 Configring
Anatomy of SIP Attacks
Anatomy of SIP Attacks João M. Ceron, Klas Steding-Jessen, and Cristine Hoepers João Marcelo Ceron is a Secrity Analyst at CERT.br/NIC.br. He holds a master s degree from Federal University of Rio Grande
7 Help Desk Tools. Key Findings. The Automated Help Desk
7 Help Desk Tools Or Age of Anxiety is, in great part, the reslt of trying to do today s jobs with yesterday s tools. Marshall McLhan Key Findings Help desk atomation featres are common and are sally part
aééäçóáåö=táåççïë= péêîéê=ommp=oéöáçå~ä= açã~áåë
C H A P T E R 7 aééäçóáåö=táåççïë= péêîéê=ommp=oéöáçå~ä= açã~áåë Deploying Microsoft Windows Server 2003 s involves creating new geographically based child domains nder the forest root domain. Deploying
Enabling Advanced Windows Server 2003 Active Directory Features
C H A P T E R 5 Enabling Advanced Windows Server 2003 Active Directory Featres The Microsoft Windows Server 2003 Active Directory directory service enables yo to introdce advanced featres into yor environment
The Role of the Community Occupational Therapist
Ceredigion Conty Concil Social Services Department The Role of the Commnity Occpational Therapist...taking care to make a difference Large Print or other format/medim are available on reqest please telephone
EMC ViPR. Concepts Guide. Version 1.1.0 302-000-482 02
EMC ViPR Version 1.1.0 Concepts Gide 302-000-482 02 Copyright 2013-2014 EMC Corporation. All rights reserved. Pblished in USA. Pblished Febrary, 2014 EMC believes the information in this pblication is
Planning and Implementing An Optimized Private Cloud
W H I T E PA P E R Intelligent HPC Management Planning and Implementing An Optimized Private Clod Creating a Clod Environment That Maximizes Yor ROI Planning and Implementing An Optimized Private Clod
Facilities. Car Parking and Permit Allocation Policy
Facilities Car Parking and Permit Allocation Policy Facilities Car Parking and Permit Allocation Policy Contents Page 1 Introdction....................................................2 2.0 Application
ASAND: Asynchronous Slot Assignment and Neighbor Discovery Protocol for Wireless Networks
ASAND: Asynchronos Slot Assignment and Neighbor Discovery Protocol for Wireless Networks Fikret Sivrikaya, Costas Bsch, Malik Magdon-Ismail, Bülent Yener Compter Science Department, Rensselaer Polytechnic
Purposefully Engineered High-Performing Income Protection
The Intelligent Choice for Disability Income Insrance Prposeflly Engineered High-Performing Income Protection Keeping Income strong We engineer or disability income prodcts with featres that deliver benefits
EMC VNX Series. EMC Secure Remote Support for VNX. Version VNX1, VNX2 300-014-340 REV 03
EMC VNX Series Version VNX1, VNX2 EMC Secre Remote Spport for VNX 300-014-340 REV 03 Copyright 2012-2014 EMC Corporation. All rights reserved. Pblished in USA. Pblished Jly, 2014 EMC believes the information
Opening the Door to Your New Home
Opening the Door to Yor New Home A Gide to Bying and Financing. Contents Navigating Yor Way to Home Ownership...1 Getting Started...3 Finding Yor Home...9 Finalizing Yor Financing...12 Final Closing...13
GUIDELINE. Guideline for the Selection of Engineering Services
GUIDELINE Gideline for the Selection of Engineering Services 1998 Mission Statement: To govern the engineering profession while enhancing engineering practice and enhancing engineering cltre Pblished by
5 Using Your Verbatim Autodialer
5 Using Yor Verbatim Atodialer 5.1 Placing Inqiry Calls to the Verbatim Atodialer ( Yo may call the Verbatim atodialer at any time from any phone. The nit will wait the programmed nmber of rings before
Kentucky Deferred Compensation (KDC) Program Summary
Kentcky Deferred Compensation (KDC) Program Smmary Smmary and Highlights of the Kentcky Deferred Compensation (KDC) Program Simple. Smart. For yo. For life. 457 Plan 401(k) Plan Roth 401(k) Deemed Roth
NAPA TRAINING PROGRAMS FOR:
NAPA TRAINING PROGRAMS FOR: Employees Otside Sales Store Managers Store Owners See NEW ecatalog Inside O V E R V I E W 2010_StoreTrainingBrochre_SinglePg.indd 1 5/25/10 12:39:32 PM Welcome 2010 Store Training
EMC VNX Series Setting Up a Unisphere Management Station
EMC VNX Series Setting Up a Unisphere Management Station P/N 300-015-123 REV. 02 April, 2014 This docment describes the different types of Unisphere management stations and tells how to install and configre
Designing an Authentication Strategy
C H A P T E R 1 4 Designing an Athentication Strategy Most organizations need to spport seamless access to the network for mltiple types of sers, sch as workers in offices, employees who are traveling,
Planning a Smart Card Deployment
C H A P T E R 1 7 Planning a Smart Card Deployment Smart card spport in Microsoft Windows Server 2003 enables yo to enhance the secrity of many critical fnctions, inclding client athentication, interactive
Introducing Revenue Cycle Optimization! STI Provides More Options Than Any Other Software Vendor. ChartMaker Clinical 3.7
Introdcing Revene Cycle Optimization! STI Provides More Options Than Any Other Software Vendor ChartMaker Clinical 3.7 2011 Amblatory EHR + Cardiovasclar Medicine + Child Health STI Provides More Choices
EMC Storage Analytics
EMC Storage Analytics Version 2.1 Installation and User Gide 300-014-858 09 Copyright 2013 EMC Corporation. All rights reserved. Pblished in USA. Pblished December, 2013 EMC believes the information in
9 Setting a Course: Goals for the Help Desk
IT Help Desk in Higher Edcation ECAR Research Stdy 8, 2007 9 Setting a Corse: Goals for the Help Desk First say to yorself what yo wold be; and then do what yo have to do. Epictets Key Findings Majorities
Executive Coaching to Activate the Renegade Leader Within. Renegades Do What Others Won t To Get the Results that Others Don t
Exective Coaching to Activate the Renegade Leader Within Renegades Do What Others Won t To Get the Reslts that Others Don t Introdction Renegade Leaders are a niqe breed of leaders. The Renegade Leader
EMC PowerPath Virtual Appliance
EMC PowerPath Virtal Appliance Version 1.2 Administration Gide P/N 302-000-475 REV 01 Copyright 2013 EMC Corporation. All rights reserved. Pblished in USA. Pblished October, 2013 EMC believes the information
FINANCIAL FITNESS SELECTING A CREDIT CARD. Fact Sheet
FINANCIAL FITNESS Fact Sheet Janary 1998 FL/FF-02 SELECTING A CREDIT CARD Liz Gorham, Ph.D., AFC Assistant Professor and Family Resorce Management Specialist, Utah State University Marsha A. Goetting,
CONTACT US. The Financial ABCs for Raising a Family
The Financial ABCs for Raising a Family CONTACT US For more information abot any of the in this brochre, call 1-800-748-4302, visit or at www.mac.com or stop by the branch nearest yo. Federally insred
Every manufacturer is confronted with the problem
HOW MANY PARTS TO MAKE AT ONCE FORD W. HARRIS Prodction Engineer Reprinted from Factory, The Magazine of Management, Volme 10, Nmber 2, Febrary 1913, pp. 135-136, 152 Interest on capital tied p in wages,
KEYS TO BEING AN EFFECTIVE WORKPLACE PERSONAL ASSISTANT
5 KEYS TO BEING AN EFFECTIVE WORKPLACE PERSONAL ASSISTANT by: John Barrett Personal assistants (PAs) and their ability to effectively provide essential spports at the workplace are extremely important
A Message from the CEO
October 2007 A Message from the CEO For the past 53 years, we have been recognized by or logo, name, competitive rates, and qality member service. All these have been vital to the strength of or organization.
Bosch Security Training Academy Training Course Catalogue 2015. uk.boschsecurity.com
Bosch Secrity Training Academy Training Corse Cataloge 2015 k.boschsecrity.com 2 Bosch Secrity Training Academy Training Corses 2015 Bosch Secrity Training Academy Training Corses 2015 3 Contents Enqiries
EMC Data Domain Operating System
EMC Data Domain Operating System Version 5.4 Administration Gide 302-000-072 REV. 06 Copyright 2009-2014 EMC Corporation. All rights reserved. Pblished in USA. Pblished September, 2014 EMC believes the
personal income insurance product disclosure statement and policy Preparation date: 26/03/2004
personal income insrance prodct disclosre statement and policy Preparation date: 26/03/2004 personal income Insrer CGU Insrance Limited ABN 27 004 478 371 AFS Licence No. 238291 This is an important docment.
The Boutique Premium. Do Boutique Investment Managers Create Value? AMG White Paper June 2015 1
The Botiqe Premim Do Botiqe Investment Managers Create Vale? AMG White Paper Jne 2015 1 Exective Smmary Botiqe active investment managers have otperformed both non-botiqe peers and indices over the last
Motorola Reinvents its Supplier Negotiation Process Using Emptoris and Saves $600 Million. An Emptoris Case Study. Emptoris, Inc. www.emptoris.
Motorola Reinvents its Spplier Negotiation Process Using Emptoris and Saves $600 Million An Emptoris Case Stdy Emptoris, Inc. www.emptoris.com VIII-03/3/05 Exective Smmary With the disastros telecommnication
Closer Look at ACOs. Making the Most of Accountable Care Organizations (ACOs): What Advocates Need to Know
Closer Look at ACOs A series of briefs designed to help advocates nderstand the basics of Accontable Care Organizations (ACOs) and their potential for improving patient care. From Families USA Updated
Designing a TCP/IP Network
C H A P T E R 1 Designing a TCP/IP Network The TCP/IP protocol site defines indstry standard networking protocols for data networks, inclding the Internet. Determining the best design and implementation
Planning an Active Directory Deployment Project
C H A P T E R 1 Planning an Active Directory Deployment Project When yo deploy the Microsoft Windows Server 2003 Active Directory directory service in yor environment, yo can take advantage of the centralized,
Tax Considerations for Charitable Gifting
Tax Considerations for Charitable Gifting Prepared by: Martin Kretzschmann CPA CA for Georgian Bay General Hospital Fondation October 24, 2014 Ideas to Redce Tax sing Charitable Giving Simple Gift dring
Storage of Structured Data: BigTable and HBase. New Trends In Distributed Systems MSc Software and Systems
Storage of Structured Data: BigTable and HBase 1 HBase and BigTable HBase is Hadoop's counterpart of Google's BigTable BigTable meets the need for a highly scalable storage system for structured data Provides
MSc and MA in Finance and Investment online Study an online MSc and MA in Finance and Investment awarded by UNINETTUNO and Geneva Business School
MSc and MA in Finance and Investment online Stdy an online awarded by UNINETTUNO and Geneva Bsiness School Awarded by Geneva Bsiness School Geneva Barcelona Moscow Class profile The connects yo with stdents
MVM-BVRM Video Recording Manager v2.22
Video MVM-BVRM Video Recording Manager v2.22 MVM-BVRM Video Recording Manager v2.22 www.boschsecrity.com Distribted storage and configrable load balancing iscsi disk array failover for extra reliability
CRM Customer Relationship Management. Customer Relationship Management
CRM Cstomer Relationship Management Farley Beaton Virginia Department of Taxation Discssion Areas TAX/AMS Partnership Project Backgrond Cstomer Relationship Management Secre Messaging Lessons Learned 2
A guide to safety recalls in the used vehicle industry GUIDE
A gide to safety recalls in the sed vehicle indstry GUIDE Definitions Aftermarket parts means any prodct manfactred to be fitted to a vehicle after it has left the vehicle manfactrer s prodction line.
Owning A business Step-By-Step Guide to Financial Success
Owning A bsiness Step-By-Step Gide to Financial Sccess CONTACT US For more information abot any of the services in this brochre, call 1-888-845-1850, visit or website at bsiness.mac.com or stop by the
Closer Look at ACOs. Putting the Accountability in Accountable Care Organizations: Payment and Quality Measurements. Introduction
Closer Look at ACOs A series of briefs designed to help advocates nderstand the basics of Accontable Care Organizations (ACOs) and their potential for improving patient care. From Families USA Janary 2012
Isilon OneFS. Version 7.1. Backup and recovery guide
Isilon OneFS Version 7.1 Backp and recovery gide Copyright 2013-2014 EMC Corporation. All rights reserved. Pblished in USA. Pblished March, 2014 EMC believes the information in this pblication is accrate
A Novel QR Code and mobile phone based Authentication protocol via Bluetooth Sha Liu *1, Shuhua Zhu 2
International Conference on Materials Engineering and Information Technology Applications (MEITA 2015) A Novel QR Code and mobile phone based Athentication protocol via Bletooth Sha Li *1, Shha Zh 2 *1
Contents Welcome to FOXTEL iq2...5 For your safety...6 Getting Started...7 Playlist... 51 Active...53 Setup...54 FOXTEL Guide...18 ON DEMAND...
Contents Welcome to FOXTEL iq2...5 The FOXTEL iq2...5 Updates to FOXTEL iq2...5 Getting in toch with FOXTEL...5 For yor safety...6 Getting Started...7 Switching the FOXTEL iq2 on and off...7 Changing channel...7
The Institute Of Commercial Management. Prospectus. Start Your Career Here! www.icm.ac.uk [email protected]
The Institte Of Commercial Management Prospects Start Yor Career Here! www.icm.ac.k [email protected] The fondation of every state is the edcation of it s yoth. Diogenes Laertis Welcome... Althogh we are
A Contemporary Approach
BORICP01.doc - 1 Second Edition Edcational Psychology A Contemporary Approach Gary D. Borich The University of Texas at Astin Martin L. Tombari University of Denver (This pblication may be reprodced for
Fast and Interactive Analytics over Hadoop Data with Spark
NETWORKED SYSTEMS Fast and Interactive Analytics over Hadoop Data with Spark MATEI ZAHARIA, MOSHARAF CHOWDHURY, TATHAGATA DAS, ANKUR DAVE, JUSTIN MA, MURPHY MCCAULEY, MICHAEL J. FRANKLIN, SCOTT SHENKER,
HSBC Internet Banking. Combined Product Disclosure Statement and Supplementary Product Disclosure Statement
HSBC Internet Banking Combined Prodct Disclosre Statement and Spplementary Prodct Disclosre Statement AN IMPORTANT MESSAGE FOR HSBC CUSTOMERS NOTICE OF CHANGE For HSBC Internet Banking Combined Prodct
EMC ViPR Analytics Pack for VMware vcenter Operations Management Suite
EMC ViPR Analytics Pack for VMware vcenter Operations Management Site Version 1.1.0 Installation and Configration Gide 302-000-487 01 Copyright 2013-2014 EMC Corporation. All rights reserved. Pblished
Curriculum development
DES MOINES AREA COMMUNITY COLLEGE Crriclm development Competency-Based Edcation www.dmacc.ed Why does DMACC se competency-based edcation? DMACC tilizes competency-based edcation for a nmber of reasons.
Optimizing the Data Warehouse Infrastructure with Archiving
WHITE PAPER Optimizing the Data Warehose Infrastrctre with Archiving By Bill Inmon This docment contains Confidential, Proprietary and Trade ecret Information ( Confidential Information ) of Informatica
WHITE PAPER. Filter Bandwidth Definition of the WaveShaper S-series Programmable Optical Processor
WHITE PAPER Filter andwidth Definition of the WaveShaper S-series 1 Introdction The WaveShaper family of s allow creation of ser-cstomized filter profiles over the C- or L- band, providing a flexible tool
Building Trust How Banks are Attracting and Retaining Business Clients With Institutional Money Fund Portals
Bilding Trst How Banks are Attracting and Retaining Bsiness Clients With Instittional Money Fnd Portals By George Hagerman, Fonder and CEO, CacheMatrix Holdings, LLC C ompetitive pressres are driving innovation
Practical Tips for Teaching Large Classes
Embracing Diversity: Toolkit for Creating Inclsive, Learning-Friendly Environments Specialized Booklet 2 Practical Tips for Teaching Large Classes A Teacher s Gide Practical Tips for Teaching Large Classes:
Configuration Management for Software Product Lines
onfigration Management for Software Prodct Lines Roland Laqa and Peter Knaber Franhofer Institte for Experimental Software Engineering (IESE) Saerwiesen 6 D-67661 Kaiserslatern, Germany +49 6301 707 161
BIS - Overview and basic package V2.5
Engineered Soltions BIS - Overview and basic package V2.5 BIS - Overview and basic package V2.5 www.boschsecrity.com Complete enterprise management for efficient, integrated bilding and secrity management
VRM Video Recording Manager
Video VRM Video Recording Manager VRM Video Recording Manager www.boschsecrity.com Distribted storage and configrable load balancing iscsi disk array failover for extra reliability Used with all Bosch
Position paper smart city. economics. a multi-sided approach to financing the smart city. Your business technologists.
Position paper smart city economics a mlti-sided approach to financing the smart city Yor bsiness technologists. Powering progress From idea to reality The hman race is becoming increasingly rbanised so
