SlideShare a Scribd company logo
Software Engineer, 10gen
Jeremy Mikola
#MongoDBDays
Advanced Sharding
Features in MongoDB 2.4
jmikola
Sharded cluster
Sharding is a powerful
way scale your
database…
MongoDB 2.4 adds some
new features to get more
out of it.
Agenda
• Shard keys
– Desired properties
– Evaluating shard key choices
• Hashed shard keys
– Why and how to use hashed shard keys
– Limitations
• Tag-aware sharding
– How it works
– Use case examples
Shard Keys
What is a shard key?
• Incorporates one or more fields
• Used to partition your collection
• Must be indexed and exist in every document
• Definition and values are immutable
• Used to route requests to shards
Cluster request routing
• Targeted queries
• Scatter/gather queries
• Scatter/gather queries with sort
Cluster request routing: writes
• Inserts
– Shard key required
– Targeted query
• Updates and removes
– Shard key optional for multi-document operations
– May be targeted or scattered
Cluster request routing: reads
• Queries
– With shard key: targeted
– Without shard key: scatter/gather
• Sorted queries
– With shard key: targeted in order
– Without shard key: distributed merge sort
Cluster request routing: targeted
query
Routable request received
Request routed to appropriate shard
Shard returns results
Mongos returns results to client
Cluster request routing: scattered
query
Non-targeted request received
Request sent to all shards
Shards return results to mongos
Mongos returns results to client
Distributed merge sort
Shard key considerations
• Cardinality
• Write Distribution
• Query Isolation
• Reliability
• Index Locality
Request distribution and index
locality
Shard 1 Shard 2 Shard 3
mongos
Request distribution and index
locality
Shard 1 Shard 2 Shard 3
mongos
{
_id: ObjectId(),
user: 123,
time: Date(),
subject: "…",
recipients: [],
body: "…",
attachments: []
}
Example: email storage
Most common scenario, can
be applied to 90% of cases
Each document can be up to
16MB
Each user may have GBs of
storage
Most common query: get
user emails sorted by time
Indexes on {_id}, {user, time},
{recipients}
Example: email storage
Cardinality
Write
scaling
Query
isolation
Reliability
Index
locality
_id
hash(_id)
user
user, time
ObjectId composition
ObjectId("51597ca8e28587b86528edfd”)
12 Bytes
Timestamp
Host
PID
Counter
Sharding on ObjectId
// enable sharding on test database
mongos> sh.enableSharding("test")
{ "ok" : 1 }
// shard the test collection
mongos> sh.shardCollection("test.test", { _id: 1 })
{ "collectionsharded" : "test.test", "ok" : 1 }
// insert many documents in a loop
mongos> for (x=0; x<10000; x++) db.test.insert({ value: x });
shards:
{ "_id" : "shard0000", "host" : "localhost:30000" }
{ "_id" : "shard0001", "host" : "localhost:30001" }
databases:
{ "_id" : "test", "partitioned" : true, "primary" : "shard0001" }
test.test
shard key: { "_id" : 1 }
chunks:
shard0001 2
{ "_id" : { "$minKey" : 1 } } -->> { "_id" : ObjectId("…") }
on : shard0001 { "t" : 1000, "i" : 1 }
{ "_id" : ObjectId("…") } -->> { "_id" : { "$maxKey" : 1 } }
on : shard0001 { "t" : 1000, "i" : 2 }
Uneven chunk distribution
Incremental values leads to a hot
shard
minKey  0 0  maxKey
Example: email storage
Cardinality
Write
scaling
Query
isolation
Reliability
Index
locality
_id Doc level One shard
Scatter/gat
her
All users
affected
Good
hash(_id)
user
user, time
Example: email storage
Cardinality
Write
scaling
Query
isolation
Reliability
Index
locality
_id Doc level One shard
Scatter/gat
her
All users
affected
Good
hash(_id) Hash level All Shards
Scatter/gat
her
All users
affected
Poor
user
user, time
Example: email storage
Cardinality
Write
scaling
Query
isolation
Reliability
Index
locality
_id Doc level One shard
Scatter/gat
her
All users
affected
Good
hash(_id) Hash level All Shards
Scatter/gat
her
All users
affected
Poor
user
Many
docs
All Shards Targeted
Some
users
affected
Good
user, time
Example: email storage
Cardinality
Write
scaling
Query
isolation
Reliability
Index
locality
_id Doc level One shard
Scatter/gat
her
All users
affected
Good
hash(_id) Hash level All Shards
Scatter/gat
her
All users
affected
Poor
user
Many
docs
All Shards Targeted
Some
users
affected
Good
user, time Doc level All Shards Targeted
Some
users
affected
Good
Hashed Shard Keys
Why is this relevant?
• Documents may not already have a suitable
value
• Hashing allows us to utilize an existing field
• More efficient index storage
– At the expense of locality
Hashed shard keys
{x:2} md5 c81e728d9d4c2f636f067f89cc14862c
{x:3} md5 eccbc87e4b5ce2fe28308fd9f2a7baf3
{x:1} md5 c4ca4238a0b923820dcc509a6f75849b
minKey  0 0  maxKey
Hashed shard keys avoids a hot
shard
Under the hood
• Create a hashed index for use with sharding
• Contains first 64 bits of a field’s md5 hash
• Considers BSON type and value
• Represented as NumberLong in the JS shell
// hash on 1 as an integer
> db.runCommand({ _hashBSONElement: 1 })
{
"key" : 1,
"seed" : 0,
"out" : NumberLong("5902408780260971510"),
"ok" : 1
}
// hash on "1" as a string
> db.runCommand({ _hashBSONElement: "1" })
{
"key" : "1",
"seed" : 0,
"out" : NumberLong("-2448670538483119681"),
"ok" : 1
}
Hashing BSON elements
Using hashed indexes
• Create index:
– db.collection.ensureIndex({ field : "hashed" })
• Options:
– seed: specify a hash seed to use (default: 0)
– hashVersion: currently supports only version 0 (md5)
Using hashed shard keys
• Enable sharding on collection:
– sh.shardCollection("test.collection", { field: "hashed" })
• Options:
– numInitialChunks: chunks to create (default: 2 per
shard)
// enabling sharding on test database
mongos> sh.enableSharding("test")
{ "ok" : 1 }
// shard by hashed _id field
mongos> sh.shardCollection("test.hash", { _id: "hashed" })
{ "collectionsharded" : "test.hash", "ok" : 1 }
Sharding on hashed ObjectId
databases:
{ "_id" : "test", "partitioned" : true, "primary" : "shard0001" }
test.hash
shard key: { "_id" : "hashed" }
chunks:
shard0000 2
shard0001 2
{ "_id" : { "$minKey" : 1 } } -->> { "_id" : NumberLong("-4611...") }
on : shard0000 { "t" : 2000, "i" : 2 }
{ "_id" : NumberLong("-4611...") } -->> { "_id" : NumberLong(0) }
on : shard0000 { "t" : 2000, "i" : 3 }
{ "_id" : NumberLong(0) } -->> { "_id" : NumberLong("4611...") }
on : shard0001 { "t" : 2000, "i" : 4 }
{ "_id" : NumberLong("4611...") } -->> { "_id" : { "$maxKey" : 1 } }
on : shard0001 { "t" : 2000, "i" : 5 }
Pre-splitting the data
test.hash
shard key: { "_id" : "hashed" }
chunks:
shard0000 4
shard0001 4
{ "_id" : { "$minKey" : 1 } } -->> { "_id" : NumberLong("-7374...") }
on : shard0000 { "t" : 2000, "i" : 8 }
{ "_id" : NumberLong("-7374...") } -->> { "_id" : NumberLong(”-4611...") }
on : shard0000 { "t" : 2000, "i" : 9 }
{ "_id" : NumberLong("-4611…") } -->> { "_id" : NumberLong("-2456…") }
on : shard0000 { "t" : 2000, "i" : 6 }
{ "_id" : NumberLong("-2456…") } -->> { "_id" : NumberLong(0) }
on : shard0000 { "t" : 2000, "i" : 7 }
{ "_id" : NumberLong(0) } -->> { "_id" : NumberLong("1483…") }
on : shard0001 { "t" : 2000, "i" : 12 }
Even chunk distribution after
insertions
Hashed keys are great for equality
queries
• Equality queries routed to a specific shard
• Will make use of the hashed index
• Most efficient query possible
mongos> db.hash.find({ x: 1 }).explain()
{
"cursor" : "BtreeCursor x_hashed",
"n" : 1,
"nscanned" : 1,
"nscannedObjects" : 1,
"numQueries" : 1,
"numShards" : 1,
"indexBounds" : {
"x" : [
[
NumberLong("5902408780260971510"),
NumberLong("5902408780260971510")
]
]
},
"millis" : 0
}
Explain plan of an equality query
But not so good for range queries
• Range queries will be scatter/gather
• Cannot utilize a hashed index
– Supplemental, ordered index may be used at the shard
level
• Inefficient query pattern
mongos> db.hash.find({ x: { $gt: 1, $lt: 99 }}).explain()
{
"cursor" : "BasicCursor",
"n" : 97,
"nscanned" : 1000,
"nscannedObjects" : 1000,
"numQueries" : 2,
"numShards" : 2,
"millis" : 3
}
Explain plan of a range query
Other limitations of hashed indexes
• Cannot be used in compound or unique indexes
• No support for multi-key indexes (i.e. array
values)
• Incompatible with tag aware sharding
– Tags would be assigned hashed values, not the original
key
• Will not overcome keys with poor cardinality
– Floating point numbers are truncated before hashing
Summary
• There are multiple approaches for sharding
• Hashed shard keys give great distribution
• Hashed shard keys are good for equality queries
• Pick a shard key that best suits your application
Tag Aware Sharding
Global scenario
Single database
Optimal architecture
Tag aware sharding
• Associate shard key ranges with specific shards
• Shards may have multiple tags, and vice versa
• Dictates behavior of the balancer process
• No relation to replica set member tags
// tag a shard
mongos> sh.addShardTag("shard0001", "APAC")
// shard by country code and user ID
mongos> sh.shardCollection("test.tas", { c: 1, uid: 1 })
{ "collectionsharded" : "test.tas", "ok" : 1 }
// tag a shard key range
mongos> sh.addTagRange("test.tas",
... { c: "aus", uid: MinKey },
... { c: "aut", uid: MaxKey },
... "APAC"
... )
Configuring tag aware sharding
Use cases for tag aware sharding
• Operational and/or location-based separation
• Legal requirements for data storage
• Reducing latency of geographical requests
• Cost of overseas network bandwidth
• Controlling collection distribution
– http://www.kchodorow.com/blog/2012/07/25/controlling-collection-distribution/
Other Changes in 2.4
Other changes in 2.4
• Make secondaryThrottle the default
– https://jira.mongodb.org/browse/SERVER-7779
• Faster migration of empty chunks
– https://jira.mongodb.org/browse/SERVER-3602
• Specify chunk by bounds for moveChunk
– https://jira.mongodb.org/browse/SERVER-7674
• Read preferences for commands
– https://jira.mongodb.org/browse/SERVER-7423
Questions?
Software Engineer, 10gen
Jeremy Mikola
#MongoDBDays
Thank You
jmikola
Ad

Recommended

Choosing a Shard key
Choosing a Shard key
MongoDB
 
Webinar: MongoDB 2.4 Feature Demo and Q&A on Hash-based Sharding
Webinar: MongoDB 2.4 Feature Demo and Q&A on Hash-based Sharding
MongoDB
 
MongoDB San Francisco 2013: Hash-based Sharding in MongoDB 2.4 presented by B...
MongoDB San Francisco 2013: Hash-based Sharding in MongoDB 2.4 presented by B...
MongoDB
 
Шардинг в MongoDB, Henrik Ingo (MongoDB)
Шардинг в MongoDB, Henrik Ingo (MongoDB)
Ontico
 
MongoDB for Time Series Data Part 3: Sharding
MongoDB for Time Series Data Part 3: Sharding
MongoDB
 
2014 05-07-fr - add dev series - session 6 - deploying your application-2
2014 05-07-fr - add dev series - session 6 - deploying your application-2
MongoDB
 
Introduction to Sharding
Introduction to Sharding
MongoDB
 
5 Pitfalls to Avoid with MongoDB
5 Pitfalls to Avoid with MongoDB
Tim Callaghan
 
MongoDB Auto-Sharding at Mongo Seattle
MongoDB Auto-Sharding at Mongo Seattle
MongoDB
 
MongoDB Performance Tuning
MongoDB Performance Tuning
MongoDB
 
NoSQL Analytics: JSON Data Analysis and Acceleration in MongoDB World
NoSQL Analytics: JSON Data Analysis and Acceleration in MongoDB World
Ajay Gupte
 
MongoDB Roadmap
MongoDB Roadmap
MongoDB
 
High Performance Applications with MongoDB
High Performance Applications with MongoDB
MongoDB
 
Introduction to Sharding
Introduction to Sharding
MongoDB
 
Working with MongoDB as MySQL DBA
Working with MongoDB as MySQL DBA
Igor Donchovski
 
MongoDB for Time Series Data: Sharding
MongoDB for Time Series Data: Sharding
MongoDB
 
Webinar: Index Tuning and Evaluation
Webinar: Index Tuning and Evaluation
MongoDB
 
Back to Basics Webinar 5: Introduction to the Aggregation Framework
Back to Basics Webinar 5: Introduction to the Aggregation Framework
MongoDB
 
Sharding
Sharding
MongoDB
 
A New MongoDB Sharding Architecture for Higher Availability and Better Resour...
A New MongoDB Sharding Architecture for Higher Availability and Better Resour...
leifwalsh
 
Maintenance for MongoDB Replica Sets
Maintenance for MongoDB Replica Sets
Igor Donchovski
 
Redis basics
Redis basics
Arthur Shvetsov
 
Conceptos básicos. Seminario web 5: Introducción a Aggregation Framework
Conceptos básicos. Seminario web 5: Introducción a Aggregation Framework
MongoDB
 
Webinar: Performance Tuning + Optimization
Webinar: Performance Tuning + Optimization
MongoDB
 
Exploring the replication in MongoDB
Exploring the replication in MongoDB
Igor Donchovski
 
MongoDB Sharding Fundamentals
MongoDB Sharding Fundamentals
Antonios Giannopoulos
 
Mythbusting: Understanding How We Measure the Performance of MongoDB
Mythbusting: Understanding How We Measure the Performance of MongoDB
MongoDB
 
MongoDB - Sharded Cluster Tutorial
MongoDB - Sharded Cluster Tutorial
Jason Terpko
 
Evolution of MonogDB Sharding and Its Best Practices - Ranjith A - Mydbops Team
Evolution of MonogDB Sharding and Its Best Practices - Ranjith A - Mydbops Team
Mydbops
 
MongoDB Sharding
MongoDB Sharding
Rob Walters
 

More Related Content

What's hot (20)

MongoDB Auto-Sharding at Mongo Seattle
MongoDB Auto-Sharding at Mongo Seattle
MongoDB
 
MongoDB Performance Tuning
MongoDB Performance Tuning
MongoDB
 
NoSQL Analytics: JSON Data Analysis and Acceleration in MongoDB World
NoSQL Analytics: JSON Data Analysis and Acceleration in MongoDB World
Ajay Gupte
 
MongoDB Roadmap
MongoDB Roadmap
MongoDB
 
High Performance Applications with MongoDB
High Performance Applications with MongoDB
MongoDB
 
Introduction to Sharding
Introduction to Sharding
MongoDB
 
Working with MongoDB as MySQL DBA
Working with MongoDB as MySQL DBA
Igor Donchovski
 
MongoDB for Time Series Data: Sharding
MongoDB for Time Series Data: Sharding
MongoDB
 
Webinar: Index Tuning and Evaluation
Webinar: Index Tuning and Evaluation
MongoDB
 
Back to Basics Webinar 5: Introduction to the Aggregation Framework
Back to Basics Webinar 5: Introduction to the Aggregation Framework
MongoDB
 
Sharding
Sharding
MongoDB
 
A New MongoDB Sharding Architecture for Higher Availability and Better Resour...
A New MongoDB Sharding Architecture for Higher Availability and Better Resour...
leifwalsh
 
Maintenance for MongoDB Replica Sets
Maintenance for MongoDB Replica Sets
Igor Donchovski
 
Redis basics
Redis basics
Arthur Shvetsov
 
Conceptos básicos. Seminario web 5: Introducción a Aggregation Framework
Conceptos básicos. Seminario web 5: Introducción a Aggregation Framework
MongoDB
 
Webinar: Performance Tuning + Optimization
Webinar: Performance Tuning + Optimization
MongoDB
 
Exploring the replication in MongoDB
Exploring the replication in MongoDB
Igor Donchovski
 
MongoDB Sharding Fundamentals
MongoDB Sharding Fundamentals
Antonios Giannopoulos
 
Mythbusting: Understanding How We Measure the Performance of MongoDB
Mythbusting: Understanding How We Measure the Performance of MongoDB
MongoDB
 
MongoDB - Sharded Cluster Tutorial
MongoDB - Sharded Cluster Tutorial
Jason Terpko
 
MongoDB Auto-Sharding at Mongo Seattle
MongoDB Auto-Sharding at Mongo Seattle
MongoDB
 
MongoDB Performance Tuning
MongoDB Performance Tuning
MongoDB
 
NoSQL Analytics: JSON Data Analysis and Acceleration in MongoDB World
NoSQL Analytics: JSON Data Analysis and Acceleration in MongoDB World
Ajay Gupte
 
MongoDB Roadmap
MongoDB Roadmap
MongoDB
 
High Performance Applications with MongoDB
High Performance Applications with MongoDB
MongoDB
 
Introduction to Sharding
Introduction to Sharding
MongoDB
 
Working with MongoDB as MySQL DBA
Working with MongoDB as MySQL DBA
Igor Donchovski
 
MongoDB for Time Series Data: Sharding
MongoDB for Time Series Data: Sharding
MongoDB
 
Webinar: Index Tuning and Evaluation
Webinar: Index Tuning and Evaluation
MongoDB
 
Back to Basics Webinar 5: Introduction to the Aggregation Framework
Back to Basics Webinar 5: Introduction to the Aggregation Framework
MongoDB
 
Sharding
Sharding
MongoDB
 
A New MongoDB Sharding Architecture for Higher Availability and Better Resour...
A New MongoDB Sharding Architecture for Higher Availability and Better Resour...
leifwalsh
 
Maintenance for MongoDB Replica Sets
Maintenance for MongoDB Replica Sets
Igor Donchovski
 
Conceptos básicos. Seminario web 5: Introducción a Aggregation Framework
Conceptos básicos. Seminario web 5: Introducción a Aggregation Framework
MongoDB
 
Webinar: Performance Tuning + Optimization
Webinar: Performance Tuning + Optimization
MongoDB
 
Exploring the replication in MongoDB
Exploring the replication in MongoDB
Igor Donchovski
 
Mythbusting: Understanding How We Measure the Performance of MongoDB
Mythbusting: Understanding How We Measure the Performance of MongoDB
MongoDB
 
MongoDB - Sharded Cluster Tutorial
MongoDB - Sharded Cluster Tutorial
Jason Terpko
 

Similar to Advanced Sharding Features in MongoDB 2.4 (20)

Evolution of MonogDB Sharding and Its Best Practices - Ranjith A - Mydbops Team
Evolution of MonogDB Sharding and Its Best Practices - Ranjith A - Mydbops Team
Mydbops
 
MongoDB Sharding
MongoDB Sharding
Rob Walters
 
Scaling MongoDB with Horizontal and Vertical Sharding
Scaling MongoDB with Horizontal and Vertical Sharding
Mydbops
 
Sharding Overview
Sharding Overview
MongoDB
 
Scaling MongoDB; Sharding Into and Beyond the Multi-Terabyte Range
Scaling MongoDB; Sharding Into and Beyond the Multi-Terabyte Range
MongoDB
 
Scaling-MongoDB-with-Horizontal-and-Vertical-Sharding Mydbops Opensource Data...
Scaling-MongoDB-with-Horizontal-and-Vertical-Sharding Mydbops Opensource Data...
Mydbops
 
Sharding
Sharding
MongoDB
 
MongoDB Revised Sharding Guidelines MongoDB 3.x_Kimberly_Wilkins
MongoDB Revised Sharding Guidelines MongoDB 3.x_Kimberly_Wilkins
kiwilkins
 
Introduction to Sharding
Introduction to Sharding
MongoDB
 
Basic Sharding in MongoDB presented by Shaun Verch
Basic Sharding in MongoDB presented by Shaun Verch
MongoDB
 
DBVersity MongoDB Online Training Presentations
DBVersity MongoDB Online Training Presentations
Srinivas Mutyala
 
Scaling MongoDB - Presentation at MTP
Scaling MongoDB - Presentation at MTP
darkdata
 
MongoDB San Francisco 2013: Basic Sharding in MongoDB presented by Brandon Bl...
MongoDB San Francisco 2013: Basic Sharding in MongoDB presented by Brandon Bl...
MongoDB
 
Hellenic MongoDB user group - Introduction to sharding
Hellenic MongoDB user group - Introduction to sharding
csoulios
 
Mongodb sharding
Mongodb sharding
xiangrong
 
OSDC 2012 | Scaling with MongoDB by Ross Lawley
OSDC 2012 | Scaling with MongoDB by Ross Lawley
NETWAYS
 
Scaling with MongoDB
Scaling with MongoDB
MongoDB
 
MongoDB Live Hacking
MongoDB Live Hacking
Tobias Trelle
 
Webinar: Sharding
Webinar: Sharding
MongoDB
 
2011 mongo sf-scaling
2011 mongo sf-scaling
MongoDB
 
Evolution of MonogDB Sharding and Its Best Practices - Ranjith A - Mydbops Team
Evolution of MonogDB Sharding and Its Best Practices - Ranjith A - Mydbops Team
Mydbops
 
MongoDB Sharding
MongoDB Sharding
Rob Walters
 
Scaling MongoDB with Horizontal and Vertical Sharding
Scaling MongoDB with Horizontal and Vertical Sharding
Mydbops
 
Sharding Overview
Sharding Overview
MongoDB
 
Scaling MongoDB; Sharding Into and Beyond the Multi-Terabyte Range
Scaling MongoDB; Sharding Into and Beyond the Multi-Terabyte Range
MongoDB
 
Scaling-MongoDB-with-Horizontal-and-Vertical-Sharding Mydbops Opensource Data...
Scaling-MongoDB-with-Horizontal-and-Vertical-Sharding Mydbops Opensource Data...
Mydbops
 
Sharding
Sharding
MongoDB
 
MongoDB Revised Sharding Guidelines MongoDB 3.x_Kimberly_Wilkins
MongoDB Revised Sharding Guidelines MongoDB 3.x_Kimberly_Wilkins
kiwilkins
 
Introduction to Sharding
Introduction to Sharding
MongoDB
 
Basic Sharding in MongoDB presented by Shaun Verch
Basic Sharding in MongoDB presented by Shaun Verch
MongoDB
 
DBVersity MongoDB Online Training Presentations
DBVersity MongoDB Online Training Presentations
Srinivas Mutyala
 
Scaling MongoDB - Presentation at MTP
Scaling MongoDB - Presentation at MTP
darkdata
 
MongoDB San Francisco 2013: Basic Sharding in MongoDB presented by Brandon Bl...
MongoDB San Francisco 2013: Basic Sharding in MongoDB presented by Brandon Bl...
MongoDB
 
Hellenic MongoDB user group - Introduction to sharding
Hellenic MongoDB user group - Introduction to sharding
csoulios
 
Mongodb sharding
Mongodb sharding
xiangrong
 
OSDC 2012 | Scaling with MongoDB by Ross Lawley
OSDC 2012 | Scaling with MongoDB by Ross Lawley
NETWAYS
 
Scaling with MongoDB
Scaling with MongoDB
MongoDB
 
MongoDB Live Hacking
MongoDB Live Hacking
Tobias Trelle
 
Webinar: Sharding
Webinar: Sharding
MongoDB
 
2011 mongo sf-scaling
2011 mongo sf-scaling
MongoDB
 
Ad

More from MongoDB (20)

MongoDB SoCal 2020: Migrate Anything* to MongoDB Atlas
MongoDB SoCal 2020: Migrate Anything* to MongoDB Atlas
MongoDB
 
MongoDB SoCal 2020: Go on a Data Safari with MongoDB Charts!
MongoDB SoCal 2020: Go on a Data Safari with MongoDB Charts!
MongoDB
 
MongoDB SoCal 2020: Using MongoDB Services in Kubernetes: Any Platform, Devel...
MongoDB SoCal 2020: Using MongoDB Services in Kubernetes: Any Platform, Devel...
MongoDB
 
MongoDB SoCal 2020: A Complete Methodology of Data Modeling for MongoDB
MongoDB SoCal 2020: A Complete Methodology of Data Modeling for MongoDB
MongoDB
 
MongoDB SoCal 2020: From Pharmacist to Analyst: Leveraging MongoDB for Real-T...
MongoDB SoCal 2020: From Pharmacist to Analyst: Leveraging MongoDB for Real-T...
MongoDB
 
MongoDB SoCal 2020: Best Practices for Working with IoT and Time-series Data
MongoDB SoCal 2020: Best Practices for Working with IoT and Time-series Data
MongoDB
 
MongoDB SoCal 2020: MongoDB Atlas Jump Start
MongoDB SoCal 2020: MongoDB Atlas Jump Start
MongoDB
 
MongoDB .local San Francisco 2020: Powering the new age data demands [Infosys]
MongoDB .local San Francisco 2020: Powering the new age data demands [Infosys]
MongoDB
 
MongoDB .local San Francisco 2020: Using Client Side Encryption in MongoDB 4.2
MongoDB .local San Francisco 2020: Using Client Side Encryption in MongoDB 4.2
MongoDB
 
MongoDB .local San Francisco 2020: Using MongoDB Services in Kubernetes: any ...
MongoDB .local San Francisco 2020: Using MongoDB Services in Kubernetes: any ...
MongoDB
 
MongoDB .local San Francisco 2020: Go on a Data Safari with MongoDB Charts!
MongoDB .local San Francisco 2020: Go on a Data Safari with MongoDB Charts!
MongoDB
 
MongoDB .local San Francisco 2020: From SQL to NoSQL -- Changing Your Mindset
MongoDB .local San Francisco 2020: From SQL to NoSQL -- Changing Your Mindset
MongoDB
 
MongoDB .local San Francisco 2020: MongoDB Atlas Jumpstart
MongoDB .local San Francisco 2020: MongoDB Atlas Jumpstart
MongoDB
 
MongoDB .local San Francisco 2020: Tips and Tricks++ for Querying and Indexin...
MongoDB .local San Francisco 2020: Tips and Tricks++ for Querying and Indexin...
MongoDB
 
MongoDB .local San Francisco 2020: Aggregation Pipeline Power++
MongoDB .local San Francisco 2020: Aggregation Pipeline Power++
MongoDB
 
MongoDB .local San Francisco 2020: A Complete Methodology of Data Modeling fo...
MongoDB .local San Francisco 2020: A Complete Methodology of Data Modeling fo...
MongoDB
 
MongoDB .local San Francisco 2020: MongoDB Atlas Data Lake Technical Deep Dive
MongoDB .local San Francisco 2020: MongoDB Atlas Data Lake Technical Deep Dive
MongoDB
 
MongoDB .local San Francisco 2020: Developing Alexa Skills with MongoDB & Golang
MongoDB .local San Francisco 2020: Developing Alexa Skills with MongoDB & Golang
MongoDB
 
MongoDB .local Paris 2020: Realm : l'ingrédient secret pour de meilleures app...
MongoDB .local Paris 2020: Realm : l'ingrédient secret pour de meilleures app...
MongoDB
 
MongoDB .local Paris 2020: Upply @MongoDB : Upply : Quand le Machine Learning...
MongoDB .local Paris 2020: Upply @MongoDB : Upply : Quand le Machine Learning...
MongoDB
 
MongoDB SoCal 2020: Migrate Anything* to MongoDB Atlas
MongoDB SoCal 2020: Migrate Anything* to MongoDB Atlas
MongoDB
 
MongoDB SoCal 2020: Go on a Data Safari with MongoDB Charts!
MongoDB SoCal 2020: Go on a Data Safari with MongoDB Charts!
MongoDB
 
MongoDB SoCal 2020: Using MongoDB Services in Kubernetes: Any Platform, Devel...
MongoDB SoCal 2020: Using MongoDB Services in Kubernetes: Any Platform, Devel...
MongoDB
 
MongoDB SoCal 2020: A Complete Methodology of Data Modeling for MongoDB
MongoDB SoCal 2020: A Complete Methodology of Data Modeling for MongoDB
MongoDB
 
MongoDB SoCal 2020: From Pharmacist to Analyst: Leveraging MongoDB for Real-T...
MongoDB SoCal 2020: From Pharmacist to Analyst: Leveraging MongoDB for Real-T...
MongoDB
 
MongoDB SoCal 2020: Best Practices for Working with IoT and Time-series Data
MongoDB SoCal 2020: Best Practices for Working with IoT and Time-series Data
MongoDB
 
MongoDB SoCal 2020: MongoDB Atlas Jump Start
MongoDB SoCal 2020: MongoDB Atlas Jump Start
MongoDB
 
MongoDB .local San Francisco 2020: Powering the new age data demands [Infosys]
MongoDB .local San Francisco 2020: Powering the new age data demands [Infosys]
MongoDB
 
MongoDB .local San Francisco 2020: Using Client Side Encryption in MongoDB 4.2
MongoDB .local San Francisco 2020: Using Client Side Encryption in MongoDB 4.2
MongoDB
 
MongoDB .local San Francisco 2020: Using MongoDB Services in Kubernetes: any ...
MongoDB .local San Francisco 2020: Using MongoDB Services in Kubernetes: any ...
MongoDB
 
MongoDB .local San Francisco 2020: Go on a Data Safari with MongoDB Charts!
MongoDB .local San Francisco 2020: Go on a Data Safari with MongoDB Charts!
MongoDB
 
MongoDB .local San Francisco 2020: From SQL to NoSQL -- Changing Your Mindset
MongoDB .local San Francisco 2020: From SQL to NoSQL -- Changing Your Mindset
MongoDB
 
MongoDB .local San Francisco 2020: MongoDB Atlas Jumpstart
MongoDB .local San Francisco 2020: MongoDB Atlas Jumpstart
MongoDB
 
MongoDB .local San Francisco 2020: Tips and Tricks++ for Querying and Indexin...
MongoDB .local San Francisco 2020: Tips and Tricks++ for Querying and Indexin...
MongoDB
 
MongoDB .local San Francisco 2020: Aggregation Pipeline Power++
MongoDB .local San Francisco 2020: Aggregation Pipeline Power++
MongoDB
 
MongoDB .local San Francisco 2020: A Complete Methodology of Data Modeling fo...
MongoDB .local San Francisco 2020: A Complete Methodology of Data Modeling fo...
MongoDB
 
MongoDB .local San Francisco 2020: MongoDB Atlas Data Lake Technical Deep Dive
MongoDB .local San Francisco 2020: MongoDB Atlas Data Lake Technical Deep Dive
MongoDB
 
MongoDB .local San Francisco 2020: Developing Alexa Skills with MongoDB & Golang
MongoDB .local San Francisco 2020: Developing Alexa Skills with MongoDB & Golang
MongoDB
 
MongoDB .local Paris 2020: Realm : l'ingrédient secret pour de meilleures app...
MongoDB .local Paris 2020: Realm : l'ingrédient secret pour de meilleures app...
MongoDB
 
MongoDB .local Paris 2020: Upply @MongoDB : Upply : Quand le Machine Learning...
MongoDB .local Paris 2020: Upply @MongoDB : Upply : Quand le Machine Learning...
MongoDB
 
Ad

Recently uploaded (20)

Power of the Many: Digital Energy Masterclass
Power of the Many: Digital Energy Masterclass
mariana491193
 
Noah Loul Shares 5 Key Impacts of AI Agents on the Sales Industry.pdf
Noah Loul Shares 5 Key Impacts of AI Agents on the Sales Industry.pdf
Noah Loul
 
Enhancing Customer Engagement in Direct Selling Through AI Segmentation
Enhancing Customer Engagement in Direct Selling Through AI Segmentation
Epixel MLM Software
 
IEA_Press_Release_Tullow_Agreement-16-6-2025-1.pdf
IEA_Press_Release_Tullow_Agreement-16-6-2025-1.pdf
businessweekghana
 
The APCO Geopolitical Radar Q3 2025 Edition
The APCO Geopolitical Radar Q3 2025 Edition
APCO
 
Akční plán pro chemický průmysl - Ivan Souček
Akční plán pro chemický průmysl - Ivan Souček
pavelborek
 
Electronic Shelf Labels & Digital Price Tags in Delhi | Foodcare
Electronic Shelf Labels & Digital Price Tags in Delhi | Foodcare
Foodcare llp
 
smidmart industrial Automation Ones Stop Solution
smidmart industrial Automation Ones Stop Solution
smidmart
 
Noah Loul Shares 5 Key Impacts of AI Agents on the Sales Industry
Noah Loul Shares 5 Key Impacts of AI Agents on the Sales Industry
Noah Loul
 
Book - Behavioral finance and wealth management(1).pdf
Book - Behavioral finance and wealth management(1).pdf
GamingwithUBAID
 
Benefits of virtual events For the Business
Benefits of virtual events For the Business
Trevento media Private Limited
 
SACRS_Spring Mag 2025 Graceada Article.pdf
SACRS_Spring Mag 2025 Graceada Article.pdf
matthieu81
 
Kenyan Msme Export Book by Dickens Aluha Mujumba
Kenyan Msme Export Book by Dickens Aluha Mujumba
JoshuaKihara
 
S4F02 Col11 Management Accounting in SAP S/4HANA for SAP ERP CO Professionals
S4F02 Col11 Management Accounting in SAP S/4HANA for SAP ERP CO Professionals
Libreria ERP
 
ISO 45001 Certification in Singapore Company
ISO 45001 Certification in Singapore Company
achharsharma105
 
Chapter 1 Introduction to Accountin1.6 plusone class first chapter (1) (1).pptx
Chapter 1 Introduction to Accountin1.6 plusone class first chapter (1) (1).pptx
dilshap23
 
Power of the Many Masterclasses - 2nd draft .pptx
Power of the Many Masterclasses - 2nd draft .pptx
AlexBausch2
 
AX to Dynamics 365 Finance and Operations in USA.pdf
AX to Dynamics 365 Finance and Operations in USA.pdf
Trident information system
 
Stone Hill Ready Mix Concrete Bagalur
Stone Hill Ready Mix Concrete Bagalur
stonehillrealtyblr
 
Integration of Information Security Governance and Corporate Governance
Integration of Information Security Governance and Corporate Governance
Tokyo Security Community
 
Power of the Many: Digital Energy Masterclass
Power of the Many: Digital Energy Masterclass
mariana491193
 
Noah Loul Shares 5 Key Impacts of AI Agents on the Sales Industry.pdf
Noah Loul Shares 5 Key Impacts of AI Agents on the Sales Industry.pdf
Noah Loul
 
Enhancing Customer Engagement in Direct Selling Through AI Segmentation
Enhancing Customer Engagement in Direct Selling Through AI Segmentation
Epixel MLM Software
 
IEA_Press_Release_Tullow_Agreement-16-6-2025-1.pdf
IEA_Press_Release_Tullow_Agreement-16-6-2025-1.pdf
businessweekghana
 
The APCO Geopolitical Radar Q3 2025 Edition
The APCO Geopolitical Radar Q3 2025 Edition
APCO
 
Akční plán pro chemický průmysl - Ivan Souček
Akční plán pro chemický průmysl - Ivan Souček
pavelborek
 
Electronic Shelf Labels & Digital Price Tags in Delhi | Foodcare
Electronic Shelf Labels & Digital Price Tags in Delhi | Foodcare
Foodcare llp
 
smidmart industrial Automation Ones Stop Solution
smidmart industrial Automation Ones Stop Solution
smidmart
 
Noah Loul Shares 5 Key Impacts of AI Agents on the Sales Industry
Noah Loul Shares 5 Key Impacts of AI Agents on the Sales Industry
Noah Loul
 
Book - Behavioral finance and wealth management(1).pdf
Book - Behavioral finance and wealth management(1).pdf
GamingwithUBAID
 
SACRS_Spring Mag 2025 Graceada Article.pdf
SACRS_Spring Mag 2025 Graceada Article.pdf
matthieu81
 
Kenyan Msme Export Book by Dickens Aluha Mujumba
Kenyan Msme Export Book by Dickens Aluha Mujumba
JoshuaKihara
 
S4F02 Col11 Management Accounting in SAP S/4HANA for SAP ERP CO Professionals
S4F02 Col11 Management Accounting in SAP S/4HANA for SAP ERP CO Professionals
Libreria ERP
 
ISO 45001 Certification in Singapore Company
ISO 45001 Certification in Singapore Company
achharsharma105
 
Chapter 1 Introduction to Accountin1.6 plusone class first chapter (1) (1).pptx
Chapter 1 Introduction to Accountin1.6 plusone class first chapter (1) (1).pptx
dilshap23
 
Power of the Many Masterclasses - 2nd draft .pptx
Power of the Many Masterclasses - 2nd draft .pptx
AlexBausch2
 
AX to Dynamics 365 Finance and Operations in USA.pdf
AX to Dynamics 365 Finance and Operations in USA.pdf
Trident information system
 
Stone Hill Ready Mix Concrete Bagalur
Stone Hill Ready Mix Concrete Bagalur
stonehillrealtyblr
 
Integration of Information Security Governance and Corporate Governance
Integration of Information Security Governance and Corporate Governance
Tokyo Security Community
 

Advanced Sharding Features in MongoDB 2.4

  • 1. Software Engineer, 10gen Jeremy Mikola #MongoDBDays Advanced Sharding Features in MongoDB 2.4 jmikola
  • 3. Sharding is a powerful way scale your database…
  • 4. MongoDB 2.4 adds some new features to get more out of it.
  • 5. Agenda • Shard keys – Desired properties – Evaluating shard key choices • Hashed shard keys – Why and how to use hashed shard keys – Limitations • Tag-aware sharding – How it works – Use case examples
  • 7. What is a shard key? • Incorporates one or more fields • Used to partition your collection • Must be indexed and exist in every document • Definition and values are immutable • Used to route requests to shards
  • 8. Cluster request routing • Targeted queries • Scatter/gather queries • Scatter/gather queries with sort
  • 9. Cluster request routing: writes • Inserts – Shard key required – Targeted query • Updates and removes – Shard key optional for multi-document operations – May be targeted or scattered
  • 10. Cluster request routing: reads • Queries – With shard key: targeted – Without shard key: scatter/gather • Sorted queries – With shard key: targeted in order – Without shard key: distributed merge sort
  • 11. Cluster request routing: targeted query
  • 13. Request routed to appropriate shard
  • 16. Cluster request routing: scattered query
  • 18. Request sent to all shards
  • 22. Shard key considerations • Cardinality • Write Distribution • Query Isolation • Reliability • Index Locality
  • 23. Request distribution and index locality Shard 1 Shard 2 Shard 3 mongos
  • 24. Request distribution and index locality Shard 1 Shard 2 Shard 3 mongos
  • 25. { _id: ObjectId(), user: 123, time: Date(), subject: "…", recipients: [], body: "…", attachments: [] } Example: email storage Most common scenario, can be applied to 90% of cases Each document can be up to 16MB Each user may have GBs of storage Most common query: get user emails sorted by time Indexes on {_id}, {user, time}, {recipients}
  • 28. Sharding on ObjectId // enable sharding on test database mongos> sh.enableSharding("test") { "ok" : 1 } // shard the test collection mongos> sh.shardCollection("test.test", { _id: 1 }) { "collectionsharded" : "test.test", "ok" : 1 } // insert many documents in a loop mongos> for (x=0; x<10000; x++) db.test.insert({ value: x });
  • 29. shards: { "_id" : "shard0000", "host" : "localhost:30000" } { "_id" : "shard0001", "host" : "localhost:30001" } databases: { "_id" : "test", "partitioned" : true, "primary" : "shard0001" } test.test shard key: { "_id" : 1 } chunks: shard0001 2 { "_id" : { "$minKey" : 1 } } -->> { "_id" : ObjectId("…") } on : shard0001 { "t" : 1000, "i" : 1 } { "_id" : ObjectId("…") } -->> { "_id" : { "$maxKey" : 1 } } on : shard0001 { "t" : 1000, "i" : 2 } Uneven chunk distribution
  • 30. Incremental values leads to a hot shard minKey  0 0  maxKey
  • 31. Example: email storage Cardinality Write scaling Query isolation Reliability Index locality _id Doc level One shard Scatter/gat her All users affected Good hash(_id) user user, time
  • 32. Example: email storage Cardinality Write scaling Query isolation Reliability Index locality _id Doc level One shard Scatter/gat her All users affected Good hash(_id) Hash level All Shards Scatter/gat her All users affected Poor user user, time
  • 33. Example: email storage Cardinality Write scaling Query isolation Reliability Index locality _id Doc level One shard Scatter/gat her All users affected Good hash(_id) Hash level All Shards Scatter/gat her All users affected Poor user Many docs All Shards Targeted Some users affected Good user, time
  • 34. Example: email storage Cardinality Write scaling Query isolation Reliability Index locality _id Doc level One shard Scatter/gat her All users affected Good hash(_id) Hash level All Shards Scatter/gat her All users affected Poor user Many docs All Shards Targeted Some users affected Good user, time Doc level All Shards Targeted Some users affected Good
  • 36. Why is this relevant? • Documents may not already have a suitable value • Hashing allows us to utilize an existing field • More efficient index storage – At the expense of locality
  • 37. Hashed shard keys {x:2} md5 c81e728d9d4c2f636f067f89cc14862c {x:3} md5 eccbc87e4b5ce2fe28308fd9f2a7baf3 {x:1} md5 c4ca4238a0b923820dcc509a6f75849b
  • 38. minKey  0 0  maxKey Hashed shard keys avoids a hot shard
  • 39. Under the hood • Create a hashed index for use with sharding • Contains first 64 bits of a field’s md5 hash • Considers BSON type and value • Represented as NumberLong in the JS shell
  • 40. // hash on 1 as an integer > db.runCommand({ _hashBSONElement: 1 }) { "key" : 1, "seed" : 0, "out" : NumberLong("5902408780260971510"), "ok" : 1 } // hash on "1" as a string > db.runCommand({ _hashBSONElement: "1" }) { "key" : "1", "seed" : 0, "out" : NumberLong("-2448670538483119681"), "ok" : 1 } Hashing BSON elements
  • 41. Using hashed indexes • Create index: – db.collection.ensureIndex({ field : "hashed" }) • Options: – seed: specify a hash seed to use (default: 0) – hashVersion: currently supports only version 0 (md5)
  • 42. Using hashed shard keys • Enable sharding on collection: – sh.shardCollection("test.collection", { field: "hashed" }) • Options: – numInitialChunks: chunks to create (default: 2 per shard)
  • 43. // enabling sharding on test database mongos> sh.enableSharding("test") { "ok" : 1 } // shard by hashed _id field mongos> sh.shardCollection("test.hash", { _id: "hashed" }) { "collectionsharded" : "test.hash", "ok" : 1 } Sharding on hashed ObjectId
  • 44. databases: { "_id" : "test", "partitioned" : true, "primary" : "shard0001" } test.hash shard key: { "_id" : "hashed" } chunks: shard0000 2 shard0001 2 { "_id" : { "$minKey" : 1 } } -->> { "_id" : NumberLong("-4611...") } on : shard0000 { "t" : 2000, "i" : 2 } { "_id" : NumberLong("-4611...") } -->> { "_id" : NumberLong(0) } on : shard0000 { "t" : 2000, "i" : 3 } { "_id" : NumberLong(0) } -->> { "_id" : NumberLong("4611...") } on : shard0001 { "t" : 2000, "i" : 4 } { "_id" : NumberLong("4611...") } -->> { "_id" : { "$maxKey" : 1 } } on : shard0001 { "t" : 2000, "i" : 5 } Pre-splitting the data
  • 45. test.hash shard key: { "_id" : "hashed" } chunks: shard0000 4 shard0001 4 { "_id" : { "$minKey" : 1 } } -->> { "_id" : NumberLong("-7374...") } on : shard0000 { "t" : 2000, "i" : 8 } { "_id" : NumberLong("-7374...") } -->> { "_id" : NumberLong(”-4611...") } on : shard0000 { "t" : 2000, "i" : 9 } { "_id" : NumberLong("-4611…") } -->> { "_id" : NumberLong("-2456…") } on : shard0000 { "t" : 2000, "i" : 6 } { "_id" : NumberLong("-2456…") } -->> { "_id" : NumberLong(0) } on : shard0000 { "t" : 2000, "i" : 7 } { "_id" : NumberLong(0) } -->> { "_id" : NumberLong("1483…") } on : shard0001 { "t" : 2000, "i" : 12 } Even chunk distribution after insertions
  • 46. Hashed keys are great for equality queries • Equality queries routed to a specific shard • Will make use of the hashed index • Most efficient query possible
  • 47. mongos> db.hash.find({ x: 1 }).explain() { "cursor" : "BtreeCursor x_hashed", "n" : 1, "nscanned" : 1, "nscannedObjects" : 1, "numQueries" : 1, "numShards" : 1, "indexBounds" : { "x" : [ [ NumberLong("5902408780260971510"), NumberLong("5902408780260971510") ] ] }, "millis" : 0 } Explain plan of an equality query
  • 48. But not so good for range queries • Range queries will be scatter/gather • Cannot utilize a hashed index – Supplemental, ordered index may be used at the shard level • Inefficient query pattern
  • 49. mongos> db.hash.find({ x: { $gt: 1, $lt: 99 }}).explain() { "cursor" : "BasicCursor", "n" : 97, "nscanned" : 1000, "nscannedObjects" : 1000, "numQueries" : 2, "numShards" : 2, "millis" : 3 } Explain plan of a range query
  • 50. Other limitations of hashed indexes • Cannot be used in compound or unique indexes • No support for multi-key indexes (i.e. array values) • Incompatible with tag aware sharding – Tags would be assigned hashed values, not the original key • Will not overcome keys with poor cardinality – Floating point numbers are truncated before hashing
  • 51. Summary • There are multiple approaches for sharding • Hashed shard keys give great distribution • Hashed shard keys are good for equality queries • Pick a shard key that best suits your application
  • 56. Tag aware sharding • Associate shard key ranges with specific shards • Shards may have multiple tags, and vice versa • Dictates behavior of the balancer process • No relation to replica set member tags
  • 57. // tag a shard mongos> sh.addShardTag("shard0001", "APAC") // shard by country code and user ID mongos> sh.shardCollection("test.tas", { c: 1, uid: 1 }) { "collectionsharded" : "test.tas", "ok" : 1 } // tag a shard key range mongos> sh.addTagRange("test.tas", ... { c: "aus", uid: MinKey }, ... { c: "aut", uid: MaxKey }, ... "APAC" ... ) Configuring tag aware sharding
  • 58. Use cases for tag aware sharding • Operational and/or location-based separation • Legal requirements for data storage • Reducing latency of geographical requests • Cost of overseas network bandwidth • Controlling collection distribution – http://www.kchodorow.com/blog/2012/07/25/controlling-collection-distribution/
  • 60. Other changes in 2.4 • Make secondaryThrottle the default – https://jira.mongodb.org/browse/SERVER-7779 • Faster migration of empty chunks – https://jira.mongodb.org/browse/SERVER-3602 • Specify chunk by bounds for moveChunk – https://jira.mongodb.org/browse/SERVER-7674 • Read preferences for commands – https://jira.mongodb.org/browse/SERVER-7423
  • 62. Software Engineer, 10gen Jeremy Mikola #MongoDBDays Thank You jmikola

Editor's Notes

  • #3: Remind everyone what a sharded cluster is. We will be talking about shard key considerations, hashed shard keys, and tag aware sharding.
  • #4: Make this point: *If you need to. Not everyone needs to shard!*
  • #6: Shard key: standard stuffHashed shard keys: useful for some applications that need uniform write distribution but don’t have suitable fields available to use as a shard key.Tag aware sharding: how to influence the balancer
  • #9: There is also a case of sorting on the shard key, which entails multiple targeted queries in order.
  • #21: Routing targeted requests scales better than scattered requests.
  • #22: Entails additional processing on mongos to sort all results from the shards. When possible, sorting on the shard key is preferable, as it entails multiple targeted queries executed in order.
  • #23: Cardinality – Can your data be broken down enough? How many documents share the same shard key?Write distribution – How well are writes and data balanced across all shards?Query Isolation - Query targeting to a specific shard, vs. scatter/gatherReliability – Impact on the application if a shard outage occurs (ideally, good replica set design can avoid this)Index locality – How hot the index on each shard will be, and how distributed the most used indexes are across our cluster.A good shard key can:Optimize routingMinimize (unnecessary) trafficAllow best scaling
  • #24: The visuals for index locality and shard usage go hand in hand.For sharding, we want to have reads and writes distributed across the cluster to make efficient use of hardware. But for indexes, the inverse is true. We’d prefer not to access all parts of an index if we can avoid it. Just like disk access, we’d prefer to read/write sequentially, and only to a portion. This avoids having the entire index “hot”.
  • #25: This show good index or disk locality on a single shard.
  • #30: This also illustrates the inverse relationship between index usage on a shard and write distribution on the shard cluster. In this case, one shard is receiving all of the writes, and the index is being used for right-balanced insertions (incremental data).
  • #34: While hashed shard keys offer poor index locality, that may be ok for some architectures if uniform write distribution is a higher priority. Also, if the indexes can fit in memory, random access of the index may not be a concern.
  • #36: Compound shard key, utilizes an existing index we already need.For queries on a user’s inbox ordered by time, if that user is on multiple shards it may be an example of ordered, targeted queries.
  • #38: Hashed shard keys are not for everyone, but they will generally be a better option for folks that don’t have suitable shard keys in their schema, or those that were manually hashing their shard keys. Since hashed values are 8 bytes (64-bit portion of the md5), the index will also be tinier than a typical, ordered ObjectId index.
  • #42: _hashBSONElement requires --enableTestCommands to work
  • #44: Note: the “2 per shard” default is a special computed value. If any value is specified for numInitialChunks, it will be divided by the total number of shards to determine how many chunks to create on each shard. The shardCollection helper method doesn’t seem to support this option, so users will have to use the raw command to specify this option.
  • #46: Illustrates default pre-splitting behavior. Each shard for this new collection has two chunks from the get-go.
  • #50: Uses the hashed index
  • #51: A supplemental, ordered index is a regular, non-hashed index that starts with the shard key. Although mongos will have to scatter the query across all shards, the shards themselves will be able to use the ordered index on the shard key field instead of a BasicCursor. The take-away is that a hashed index is simply not usable for range queries; thankfully, MongoDB allows an ordered index to co-exist for the same field.
  • #54: Emphasize the last point, since users cannot change their shard key after the fact. Additionally, if the application is new and users don’t fully understand their query patterns, they cannot make an informed decision on what would make a suitable shard key.
  • #56: An application has a global user base and we’d like to optimize read/write latency for those users. This will also reduce overall network traffic.We’re not discussing replica set distribution for disaster recover; that is a separate topic.
  • #57: Having all of our writeable databases/shards in a single region is a bottleneck.
  • #58: Ideally, we’d like to have writeable shards in each region, to service users (and application servers) in that region.
  • #59: Many-to-many relationship between shards and tags.
  • #60: Configuring the range may be unintuitive for a fixed string value. The lower bound is inclusive and the upper bound is exclusive. For this example, we have to concoct a meaningless country code for the upper bound, because it is the next logical value above “aus”.APAC stands for “Asia Pacific” (for Australia in this case).
  • #61: For controlling collection distribution, Kristina suggested creating tag ranges for the entire shard key range and assigning it to a particular shard. Although we technically enabled sharding for such collections, all of their data will reside on a single shard. This technique is used to get around the default behavior to place non-sharded collections on the primary shard for a database.