NoSQL Databases. Nikos Parlavantzas
|
|
|
- Corey Moore
- 10 years ago
- Views:
Transcription
1 !!!! NoSQL Databases Nikos Parlavantzas
2 Lecture overview 2 Objective! Present the main concepts necessary for understanding NoSQL databases! Provide an overview of current NoSQL technologies
3 Outline 3! Main concepts Motivation for NoSQL Data models Distribution models Consistency! NoSQL databases Key-value stores Document databases Column-family stores Graph databases
4 Relational databases 4 Dominant model for the last 30 years Standard, easy-to-use, powerful query language (SQL) Reliability and consistency in the face of failures and concurrent access! Support for transactions (ACID properties)
5 Weaknesses 5 Relational databases are not designed to run on multiple nodes (clusters)! Favour vertical scaling! Cannot cope with large volumes of data and operations (e.g., Big Data applications)
6 Weaknesses 6 Mapping objects to tables is notoriously difficult (impedance mismatch)
7 NoSQL 7 Definition! Term appeared in 2009! No SQL or Not Only SQL! Practically, anything that deviates from traditional relational database systems (RDBMSs)
8 NoSQL 8 Common characteristics! Not supporting the relational model! Running well on clusters! Not needing a schema (schema-free)! Typically, relaxing consistency
9 Advantages 9 Elasticity Big data Automated management Flexible data models
10 Data models 10
11 Data models 11 Key-value Document Column family Graph Aggregate oriented Schema free
12 Aggregate oriented 12 Aggregate: a collection of data with complex structure, manipulated as a unit Unit of data retrieval Unit of atomic update
13 Example: data model 13
14 Sample tables 14
15 Aggregate data model 15
16 Aggregate orientation 16 Addresses impedance mismatch Helps with running on a cluster! Provides information to the database about which data is manipulated together and thus should live on the same node BUT makes some manipulations difficult! Does not support unanticipated ways of organising data (unlike RDBMSs)
17 Being schema-free 17 No need to create a schema before storing data into a NoSQL database Facilitates evolution Handles non-uniform data (e.g., records with different fields) BUT knowledge about structure remains in application code (implicit schema)! May be problematic if multiple applications access same database
18 Distribution models 18
19 Sharding 19
20 Sharding 20 Improves both read and write performance Does not provide resilience Distributing data becomes challenging! Ideally, a user interacts with one server, and load is balanced between servers! Aggregate orientation helps! Auto-sharding is provided by some NoSQL databases
21 Master-slave replication 21
22 Master-slave replication 22 Read scalability! More slaves " more read requests! Does not help with write load Read resilience! Slaves can still handle read requests after a master failure Possibility of inconsistency! Clients of different slaves may see different values
23 Peer-to-peer replication 23
24 Peer-to-peer replication 24 Scalability and resilience! No central element to form bottleneck or single point of failure! Easy to add nodes and to handle node failures Maintaining consistency is challenging! Wide range of options (e.g., coordinating to avoid conflicts, merging inconsistent writes)
25 Possible combinations 25 Master-slave & sharding Peer-to-peer & sharding
26 Consistency 26
27 CAP Theorem 27 Consistency! All nodes see the same data at the same time Availability! Every request receives a response Partition tolerance! The system continues to operate despite arbitrary message loss CAP Theorem! A networked shared-data system can satisfy at most 2 properties at a time
28 A simple proof 28 Consistency and Availability Client Write data Read data A Replicate B
29 A simple proof 29 Availability and Partitioning No consistency Client Write data Read old data A B
30 A simple proof 30 Consistency and Partitioning No availability (waiting ) Client Write data Wait for data A B
31 Consistency 31 Partitions are inevitable in distributed systems! Must trade-off consistency and availability! Relaxing consistency allows system to remain available under partitions Consistency is also traded off against latency! Keeping replicas consistent requires network interactions! The more nodes are involved, the higher the latency
32 Client-side consistency 32 Strong consistency! After the update completes, any subsequent access will return the updated value Eventual consistency! If no new updates are made, eventually all accesses will return the last updated value
33 Server-side consistency 33 N = # replicas of the data W = # replicas that need to confirm a write R = # replicas contacted for a read W+R > N: strong consistency W+R<=N: eventual consistency Can configure N, W, R to tune consistency, availability, read/write performance! W=N, R=1: optimise for read; any failure makes write unavailable! W=1, R=N: optimise for write, any failure makers read unavailable, etc.
34 Key-value stores 34
35 Key-value stores 35 Basically, a simple hash table where all access is done via a key Basic operations! Get the value for a key! Put the value for a key! Delete a key and its value Example systems! Redis, Riak, Memcached,
36 Key-value stores 36 When to use! Storing session Information, user profiles, preferences! Storing shopping cart data When not to use! Need for relationships among data! Transactions involving multiple keys! Querying by data inside value part! Operating on multiple keys at the same time
37 Riak 37 Open-source, distributed key-value store! First release: 2010! Inspired by Amazon s Dynamo Written in Erlang Decentralised architecture Built-in MapReduce support
38 Data access 38 Default interface is HTTP! GET (retrieve), PUT (update), POST (create), DELETE (delete) Keys are stored in buckets! namespaces with common properties (e.g., replication factor)! Keys may be user-specified or generated by system Paths:! /riak/<bucket>! /riak/<bucket>/<key>
39 Examples 39 Store a JSON file into a bucket curl -v -X PUT animals/ace -H "Content-Type: application/json -d '{"nickname" : "The Wonder Dog", "breed" : "German Shepherd"} Retrieve a value from a bucket curl 6VZc2o7zKxq2B34kJrm1S0ma3PO
40 Links 40 Links are metadata that establish oneway relationships between objects Stored in the HTTP Link header curl -X PUT \ -H "Content-Type: application/json" \ -H "Link:</riak/animals/polly>;riaktag=\"contains \ -d '{"room" : 101} Used to retrieve data through link walking curl _,contains,_
41 Advanced queries 41 MapReduce! Clients submit map/reduce functions (in JavaScript or Erlang) and lists of keys. The functions are executed in parallel on nodes where values are located.
42 Advanced queries 42 Secondary indexes! Tagging objects with metadata and supporting exact match and range queries Riak search! Full-text search and indexing using the objects values
43 Distribution model 43 Data is automatically distributed around the cluster based on keys (consistent hashing) The number of replicas (N) can be set for each bucket
44 Key-Value Store Consistency 44 Clients can configure W,R per request to achieve desired levels of consistency, performance, availability Common values for W, R! One, All (i.e., N), Quorum (i.e., N/2+1) N = # replicas of the data W = # replicas that need to confirm a write R = # replicas contacted for a read
45 Horizontal scaling 45 Can dynamically add and remove nodes; data is redistributed automatically All nodes are equal
46 Document databases 46
47 Document Store Document databases 47 Main concept is document! self-describing, hierarchical data structures! JSON, BSON, XML, etc. Similar to key-value stores where the values are examinable Example systems! MongoDB, Couchbase, Terrastore, RavenDB, Lotus Notes, etc.
48 Document Store Document databases 48 Documents are organised into collections The structure of documents in the same collection can be different! No predefined schema New attributes can be created without the need to define them or to change the existing documents
49 Document Store Document databases 49 When to use! Event Logging! Content management systems, blogging platforms! Web analytics or real-time analytics! E-Commerce applications When not to use! Need for complex transactions spanning different documents
50 MongoDB 50 Open-source document database! First released in 2009 Written in C++ JSON documents with dynamic schemas Ad hoc queries Replication, automatic sharding MapReduce support
51 Data model 51 JSON stored as BSON (binary representation) RDBMS Database Table, View Row Column Index Join Foreign Key Partition MongoDB Database Collection Document (JSON, BSON) Field Index Embedded Document Reference Shard >!db.user.findone({age:39})! {!!!!!!!!!"_id"!:! ObjectId("5114e0bd42 "),!!!!!!!!!"first"!:!"john",!!!!!!!!!"last"!:!"doe",!!!!!!!!!"age"!:!39,!!!!!!!!!"interests"!:![!!!!!!!!!!!!!!!!!"reading",!!!!!!!!!!!!!!!!!"mountain!biking!]!!!!!!!!"favorites":!{!!!!!!!!!!!!!!!!!"color":!"blue",!!!!!!!!!!!!!!!!!"sport":!"soccer"}!! }!
52 Example operations 52 > db.user.insert({ first: "John", last : "Doe", age: 39 }) > db.user.find () { "_id" : ObjectId("51 "), "first" : "John", "last" : "Doe", "age" : 39 } > db.user.update( {"_id" : ObjectId("51 ")}, { $set: { age: 40, salary: 7000} } ) > db.user.remove({ "first": /^J/ })
53 Queries 53 Complex queries using ranges, set inclusion, comparison, negation, sorting, counting, etc. Querying nested structured data MapReduce support
54 Distribution model 54 Master-slave replication! Availability, read performance! Automatic failover If master fails, a new master is elected Automatic sharding! Adding /removing shards! Automatic data balancing using migrations
55 Distribution model 55
56 Document Store Consistency 56 The level of guarantee can be configured per operation! Allows setting W (number of servers that need to confirm the update)
57 Column-family stores 57
58 Column-family stores 58 Column family: an ordered collection of rows, each of which is an ordered collection of columns
59 Column-family stores 59 Column families are predefined; columns are not! Can freely add columns! Can have rows with thousands of columns Data for a particular column family is usually accessed together Columns have attached timestamps Example systems! Cassandra, HBase, SimpleDB,
60 Column-family stores 60 When to use! Event Logging, content management systems, blogging platforms! Data that expires When not to use! Complex queries! Aggregating data (needs MapReduce)! Unknown query patterns
61 Cassandra 61 Open-source distributed database! Developed in Facebook! Initial release 2008 Written in Java Decentralised architecture MapReduce support CQL (Cassandra Query Language)
62 Data model 62 The basic unit of storage in Cassandra is a column Each column consists of a column name, a value, and a timestamp
63 Column-Family Stores Data model 63 A standard column family A super column family
64 Queries 64 CQL: SQL-like language adapted to the Cassandra data model and architecture! Does not support joins or sub-queries! Enables modifying tables dynamically without blocking updates and queries! Emphasises denormalisation (e.g., supports collection columns) CREATE TABLE users ( user_id text PRIMARY KEY, first_name text, last_name text, s set<text> );
65 Distribution model 65 Peer-to-peer replication and automatic sharding! Any user can connect to any node; all writes are partitioned and replicated automatically
66 Consistency and scalability 66 Tunable consistency on a per-operation basis! Can set N, W, R Can dynamically add and remove nodes
67 Graph databases 67
68 Graph databases 68 A graph contains nodes and relationships; both have properties
69 Graph databases 69 Graph traversal is fast Declarative, domain-specific query languages! Matching patterns of nodes and relationships in the graph and extracting information! e.g., Find all people that work for Big Co. whose friends listen to Rock Music Example systems! Neo4j, Infinite Graph, FlockDB,
70 Graph databases 70 When to use! Connected data, e.g. social networks! Routing, dispatch and location-based services! Recommendation engines When not to use! Multiple nodes need to be updated! Handling very big graphs (sharding is difficult)
71 Neo4j 71 Open-source graph database! First release in 2010 Written in Java ACID transactions Clustering for high availability Server mode or embedded (same process) mode
72 Cypher language 72 Declarative graph query language! ASCII art-like patterns START a=node:user(name='michael') MATCH (c)-[:knows]->(b)-[:knows]->(a), (c)- [:KNOWS]->(a) RETURN b, c
73 Cypher language 73 Supports SQL-like syntax (e.g., WHERE, ORDER BY, COUNT) START theater=node:venue(name='theatre Royal'), newcastle=node:city(name='newcastle'), bard=node:author(lastname='shakespeare') MATCH (newcastle)<-[:street CITY*1..2]-(theater) <-[:VENUE]-()-[p:PERFORMANCE_OF]->()-[:PRODUCTION_OF]-> (play)<-[:wrote_play]-(bard) RETURN play.title AS play, count(p) AS performance_count ORDER BY performance_count DESC
74 Indexing 74 Properties of nodes or relationships can be indexed! Useful for finding starting locations for traversals! e.g., theater=node:venue(name='theatre Royal')
75 Graph Databases Distribution model 75 Master-slave replication! High availability; scalability for reads! Writes to the master are eventually synchronized to slaves No support for sharding
76 Summary 76 The main characteristics of NoSQL technologies are:! Support for flexible, schema-free data models! Horizontal scalability! Trading some degree of consistency for availability or performance Key-value, document, and column-family databases are suitable when most interactions are done with the same data unit. Graph databases are suitable for data with complex relationships.
77 References 77 NoSQL distilled: a brief guide to the emerging world of polyglot persistence, Pramod J. Sadalage and Martin Fowler, Pearson Education, Seven Databases in Seven Weeks, Eric Redmond and Jim Wilson, Pragmatic Bookshelf, O'Reilly, 2012.
78 Stop following me! 78
Big Data Management in the Clouds. Alexandru Costan IRISA / INSA Rennes (KerData team)
Big Data Management in the Clouds Alexandru Costan IRISA / INSA Rennes (KerData team) Cumulo NumBio 2015, Aussois, June 4, 2015 After this talk Realize the potential: Data vs. Big Data Understand why we
Big Data Management and NoSQL Databases
NDBI040 Big Data Management and NoSQL Databases Lecture 4. Basic Principles Doc. RNDr. Irena Holubova, Ph.D. [email protected] http://www.ksi.mff.cuni.cz/~holubova/ndbi040/ NoSQL Overview Main objective:
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
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
NoSQL Databases. Institute of Computer Science Databases and Information Systems (DBIS) DB 2, WS 2014/2015
NoSQL Databases Institute of Computer Science Databases and Information Systems (DBIS) DB 2, WS 2014/2015 Database Landscape Source: H. Lim, Y. Han, and S. Babu, How to Fit when No One Size Fits., in CIDR,
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
SQL VS. NO-SQL. Adapted Slides from Dr. Jennifer Widom from Stanford
SQL VS. NO-SQL Adapted Slides from Dr. Jennifer Widom from Stanford 55 Traditional Databases SQL = Traditional relational DBMS Hugely popular among data analysts Widely adopted for transaction systems
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
Introduction to NOSQL
Introduction to NOSQL Université Paris-Est Marne la Vallée, LIGM UMR CNRS 8049, France January 31, 2014 Motivations NOSQL stands for Not Only SQL Motivations Exponential growth of data set size (161Eo
NoSQL Databases. Polyglot Persistence
The future is: NoSQL Databases Polyglot Persistence a note on the future of data storage in the enterprise, written primarily for those involved in the management of application development. Martin Fowler
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
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
NoSQL Systems for Big Data Management
NoSQL Systems for Big Data Management Venkat N Gudivada East Carolina University Greenville, North Carolina USA Venkat Gudivada NoSQL Systems for Big Data Management 1/28 Outline 1 An Overview of NoSQL
The NoSQL Ecosystem, Relaxed Consistency, and Snoop Dogg. Adam Marcus MIT CSAIL [email protected] / @marcua
The NoSQL Ecosystem, Relaxed Consistency, and Snoop Dogg Adam Marcus MIT CSAIL [email protected] / @marcua About Me Social Computing + Database Systems Easily Distracted: Wrote The NoSQL Ecosystem in
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
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
Preparing Your Data For Cloud
Preparing Your Data For Cloud Narinder Kumar Inphina Technologies 1 Agenda Relational DBMS's : Pros & Cons Non-Relational DBMS's : Pros & Cons Types of Non-Relational DBMS's Current Market State Applicability
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
Advanced Data Management Technologies
ADMT 2014/15 Unit 15 J. Gamper 1/44 Advanced Data Management Technologies Unit 15 Introduction to NoSQL J. Gamper Free University of Bozen-Bolzano Faculty of Computer Science IDSE ADMT 2014/15 Unit 15
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
Domain driven design, NoSQL and multi-model databases
Domain driven design, NoSQL and multi-model databases Java Meetup New York, 10 November 2014 Max Neunhöffer www.arangodb.com Max Neunhöffer I am a mathematician Earlier life : Research in Computer Algebra
Making Sense ofnosql A GUIDE FOR MANAGERS AND THE REST OF US DAN MCCREARY MANNING ANN KELLY. Shelter Island
Making Sense ofnosql A GUIDE FOR MANAGERS AND THE REST OF US DAN MCCREARY ANN KELLY II MANNING Shelter Island contents foreword preface xvii xix acknowledgments xxi about this book xxii Part 1 Introduction
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
Databases 2 (VU) (707.030)
Databases 2 (VU) (707.030) Introduction to NoSQL Denis Helic KMI, TU Graz Oct 14, 2013 Denis Helic (KMI, TU Graz) NoSQL Oct 14, 2013 1 / 37 Outline 1 NoSQL Motivation 2 NoSQL Systems 3 NoSQL Examples 4
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
Study and Comparison of Elastic Cloud Databases : Myth or Reality?
Université Catholique de Louvain Ecole Polytechnique de Louvain Computer Engineering Department Study and Comparison of Elastic Cloud Databases : Myth or Reality? Promoters: Peter Van Roy Sabri Skhiri
NoSQL Database Options
NoSQL Database Options Introduction For this report, I chose to look at MongoDB, Cassandra, and Riak. I chose MongoDB because it is quite commonly used in the industry. I chose Cassandra because it has
Journal of Cloud Computing: Advances, Systems and Applications
Journal of Cloud Computing: Advances, Systems and Applications This Provisional PDF corresponds to the article as it appeared upon acceptance. Fully formatted PDF and full text (HTML) versions will be
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
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
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
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
Introduction to Hadoop. New York Oracle User Group Vikas Sawhney
Introduction to Hadoop New York Oracle User Group Vikas Sawhney GENERAL AGENDA Driving Factors behind BIG-DATA NOSQL Database 2014 Database Landscape Hadoop Architecture Map/Reduce Hadoop Eco-system Hadoop
Introduction to Polyglot Persistence. Antonios Giannopoulos Database Administrator at ObjectRocket by Rackspace
Introduction to Polyglot Persistence Antonios Giannopoulos Database Administrator at ObjectRocket by Rackspace FOSSCOMM 2016 Background - 14 years in databases and system engineering - NoSQL DBA @ ObjectRocket
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
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
Slave. Master. Research Scholar, Bharathiar University
Volume 3, Issue 7, July 2013 ISSN: 2277 128X International Journal of Advanced Research in Computer Science and Software Engineering Research Paper online at: www.ijarcsse.com Study on Basically, and Eventually
A Selection Method of Database System in Bigdata Environment: A Case Study From Smart Education Service in Korea
Int. J. Advance Soft Compu. Appl, Vol. 7, No. 1, March 2015 ISSN 2074-8523 A Selection Method of Database System in Bigdata Environment: A Case Study From Smart Education Service in Korea Jong Sung Hwang
Introduction to Apache Cassandra
Introduction to Apache Cassandra White Paper BY DATASTAX CORPORATION JULY 2013 1 Table of Contents Abstract 3 Introduction 3 Built by Necessity 3 The Architecture of Cassandra 4 Distributing and Replicating
Big Systems, Big Data
Big Systems, Big Data When considering Big Distributed Systems, it can be noted that a major concern is dealing with data, and in particular, Big Data Have general data issues (such as latency, availability,
Transactions and ACID in MongoDB
Transactions and ACID in MongoDB Kevin Swingler Contents Recap of ACID transactions in RDBMSs Transactions and ACID in MongoDB 1 Concurrency Databases are almost always accessed by multiple users concurrently
Making Sense of NoSQL Dan McCreary Wednesday, Nov. 13 th 2014
Making Sense of NoSQL Dan McCreary Wednesday, Nov. 13 th 2014 Agenda Why NoSQL? What are the key NoSQL architectures? How are they different from traditional RDBMS Systems? What types of problems do they
Big Data Analytics. Rasoul Karimi
Big Data Analytics Rasoul Karimi Information Systems and Machine Learning Lab (ISMLL) Institute of Computer Science University of Hildesheim, Germany Big Data Analytics Big Data Analytics 1 / 1 Introduction
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
Big Data Technologies. Prof. Dr. Uta Störl Hochschule Darmstadt Fachbereich Informatik Sommersemester 2015
Big Data Technologies Prof. Dr. Uta Störl Hochschule Darmstadt Fachbereich Informatik Sommersemester 2015 Situation: Bigger and Bigger Volumes of Data Big Data Use Cases Log Analytics (Web Logs, Sensor
Big Data Development CASSANDRA NoSQL Training - Workshop. March 13 to 17-2016 9 am to 5 pm HOTEL DUBAI GRAND DUBAI
Big Data Development CASSANDRA NoSQL Training - Workshop March 13 to 17-2016 9 am to 5 pm HOTEL DUBAI GRAND DUBAI ISIDUS TECH TEAM FZE PO Box 121109 Dubai UAE, email training-coordinator@isidusnet M: +97150
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
Understanding NoSQL on Microsoft Azure
David Chappell Understanding NoSQL on Microsoft Azure Sponsored by Microsoft Corporation Copyright 2014 Chappell & Associates Contents Data on Azure: The Big Picture... 3 Relational Technology: A Quick
NOSQL DATABASES AND CASSANDRA
NOSQL DATABASES AND CASSANDRA Semester Project: Advanced Databases DECEMBER 14, 2015 WANG CAN, EVABRIGHT BERTHA Université Libre de Bruxelles 0 Preface The goal of this report is to introduce the new evolving
The CAP theorem and the design of large scale distributed systems: Part I
The CAP theorem and the design of large scale distributed systems: Part I Silvia Bonomi University of Rome La Sapienza www.dis.uniroma1.it/~bonomi Great Ideas in Computer Science & Engineering A.A. 2012/2013
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
Institutionen för datavetenskap Department of Computer and Information Science
Institutionen för datavetenskap Department of Computer and Information Science Final thesis Exploration of NoSQL Technologies for managing hotel reservations by Sylvain Coulombel LiTH-IDA/ERASMUS-A--15/001--SE
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
["Sam Stelfox", "@SamStelfox", "http://stelfox.net" ], ["Gabe Koss", "@granolocks", "http://gabekoss.com"] ] }'
$ curl -XPUT "http://localhost:8098/riak/presentations/riak" \ --header "Content-Type: application/json" \ --data '{ "subject": "Riak", "presenters": [ ] }' ["Sam Stelfox", "@SamStelfox", "http://stelfox.net"
So What s the Big Deal?
So What s the Big Deal? Presentation Agenda Introduction What is Big Data? So What is the Big Deal? Big Data Technologies Identifying Big Data Opportunities Conducting a Big Data Proof of Concept Big Data
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
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
Data Modeling for Big Data
Data Modeling for Big Data by Jinbao Zhu, Principal Software Engineer, and Allen Wang, Manager, Software Engineering, CA Technologies In the Internet era, the volume of data we deal with has grown to terabytes
nosql and Non Relational Databases
nosql and Non Relational Databases Image src: http://www.pentaho.com/big-data/nosql/ Matthias Lee Johns Hopkins University What NoSQL? Yes no SQL.. Atleast not only SQL Large class of Non Relaltional Databases
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
Evaluator s Guide. McKnight. Consulting Group. McKnight Consulting Group
NoSQL Evaluator s Guide McKnight Consulting Group William McKnight is the former IT VP of a Fortune 50 company and the author of Information Management: Strategies for Gaining a Competitive Advantage with
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
Eventually Consistent
Historical Perspective In an ideal world there would be only one consistency model: when an update is made all observers would see that update. The first time this surfaced as difficult to achieve was
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
.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
A survey of big data architectures for handling massive data
CSIT 6910 Independent Project A survey of big data architectures for handling massive data Jordy Domingos - [email protected] Supervisor : Dr David Rossiter Content Table 1 - Introduction a - Context
Benchmarking and Analysis of NoSQL Technologies
Benchmarking and Analysis of NoSQL Technologies Suman Kashyap 1, Shruti Zamwar 2, Tanvi Bhavsar 3, Snigdha Singh 4 1,2,3,4 Cummins College of Engineering for Women, Karvenagar, Pune 411052 Abstract The
INTRODUCTION TO CASSANDRA
INTRODUCTION TO CASSANDRA This ebook provides a high level overview of Cassandra and describes some of its key strengths and applications. WHAT IS CASSANDRA? Apache Cassandra is a high performance, open
NoSQL and Graph Database
NoSQL and Graph Database Biswanath Dutta DRTC, Indian Statistical Institute 8th Mile Mysore Road R. V. College Post Bangalore 560059 International Conference on Big Data, Bangalore, 9-20 March 2015 Outlines
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
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
NOSQL DATABASE SYSTEMS
NOSQL DATABASE SYSTEMS Big Data Technologies: NoSQL DBMS - SoSe 2015 1 Categorization NoSQL Data Model Storage Layout Query Models Solution Architectures NoSQL Database Systems Data Modeling id ti Application
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
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.
Challenges for Data Driven Systems
Challenges for Data Driven Systems Eiko Yoneki University of Cambridge Computer Laboratory Quick History of Data Management 4000 B C Manual recording From tablets to papyrus to paper A. Payberah 2014 2
X4-2 Exadata announced (well actually around Jan 1) OEM/Grid control 12c R4 just released
General announcements In-Memory is available next month http://www.oracle.com/us/corporate/events/dbim/index.html X4-2 Exadata announced (well actually around Jan 1) OEM/Grid control 12c R4 just released
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
Enterprise Operational SQL on Hadoop Trafodion Overview
Enterprise Operational SQL on Hadoop Trafodion Overview Rohit Jain Distinguished & Chief Technologist Strategic & Emerging Technologies Enterprise Database Solutions Copyright 2012 Hewlett-Packard Development
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
Choosing the right NoSQL database for the job: a quality attribute evaluation
Lourenço et al. Journal of Big Data (2015) 2:18 DOI 10.1186/s40537-015-0025-0 RESEARCH Choosing the right NoSQL database for the job: a quality attribute evaluation João Ricardo Lourenço 1*, Bruno Cabral
High Throughput Computing on P2P Networks. Carlos Pérez Miguel [email protected]
High Throughput Computing on P2P Networks Carlos Pérez Miguel [email protected] Overview High Throughput Computing Motivation All things distributed: Peer-to-peer Non structured overlays Structured
How To Write A Database Program
SQL, NoSQL, and Next Generation DBMSs Shahram Ghandeharizadeh Director of the USC Database Lab Outline A brief history of DBMSs. OSs SQL NoSQL 1960/70 1980+ 2000+ Before Computers Database DBMS/Data Store
Introduction to NoSQL
Introduction to NoSQL Gabriele Pozzani April 24, 2013 Outline NoSQL Definition Categories Related concepts Modeling NoSQL stores Properties Performance Relational vs NoSQL DBMSs Applications What does
NoSQL Evaluation. A Use Case Oriented Survey
2011 International Conference on Cloud and Service Computing NoSQL Evaluation A Use Case Oriented Survey Robin Hecht Chair of Applied Computer Science IV University ofbayreuth Bayreuth, Germany robin.hecht@uni
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
Scalable Architecture on Amazon AWS Cloud
Scalable Architecture on Amazon AWS Cloud Kalpak Shah Founder & CEO, Clogeny Technologies [email protected] 1 * http://www.rightscale.com/products/cloud-computing-uses/scalable-website.php 2 Architect
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
BRAC. Investigating Cloud Data Storage UNIVERSITY SCHOOL OF ENGINEERING. SUPERVISOR: Dr. Mumit Khan DEPARTMENT OF COMPUTER SCIENCE AND ENGEENIRING
BRAC UNIVERSITY SCHOOL OF ENGINEERING DEPARTMENT OF COMPUTER SCIENCE AND ENGEENIRING 12-12-2012 Investigating Cloud Data Storage Sumaiya Binte Mostafa (ID 08301001) Firoza Tabassum (ID 09101028) BRAC University
Referential Integrity in Cloud NoSQL Databases
Referential Integrity in Cloud NoSQL Databases by Harsha Raja A thesis submitted to the Victoria University of Wellington in partial fulfilment of the requirements for the degree of Master of Engineering
NoSQL. What Is NoSQL? Why NoSQL?
SYSADMIN NoSQL GREG BURD Greg Burd is a Developer Advocate for Basho Technologies, makers of Riak. Before Basho, Greg spent nearly ten years as the product manager for Berkeley DB at Sleepycat Software
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
wow CPSC350 relational schemas table normalization practical use of relational algebraic operators tuple relational calculus and their expression in a declarative query language relational schemas CPSC350
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...
A Review of Column-Oriented Datastores. By: Zach Pratt. Independent Study Dr. Maskarinec Spring 2011
A Review of Column-Oriented Datastores By: Zach Pratt Independent Study Dr. Maskarinec Spring 2011 Table of Contents 1 Introduction...1 2 Background...3 2.1 Basic Properties of an RDBMS...3 2.2 Example
