Getting Started with MongoDB
|
|
|
- Ferdinand O’Brien’
- 10 years ago
- Views:
Transcription
1 Getting Started with MongoDB TCF IT Professional Conference March 14, 2014 Michael P. about.me/mpredli/ 1 1
2 Who s Mike? BS in CS from Petrochemical Research Organization Ai-Logix, Inc. (now AudioCodes) Amateur Computer Group of New Jersey Publications Presentations 2 2
3 Objectives What is MongoDB? What is NoSQL? Getting Started with MongoDB Basic CRUD Operations Live Demos (yea!) MongoDB Resources 3 3
4 What is MongoDB? (1)...an open-source document database that provides high performance, high availability, and automatic scaling. MongoDB Web Site, It s name derived from humongous Written in C++ 4 4
5 What is MongoDB? (2)...an open-source database used by companies of all sizes, across all industries and for a wide variety of applications. It is an agile database that allows schemas to change quickly as applications evolve, while still providing functionality developers expect from traditional databases... MongoDB Products Web Site, 5 5
6 What is NoSQL? Developed to address shortcomings of a traditional SQL relational database, namely: big data frequency of access to big data performance and scalability 6 6
7 How is MongoDB Used? 7 7
8 Who is Using MongoDB? 8 8
9 Features of MongoDB Document-Oriented Storage Full Index Support Replication and High Availability Auto-Sharding Fast In-Place Updates Map/Reduce GridFS Professional Support by MongoDB Querying 9 9
10 Nomenclature (1) RDBMS Database Table Row Index Join Foreign Key MongoDB Database Collection Document Index Embedding & Linking Reference 10 10
11 Nomenclature (2) 11 11
12 What is a Document? Basic unit of data analogous to a row in a RDBMS An ordered set of fields (keys) with associated values stored in BSON format similar to JSON 12 12
13 What is BSON?...a binary-encoded serialization of JSON-like documents. BSON Web Site, Binary JSON Designed to be lightweight, traversable, and efficient 13 13
14 What is a Collection? A group of documents analogous to a table in a RDBMS Schema-less 14 14
15 Advantages of Documents Documents correspond to native data types in many programming languages Embedded documents and arrays reduce the need for expensive joins Dynamic schema support fluent polymorphism 15 15
16 Document Structure { lastname : Redlich, embedded document field firstname : Michael, [email protected] role : { officer : President, sig : Java Users Group } } value 16 16
17 Field Names Strings Cannot contain: null dots (.) dollar sign ($) No duplicate field names 17 17
18 Conventions Used in This Presentation Command Prompt ($) MySQL prompt (mysql>) MongoDB prompt (>) Keywords (db, find(), etc.) Variables (variable) 18 18
19 Example Database ACGNJ Board of Directors: lastname firstname roles (embedded documents) tenure 19 19
20 Getting Started Download MongoDB Create a default data directory /data/db C:\data\db Create your first MongoDB database 20 20
21 Starting MongoDB Start an instance of the MongoDB server: $ mongod Start an instance of the MongoDB client (a JavaScript-based shell): $ mongo 21 21
22 Mongo Shell (1) Show the list of shell commands: > help Show the list of databases: > show dbs Show the current database: > db 22 22
23 Mongo Shell (2) Specify the database to use or create: > use database Show the collections within the current database: > show collections Show the users within the database: > show users 23 23
24 Mongo Shell (3) Show the recent system.profile entries: > show profile Tab completion Command history 24 24
25 Primary Key Denoted by a special field, _id It can be generated: Implicitly: {_id : ObjectID(value)} Explicitly: {_id : 2 }, { _id : MPR } 25 25
26 ObjectIDs Default type for _id A 12-byte hexadecimal BSON type: 26 26
27 Live Demo! 27 27
28 Create 28 28
29 Create a Database Create a database in MySQL: mysql> CREATE DATABASE database; Create a database in MongoDB: > use database 29 29
30 Create a Collection Create a new table in MySQL: mysql> CREATE TABLE table(column datatype,...); Create a new collection in MongoDB: > db.collection.insert({field:value,...}) 30 30
31 Insert Data Insert a row in MySQL: > INSERT INTO table(column,...) VALUES(value,...); Insert a document in MongoDB: > db.collection.insert({field:value,...}) 31 31
32 Insert Data with Loops Insert multiple documents with an array: > for(int i = 0;i < j;++i) db.collection.insert({field:array[i ]}); Insert multiple documents with variable: > for(int i = 0;i < j;++i) db.collection.insert({field:i}) 32 32
33 Live Demo! 33 33
34 Read 34 34
35 Query (1) Retrieve all rows in MySQL: mysql> SELECT * FROM table; Retrieve all documents in MongoDB: > db.collection.find() 35 35
36 Query (2) Retrieve specified columns in MySQL: mysql> SELECT column1,column2 FROM table; Retrieve specified fields in MongoDB: > db.collection.find({}, {field1:true,field2:true}) 36 36
37 Query (3) Retrieve specific rows in MySQL: mysql> SELECT * FROM table WHERE column = value; Retrieve specific documents in MongoDB: > db.collection.find({field:value}) 37 37
38 Query (4) Retrieve specific rows in MySQL: mysql> SELECT * FROM table WHERE column = value ORDER BY value ASC; Retrieve specific documents in MongoDB: > db.collection.find({field:value}).s ort({field:1}) 38 38
39 Query (5) Query for multiple documents (returns a cursor): > db.collection.find() Query for one document (returns a single document): > db.collection.findone() 39 39
40 Query Selectors Scalar: $ne, $mod, $exists, $type, $lt, $lte, $gt, $gte Vector: $in, $nin, $all, $size 40 40
41 Query (6) Retrieve specific rows in MySQL: mysql> SELECT * FROM table WHERE column!= value; Retrieve specific documents in MongoDB: > db.collection.find({field: {$ne:value}}) 41 41
42 Query (7) Retrieve specific rows in MySQL: mysql> SELECT * FROM table WHERE column1 = value OR column2 = value; Retrieve specific documents in MongoDB: > db.collection.find({$or: [{field:value},{field:value}]) 42 42
43 Query (8) > db.members.aggregate({$project: {officer:"$roles.officer"}}) > db.members.find({tenure: {$gt:isodate(" ")}}) > db.members.find({"roles.officer": {$exists:true}}).sort({"roles.offic er":1}) 43 43
44 Query (9) > db.members.find({"roles.director": {$all:["director"]}}) > db.members.find({"roles.committee": {$in:["historian","newsletter"]}}) > db.members.find({roles:{$size: 3}}) 44 44
45 Live Demo! 45 45
46 Update 46 46
47 Update (1) Update a row in MySQL: mysql> UPDATE table SET column = value WHERE id = id; Update a document in a MongoDB: > db.collection.update({_id:value}, {$set:{field:value}},{multi:true}) 47 47
48 Update (2) Update a row in MySQL: mysql> UPDATE table SET column1 = value WHERE column2 > value; Update a document in MongoDB: > db.collection.update({field1: {$gt:value}},{$set:{field2:value}}, {multi:true}) 48 48
49 Update (3) Update a document using findone(): > redlich = db.members.findone({lastname: "Redlich"}) > redlich.roles = [{sig:"java Users Group"}] > db.members.update({lastname: "Redlich"},redlich) 49 49
50 Atomic Update Operators Scalar: $inc, $set, $unset Vector: $push, $pop, $pull, $pushall, $pullall, $addtoset 50 50
51 Update (4) > db.members.update({lastname: "Redlich"},{$set: {"ISODate(" ")}}) > db.members.update({"roles.sig"}, {$set:{"roles.sig":"jug"}}) 51 51
52 Delete 52 52
53 Delete (1) Delete all rows in MySQL: mysql> DELETE FROM table; Delete all documents in MongoDB: > db.collection.remove() 53 53
54 Delete (2) Delete specific rows in MySQL: mysql> DELETE FROM table WHERE column = value; Delete specific documents in MongoDB: > db.collection.remove({field:value}) 54 54
55 Delete (2) Delete a MySQL database mysql> DROP DATABASE database; Delete a MongoDB database > use database > db.dropdatabase() 55 55
56 Backup/Restore 56 56
57 Export (1) Export a collection to a JSON file Ensure mongod is running $ mongoexport --db database -- collection collection --out path/ filename.json 57 57
58 Export (2) Export a collection to a CSV file Ensure mongod is running A list of fields is required $ mongoexport --db database -- collection collection --fields field1,field2,... --csv --out path/ filename.json 58 58
59 Import Import a collection from a JSON, CSV, or TSV file Ensure mongod is running $ mongoimport --db database -- collection collection < path/ filename.json 59 59
60 Dump Dump a specified MySQL database: $ mysqldump -u root --opt database > path.filename.sql Dump all MongoDB databases: Ensure mongod is not running $ mongodump --dbpath /data/db --out path 60 60
61 Live Demo! 61 61
62 Package Components (1) Core Processes mongod - core DB process mongos - controller & query router (sharding) mongo - interactive JavaScript-based shell 62 62
63 Package Components (2) Binary Import and Export mongodump - creates BSON dump files mongorestore - restores BSON dump files bsondump - converts BSON to JSON mongooplog - streams oplog entries 63 63
64 Package Components (3) Data Import and Export mongoimport - imports JSON, CSV, or TSV data formats mongoexport - exports to JSON, CSV, or TSV data formats 64 64
65 Package Components (4) Diagnostic Tools mongostat - captures database operations by type (insert, query, etc.) mongotop - tracks read/write activity mongosniff - provides tracing/sniffing view into database activity mongoperf - performance testing tool 65 65
66 Package Components (5) GridFS mongofiles - provides a command-line interaction to a GridFS storage system 66 66
67 MongoDB Resources (1) 67 67
68 MongoDB Resources (2) mongodb.org docs.mongodb.org mongodb.org/books mongodb.com/products/mongodb mongodb.com/reference bsonspec.org education.mongodb.com 68 68
69 Upcoming Events (1) Trenton Computer Festival March 14-15, 2014 tcf-nj.org Emerging Technologies for the Enterprise April 22-23, 2014 phillyemergingtech.com 69 69
70 Upcoming Events (2) 70 70
71 javasig.org 71 71
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
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 - THE NOSQL DATABASE
MONGODB - THE NOSQL DATABASE Akhil Latta Software Engineer Z Systems, Mohali, Punjab MongoDB is an open source document-oriented database system developed and supported by 10gen. It is part of the NoSQL
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. 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
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
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
The MongoDB Tutorial Introduction for MySQL Users. Stephane Combaudon April 1st, 2014
The MongoDB Tutorial Introduction for MySQL Users Stephane Combaudon April 1st, 2014 Agenda 2 Introduction Install & First Steps CRUD Aggregation Framework Performance Tuning Replication and High Availability
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
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)
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
Building a RESTful service with MongoDB and Spring MVC
Building a RESTful service with MongoDB and Spring MVC www.pentalog.fr p e n t a l o g. f r O v i d i u S t a n c i u o s t a n c i u @ p e n t a l o g. f r M a r c h 2 0 1 3 p e n t a l o g. f r 2 Action
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
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
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
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
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
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
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
A Brief Introduction to MySQL
A Brief Introduction to MySQL by Derek Schuurman Introduction to Databases A database is a structured collection of logically related data. One common type of database is the relational database, a term
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
DbSchema Tutorial with Introduction in MongoDB
DbSchema Tutorial with Introduction in MongoDB Contents MySql vs MongoDb... 2 Connect to MongoDb... 4 Insert and Query Data... 5 A Schema for MongoDb?... 7 Relational Data Browse... 8 Virtual Relations...
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
Frictionless Persistence in.net with MongoDB. Mogens Heller Grabe Trifork [email protected]
Frictionless Persistence in.net with MongoDB Mogens Heller Grabe Trifork [email protected] Agenda Document-oriented databases Introduction to MongoDB JavaScript, baby! How to do it with C# Tiny web app sample
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
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
.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 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
Data Model Design for MongoDB
Data Model Design for MongoDB 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
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
Spring Data, Jongo & Co. Java Persistenz-Frameworks für MongoDB
Spring Data, Jongo & Co. Java Persistenz-Frameworks für MongoDB [email protected] @tobiastrelle codecentric AG 1 Tobias Trelle - Senior IT Consultant @ codecentric AG (Düsseldorf) - Organisator
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
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
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
MongoDB: The Definitive Guide
MongoDB: The Definitive Guide MongoDB: The Definitive Guide Kristina Chodorow and Michael Dirolf Beijing Cambridge Farnham Köln Sebastopol Tokyo MongoDB: The Definitive Guide by Kristina Chodorow and
Visual Statement. NoSQL Data Storage. MongoDB Project. April 10, 2014. Bobby Esfandiari Stefan Schielke Nicole Saat
Visual Statement NoSQL Data Storage April 10, 2014 Bobby Esfandiari Stefan Schielke Nicole Saat Contents Table of Contents 1 Timeline... 5 Requirements... 8 Document History...8 Revision History... 8 Introduction...9
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
Programming Against Hybrid Databases with Java Handling SQL and NoSQL. Brian Hughes IBM
Programming Against Hybrid Databases with Java Handling SQL and NoSQL Brian Hughes IBM 1 Acknowledgements and Disclaimers Availability. References in this presentation to IBM products, programs, or services
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 - 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 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
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
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
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
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!
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..........................................
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
Database Management System Choices. Introduction To Database Systems CSE 373 Spring 2013
Database Management System Choices Introduction To Database Systems CSE 373 Spring 2013 Outline Introduction PostgreSQL MySQL Microsoft SQL Server Choosing A DBMS NoSQL Introduction There a lot of options
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
HO5604 Deploying MongoDB. A Scalable, Distributed Database with SUSE Cloud. Alejandro Bonilla. Sales Engineer [email protected]
HO5604 Deploying MongoDB A Scalable, Distributed Database with SUSE Cloud Alejandro Bonilla Sales Engineer [email protected] Agenda SUSE Cloud Overview What is MongoDB? 2 Getting familiar with the Cloud
Big Data Solutions. Portal Development with MongoDB and Liferay. Solutions
Big Data Solutions Portal Development with MongoDB and Liferay Solutions Introduction Companies have made huge investments in Business Intelligence and analytics to better understand their clients and
Data storing and data access
Data storing and data access Plan Basic Java API for HBase demo Bulk data loading Hands-on Distributed storage for user files SQL on nosql Summary Basic Java API for HBase import org.apache.hadoop.hbase.*
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
A COMPARATIVE STUDY OF NOSQL DATA STORAGE MODELS FOR BIG DATA
A COMPARATIVE STUDY OF NOSQL DATA STORAGE MODELS FOR BIG DATA Ompal Singh Assistant Professor, Computer Science & Engineering, Sharda University, (India) ABSTRACT In the new era of distributed system where
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
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
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
Programming with Genero BDL and NoSQL Databases
Programming with Genero BDL and NoSQL Databases Sebastien FLAESCH, Reuben BARCLAY February 2016 Page: 1/47 Table of Contents 1.Purpose of this white paper...3 2.Executive Summary...3 3.What is a NoSQL
Lecture 21: NoSQL III. Monday, April 20, 2015
Lecture 21: NoSQL III Monday, April 20, 2015 Announcements Issues/questions with Quiz 6 or HW4? This week: MongoDB Next class: Quiz 7 Make-up quiz: 04/29 at 6pm (or after class) Reminders: HW 4 and Project
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,
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
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
Integrating VoltDB with Hadoop
The NewSQL database you ll never outgrow Integrating with Hadoop Hadoop is an open source framework for managing and manipulating massive volumes of data. is an database for handling high velocity data.
Intro to Databases. ACM Webmonkeys 2011
Intro to Databases ACM Webmonkeys 2011 Motivation Computer programs that deal with the real world often need to store a large amount of data. E.g.: Weather in US cities by month for the past 10 years List
Cloudant Querying Options
Cloudant Querying Options Agenda Indexing Options Primary Views/MapReduce Search Geospatial Cloudant Query Review What s New Live Tutorial 5/20/15 2 Reading & Writing Basics POST / /_bulk_docs
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
MySQL for Beginners Ed 3
Oracle University Contact Us: 1.800.529.0165 MySQL for Beginners Ed 3 Duration: 4 Days What you will learn The MySQL for Beginners course helps you learn about the world's most popular open source database.
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
How, What, and Where of Data Warehouses for MySQL
How, What, and Where of Data Warehouses for MySQL Robert Hodges CEO, Continuent. Introducing Continuent The leading provider of clustering and replication for open source DBMS Our Product: Continuent Tungsten
D61830GC30. MySQL for Developers. Summary. Introduction. Prerequisites. At Course completion After completing this course, students will be able to:
D61830GC30 for Developers Summary Duration Vendor Audience 5 Days Oracle Database Administrators, Developers, Web Administrators Level Technology Professional Oracle 5.6 Delivery Method Instructor-led
A basic create statement for a simple student table would look like the following.
Creating Tables A basic create statement for a simple student table would look like the following. create table Student (SID varchar(10), FirstName varchar(30), LastName varchar(30), EmailAddress varchar(30));
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
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
SQL. Short introduction
SQL Short introduction 1 Overview SQL, which stands for Structured Query Language, is used to communicate with a database. Through SQL one can create, manipulate, query and delete tables and contents.
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
Oracle Database 10g Express
Oracle Database 10g Express This tutorial prepares the Oracle Database 10g Express Edition Developer to perform common development and administrative tasks of Oracle Database 10g Express Edition. Objectives
SQL on NoSQL (and all of the data) With Apache Drill
SQL on NoSQL (and all of the data) With Apache Drill Richard Shaw Solutions Architect @aggress Who What Where NoSQL DB Very Nice People Open Source Distributed Storage & Compute Platform (up to 1000s of
Linas Virbalas Continuent, Inc.
Linas Virbalas Continuent, Inc. Heterogeneous Replication Replication between different types of DBMS / Introductions / What is Tungsten (the whole stack)? / A Word About MySQL Replication / Tungsten Replicator:
Not Relational Models For The Management of Large Amount of Astronomical Data. Bruno Martino (IASI/CNR), Memmo Federici (IAPS/INAF)
Not Relational Models For The Management of Large Amount of Astronomical Data Bruno Martino (IASI/CNR), Memmo Federici (IAPS/INAF) What is a DBMS A Data Base Management System is a software infrastructure
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
DYNAMIC QUERY FORMS WITH NoSQL
IMPACT: International Journal of Research in Engineering & Technology (IMPACT: IJRET) ISSN(E): 2321-8843; ISSN(P): 2347-4599 Vol. 2, Issue 7, Jul 2014, 157-162 Impact Journals DYNAMIC QUERY FORMS WITH
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
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
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
How graph databases started the multi-model revolution
How graph databases started the multi-model revolution Luca Garulli Author and CEO @OrientDB QCon Sao Paulo - March 26, 2015 Welcome to Big Data 90% of the data in the world today has been created in the
MongoDB: The Definitive Guide
SECOND EDITION MongoDB: The Definitive Guide Kristina Chodorow MongoDB: The Definitive Guide, Second Edition by Kristina Chodorow Copyright 2013 Kristina Chodorow. All rights reserved. Printed in the United
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
DIPLOMA IN WEBDEVELOPMENT
DIPLOMA IN WEBDEVELOPMENT Prerequisite skills Basic programming knowledge on C Language or Core Java is must. # Module 1 Basics and introduction to HTML Basic HTML training. Different HTML elements, tags
A table is a collection of related data entries and it consists of columns and rows.
CST 250 MySQL Notes (Source: www.w3schools.com) MySQL is the most popular open-source database system. What is MySQL? MySQL is a database. The data in MySQL is stored in database objects called tables.
Sharding with postgres_fdw
Sharding with postgres_fdw Postgres Open 2013 Chicago Stephen Frost [email protected] Resonate, Inc. Digital Media PostgreSQL Hadoop [email protected] http://www.resonateinsights.com Stephen
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
Introduction to MongoDB. Kristina Chodorow [email protected]
Introduction to MongoDB Kristina Chodorow [email protected] Application PHP Apache Database Linux Application PHP IIS Windows Application PHP Apache Linux Application PHP Apache Linux Application PHP
