The MongoDB Tutorial Introduction for MySQL Users. Stephane Combaudon April 1st, 2014
|
|
|
- Hector Bennett
- 10 years ago
- Views:
Transcription
1 The MongoDB Tutorial Introduction for MySQL Users Stephane Combaudon April 1st, 2014
2 Agenda 2 Introduction Install & First Steps CRUD Aggregation Framework Performance Tuning Replication and High Availability Sharding
3 Before we start 3 No knowledge of MongoDB is required Several interesting topics will intentionally be left out Any problem, any question? Raise your hand!
4 Agenda 4 Introduction Install & First Steps CRUD Aggregation Framework Performance Tuning Replication and High Availability Sharding
5 Typical problems with RDBMS 5 SQL is difficult to understand Changing the schema is difficult with large tables aka The relational model is not flexible Scaling out and HA are difficult Support for sharding is limited or non-existent Many HA solutions, which one to choose?
6 MongoDB solutions (1) 6 SQL is difficult to understand Everything is a JSON document in MongoDB No joins but a powerful way to write complex queries (aggregation framework) Queries are easy to read/write SQL: SELECT * FROM people WHERE name = 'Stephane' MongoDB: db.people.find({name:'stephane'})
7 MongoDB solutions (2) 7 The relational model is not flexible MongoDB is schemaless, no ALTER TABLE! db.people.insert({name: 'Stephane'}); db.people.insert({name: 'Joe',age:30}); But be careful, this is also allowed db.people.insert({name: 'Stephane') db.people.insert({n: 'Joe'})
8 MongoDB solutions (3) Scaling and HA are difficult 8 Replica set M... mongod mongod Shard 1 Shard 2 Shard N mongod Config servers mongos Application... mongos Application
9 Summary 9 Scalability & Performance Memcached MongoDB RDBMS Functionality
10 Agenda 10 Introduction Install & First Steps CRUD Aggregation Framework Performance Tuning Replication and High Availability Sharding
11 MongoDB setup 11 See mongod_setup.rst
12 Useful terminology 12 Relational Database Table Row MongoDB Database Collection (JSON) document
13 JSON 13 Stands for JavaScript Object Notation But not tied to Javascript Open standard for human-readable data interchange Lightweight alternative to XML Internally, docs are stored in BSON Binary JSON See
14 Invoking the shell 14 $ mongo (--port=xxx, default 27017)
15 Inserting data (1) 15 use test db.people.insert({name:'stephane',country:'fr'}) This inserts a document In the people collection Collection is in the test database Collection is created if it did not exist
16 Inserting data (2) 16 The shell embeds a JS interpreter You can also use a variable to build the JSON document step by step
17 _id 17 Unique identifier of a doc You can set it explicitly db.people.insert({_id:'stephane',country:'fr'}) If you don't, it will be created for you "_id" : ObjectId("523ef7bf e7d1d1") Monotonically increasing on a single node Think auto_increment in MySQL
18 Structure of a document 18 Set of key/value pairs {'key1':'value1','key2':'value2',...} A value can be an array A value can be another document
19 Lab #1 19 See lab1.rst
20 Agenda 20 Introduction Install & First Steps CRUD Aggregation Framework Performance Tuning Replication and High Availability Sharding
21 Inserting a document 21 SQL INSERT INTO t (fn, ln) VALUES ('John', 'Doe') MongoDB db.t.insert({fn:'john', ln: 'Doe'}) No need to specify non-existing fields
22 Updating a document (1) 22 SQL UPDATE t SET ln='smith' WHERE ln='doe' MongoDB db.t.update({ln:'doe'},{$set:{ln:'smith'}}) Only 1 doc. is updated by default Specify {multi:true} for multi-doc updates db.t.update({ln:'doe'},{$set:{ln:'smith'}}, {multi:true})
23 Updating a document (2) 23 To add a new field No need to run ALTER TABLE! It is a regular update db.t.update({ln:'smith'},{$set:{age:30}})
24 Removing documents 24 SQL DELETE FROM t WHERE fn='john' MongoDB db.t.remove({fn:'john'})
25 Dropping a collection 25 SQL DROP TABLE t MongoDB db.t.drop()
26 Selecting all documents 26 SQL SELECT * FROM t MongoDB db.t.find() SQL SELECT id, name FROM t MongoDB db.t.find({},{name:1})
27 Specifying a WHERE clause 27 SQL SELECT * FROM t WHERE fn='john' MongoDB db.t.find({ln:'john'}) SQL SELECT id, age FROM t WHERE fn='john' AND ln='smith' MongoDB db.t.find({fn:'john',ln:'smith'},{age:1})
28 Sorts, limits 28 SQL SELECT country FROM t WHERE fn='john' ORDER BY age DESC LIMIT 10 MongoDB db.t.find( {fn:'john'}, {country:1, _id:0} ).sort({age:1}).limit(10)
29 Inequalities 29 SQL SELECT fn,ln FROM t WHERE age > 30 MongoDB db.t.find( ) {age:{$gt:30}}, {fn:1, ln:1, _id:0}
30 Conditions on subdocuments 30 { } _id:... fn:'john', ln:'doe' address:{ country:'us', state:'ca' } db.t.find( {address.country:'us'}, ) {fn:1, ln:1, _id:0}
31 Conditions on arrays 31 { } _id:... hobbies:['music', 'MongoDB', 'Python'] Exact match on array db.t.find({hobbies:['music', 'MongoDB', 'Python']}) Match on array element db.t.find({hobbies:'python'})
32 Counting 32 SQL SELECT COUNT(*) FROM t WHERE country='us' MongoDB db.t.count({country:'us'})
33 Lab #2 33 See lab2.rst file
34 Agenda 34 Introduction Install & First Steps CRUD Aggregation Framework Performance Tuning Replication and High Availability Sharding
35 Aggregation 35 Means GROUP BY, SUM(), Not possible with the operators we saw previously (exception: count) 2 ways to aggregate Map-Reduce # Not covered here Aggregation Framework
36 Aggregation Framework 36 Available from MongoDB 2.2 Easier and faster than Map-Reduce Some limitations AF is perfect for simple cases Map-Reduce can be needed for complex situations
37 10,000 feet overview 37 Documents are modified through pipelines Similar to Unix pipelines grep oo /etc/passwd sort -rn awk -F ':' '{print $1,$3,$4}' Stage 1 Stage 2 Stage 3 Input Output
38 First example 38 SQL SELECT fn,count(*) AS total FROM people WHERE fn >= 'M%' GROUP BY fn MongoDB db.people.aggregate({$match:{fn:{$gte:'m'}}},{$group: {_id:"$fn",total:{$sum:1}}}) You probably want some explanation!
39 First example, explained 39 db.people.aggregate( {$match:xxx}, {$group:xxx} ) # Pipeline 1, filtering criteria # Pipeline 2, group by Filtering condition like with find() $match:{fn:{$gte:'m'}} Specifying the grouping field $group:{_id:"$fn",...} Specifying the aggregated fields $group:{..., total:{$sum:1}}
40 Pipeline order matters 40 db.people.aggregate( {$match:...}, {$group:...} ) vs db.people.aggregate( {$group:...}, {$match:...} )
41 SQL analogy 41 SELECT FROM people WHERE GROUP BY vs SELECT FROM people GROUP BY HAVING
42 Clean the output 42 The projecting operator allows renaming keys/values db.people.aggregate( {$match:...}, {$group:...}, {$project:{_id:0, name:{$toupper: $_id }, total:1}} )
43 Final query 43 SQL SELECT UPPER(fn) AS name, count(*) AS total FROM people WHERE fn >= 'M%' GROUP BY fn MongoDB db.people.aggregate( {$match:{fn:{$gte:'m'}}}, {$group:{_id:"$fn",total:{$sum:1}}}, {$project:{_id:0, name:{$toupper: $_id }, total:1}} )
44 Other operators 44 $sort {$sort: {total: -1}} $limit {$limit: 10} $skip {$skip: 100} $unwind Splits a document with an array into multiple documents
45 Lab #3 45 See lab3.rst
46 Agenda 46 Introduction Install & First Steps CRUD Aggregation Framework Performance Tuning Replication and High Availability Sharding
47 Indexes 47 MongoDB supports indexes At the collection level Similar to indexes on RDBMS Can be used for More efficient filtering More efficient sorting Index-only queries (covering index)
48 Main types of indexes 48 Single-field/multiple field index db.t.ensureindex({fn:1}) db.t.ensureindex({fn:1, age:-1}) Unique index All collections have an index on _id db.t.ensureindex({username:1}, {unique:true}) Indexes on arrays, embedded fields, subdocuments are also supported
49 Compound indexes (1) 49 Sort order Traversal in either direction db.t.find().sort({country:1,age:-1}) Good indexes {country:1, age:-1} {country:-1, age:1} Bad index {country:1, age:1}
50 Compound indexes (2) 50 Prefixes Leftmost prefixes are supported db.t.ensureindex({age:1,country:1}) Good for db.t.find({age:30}) db.t.find({age:30,country:'us'}) Not good for db.t.find({country:'us'})
51 Lab #4 51 See lab4.rst
52 Agenda 52 Introduction Install & First Steps CRUD Aggregation Framework Performance Tuning Replication and High Availability Sharding
53 Overview 53 Replication is asynchronous All writes go to the master Secondary can accept reads A new master is elected if the current master fails An arbiter (no data) can be set up for the election process
54 54 Writes Primary Heartbeat Secondary Secondary
55 Setup of a 3 node replica set 55 Start 3 instances with --replset rsname Then on the master rsconf = { } _id: "RS", members: [{ _id: 0, host: "localhost:30001" }] rs.initiate(rsconf) rs.add("localhost:30002") rs.add("localhost:30003")
56 If the master crashes 56 If a heartbeat does not return within 10s, the master is considered unavailable Election of a new master starts then You can influence the choice by setting a priority (between 0 and 100)
57 Setting priorities 57 cfg = rs.conf() cfg.members[1].priority = 0 cfg.members[2].priority = 10 rs.reconfig(cfg) A node set to have higher priority than the master will be elected the new master
58 Write concerns (aka w option) 58 How many nodes should ack a write? w=1 Primary only (default setting) w=2 Primary and one secondary w=majority Majority of the nodes
59 Setting a write concern 59 cfg = rs.conf() cfg.settings.getlasterrordefaults = {w: "majority"} rs.reconfig(cfg)
60 Read preferences 60 Can be any of primary primarypreferred secondary secondarypreferred nearest Or you can use a custom tag
61 Lab #5 61 See lab5.rst
62 Agenda 62 Introduction Install & First Steps CRUD Aggregation Framework Performance Tuning Replication and High Availability Sharding
63 When to shard 63 When the dataset no longer fits in a single server When write activity exceeds the capacity of a single node When the working set no longer fits in memory
64 Architecture of a sharded cluster 64 Replica set M... mongod mongod Shard 1 Shard 2 Shard N mongod Config servers mongos Application... mongos Application
65 Setup (1) 65 Start the config servers mongod --configsvr --dbpath <path> --port mongod --configsvr --dbpath <path> --port mongod --configsvr --dbpath <path> --port Start a router mongos configdb localhost:40001, localhost:40002, localhost: port Connect to mongos mongo --host localhost --port 31000
66 Setup (2) 66 Add shards sh.addshard('rs/localhost:30001') Enable sharding for a database sh.enablesharding('test') Enable sharding for a collection sh.shardcollection('test.people',{'fn':1})
67 Balancing (1) 67 Data is stored in chunks sh.addshard(shard1) Shard 1
68 Balancing (2) 68 sh.addshard(shard2) Shard 1 Shard 2
69 Balancing (3) 69 sh.addshard(shard3) Shard 1 Shard 2 Shard 3
70 Lab #6 70 See lab6.rst
71 71 Thank you for your attention!
MongoDB Developer and Administrator Certification Course Agenda
MongoDB Developer and Administrator Certification Course Agenda Lesson 1: NoSQL Database Introduction What is NoSQL? Why NoSQL? Difference Between RDBMS and NoSQL Databases Benefits of NoSQL Types of NoSQL
Scaling up = getting a better machine. Scaling out = use another server and add it to your cluster.
MongoDB 1. Introduction MongoDB is a document-oriented database, not a relation one. It replaces the concept of a row with a document. This makes it possible to represent complex hierarchical relationships
MongoDB: document-oriented database
MongoDB: document-oriented database Software Languages Team University of Koblenz-Landau Ralf Lämmel, Sebastian Jackel and Andrei Varanovich Motivation Need for a flexible schema High availability Scalability
Getting Started with MongoDB
Getting Started with MongoDB TCF IT Professional Conference March 14, 2014 Michael P. Redlich @mpredli about.me/mpredli/ 1 1 Who s Mike? BS in CS from Petrochemical Research Organization Ai-Logix, Inc.
SURVEY ON MONGODB: AN OPEN- SOURCE DOCUMENT DATABASE
International Journal of Advanced Research in Engineering and Technology (IJARET) Volume 6, Issue 12, Dec 2015, pp. 01-11, Article ID: IJARET_06_12_001 Available online at http://www.iaeme.com/ijaret/issues.asp?jtype=ijaret&vtype=6&itype=12
Big Data & Data Science Course Example using MapReduce. Presented by Juan C. Vega
Big Data & Data Science Course Example using MapReduce Presented by What is Mongo? Why Mongo? Mongo Model Mongo Deployment Mongo Query Language Built-In MapReduce Demo Q & A Agenda Founders Max Schireson
MongoDB. The Definitive Guide to. The NoSQL Database for Cloud and Desktop Computing. Apress8. Eelco Plugge, Peter Membrey and Tim Hawkins
The Definitive Guide to MongoDB The NoSQL Database for Cloud and Desktop Computing 11 111 TECHNISCHE INFORMATIONSBIBLIO 1 HEK UNIVERSITATSBIBLIOTHEK HANNOVER Eelco Plugge, Peter Membrey and Tim Hawkins
An Approach to Implement Map Reduce with NoSQL Databases
www.ijecs.in International Journal Of Engineering And Computer Science ISSN: 2319-7242 Volume 4 Issue 8 Aug 2015, Page No. 13635-13639 An Approach to Implement Map Reduce with NoSQL Databases Ashutosh
MongoDB Aggregation and Data Processing Release 3.0.4
MongoDB Aggregation and Data Processing Release 3.0.4 MongoDB Documentation Project July 08, 2015 Contents 1 Aggregation Introduction 3 1.1 Aggregation Modalities..........................................
MongoDB Aggregation and Data Processing
MongoDB Aggregation and Data Processing Release 3.0.8 MongoDB, Inc. December 30, 2015 2 MongoDB, Inc. 2008-2015 This work is licensed under a Creative Commons Attribution-NonCommercial- ShareAlike 3.0
Introduction to NoSQL and MongoDB. Kathleen Durant Lesson 20 CS 3200 Northeastern University
Introduction to NoSQL and MongoDB Kathleen Durant Lesson 20 CS 3200 Northeastern University 1 Outline for today Introduction to NoSQL Architecture Sharding Replica sets NoSQL Assumptions and the CAP Theorem
MongoDB and Couchbase
Benchmarking MongoDB and Couchbase No-SQL Databases Alex Voss Chris Choi University of St Andrews TOP 2 Questions Should a social scientist buy MORE or UPGRADE computers? Which DATABASE(s)? Document Oriented
In Memory Accelerator for MongoDB
In Memory Accelerator for MongoDB Yakov Zhdanov, Director R&D GridGain Systems GridGain: In Memory Computing Leader 5 years in production 100s of customers & users Starts every 10 secs worldwide Over 15,000,000
L7_L10. MongoDB. Big Data and Analytics by Seema Acharya and Subhashini Chellappan Copyright 2015, WILEY INDIA PVT. LTD.
L7_L10 MongoDB Agenda What is MongoDB? Why MongoDB? Using JSON Creating or Generating a Unique Key Support for Dynamic Queries Storing Binary Data Replication Sharding Terms used in RDBMS and MongoDB Data
Big data and urban mobility
Big data and urban mobility Antònia Tugores,PereColet Instituto de Física Interdisciplinar y Sistemas Complejos, IFISC(UIB-CSIC) Abstract. Data sources have been evolving the last decades and nowadays
ADVANCED DATABASES PROJECT. Juan Manuel Benítez V. - 000425944. Gledys Sulbaran - 000423426
ADVANCED DATABASES PROJECT Juan Manuel Benítez V. - 000425944 Gledys Sulbaran - 000423426 TABLE OF CONTENTS Contents Introduction 1 What is NoSQL? 2 Why NoSQL? 3 NoSQL vs. SQL 4 Mongo DB - Introduction
Can the Elephants Handle the NoSQL Onslaught?
Can the Elephants Handle the NoSQL Onslaught? Avrilia Floratou, Nikhil Teletia David J. DeWitt, Jignesh M. Patel, Donghui Zhang University of Wisconsin-Madison Microsoft Jim Gray Systems Lab Presented
Mongo: some travel note Notes taken by Dario Varotto about MongoDB while doing mongo101p, mongo102 and mongo101js courses by MongoDB university.
Mongo: some travel note Notes taken by Dario Varotto about MongoDB while doing mongo101p, mongo102 and mongo101js courses by MongoDB university. Mongo shell command: show dbs show collections use
Perl & NoSQL Focus on MongoDB. Jean-Marie Gouarné http://jean.marie.gouarne.online.fr [email protected]
Perl & NoSQL Focus on MongoDB Jean-Marie Gouarné http://jean.marie.gouarne.online.fr [email protected] AGENDA A NoIntroduction to NoSQL The document store data model MongoDB at a glance MongoDB Perl API
MongoDB Aggregation and Data Processing
MongoDB Aggregation and Data Processing Release 2.4.14 MongoDB, Inc. December 07, 2015 2 MongoDB, Inc. 2008-2015 This work is licensed under a Creative Commons Attribution-NonCommercial- ShareAlike 3.0
MongoDB in the NoSQL and SQL world. Horst Rechner [email protected] Berlin, 2012-05-15
MongoDB in the NoSQL and SQL world. Horst Rechner [email protected] Berlin, 2012-05-15 1 MongoDB in the NoSQL and SQL world. NoSQL What? Why? - How? Say goodbye to ACID, hello BASE You
On- Prem MongoDB- as- a- Service Powered by the CumuLogic DBaaS Platform
On- Prem MongoDB- as- a- Service Powered by the CumuLogic DBaaS Platform Page 1 of 16 Table of Contents Table of Contents... 2 Introduction... 3 NoSQL Databases... 3 CumuLogic NoSQL Database Service...
Document Oriented Database
Document Oriented Database What is Document Oriented Database? What is Document Oriented Database? Not Really What is Document Oriented Database? The central concept of a document-oriented database is
NoSQL - What we ve learned with mongodb. Paul Pedersen, Deputy CTO [email protected] DAMA SF December 15, 2011
NoSQL - What we ve learned with mongodb Paul Pedersen, Deputy CTO [email protected] DAMA SF December 15, 2011 DW2.0 and NoSQL management decision support intgrated access - local v. global - structured v.
NoSQL Databases. Nikos Parlavantzas
!!!! NoSQL Databases Nikos Parlavantzas Lecture overview 2 Objective! Present the main concepts necessary for understanding NoSQL databases! Provide an overview of current NoSQL technologies Outline 3!
Cloud Scale Distributed Data Storage. Jürmo Mehine
Cloud Scale Distributed Data Storage Jürmo Mehine 2014 Outline Background Relational model Database scaling Keys, values and aggregates The NoSQL landscape Non-relational data models Key-value Document-oriented
NoSQL in der Cloud Why? Andreas Hartmann
NoSQL in der Cloud Why? Andreas Hartmann 17.04.2013 17.04.2013 2 NoSQL in der Cloud Why? Quelle: http://res.sys-con.com/story/mar12/2188748/cloudbigdata_0_0.jpg Why Cloud??? 17.04.2013 3 NoSQL in der Cloud
Sharding and MongoDB. Release 3.0.7. MongoDB, Inc.
Sharding and MongoDB Release 3.0.7 MongoDB, Inc. November 15, 2015 2 MongoDB, Inc. 2008-2015 This work is licensed under a Creative Commons Attribution-NonCommercial- ShareAlike 3.0 United States License
Python and MongoDB. Why?
Python and MongoDB Kevin Swingler Why? Python is becoming the scripting language of choice in big data It has a library for connecting to a MongoDB: PyMongo Nice mapping betwenpython data structures and
Dr. Chuck Cartledge. 15 Oct. 2015
CS-695 NoSQL Database MongoDB (part 2 of 2) Dr. Chuck Cartledge 15 Oct. 2015 1/17 Table of contents I 1 Miscellanea 2 Assignment #4 3 DB comparisons 4 Extensions 6 Midterm 7 Conclusion 8 References 5 Summary
Sharding and MongoDB. Release 3.2.1. MongoDB, Inc.
Sharding and MongoDB Release 3.2.1 MongoDB, Inc. February 08, 2016 2 MongoDB, Inc. 2008-2015 This work is licensed under a Creative Commons Attribution-NonCommercial- ShareAlike 3.0 United States License
Overview of Databases On MacOS. Karl Kuehn Automation Engineer RethinkDB
Overview of Databases On MacOS Karl Kuehn Automation Engineer RethinkDB Session Goals Introduce Database concepts Show example players Not Goals: Cover non-macos systems (Oracle) Teach you SQL Answer what
NOSQL INTRODUCTION WITH MONGODB AND RUBY GEOFF LANE <[email protected]> @GEOFFLANE
NOSQL INTRODUCTION WITH MONGODB AND RUBY GEOFF LANE @GEOFFLANE WHAT IS NOSQL? NON-RELATIONAL DATA STORAGE USUALLY SCHEMA-FREE ACCESS DATA WITHOUT SQL (THUS... NOSQL) WIDE-COLUMN / TABULAR
Hadoop Job Oriented Training Agenda
1 Hadoop Job Oriented Training Agenda Kapil CK [email protected] Module 1 M o d u l e 1 Understanding Hadoop This module covers an overview of big data, Hadoop, and the Hortonworks Data Platform. 1.1 Module
Please ask questions! Have people used non-relational dbs before? MongoDB?
Kristina Chodorow Please ask questions! Have people used non-relational dbs before? MongoDB? Software Engineer at $ whoami Scaling a Pre-WWW DB literally scale literally scale (Courtesy of Ask Bjorn Hansen)
F1: A Distributed SQL Database That Scales. Presentation by: Alex Degtiar ([email protected]) 15-799 10/21/2013
F1: A Distributed SQL Database That Scales Presentation by: Alex Degtiar ([email protected]) 15-799 10/21/2013 What is F1? Distributed relational database Built to replace sharded MySQL back-end of AdWords
NoSQL: Going Beyond Structured Data and RDBMS
NoSQL: Going Beyond Structured Data and RDBMS Scenario Size of data >> disk or memory space on a single machine Store data across many machines Retrieve data from many machines Machine = Commodity machine
NoSQL Databases, part II
NoSQL Databases, part II Computer Science 460/660 Boston University Fall 2013 David G. Sullivan, Ph.D. Recall: NoSQL Characteristics Typical characteristics include: don't use SQL / the relational model
MongoDB. An introduction and performance analysis. Seminar Thesis
MongoDB An introduction and performance analysis Seminar Thesis Master of Science in Engineering Major Software and Systems HSR Hochschule für Technik Rapperswil www.hsr.ch/mse Advisor: Author: Prof. Stefan
Integrating Big Data into the Computing Curricula
Integrating Big Data into the Computing Curricula Yasin Silva, Suzanne Dietrich, Jason Reed, Lisa Tsosie Arizona State University http://www.public.asu.edu/~ynsilva/ibigdata/ 1 Overview Motivation Big
NoSQL web apps. w/ MongoDB, Node.js, AngularJS. Dr. Gerd Jungbluth, NoSQL UG Cologne, 4.9.2013
NoSQL web apps w/ MongoDB, Node.js, AngularJS Dr. Gerd Jungbluth, NoSQL UG Cologne, 4.9.2013 About us Passionate (web) dev. since fallen in love with Sinclair ZX Spectrum Academic background in natural
Certified MongoDB Professional VS-1058
VS-1058 Certified MongoDB Professional Certification Code VS-1058 Vskills certification for MongoDB Professional assesses the candidate for MongoDB. The certification tests the candidates on various areas
DocStore: Document Database for MySQL at Facebook. Peng Tian, Tian Xia 04/14/2015
DocStore: Document Database for MySQL at Facebook Peng Tian, Tian Xia 04/14/2015 Agenda Overview of DocStore Document: A new column type to store JSON New Built-in JSON functions Document Path: A intuitive
Why NoSQL? Your database options in the new non- relational world. 2015 IBM Cloudant 1
Why NoSQL? Your database options in the new non- relational world 2015 IBM Cloudant 1 Table of Contents New types of apps are generating new types of data... 3 A brief history on NoSQL... 3 NoSQL s roots
Comparing SQL and NOSQL databases
COSC 6397 Big Data Analytics Data Formats (II) HBase Edgar Gabriel Spring 2015 Comparing SQL and NOSQL databases Types Development History Data Storage Model SQL One type (SQL database) with minor variations
these three NoSQL databases because I wanted to see a the two different sides of the CAP
Michael Sharp Big Data CS401r Lab 3 For this paper I decided to do research on MongoDB, Cassandra, and Dynamo. I chose these three NoSQL databases because I wanted to see a the two different sides of the
NORWEGIAN UNIVERSITY OF SCIENCE AND TECHNOLOGY DEPARTMENT OF CHEMICAL ENGINEERING ADVANCED PROCESS SIMULATION. SQL vs. NoSQL
NORWEGIAN UNIVERSITY OF SCIENCE AND TECHNOLOGY DEPARTMENT OF CHEMICAL ENGINEERING ADVANCED PROCESS SIMULATION SQL vs. NoSQL Author: Cansu Birgen Supervisors: Prof. Heinz Preisig John Morud December 8,
MongoDB. Or how I learned to stop worrying and love the database. Mathias Stearn. N*SQL Berlin October 22th, 2009. 10gen
What is? Or how I learned to stop worrying and love the database 10gen N*SQL Berlin October 22th, 2009 What is? 1 What is? Document Oriented JavaScript Enabled Fast, Scalable, Available, and Reliable 2
the missing log collector Treasure Data, Inc. Muga Nishizawa
the missing log collector Treasure Data, Inc. Muga Nishizawa Muga Nishizawa (@muga_nishizawa) Chief Software Architect, Treasure Data Treasure Data Overview Founded to deliver big data analytics in days
RDBMS vs NoSQL: Performance and Scaling Comparison
RDBMS vs NoSQL: Performance and Scaling Comparison Christoforos Hadjigeorgiou August 23, 2013 MSc in High Performance Computing The University of Edinburgh Year of Presentation: 2013 Abstract The massive
Benchmarking Couchbase Server for Interactive Applications. By Alexey Diomin and Kirill Grigorchuk
Benchmarking Couchbase Server for Interactive Applications By Alexey Diomin and Kirill Grigorchuk Contents 1. Introduction... 3 2. A brief overview of Cassandra, MongoDB, and Couchbase... 3 3. Key criteria
Application of NoSQL Database in Web Crawling
Application of NoSQL Database in Web Crawling College of Computer and Software, Nanjing University of Information Science and Technology, Nanjing, 210044, China doi:10.4156/jdcta.vol5.issue6.31 Abstract
Big Data With Hadoop
With Saurabh Singh [email protected] The Ohio State University February 11, 2016 Overview 1 2 3 Requirements Ecosystem Resilient Distributed Datasets (RDDs) Example Code vs Mapreduce 4 5 Source: [Tutorials
Introduction to NoSQL Databases and MapReduce. Tore Risch Information Technology Uppsala University 2014-05-12
Introduction to NoSQL Databases and MapReduce Tore Risch Information Technology Uppsala University 2014-05-12 What is a NoSQL Database? 1. A key/value store Basic index manager, no complete query language
Comparison of the Frontier Distributed Database Caching System with NoSQL Databases
Comparison of the Frontier Distributed Database Caching System with NoSQL Databases Dave Dykstra [email protected] Fermilab is operated by the Fermi Research Alliance, LLC under contract No. DE-AC02-07CH11359
MongoDB Security Guide
MongoDB Security Guide Release 2.6.11 MongoDB, Inc. December 09, 2015 2 MongoDB, Inc. 2008-2015 This work is licensed under a Creative Commons Attribution-NonCommercial- ShareAlike 3.0 United States License
Database Administration with MySQL
Database Administration with MySQL Suitable For: Database administrators and system administrators who need to manage MySQL based services. Prerequisites: Practical knowledge of SQL Some knowledge of relational
Hadoop: A Framework for Data- Intensive Distributed Computing. CS561-Spring 2012 WPI, Mohamed Y. Eltabakh
1 Hadoop: A Framework for Data- Intensive Distributed Computing CS561-Spring 2012 WPI, Mohamed Y. Eltabakh 2 What is Hadoop? Hadoop is a software framework for distributed processing of large datasets
extensible record stores document stores key-value stores Rick Cattel s clustering from Scalable SQL and NoSQL Data Stores SIGMOD Record, 2010
System/ Scale to Primary Secondary Joins/ Integrity Language/ Data Year Paper 1000s Index Indexes Transactions Analytics Constraints Views Algebra model my label 1971 RDBMS O tables sql-like 2003 memcached
Big Data. Facebook Wall Data using Graph API. Presented by: Prashant Patel-2556219 Jaykrushna Patel-2619715
Big Data Facebook Wall Data using Graph API Presented by: Prashant Patel-2556219 Jaykrushna Patel-2619715 Outline Data Source Processing tools for processing our data Big Data Processing System: Mongodb
Cloud Computing at Google. Architecture
Cloud Computing at Google Google File System Web Systems and Algorithms Google Chris Brooks Department of Computer Science University of San Francisco Google has developed a layered system to handle webscale
Querying MongoDB without programming using FUNQL
Querying MongoDB without programming using FUNQL FUNQL? Federated Unified Query Language What does this mean? Federated - Integrates different independent stand alone data sources into one coherent view
Log management with Logstash and Elasticsearch. Matteo Dessalvi
Log management with Logstash and Elasticsearch Matteo Dessalvi HEPiX 2013 Outline Centralized logging. Logstash: what you can do with it. Logstash + Redis + Elasticsearch. Grok filtering. Elasticsearch
Scaling with MongoDB. by Michael Schurter 2011 @schmichael. Scaling with MongoDB by Michael Schurter - OS Bridge, 2011.06.22
Scaling with MongoDB by Michael Schurter 2011 @schmichael What is MongoDB? Community Developer by 10gen AGPL Database Apache drivers JIRA issue tracking On GitHub What is MongoDB? Architecture Server Database
Analytics March 2015 White paper. Why NoSQL? Your database options in the new non-relational world
Analytics March 2015 White paper Why NoSQL? Your database options in the new non-relational world 2 Why NoSQL? Contents 2 New types of apps are generating new types of data 2 A brief history of NoSQL 3
Tobby Hagler, Phase2 Technology
Tobby Hagler, Phase2 Technology Official DrupalCon London Party Batman Live World Arena Tour Buses leave main entrance Fairfield Halls at 4pm Purpose Reasons for sharding Problems/Examples of a need for
CSCC09F Programming on the Web. Mongo DB
CSCC09F Programming on the Web Mongo DB A document-oriented Database, mongoose for Node.js, DB operations 52 MongoDB CSCC09 Programming on the Web 1 CSCC09 Programming on the Web 1 What s Different in
Brad Dayley. NoSQL with MongoDB
Brad Dayley NoSQL with MongoDB Sams Teach Yourself NoSQL with MongoDB in 24 Hours Copyright 2015 by Pearson Education All rights reserved. No part of this book shall be reproduced, stored in a retrieval
Why MySQL beats MongoDB
SEARCH MARKETING EVOLVED Why MySQL beats MongoDB Searchmetrics in one big data scenario Suite Stephan Sommer-Schulz (Director Research) Searchmetrics Inc. 2011 The Challenge Backlink Database: Build a
An Open Source NoSQL solution for Internet Access Logs Analysis
An Open Source NoSQL solution for Internet Access Logs Analysis A practical case of why, what and how to use a NoSQL Database Management System instead of a relational one José Manuel Ciges Regueiro
NoSQL and Hadoop Technologies On Oracle Cloud
NoSQL and Hadoop Technologies On Oracle Cloud Vatika Sharma 1, Meenu Dave 2 1 M.Tech. Scholar, Department of CSE, Jagan Nath University, Jaipur, India 2 Assistant Professor, Department of CSE, Jagan Nath
Open source, high performance database
Open source, high performance database Anti-social Databases: NoSQL and MongoDB Will LaForest Senior Director of 10gen Federal [email protected] @WLaForest 1 SQL invented Dynamic Web Content released IBM
MongoDB Administration
MongoDB Administration Release 3.0.7 MongoDB, Inc. October 30, 2015 2 MongoDB, Inc. 2008-2015 This work is licensed under a Creative Commons Attribution-NonCommercial- ShareAlike 3.0 United States License
.NET User Group Bern
.NET User Group Bern Roger Rudin bbv Software Services AG [email protected] Agenda What is NoSQL Understanding the Motivation behind NoSQL MongoDB: A Document Oriented Database NoSQL Use Cases What is
NoSQL systems: introduction and data models. Riccardo Torlone Università Roma Tre
NoSQL systems: introduction and data models Riccardo Torlone Università Roma Tre Why NoSQL? In the last thirty years relational databases have been the default choice for serious data storage. An architect
Programming Hadoop 5-day, instructor-led BD-106. MapReduce Overview. Hadoop Overview
Programming Hadoop 5-day, instructor-led BD-106 MapReduce Overview The Client Server Processing Pattern Distributed Computing Challenges MapReduce Defined Google's MapReduce The Map Phase of MapReduce
MySQL és Hadoop mint Big Data platform (SQL + NoSQL = MySQL Cluster?!)
MySQL és Hadoop mint Big Data platform (SQL + NoSQL = MySQL Cluster?!) Erdélyi Ernő, Component Soft Kft. [email protected] www.component.hu 2013 (c) Component Soft Ltd Leading Hadoop Vendor Copyright 2013,
Building Your First MongoDB Application
Building Your First MongoDB Application Ross Lawley Python Engineer @ 10gen Web developer since 1999 Passionate about open source Agile methodology email: [email protected] twitter: RossC0 Today's Talk Quick
MongoDB Security Guide Release 3.0.6
MongoDB Security Guide Release 3.0.6 MongoDB Documentation Project September 15, 2015 Contents 1 Security Introduction 3 1.1 Authentication............................................... 3 1.2 Role Based
PHP and MongoDB Web Development Beginners Guide by Rubayeet Islam
PHP and MongoDB Web Development Beginners Guide by Rubayeet Islam Projects-Oriented Book Combine the power of PHP and MongoDB to build dynamic web 2.0 applications Learn to build PHP-powered dynamic web
Structured Data Storage
Structured Data Storage Xgen Congress Short Course 2010 Adam Kraut BioTeam Inc. Independent Consulting Shop: Vendor/technology agnostic Staffed by: Scientists forced to learn High Performance IT to conduct
Chapter 11 Map-Reduce, Hadoop, HDFS, Hbase, MongoDB, Apache HIVE, and Related
Chapter 11 Map-Reduce, Hadoop, HDFS, Hbase, MongoDB, Apache HIVE, and Related Summary Xiangzhe Li Nowadays, there are more and more data everyday about everything. For instance, here are some of the astonishing
NoSQL Database - mongodb
NoSQL Database - mongodb Andreas Hartmann 19.10.11 Agenda NoSQL Basics MongoDB Basics Map/Reduce Binary Data Sets Replication - Scaling Monitoring - Backup Schema Design - Ecosystem 19.10.11 2 NoSQL Database
Understanding NoSQL Technologies on Windows Azure
David Chappell Understanding NoSQL Technologies on Windows Azure Sponsored by Microsoft Corporation Copyright 2013 Chappell & Associates Contents Data on Windows Azure: The Big Picture... 3 Windows Azure
Hacettepe University Department Of Computer Engineering BBM 471 Database Management Systems Experiment
Hacettepe University Department Of Computer Engineering BBM 471 Database Management Systems Experiment Subject NoSQL Databases - MongoDB Submission Date 20.11.2013 Due Date 26.12.2013 Programming Environment
Practical Cassandra. Vitalii Tymchyshyn [email protected] @tivv00
Practical Cassandra NoSQL key-value vs RDBMS why and when Cassandra architecture Cassandra data model Life without joins or HDD space is cheap today Hardware requirements & deployment hints Vitalii Tymchyshyn
Couchbase Server Under the Hood
Couchbase Server Under the Hood An Architectural Overview Couchbase Server is an open-source distributed NoSQL document-oriented database for interactive applications, uniquely suited for those needing
NoSQL. Thomas Neumann 1 / 22
NoSQL Thomas Neumann 1 / 22 What are NoSQL databases? hard to say more a theme than a well defined thing Usually some or all of the following: no SQL interface no relational model / no schema no joins,
NoSQL replacement for SQLite (for Beatstream) Antti-Jussi Kovalainen Seminar OHJ-1860: NoSQL databases
NoSQL replacement for SQLite (for Beatstream) Antti-Jussi Kovalainen Seminar OHJ-1860: NoSQL databases Background Inspiration: postgresapp.com demo.beatstream.fi (modern desktop browsers without
Lecture Data Warehouse Systems
Lecture Data Warehouse Systems Eva Zangerle SS 2013 PART C: Novel Approaches in DW NoSQL and MapReduce Stonebraker on Data Warehouses Star and snowflake schemas are a good idea in the DW world C-Stores
Andrew Moore Amsterdam 2015
Andrew Moore Amsterdam 2015 Agenda Why log How to log Audit plugins Log analysis Demos Logs [timestamp]: [some useful data] Why log? Error Log Binary Log Slow Log General Log Why log? Why log? Why log?
Comparing Scalable NOSQL Databases
Comparing Scalable NOSQL Databases Functionalities and Measurements Dory Thibault UCL Contact : [email protected] Sponsor : Euranova Website : nosqlbenchmarking.com February 15, 2011 Clarications
Adding Indirection Enhances Functionality
Adding Indirection Enhances Functionality The Story Of A Proxy Mark Riddoch & Massimiliano Pinto Introductions Mark Riddoch Staff Engineer, VMware Formally Chief Architect, MariaDB Corporation Massimiliano
