SlideShare a Scribd company logo
The Emerging
World
of MongoDB
scheduler
Reflexion
What's NOSQL means
We're thinking in changes
How is MongoDB
Let's get started MongoDB
What's going wrong?
Document structure
Basic Operations CRUD
Index Explain Hint
Data Model: be quiet - the answer
Sharding -scaling
{
"Name" : "Carlos Sánchez Pérez",
Name
"Love" : "Web Dev",
Love
"Title" : "Rough Boy",
Title
"Twitter" : "@carlossanchezp",
Twitter
"Blog" : "carlossanchezperez.wordpress.com",
Blog
"Job" : "ASPgems",
Job
"Github" : "carlossanchezp"
Github
}
REFLEXION
Through all this time one thing has stayed constant—relational
databases store the data and our decision is almost always implied
What's NOSQL means?
Because the true spirit of “NoSQL” does not consist in the
way data is queried. It consists in the way data is stored.
NoSQL is all about data storage.
“NoSQL” should be called “SQL with alternative storage
models”
we are thinking in
changes.....
Wait let me show you
●

How will we add new machines?

●

Are their any single points of failure?

●

Do the writes scale as well?

●

How much administration will the system require?

●

If its open source, is there a healthy community?

How much time and effort would we have to expend to deploy and
integrate it?
●

●

Does it use technology which we know we can work with?
The emerging world of mongo db   csp
How is MongoDB
MongoDB is a powerful, flexible, and scalable
general-purpose database
Ease of Use
MongoDB is a document-oriented database, not a relational one.
One of the reason for moving away from the relational model is to make
scaling out easier.
Ease of Use
A document-oriented database replaces the concept

“row” with a more flexible model: “document”.
By allowing embedded documents and arrays, the document-oriented
approach makes it possible to represent complex hierarchical
relationships with a single record.
Ease of Use
Without a fixed schema, adding or removing fields as needed
becomes easier.
This makes development faster as developers can quickly iterate.
It is also easier to experiment.
Developers can try a lot of models for the data and then choose the
best one.
Easy Scaling
Data set sizes for applications are growing at an incredible pace.
As the amount of data that developers need to store grows, developers
face a difficult decision:
how should they scale their databases?
Scaling a database comes down to the choice between:
scaling up : getting a bigger machine.
 scaling out : partitioning data across more machines.

Let’s Get Started
Let's see some of the basic concepts of MongoDB:
• A document is the basic unit of data for MongoDB and is
equivalent to a row in a Relational Database.
• Collection can be thought of as a table with a dynamic schema.
• A single instance of MongoDB can host multiple independent
databases, each of which can have its own collections.
• One document has a special key, "_id", that is unique within a
collection.
• Awesome JavaScript shell, which is useful for the administration
and data manipulation.
Schemaless dynamics
MongoDB is a "schemaless" but it doesn't mean that you don't
need to thinking about design your schema!!
MongoDB is a “schemaless dynamic”, the meaning is don't
have an ALTER TABLE and migration.
At the core of MongoDB is the document: an ordered set of keys
with associated values.
In JavaScript, for example, documents are represented as objects:
{"name" : "Hello, MongoDB world!"}
{"name" : "Hello, MongoDB world!", "foo" : 3}
{"name" : "Hello, MongoDB world!",
"foo" : 3,
"fruit": ["pear","apple"]}
let's start working
What's going wrong?
The keys in a document are strings. Any UTF-8 character is allowed in
a key, with a few notable exceptions:
• Keys must not contain the character 0 (the null character). This
character is used to signify the end of a key.
• The . and $ characters have some special properties and should be
used only in certain circumstances, but in general, they should be
considered reserved.
SQL Terms/Concepts
database
table
Row
column
index
foreign key
primary key

MongoDB Terms/Concepts
database
collection
document or BSON document
field
index
joins embedded documents and linking
automatically set to the _id field.
MongoDB is type-sensitive and case-sensitive.
For example, these documents are distinct:
{"foo" : "3"}
{"foo" : 3}
{"Foo" : 3}
MongoDB cannot contain duplicate keys:
{"name" : "Hello, world!", "name" : "Hello, MongoDB!"}
WAIT!!
NO JOIN
Document Structure
References
Embedded Data
Data
COLLECTION
db.blog
methods_mongodb
DataBase
Use db_name

DOCUMENT {…..}
SUBDOCUMENT {...}
FIELD name: type

Array [….]

document {…..[{...}]......}
Or my Owner
By default ID
{ _id: ObjectID('4bd9e8e17cefd644108961bb'),
By default ID
title: 'My own Adventures in Databases',
url: 'http://example.com/exampledatabases.txt',
author: 'csp',
vote_count: 5,
Array
tags: ['databases', 'mongodb', 'indexing'],
Array
image: {
url: 'http://example.com/db.jpg',
caption: '',
SubDoc
type: 'jpg',
SubDoc
size: 75381,
data: "Binary"
},
comments: [ { user: 'abc',text: 'Nice article!'},
{ user: 'jkl',text: 'Another related article is at
http://example.com/db/mydb.txt'}
]
}
DOCUMENT

_id: 1

Array + SubDoc
Array + SubDoc
Collections
Like a
Table SQL
{“title” : “First”, “edge” : 34}
{“title” : “First”, “edge” : 34}
{“title” : “First”, “edge” : 34}

Collections

Document

Document
Like a row SQL

A collection is a group of documents. If a document is the
MongoDB analog of a row in a relational database, then a
collection can be thought of as the analog to a table.
Dynamic Schemas
Collections have dynamic schemas. This means that the
documents within a single collection can have any number of
different “shapes.”
For example, both of this documents could be stored in a single
collection:
{"greeting" : "Hello, mongoDB world!"}
{"foo" : 23}
Subcollections
One convention for organizing collections is to use namespaced
subcollections separated by the “.” character.
For example, an a Blog application might have a collection
named blog.posts and a separate collection named
blog.authors.
Basic Operations CRUD
Basic Operations
CREATE: The insert function adds a document to a collection.
> post = {"title" : "My first post in my blog",
... "content" : "Here's my blog post.",
... "date" : new Date()}
> db.blog.insert(post)
> db.blog.find()
{
"_id" : ObjectId("5037ee4a1084eb3ffeef7228"),
"title" : "My first post in my blog",
"content" : "Here's my blog post.",
"date" : ISODate("2013-10-05T16:13:42.181Z")
}
The emerging world of mongo db   csp
this.insertEntry = function (title, body, tags, author, callback) {
"use strict";
console.log("inserting blog entry" + title + body);
// fix up the permalink to not include whitespace
var permalink = title.replace( /s/g, '_' );
permalink = permalink.replace( /W/g, '' );
// Build a new post
var post = {"title": title,
"author": author,
"body": body,
"permalink":permalink,
"tags": tags,
"comments": [],
"date": new Date()}
// now insert the post
posts.insert(post, function (err, post) {
"use strict";
if (!err) {
console.log("Inserted new post");
console.dir("Successfully inserted: " + JSON.stringify(post));
return callback(null, post);
}
return callback(err, null);
});
}
Basic Operations
FIND: find and findOne can be used to query a collection.
> db.blog.findOne()
{
"_id" : ObjectId("5037ee4a1084eb3ffeef7228"),
"title" : "My first post in my blog",
"content" : "Here's my blog post.",
"date" : ISODate("2012-08-24T21:12:09.982Z")
}
The emerging world of mongo db   csp
this.getPostsByTag = function(tag, num, callback) {
"use strict";
posts.find({ tags : tag }).sort('date', -1).limit(num).toArray(function(err,
items) {
"use strict";
if (err) return callback(err, null);
console.log("Found " + items.length + " posts");
callback(err, items);
});
}
this.getPostByPermalink = function(permalink, callback) {
"use strict";
posts.findOne({'permalink': permalink}, function(err, post) {
"use strict";
if (err) return callback(err, null);
callback(err, post);
});
}
Basic Operations
UPDATE: If we would like to modify our post, we can use update. update takes (at
least) two parameters: the first is the criteria to find which document to update,
and the second is the new document.
> post.comments = []
> db.blog.update({title : "My first post in my blog"}, post)
> db.blog.find()
{
"_id" : ObjectId("5037ee4a1084eb3ffeef7228"),
"title" : "My first post in my blog",
"content" : "Here's my blog post.",
"date" : ISODate("2013-10-05T16:13:42.181Z"),
"comments" : [ ]
}
this.addComment = function(permalink, name, email, body, callback) {
"use strict";
var comment = {'author': name, 'body': body}
if (email != "") {
comment['email'] = email
}
posts.update({'permalink': permalink},{ $push: { "comments": comment } },{safe:true},
function (err, comment) {
"use strict";
if (!err) {
console.log("Inserted new comment");
console.log(comment);
return callback(null, comment);
}
return callback(err, null);
});
}
Basic Operations
DELETE: remove permanently deletes documents from the database. Called with
no parameters, it removes all documents from a collection. It can also take a
document specifying criteria for removal.

> db.blog.remove({title : "My first post in my blog"})
> db.blog.find()
{
"_id" : ObjectId("5037ee4a1084eb3ffeef7228"),
"title" : "My second post in my blog",
"content" : "Here's my second blog post.",
"date" : ISODate("2013-10-05T16:13:42.181Z"),
"comments" : [ ]
}
Comparison
Name Description
$gt Matches values that are greater than the value specified in the query.
$gteMatches values that are equal to or greater than the value specified in the query.
$in Matches any of the values that exist in an array specified in the query.
$lt Matches values that are less than the value specified in the query.
$lte Matches values that are less than or equal to the value specified in the query.
$ne Matches all values that are not equal to the value specified in the query.
$ninMatches values that do not exist in an array specified to the query.

Logical
Name Description
$or Joins query clauses with a logical OR returns all documents that match the
conditions of either clause.
$and
Joins query clauses with a logical AND returns all documents that match the
conditions of both clauses.
$not
Inverts the effect of a query expression and returns documents that do not
match the query expression.
$nor
Joins query clauses with a logical NOR returns all documents that fail to
match both clauses.
Examples
db.scores.find( { score : { $gt : 50 }, score : { $lt : 60 } } );
db.scores.find( { $or : [ { score : { $lt : 50 } }, { score : { $gt : 90 } } ] } ) ;
db.users.find({ name : { $regex : "q" }, email : { $exists: true } } );
db.users.find( { friends : { $all : [ "Joe" , "Bob" ] }, favorites : { $in :
[ "running" , "pickles" ] } } )
Index Explain Hint
> for (i=0; i<1000000; i++) {
...
... db.users.insert(
... {
... "i" : i,
... "username" : "user"+i,
... "age" : Math.floor(Math.random()*120),
... "created" : new Date()
... }
... );
... }
> db.users.count()
1000000
> db.users.find()
{ "_id" : ObjectId("526403c77c1042777e4dd7f1"), "i" : 0, "username" : "user0", "age" : 80, "created"
: ISODate("2013-10-20T16:24:39.780Z") }
{ "_id" : ObjectId("526403c77c1042777e4dd7f2"), "i" : 1, "username" : "user1", "age" : 62, "created"
: ISODate("2013-10-20T16:24:39.826Z") }
{ "_id" : ObjectId("526403c77c1042777e4dd7f3"), "i" : 2, "username" : "user2", "age" : 5, "created" :
ISODate("2013-10-20T16:24:39.826Z") }
{ "_id" : ObjectId("526403c77c1042777e4dd7f4"), "i" : 3, "username" : "user3", "age" : 69, "created"
: ISODate("2013-10-20T16:24:39.826Z") }
{ "_id" : ObjectId("526403c77c1042777e4dd7f5"), "i" : 4, "username" : "user4", "age" : 93, "created"
: ISODate("2013-10-20T16:24:39.826Z") }
> db.users.find({username: "user999999"}).explain()
{
"cursor" : "BasicCursor",
"isMultiKey" : false,
"n" : 1,
Others means:
Others means:
"nscannedObjects" : 1000000,
"nscanned" : 1000000,
The query could be
The query could be
"nscannedObjectsAllPlans" : 1000000,
returned 5 documents --n
returned 5 documents n
"nscannedAllPlans" : 1000000,
scanned 9 documents
scanned 9 documents
"scanAndOrder" : false,
from the index --nscanned
from the index nscanned
"indexOnly" : false,
and then read 5
and then read 5
"nYields" : 1,
full documents from
full documents from
"nChunkSkips" : 0,
the collection
the collection
"millis" : 392,
--nscannedObjects
nscannedObjects
"indexBounds" : {
},
"server" : "desarrollo:27017"
}
The results of explain() describe the details of how MongoDB executes the query.
Some of relevant fields are:
cursor: A result of BasicCursor indicates a non-indexed query. If we had used an
indexed query, the cursor would have a type of BtreeCursor.
nscanned and nscannedObjects: The difference between these two similar fields is
distinct but important. The total number of documents scanned by the query is
represented by nscannedObjects. The number of documents and indexes is
represented by nscanned. Depending on the query, it's possible for nscanned to be
greater than nscannedObjects.
n: The number of matching objects.
millis: Query execution duration.
> db.users.ensureIndex({"username" : 1})
> db.users.find({username: "user101"}).limit(1).explain()
{
"cursor" : "BtreeCursor username_1",
"isMultiKey" : false,
"n" : 1,
"nscannedObjects" : 1,
"nscanned" : 1,
"nscannedObjectsAllPlans" : 1,
"nscannedAllPlans" : 1,
"scanAndOrder" : false,
"indexOnly" : false,
"nYields" : 0,
"nChunkSkips" : 0,
"millis" : 40,
"indexBounds" : {
"username" : [
[
"user101",
"user101"
]
]
},
"server" : "desarrollo:27017"
}
> db.users.ensureIndex({"age" : 1, "username" : 1})
> db.users.find({"age" : {"$gte" : 41, "$lte" : 60}}).
... sort({"username" : 1}).
... limit(1000).
... hint({"age" : 1, "username" : 1})

> db.users.find({"age" : {"$gte" : 41, "$lte" : 60}}).
... sort({"username" : 1}).
... limit(1000).
... hint({"username" : 1, "age" : 1})
Data Model
Where are the answers?
1) Embedded or Link
2) 1 : 1
3) 1: many
4) 1:few
4) many:many
5) few:few

So gimme just a minute and I'll tell you why
Because any document can be put into any collection,
then i wonder:
“Why do we need separate collections at all?”
with no need for separate schemas for different kinds of
documents,
why should we use more than one collection?
COMMETS

POST

{ _id:1,
post_id:____,
author:___,
author_email:_,
order:___}

{_id:1,
title:____,
body:___,
author:___,
date:___}

TAGS
1) Embedded 16Mb
2) Living without Constrain,
in MongoDB
dependent of you
3) No JOINS

{ _id:___,
tag:____,
post_id: 1 }
Model One-to-One Relationships with Embedded Documents
{
_id: "csp",
name: "Carlos Sánchez Pérez"
}
{

2 Collections
patron_id: "csp",
street: "123 Aravaca",
city: "Madrid",
Number: "25 3º A",
zip: 12345

1) Frequency access
Thinking about the memory.
All information load
2) Growing size at the items
Writen of data
separated or embedbed
3) > 16Mb
4) Atomicity of data

}
If the address data is frequently retrieved with the name information, then with
referencing, your application needs to issue multiple queries to resolve the reference.
The better data model would be to embed the address data in the patron data:
{

{

_id: "csp",
name: "Carlos Sánchez Pérez",
address: {
street: "123 Aravaca",
city: "Madrid",
Number: "25 3º A",
zip: 12345
}

}
{

}
}

_id: "csp",
name: "Carlos Sánchez Pérez",
address: {
street: "123 Aravaca",
city: "Madrid",
Number: "25 3º A",
zip: 12345
}

{

_id: "csp2",
name: "Carlos SP3",
address: {
street: "666 Aravaca",
city: "Madrid",
Number: "75 3º A",
zip: 12345
}

}
_id: "csp1",
name: "Carlos1 Sánchez1",
address: {
street: "1 Aravaca",
city: "Madrid",
Number: "95 3º A",
zip: 12345
}

{
_id: "csp",
name: "Carlos SN",
address: {
street: "777 Aravaca",
city: "Madrid",
Number: "45 3º A",
zip: 12345
}
}
Model One-to-Many Relationships with Embedded
Documents
{
_id: "csp",
name: "Carlos Sánchez Pérez"
}
{
patron_id: "csp",
street: "123 Aravaca",
city: "Madrid",
Number: "25 3º A",
zip: 12345
}
{
patron_id: "csp",
street: "456 Aravaca",
city: "Madrid",
Number: "55 1º B",
zip: 12345
}

3 Collections

1) Frequency access
2) Growing size
3) > 16Mb o Mib
4) Atomicity of data
Model One-to-Many Relationships with Embedded
Documents
{
_id: "csp",
name: "Carlos Sánchez Pérez"
addresses: [
{
street: "123 Aravaca",
city: "Madrid",
Number: "25 3º A",
zip: 12345
},
{
street: "123 Aravaca",
city: "Madrid",
Number: "25 3º A",
zip: 12345
}
]
}
Model One-to-Many Relationships with Document
References
People
{
_id: "csp",
name: "Carlos Sánchez Pérez"
City: “MD”,
….................
}
City
{
_id: "MD",
Name: …..
….................
}

If you are thinking in
If you are thinking in
Embedded: ititnot a good
Embedded: not a good
solution in this case
solution in this case
Why?
Why?
Redundance information
Redundance information
Model One-to-Many Relationships with Document
References
BLOG
BLOG

Embedded itita good
Embedded a good
solution in this case
solution in this case
One-to-few
One-to-few

post {
title: “My first tirle”,
author : “Carlos Sánchez Pérez” ,
date : “19/08/2013″,
comments : [ {name: "Antonio López", comment : "my comment" }, { .... } ],
tags : ["tag1","tag2","tag3"]
}
autor { _id : “Carlos Sánchez Pérez “, password; “”,…….. }
Model Many-to-Many Relationships
Books and Authors
Books
{
:id: 12
title: "MongoDB: My Definitive easy Guide",
author: [32]
…........................
}
Authors
{
:id: 32
author: "Peter Garden",
books: [12,34,5,6,78,65,99]
…........................
}

MODEL
MODEL
Few-to-few
Few-to-few
Embedded books: ititnot a good
Embedded books: not a good
solution in this case
solution in this case
Benefits of Embedding
Performace and better read.
Be careful if the document chage a lot, slow write.
Sharding, horizontal scaling
Sharding
Vertical scaling adds more CPU and storage resources to increase
capacity. Scaling by adding capacity has limitations: high performance
systems with large numbers of CPUs and large amount of RAM are
disproportionately more expensive than smaller systems. Additionally,
cloud-based providers may only allow users to provision smaller
instances. As a result there is a practical maximum capability for
vertical scaling.
Sharding, or horizontal scaling, by contrast, divides the data set and
distributes the data over multiple servers, or shards. Each shard is an
independent database, and collectively, the shards make up a single
logical database.
S1
S1
r1,r2,r3
r1,r2,r3

s2
s2

s4
s4

s3
s3

Mongos (router)
Mongos (router)

APP
APP

s5
s5

Config server
COLLECTIONS
User0.......................................................................................................user99999
User0.......................................................................................................user99999

FIRST: a collection is sharded, it can be thought of as a single chunk
from the smallest value of the shard key to the largest

$minkey
user100

User100
user300

User300
user600

User600
user900

User900 User1200 User1500
user1200 user1500 $maxkey

Sharding splits the collection into many chunks based on shard key ranges
at the end......
Any questions?
….. I'll shoot it to you straight and look you in the eye.
So gimme just a minute and I'll tell you why
I'm a rough boy.
That's all folks!!
and
Thanks a lot for your
attention
I'm comming soon..........

More Related Content

What's hot (19)

PPTX
Morphia: Simplifying Persistence for Java and MongoDB
Jeff Yemin
 
PDF
Java development with MongoDB
James Williams
 
PDF
Java Persistence Frameworks for MongoDB
MongoDB
 
PPTX
Simplifying Persistence for Java and MongoDB with Morphia
MongoDB
 
PPTX
Webinaire 2 de la série « Retour aux fondamentaux » : Votre première applicat...
MongoDB
 
PDF
Indexing
Mike Dirolf
 
PPTX
Back to Basics Webinar 2: Your First MongoDB Application
MongoDB
 
PDF
Elastic search 검색
HyeonSeok Choi
 
PPT
Java Development with MongoDB (James Williams)
MongoSF
 
PDF
JRubyKaigi2010 Hadoop Papyrus
Koichi Fujikawa
 
KEY
MongoDB
Steven Francia
 
PPT
Using MongoDB With Groovy
James Williams
 
PDF
Introduction to solr
Sematext Group, Inc.
 
PPTX
Getting started with Elasticsearch and .NET
Tomas Jansson
 
PPTX
Back to Basics: My First MongoDB Application
MongoDB
 
PPTX
Java Persistence Frameworks for MongoDB
Tobias Trelle
 
PPTX
Introduction to MongoDB and Hadoop
Steven Francia
 
PDF
Webinar: MongoDB Persistence with Java and Morphia
MongoDB
 
PPTX
ElasticSearch for .NET Developers
Ben van Mol
 
Morphia: Simplifying Persistence for Java and MongoDB
Jeff Yemin
 
Java development with MongoDB
James Williams
 
Java Persistence Frameworks for MongoDB
MongoDB
 
Simplifying Persistence for Java and MongoDB with Morphia
MongoDB
 
Webinaire 2 de la série « Retour aux fondamentaux » : Votre première applicat...
MongoDB
 
Indexing
Mike Dirolf
 
Back to Basics Webinar 2: Your First MongoDB Application
MongoDB
 
Elastic search 검색
HyeonSeok Choi
 
Java Development with MongoDB (James Williams)
MongoSF
 
JRubyKaigi2010 Hadoop Papyrus
Koichi Fujikawa
 
Using MongoDB With Groovy
James Williams
 
Introduction to solr
Sematext Group, Inc.
 
Getting started with Elasticsearch and .NET
Tomas Jansson
 
Back to Basics: My First MongoDB Application
MongoDB
 
Java Persistence Frameworks for MongoDB
Tobias Trelle
 
Introduction to MongoDB and Hadoop
Steven Francia
 
Webinar: MongoDB Persistence with Java and Morphia
MongoDB
 
ElasticSearch for .NET Developers
Ben van Mol
 

Viewers also liked (20)

PDF
10 cosas de rails que deberías saber
Carlos Sánchez Pérez
 
ODP
Python 101
Julián Perelli
 
PDF
El arte oscuro de estimar v3
Leonardo Soto
 
PDF
Tidy vews, decorator and presenter
Carlos Sánchez Pérez
 
PPT
Big data amb Cassandra i Celery ##bbmnk
Santi Camps
 
PDF
STM on PyPy
fcofdezc
 
PPT
Introduccio a python
Santi Camps
 
PDF
BDD - Test Academy Barcelona 2017
Carlos Ble
 
ODP
TDD in the Web with Python and Django
Carlos Ble
 
PDF
Python and MongoDB
Norberto Leite
 
PDF
Knowing your garbage collector - PyCon Italy 2015
fcofdezc
 
PDF
Volunteering assistance to online geocoding services through a distributed kn...
José Pablo Gómez Barrón S.
 
PDF
Knowing your Garbage Collector / Python Madrid
fcofdezc
 
PPTX
Madrid SPARQL handson
Victor de Boer
 
PDF
A Folksonomy of styles, aka: other stylists also said and Subjective Influenc...
Natalia Díaz Rodríguez
 
PDF
#DataBeers: Inmersive Data Visualization con Oculus Rift
Outliers Collective
 
ODP
Transparencias taller Python
Sergio Soto
 
ODP
Conferencia Big Data en #MenorcaConnecta
Santi Camps
 
PDF
Python Dominicana 059: Django Migrations
Rafael Belliard
 
10 cosas de rails que deberías saber
Carlos Sánchez Pérez
 
Python 101
Julián Perelli
 
El arte oscuro de estimar v3
Leonardo Soto
 
Tidy vews, decorator and presenter
Carlos Sánchez Pérez
 
Big data amb Cassandra i Celery ##bbmnk
Santi Camps
 
STM on PyPy
fcofdezc
 
Introduccio a python
Santi Camps
 
BDD - Test Academy Barcelona 2017
Carlos Ble
 
TDD in the Web with Python and Django
Carlos Ble
 
Python and MongoDB
Norberto Leite
 
Knowing your garbage collector - PyCon Italy 2015
fcofdezc
 
Volunteering assistance to online geocoding services through a distributed kn...
José Pablo Gómez Barrón S.
 
Knowing your Garbage Collector / Python Madrid
fcofdezc
 
Madrid SPARQL handson
Victor de Boer
 
A Folksonomy of styles, aka: other stylists also said and Subjective Influenc...
Natalia Díaz Rodríguez
 
#DataBeers: Inmersive Data Visualization con Oculus Rift
Outliers Collective
 
Transparencias taller Python
Sergio Soto
 
Conferencia Big Data en #MenorcaConnecta
Santi Camps
 
Python Dominicana 059: Django Migrations
Rafael Belliard
 
Ad

Similar to The emerging world of mongo db csp (20)

PDF
Building your first app with mongo db
MongoDB
 
KEY
MongoDB Strange Loop 2009
Mike Dirolf
 
PPT
Tech Gupshup Meetup On MongoDB - 24/06/2016
Mukesh Tilokani
 
KEY
MongoDB at CodeMash 2.0.1.0
Mike Dirolf
 
PPTX
Intro To Mongo Db
chriskite
 
PPTX
lecture_34e.pptx
janibashashaik25
 
PPT
9. Document Oriented Databases
Fabio Fumarola
 
PDF
MongoDB.pdf
KuldeepKumar778733
 
PDF
Building Your First MongoDB App
Henrik Ingo
 
PDF
Introduction to MongoDB
Mike Dirolf
 
PPTX
MongoDB using Grails plugin by puneet behl
TO THE NEW | Technology
 
PPTX
Introduction to MongoDB
S.Shayan Daneshvar
 
KEY
London MongoDB User Group April 2011
Rainforest QA
 
PDF
MongoDB at FrozenRails
Mike Dirolf
 
PPTX
Introduction to MongoDB – A NoSQL Database
manikgupta2k04
 
PPTX
Introduction to MongoDB
Hossein Boustani
 
KEY
Mongodb intro
christkv
 
PDF
OSDC 2012 | Building a first application on MongoDB by Ross Lawley
NETWAYS
 
PDF
MongoDB for Coder Training (Coding Serbia 2013)
Uwe Printz
 
PPTX
Introduction To MongoDB
ElieHannouch
 
Building your first app with mongo db
MongoDB
 
MongoDB Strange Loop 2009
Mike Dirolf
 
Tech Gupshup Meetup On MongoDB - 24/06/2016
Mukesh Tilokani
 
MongoDB at CodeMash 2.0.1.0
Mike Dirolf
 
Intro To Mongo Db
chriskite
 
lecture_34e.pptx
janibashashaik25
 
9. Document Oriented Databases
Fabio Fumarola
 
MongoDB.pdf
KuldeepKumar778733
 
Building Your First MongoDB App
Henrik Ingo
 
Introduction to MongoDB
Mike Dirolf
 
MongoDB using Grails plugin by puneet behl
TO THE NEW | Technology
 
Introduction to MongoDB
S.Shayan Daneshvar
 
London MongoDB User Group April 2011
Rainforest QA
 
MongoDB at FrozenRails
Mike Dirolf
 
Introduction to MongoDB – A NoSQL Database
manikgupta2k04
 
Introduction to MongoDB
Hossein Boustani
 
Mongodb intro
christkv
 
OSDC 2012 | Building a first application on MongoDB by Ross Lawley
NETWAYS
 
MongoDB for Coder Training (Coding Serbia 2013)
Uwe Printz
 
Introduction To MongoDB
ElieHannouch
 
Ad

Recently uploaded (20)

PDF
POV_ Why Enterprises Need to Find Value in ZERO.pdf
darshakparmar
 
PDF
“NPU IP Hardware Shaped Through Software and Use-case Analysis,” a Presentati...
Edge AI and Vision Alliance
 
PPTX
COMPARISON OF RASTER ANALYSIS TOOLS OF QGIS AND ARCGIS
Sharanya Sarkar
 
PPTX
AI Penetration Testing Essentials: A Cybersecurity Guide for 2025
defencerabbit
 
PPTX
Agentforce World Tour Toronto '25 - MCP with MuleSoft
Alexandra N. Martinez
 
PDF
AI Agents in the Cloud: The Rise of Agentic Cloud Architecture
Lilly Gracia
 
PDF
Go Concurrency Real-World Patterns, Pitfalls, and Playground Battles.pdf
Emily Achieng
 
PDF
Transforming Utility Networks: Large-scale Data Migrations with FME
Safe Software
 
PPTX
Designing_the_Future_AI_Driven_Product_Experiences_Across_Devices.pptx
presentifyai
 
PDF
[Newgen] NewgenONE Marvin Brochure 1.pdf
darshakparmar
 
PPT
Ericsson LTE presentation SEMINAR 2010.ppt
npat3
 
PDF
SIZING YOUR AIR CONDITIONER---A PRACTICAL GUIDE.pdf
Muhammad Rizwan Akram
 
PPTX
Seamless Tech Experiences Showcasing Cross-Platform App Design.pptx
presentifyai
 
PDF
CIFDAQ Market Wrap for the week of 4th July 2025
CIFDAQ
 
PDF
Newgen Beyond Frankenstein_Build vs Buy_Digital_version.pdf
darshakparmar
 
PDF
What’s my job again? Slides from Mark Simos talk at 2025 Tampa BSides
Mark Simos
 
PDF
The Rise of AI and IoT in Mobile App Tech.pdf
IMG Global Infotech
 
PPTX
The Project Compass - GDG on Campus MSIT
dscmsitkol
 
PDF
Peak of Data & AI Encore AI-Enhanced Workflows for the Real World
Safe Software
 
DOCX
Cryptography Quiz: test your knowledge of this important security concept.
Rajni Bhardwaj Grover
 
POV_ Why Enterprises Need to Find Value in ZERO.pdf
darshakparmar
 
“NPU IP Hardware Shaped Through Software and Use-case Analysis,” a Presentati...
Edge AI and Vision Alliance
 
COMPARISON OF RASTER ANALYSIS TOOLS OF QGIS AND ARCGIS
Sharanya Sarkar
 
AI Penetration Testing Essentials: A Cybersecurity Guide for 2025
defencerabbit
 
Agentforce World Tour Toronto '25 - MCP with MuleSoft
Alexandra N. Martinez
 
AI Agents in the Cloud: The Rise of Agentic Cloud Architecture
Lilly Gracia
 
Go Concurrency Real-World Patterns, Pitfalls, and Playground Battles.pdf
Emily Achieng
 
Transforming Utility Networks: Large-scale Data Migrations with FME
Safe Software
 
Designing_the_Future_AI_Driven_Product_Experiences_Across_Devices.pptx
presentifyai
 
[Newgen] NewgenONE Marvin Brochure 1.pdf
darshakparmar
 
Ericsson LTE presentation SEMINAR 2010.ppt
npat3
 
SIZING YOUR AIR CONDITIONER---A PRACTICAL GUIDE.pdf
Muhammad Rizwan Akram
 
Seamless Tech Experiences Showcasing Cross-Platform App Design.pptx
presentifyai
 
CIFDAQ Market Wrap for the week of 4th July 2025
CIFDAQ
 
Newgen Beyond Frankenstein_Build vs Buy_Digital_version.pdf
darshakparmar
 
What’s my job again? Slides from Mark Simos talk at 2025 Tampa BSides
Mark Simos
 
The Rise of AI and IoT in Mobile App Tech.pdf
IMG Global Infotech
 
The Project Compass - GDG on Campus MSIT
dscmsitkol
 
Peak of Data & AI Encore AI-Enhanced Workflows for the Real World
Safe Software
 
Cryptography Quiz: test your knowledge of this important security concept.
Rajni Bhardwaj Grover
 

The emerging world of mongo db csp

  • 2. scheduler Reflexion What's NOSQL means We're thinking in changes How is MongoDB Let's get started MongoDB What's going wrong? Document structure Basic Operations CRUD Index Explain Hint Data Model: be quiet - the answer Sharding -scaling
  • 3. { "Name" : "Carlos Sánchez Pérez", Name "Love" : "Web Dev", Love "Title" : "Rough Boy", Title "Twitter" : "@carlossanchezp", Twitter "Blog" : "carlossanchezperez.wordpress.com", Blog "Job" : "ASPgems", Job "Github" : "carlossanchezp" Github }
  • 4. REFLEXION Through all this time one thing has stayed constant—relational databases store the data and our decision is almost always implied
  • 6. Because the true spirit of “NoSQL” does not consist in the way data is queried. It consists in the way data is stored. NoSQL is all about data storage. “NoSQL” should be called “SQL with alternative storage models”
  • 7. we are thinking in changes..... Wait let me show you
  • 8. ● How will we add new machines? ● Are their any single points of failure? ● Do the writes scale as well? ● How much administration will the system require? ● If its open source, is there a healthy community? How much time and effort would we have to expend to deploy and integrate it? ● ● Does it use technology which we know we can work with?
  • 11. MongoDB is a powerful, flexible, and scalable general-purpose database
  • 12. Ease of Use MongoDB is a document-oriented database, not a relational one. One of the reason for moving away from the relational model is to make scaling out easier.
  • 13. Ease of Use A document-oriented database replaces the concept “row” with a more flexible model: “document”. By allowing embedded documents and arrays, the document-oriented approach makes it possible to represent complex hierarchical relationships with a single record.
  • 14. Ease of Use Without a fixed schema, adding or removing fields as needed becomes easier. This makes development faster as developers can quickly iterate. It is also easier to experiment. Developers can try a lot of models for the data and then choose the best one.
  • 15. Easy Scaling Data set sizes for applications are growing at an incredible pace. As the amount of data that developers need to store grows, developers face a difficult decision: how should they scale their databases? Scaling a database comes down to the choice between: scaling up : getting a bigger machine.  scaling out : partitioning data across more machines. 
  • 17. Let's see some of the basic concepts of MongoDB: • A document is the basic unit of data for MongoDB and is equivalent to a row in a Relational Database. • Collection can be thought of as a table with a dynamic schema. • A single instance of MongoDB can host multiple independent databases, each of which can have its own collections. • One document has a special key, "_id", that is unique within a collection. • Awesome JavaScript shell, which is useful for the administration and data manipulation.
  • 18. Schemaless dynamics MongoDB is a "schemaless" but it doesn't mean that you don't need to thinking about design your schema!! MongoDB is a “schemaless dynamic”, the meaning is don't have an ALTER TABLE and migration.
  • 19. At the core of MongoDB is the document: an ordered set of keys with associated values. In JavaScript, for example, documents are represented as objects: {"name" : "Hello, MongoDB world!"} {"name" : "Hello, MongoDB world!", "foo" : 3} {"name" : "Hello, MongoDB world!", "foo" : 3, "fruit": ["pear","apple"]}
  • 22. The keys in a document are strings. Any UTF-8 character is allowed in a key, with a few notable exceptions: • Keys must not contain the character 0 (the null character). This character is used to signify the end of a key. • The . and $ characters have some special properties and should be used only in certain circumstances, but in general, they should be considered reserved.
  • 23. SQL Terms/Concepts database table Row column index foreign key primary key MongoDB Terms/Concepts database collection document or BSON document field index joins embedded documents and linking automatically set to the _id field.
  • 24. MongoDB is type-sensitive and case-sensitive. For example, these documents are distinct: {"foo" : "3"} {"foo" : 3} {"Foo" : 3} MongoDB cannot contain duplicate keys: {"name" : "Hello, world!", "name" : "Hello, MongoDB!"}
  • 29. Data COLLECTION db.blog methods_mongodb DataBase Use db_name DOCUMENT {…..} SUBDOCUMENT {...} FIELD name: type Array [….] document {…..[{...}]......}
  • 30. Or my Owner By default ID { _id: ObjectID('4bd9e8e17cefd644108961bb'), By default ID title: 'My own Adventures in Databases', url: 'http://example.com/exampledatabases.txt', author: 'csp', vote_count: 5, Array tags: ['databases', 'mongodb', 'indexing'], Array image: { url: 'http://example.com/db.jpg', caption: '', SubDoc type: 'jpg', SubDoc size: 75381, data: "Binary" }, comments: [ { user: 'abc',text: 'Nice article!'}, { user: 'jkl',text: 'Another related article is at http://example.com/db/mydb.txt'} ] } DOCUMENT _id: 1 Array + SubDoc Array + SubDoc
  • 31. Collections Like a Table SQL {“title” : “First”, “edge” : 34} {“title” : “First”, “edge” : 34} {“title” : “First”, “edge” : 34} Collections Document Document Like a row SQL A collection is a group of documents. If a document is the MongoDB analog of a row in a relational database, then a collection can be thought of as the analog to a table.
  • 32. Dynamic Schemas Collections have dynamic schemas. This means that the documents within a single collection can have any number of different “shapes.” For example, both of this documents could be stored in a single collection: {"greeting" : "Hello, mongoDB world!"} {"foo" : 23}
  • 33. Subcollections One convention for organizing collections is to use namespaced subcollections separated by the “.” character. For example, an a Blog application might have a collection named blog.posts and a separate collection named blog.authors.
  • 35. Basic Operations CREATE: The insert function adds a document to a collection. > post = {"title" : "My first post in my blog", ... "content" : "Here's my blog post.", ... "date" : new Date()} > db.blog.insert(post) > db.blog.find() { "_id" : ObjectId("5037ee4a1084eb3ffeef7228"), "title" : "My first post in my blog", "content" : "Here's my blog post.", "date" : ISODate("2013-10-05T16:13:42.181Z") }
  • 37. this.insertEntry = function (title, body, tags, author, callback) { "use strict"; console.log("inserting blog entry" + title + body); // fix up the permalink to not include whitespace var permalink = title.replace( /s/g, '_' ); permalink = permalink.replace( /W/g, '' ); // Build a new post var post = {"title": title, "author": author, "body": body, "permalink":permalink, "tags": tags, "comments": [], "date": new Date()} // now insert the post posts.insert(post, function (err, post) { "use strict"; if (!err) { console.log("Inserted new post"); console.dir("Successfully inserted: " + JSON.stringify(post)); return callback(null, post); } return callback(err, null); }); }
  • 38. Basic Operations FIND: find and findOne can be used to query a collection. > db.blog.findOne() { "_id" : ObjectId("5037ee4a1084eb3ffeef7228"), "title" : "My first post in my blog", "content" : "Here's my blog post.", "date" : ISODate("2012-08-24T21:12:09.982Z") }
  • 40. this.getPostsByTag = function(tag, num, callback) { "use strict"; posts.find({ tags : tag }).sort('date', -1).limit(num).toArray(function(err, items) { "use strict"; if (err) return callback(err, null); console.log("Found " + items.length + " posts"); callback(err, items); }); } this.getPostByPermalink = function(permalink, callback) { "use strict"; posts.findOne({'permalink': permalink}, function(err, post) { "use strict"; if (err) return callback(err, null); callback(err, post); }); }
  • 41. Basic Operations UPDATE: If we would like to modify our post, we can use update. update takes (at least) two parameters: the first is the criteria to find which document to update, and the second is the new document. > post.comments = [] > db.blog.update({title : "My first post in my blog"}, post) > db.blog.find() { "_id" : ObjectId("5037ee4a1084eb3ffeef7228"), "title" : "My first post in my blog", "content" : "Here's my blog post.", "date" : ISODate("2013-10-05T16:13:42.181Z"), "comments" : [ ] }
  • 42. this.addComment = function(permalink, name, email, body, callback) { "use strict"; var comment = {'author': name, 'body': body} if (email != "") { comment['email'] = email } posts.update({'permalink': permalink},{ $push: { "comments": comment } },{safe:true}, function (err, comment) { "use strict"; if (!err) { console.log("Inserted new comment"); console.log(comment); return callback(null, comment); } return callback(err, null); }); }
  • 43. Basic Operations DELETE: remove permanently deletes documents from the database. Called with no parameters, it removes all documents from a collection. It can also take a document specifying criteria for removal. > db.blog.remove({title : "My first post in my blog"}) > db.blog.find() { "_id" : ObjectId("5037ee4a1084eb3ffeef7228"), "title" : "My second post in my blog", "content" : "Here's my second blog post.", "date" : ISODate("2013-10-05T16:13:42.181Z"), "comments" : [ ] }
  • 44. Comparison Name Description $gt Matches values that are greater than the value specified in the query. $gteMatches values that are equal to or greater than the value specified in the query. $in Matches any of the values that exist in an array specified in the query. $lt Matches values that are less than the value specified in the query. $lte Matches values that are less than or equal to the value specified in the query. $ne Matches all values that are not equal to the value specified in the query. $ninMatches values that do not exist in an array specified to the query. Logical Name Description $or Joins query clauses with a logical OR returns all documents that match the conditions of either clause. $and Joins query clauses with a logical AND returns all documents that match the conditions of both clauses. $not Inverts the effect of a query expression and returns documents that do not match the query expression. $nor Joins query clauses with a logical NOR returns all documents that fail to match both clauses.
  • 45. Examples db.scores.find( { score : { $gt : 50 }, score : { $lt : 60 } } ); db.scores.find( { $or : [ { score : { $lt : 50 } }, { score : { $gt : 90 } } ] } ) ; db.users.find({ name : { $regex : "q" }, email : { $exists: true } } ); db.users.find( { friends : { $all : [ "Joe" , "Bob" ] }, favorites : { $in : [ "running" , "pickles" ] } } )
  • 47. > for (i=0; i<1000000; i++) { ... ... db.users.insert( ... { ... "i" : i, ... "username" : "user"+i, ... "age" : Math.floor(Math.random()*120), ... "created" : new Date() ... } ... ); ... } > db.users.count() 1000000 > db.users.find() { "_id" : ObjectId("526403c77c1042777e4dd7f1"), "i" : 0, "username" : "user0", "age" : 80, "created" : ISODate("2013-10-20T16:24:39.780Z") } { "_id" : ObjectId("526403c77c1042777e4dd7f2"), "i" : 1, "username" : "user1", "age" : 62, "created" : ISODate("2013-10-20T16:24:39.826Z") } { "_id" : ObjectId("526403c77c1042777e4dd7f3"), "i" : 2, "username" : "user2", "age" : 5, "created" : ISODate("2013-10-20T16:24:39.826Z") } { "_id" : ObjectId("526403c77c1042777e4dd7f4"), "i" : 3, "username" : "user3", "age" : 69, "created" : ISODate("2013-10-20T16:24:39.826Z") } { "_id" : ObjectId("526403c77c1042777e4dd7f5"), "i" : 4, "username" : "user4", "age" : 93, "created" : ISODate("2013-10-20T16:24:39.826Z") }
  • 48. > db.users.find({username: "user999999"}).explain() { "cursor" : "BasicCursor", "isMultiKey" : false, "n" : 1, Others means: Others means: "nscannedObjects" : 1000000, "nscanned" : 1000000, The query could be The query could be "nscannedObjectsAllPlans" : 1000000, returned 5 documents --n returned 5 documents n "nscannedAllPlans" : 1000000, scanned 9 documents scanned 9 documents "scanAndOrder" : false, from the index --nscanned from the index nscanned "indexOnly" : false, and then read 5 and then read 5 "nYields" : 1, full documents from full documents from "nChunkSkips" : 0, the collection the collection "millis" : 392, --nscannedObjects nscannedObjects "indexBounds" : { }, "server" : "desarrollo:27017" }
  • 49. The results of explain() describe the details of how MongoDB executes the query. Some of relevant fields are: cursor: A result of BasicCursor indicates a non-indexed query. If we had used an indexed query, the cursor would have a type of BtreeCursor. nscanned and nscannedObjects: The difference between these two similar fields is distinct but important. The total number of documents scanned by the query is represented by nscannedObjects. The number of documents and indexes is represented by nscanned. Depending on the query, it's possible for nscanned to be greater than nscannedObjects. n: The number of matching objects. millis: Query execution duration.
  • 50. > db.users.ensureIndex({"username" : 1}) > db.users.find({username: "user101"}).limit(1).explain() { "cursor" : "BtreeCursor username_1", "isMultiKey" : false, "n" : 1, "nscannedObjects" : 1, "nscanned" : 1, "nscannedObjectsAllPlans" : 1, "nscannedAllPlans" : 1, "scanAndOrder" : false, "indexOnly" : false, "nYields" : 0, "nChunkSkips" : 0, "millis" : 40, "indexBounds" : { "username" : [ [ "user101", "user101" ] ] }, "server" : "desarrollo:27017" }
  • 51. > db.users.ensureIndex({"age" : 1, "username" : 1}) > db.users.find({"age" : {"$gte" : 41, "$lte" : 60}}). ... sort({"username" : 1}). ... limit(1000). ... hint({"age" : 1, "username" : 1}) > db.users.find({"age" : {"$gte" : 41, "$lte" : 60}}). ... sort({"username" : 1}). ... limit(1000). ... hint({"username" : 1, "age" : 1})
  • 53. Where are the answers? 1) Embedded or Link 2) 1 : 1 3) 1: many 4) 1:few 4) many:many 5) few:few So gimme just a minute and I'll tell you why
  • 54. Because any document can be put into any collection, then i wonder: “Why do we need separate collections at all?” with no need for separate schemas for different kinds of documents, why should we use more than one collection?
  • 55. COMMETS POST { _id:1, post_id:____, author:___, author_email:_, order:___} {_id:1, title:____, body:___, author:___, date:___} TAGS 1) Embedded 16Mb 2) Living without Constrain, in MongoDB dependent of you 3) No JOINS { _id:___, tag:____, post_id: 1 }
  • 56. Model One-to-One Relationships with Embedded Documents { _id: "csp", name: "Carlos Sánchez Pérez" } { 2 Collections patron_id: "csp", street: "123 Aravaca", city: "Madrid", Number: "25 3º A", zip: 12345 1) Frequency access Thinking about the memory. All information load 2) Growing size at the items Writen of data separated or embedbed 3) > 16Mb 4) Atomicity of data } If the address data is frequently retrieved with the name information, then with referencing, your application needs to issue multiple queries to resolve the reference.
  • 57. The better data model would be to embed the address data in the patron data: { { _id: "csp", name: "Carlos Sánchez Pérez", address: { street: "123 Aravaca", city: "Madrid", Number: "25 3º A", zip: 12345 } } { } } _id: "csp", name: "Carlos Sánchez Pérez", address: { street: "123 Aravaca", city: "Madrid", Number: "25 3º A", zip: 12345 } { _id: "csp2", name: "Carlos SP3", address: { street: "666 Aravaca", city: "Madrid", Number: "75 3º A", zip: 12345 } } _id: "csp1", name: "Carlos1 Sánchez1", address: { street: "1 Aravaca", city: "Madrid", Number: "95 3º A", zip: 12345 } { _id: "csp", name: "Carlos SN", address: { street: "777 Aravaca", city: "Madrid", Number: "45 3º A", zip: 12345 } }
  • 58. Model One-to-Many Relationships with Embedded Documents { _id: "csp", name: "Carlos Sánchez Pérez" } { patron_id: "csp", street: "123 Aravaca", city: "Madrid", Number: "25 3º A", zip: 12345 } { patron_id: "csp", street: "456 Aravaca", city: "Madrid", Number: "55 1º B", zip: 12345 } 3 Collections 1) Frequency access 2) Growing size 3) > 16Mb o Mib 4) Atomicity of data
  • 59. Model One-to-Many Relationships with Embedded Documents { _id: "csp", name: "Carlos Sánchez Pérez" addresses: [ { street: "123 Aravaca", city: "Madrid", Number: "25 3º A", zip: 12345 }, { street: "123 Aravaca", city: "Madrid", Number: "25 3º A", zip: 12345 } ] }
  • 60. Model One-to-Many Relationships with Document References People { _id: "csp", name: "Carlos Sánchez Pérez" City: “MD”, …................. } City { _id: "MD", Name: ….. …................. } If you are thinking in If you are thinking in Embedded: ititnot a good Embedded: not a good solution in this case solution in this case Why? Why? Redundance information Redundance information
  • 61. Model One-to-Many Relationships with Document References BLOG BLOG Embedded itita good Embedded a good solution in this case solution in this case One-to-few One-to-few post { title: “My first tirle”, author : “Carlos Sánchez Pérez” , date : “19/08/2013″, comments : [ {name: "Antonio López", comment : "my comment" }, { .... } ], tags : ["tag1","tag2","tag3"] } autor { _id : “Carlos Sánchez Pérez “, password; “”,…….. }
  • 62. Model Many-to-Many Relationships Books and Authors Books { :id: 12 title: "MongoDB: My Definitive easy Guide", author: [32] …........................ } Authors { :id: 32 author: "Peter Garden", books: [12,34,5,6,78,65,99] …........................ } MODEL MODEL Few-to-few Few-to-few Embedded books: ititnot a good Embedded books: not a good solution in this case solution in this case
  • 63. Benefits of Embedding Performace and better read. Be careful if the document chage a lot, slow write.
  • 65. Sharding Vertical scaling adds more CPU and storage resources to increase capacity. Scaling by adding capacity has limitations: high performance systems with large numbers of CPUs and large amount of RAM are disproportionately more expensive than smaller systems. Additionally, cloud-based providers may only allow users to provision smaller instances. As a result there is a practical maximum capability for vertical scaling. Sharding, or horizontal scaling, by contrast, divides the data set and distributes the data over multiple servers, or shards. Each shard is an independent database, and collectively, the shards make up a single logical database.
  • 67. COLLECTIONS User0.......................................................................................................user99999 User0.......................................................................................................user99999 FIRST: a collection is sharded, it can be thought of as a single chunk from the smallest value of the shard key to the largest $minkey user100 User100 user300 User300 user600 User600 user900 User900 User1200 User1500 user1200 user1500 $maxkey Sharding splits the collection into many chunks based on shard key ranges
  • 69. Any questions? ….. I'll shoot it to you straight and look you in the eye. So gimme just a minute and I'll tell you why I'm a rough boy.
  • 70. That's all folks!! and Thanks a lot for your attention I'm comming soon..........