SlideShare une entreprise Scribd logo
1  sur  48
NoSQL As Not Only SQL
FrOSCon 11
August 2016
Stefanie Janine Stölting
Head of Product Development
@sjstoelting
mail@stefanie-stoelting.de
PostgreSQL JSON Features
JSON
JavaScript Object Notation
Don't have to care about encoding, it is always
Unicode, most implementations use UTF8
Used for data exchange in web application
Currently two standards RFC 7159 by Douglas
Crockford and ECMA-404
PostgreSQL implementation is RFC 7159
JSON Datatypes
JSON
Available since 9.2
BSON
Available as extension on GitHub since 2013
JSONB
Available since 9.4
Compressed JSON
Fully transactional
Up to 1 GB (uses TOAST)
JSON Functions
row_to_json({row})
Returns the row as JSON
array_to_json({array})
Returns the array as JSON
jsonb_to_recordset
Returns a recordset from JSONB
JSON Opertators
Array element
->{int}
Array element by name
->{text}
Object element
->> {text}
Value at path
#> {text}
Index on JSON
Index JSONB content for faster access with indexes
GIN index overall
CREATE INDEX idx_1 ON jsonb.actor USING
GIN (jsondata);
Even unique B-Tree indexes are possible
CREATE UNIQUE INDEX actor_id_2 ON
jsonb.actor((CAST(jsondata->>'actor_id' AS
INTEGER)));
New JSON functions
PostgreSQL 9.6 new JSONB function:
jsonb_insert:
Insert a new value into a JSONB by path returning
the changed JSONB
See 9.6 JSONB documentation for details
New JSON functions
PostgreSQL 9.5 new JSONB functions:
jsonb_pretty: Formats JSONB human readable
jsonb_set: Update or add values
PostgreSQL 9.5 new JSONB operators:
||: Concatenate two JSONB
-: Delete key
Available as extions for 9.4 at PGXN: jsonbx
Data sources
The Chinook database is available
at chinookdatabase.codeplex.com
Amazon book reviews of 1998 are
available at
examples.citusdata.com/customer_review
Chinook Tables
CTE
Common Table Expressions will be used in examples
● Example:
WITH RECURSIVE t(n) AS (
VALUES (1)
UNION ALL
SELECT n+1 FROM t WHERE n < 100
)
SELECT sum(n), min(n), max(n) FROM t;
●
Result:
Live Examples
Let's see, how it does work.
Live with Chinook data
-- Step 1: Tracks as JSON with the album identifier
WITH tracks AS
(
SELECT "AlbumId" AS album_id
, "TrackId" AS track_id
, "Name" AS track_name
FROM "Track"
)
SELECT row_to_json(tracks) AS tracks
FROM tracks
;
Live with Chinook data
-- Step 2 Abums including tracks with aritst identifier
WITH tracks AS
(
SELECT "AlbumId" AS album_id
, "TrackId" AS track_id
, "Name" AS track_name
FROM "Track"
)
, json_tracks AS
(
SELECT row_to_json(tracks) AS tracks
FROM tracks
)
, albums AS
(
SELECT a."ArtistId" AS artist_id
, a."AlbumId" AS album_id
, a."Title" AS album_title
, array_agg(t.tracks) AS album_tracks
FROM "Album" AS a
INNER JOIN json_tracks AS t
ON a."AlbumId" = (t.tracks->>'album_id')::int
GROUP BY a."ArtistId"
, a."AlbumId"
, a."Title"
)
SELECT artist_id
, array_agg(row_to_json(albums)) AS album
FROM albums
GROUP BY artist_id
;
Live with Chinook data
Live with Chinook data
-- Step 3 Return one row for an artist with all albums as VIEW
CREATE OR REPLACE VIEW v_json_artist_data AS
WITH tracks AS
(
SELECT "AlbumId" AS album_id
, "TrackId" AS track_id
, "Name" AS track_name
, "MediaTypeId" AS media_type_id
, "Milliseconds" As milliseconds
, "UnitPrice" AS unit_price
FROM "Track"
)
, json_tracks AS
(
SELECT row_to_json(tracks) AS tracks
FROM tracks
)
, albums AS
(
SELECT a."ArtistId" AS artist_id
, a."AlbumId" AS album_id
, a."Title" AS album_title
, array_agg(t.tracks) AS album_tracks
FROM "Album" AS a
INNER JOIN json_tracks AS t
ON a."AlbumId" = (t.tracks->>'album_id')::int
GROUP BY a."ArtistId"
, a."AlbumId"
, a."Title"
)
, json_albums AS
(
SELECT artist_id
, array_agg(row_to_json(albums)) AS album
FROM albums
GROUP BY artist_id
)
-- -> Next Page
Live with Chinook data
-- Step 3 Return one row for an artist with all albums as VIEW
, artists AS
(
SELECT a."ArtistId" AS artist_id
, a."Name" AS artist
, jsa.album AS albums
FROM "Artist" AS a
INNER JOIN json_albums AS jsa
ON a."ArtistId" = jsa.artist_id
)
SELECT (row_to_json(artists))::jsonb AS artist_data
FROM artists
;
Live with Chinook data
-- Select data from the view
SELECT *
FROM v_json_artist_data
;
Live with Chinook data
-- SELECT data from that VIEW, that does querying
SELECT jsonb_pretty(artist_data)
FROM v_json_artist_data
WHERE artist_data->>'artist' IN ('Miles Davis', 'AC/DC')
;
Live with Chinook data
-- SELECT some data from that VIEW using JSON methods
SELECT artist_data->>'artist' AS artist
, artist_data#>'{albums, 1, album_title}' AS album_title
, jsonb_pretty(artist_data#>'{albums, 1, album_tracks}') AS album_tracks
FROM v_json_artist_data
WHERE artist_data->'albums' @> '[{"album_title":"Miles Ahead"}]'
;
Live with Chinook data
-- Array to records
SELECT artist_data->>'artist_id' AS artist_id
, artist_data->>'artist' AS artist
, jsonb_array_elements(artist_data#>'{albums}')->>'album_title' AS album_title
, jsonb_array_elements(jsonb_array_elements(artist_data#>'{albums}')#>'{album_tracks}')->>'track_name' AS song_titles
, jsonb_array_elements(jsonb_array_elements(artist_data#>'{albums}')#>'{album_tracks}')->>'track_id' AS song_id
FROM v_json_artist_data
WHERE artist_data->>'artist' = 'Metallica'
ORDER BY album_title
, song_id
;
Live with Chinook data
-- Convert albums to a recordset
SELECT *
FROM jsonb_to_recordset(
(
SELECT (artist_data->>'albums')::jsonb
FROM v_json_artist_data
WHERE (artist_data->>'artist_id')::int = 50
)
) AS x(album_id int, artist_id int, album_title text, album_tracks jsonb)
;
Live with Chinook data
-- Convert the tracks to a recordset
SELECT album_id
, track_id
, track_name
, media_type_id
, milliseconds
, unit_price
FROM jsonb_to_recordset(
(
SELECT artist_data#>'{albums, 1, album_tracks}'
FROM v_json_artist_data
WHERE (artist_data->>'artist_id')::int = 50
)
) AS x(album_id int, track_id int, track_name text, media_type_id int, milliseconds int, unit_price float)
;
Live with Chinook data
-- Create a function, which will be used for UPDATE on the view v_artrist_data
CREATE OR REPLACE FUNCTION trigger_v_json_artist_data_update()
RETURNS trigger AS
$BODY$
-- Data variables
DECLARE rec RECORD;
-- Error variables
DECLARE v_state TEXT;
DECLARE v_msg TEXT;
DECLARE v_detail TEXT;
DECLARE v_hint TEXT;
DECLARE v_context TEXT;
BEGIN
-- Update table Artist
IF (OLD.artist_data->>'artist')::varchar(120) <> (NEW.artist_data->>'artist')::varchar(120) THEN
UPDATE "Artist"
SET "Name" = (NEW.artist_data->>'artist')::varchar(120)
WHERE "ArtistId" = (OLD.artist_data->>'artist_id')::int;
END IF;
-- Update table Album with an UPSERT
-- Update table Track with an UPSERT
RETURN NEW;
EXCEPTION WHEN unique_violation THEN
RAISE NOTICE 'Sorry, but the something went wrong while trying to update artist data';
RETURN OLD;
WHEN others THEN
GET STACKED DIAGNOSTICS
v_state = RETURNED_SQLSTATE,
v_msg = MESSAGE_TEXT,
v_detail = PG_EXCEPTION_DETAIL,
v_hint = PG_EXCEPTION_HINT,
v_context = PG_EXCEPTION_CONTEXT;
RAISE NOTICE '%', v_msg;
RETURN OLD;
END;
$BODY$
LANGUAGE plpgsql;
Live with Chinook data
Live with Chinook data
-- The trigger will be fired instead of an UPDATE statement to save data
CREATE TRIGGER v_json_artist_data_instead_update INSTEAD OF UPDATE
ON v_json_artist_data
FOR EACH ROW
EXECUTE PROCEDURE trigger_v_json_artist_data_update()
;
Live with Chinook data
-- Manipulate data with jsonb_set
SELECT artist_data->>'artist_id' AS artist_id
, artist_data->>'artist' AS artist
, jsonb_set(artist_data, '{artist}', '"Whatever we want, it is just text"'::jsonb)->>'artist' AS new_artist
FROM v_json_artist_data
WHERE (artist_data->>'artist_id')::int = 50
;
Live with Chinook data
-- Update a JSONB column with a jsonb_set result
UPDATE v_json_artist_data
SET artist_data= jsonb_set(artist_data, '{artist}', '"NEW Metallica"'::jsonb)
WHERE (artist_data->>'artist_id')::int = 50
;
Live with Chinook data
-- View the changes done by the UPDATE statement
SELECT artist_data->>'artist_id' AS artist_id
, artist_data->>'artist' AS artist
FROM v_json_artist_data
WHERE (artist_data->>'artist_id')::int = 50
;
Live with Chinook data
-- Lets have a view on the explain plans
– SELECT the data from the view
Live with Chinook data
-- View the changes in in the table instead of the JSONB view
-- The result should be the same, only the column name differ
SELECT *
FROM "Artist"
WHERE "ArtistId" = 50
;
Live with Chinook data
-- Lets have a view on the explain plans
– SELECT the data from table Artist
-- Manipulate data with the concatenating / overwrite operator
SELECT artist_data->>'artist_id' AS artist_id
, artist_data->>'artist' AS artist
, jsonb_set(artist_data, '{artist}', '"Whatever we want, it is just text"'::jsonb)->>'artist' AS new_artist
, artist_data || '{"artist":"Metallica"}'::jsonb->>'artist' AS correct_name
FROM v_json_artist_data
WHERE (artist_data->>'artist_id')::int = 50
;
Live with Chinook data
Live with Chinook data
-- Revert the name change of Metallica with in a different way: With the replace operator
UPDATE v_json_artist_data
SET artist_data = artist_data || '{"artist":"Metallica"}'::jsonb
WHERE (artist_data->>'artist_id')::int = 50
;
Live with Chinook data
-- View the changes done by the UPDATE statement with the replace operator
SELECT artist_data->>'artist_id' AS artist_id
, artist_data->>'artist' AS artist
FROM v_json_artist_data
WHERE (artist_data->>'artist_id')::int = 50
;
Live with Chinook data
-- Remove some data with the - operator
SELECT jsonb_pretty(artist_data) AS complete
, jsonb_pretty(artist_data - 'albums') AS minus_albums
, jsonb_pretty(artist_data) = jsonb_pretty(artist_data - 'albums') AS is_different
FROM v_json_artist_data
WHERE artist_data->>'artist' IN ('Miles Davis', 'AC/DC')
;
Live Amazon reviews
-- Create a table for JSON data with 1998 Amazon reviews
CREATE TABLE reviews(review_jsonb jsonb);
Live Amazon reviews
-- Import customer reviews from a file
COPY reviews
FROM '/var/tmp/customer_reviews_nested_1998.json'
;
Live Amazon reviews
-- There should be 589.859 records imported into the table
SELECT count(*)
FROM reviews
;
Live Amazon reviews
SELECT jsonb_pretty(review_jsonb)
FROM reviews
LIMIT 1
;
Live Amazon reviews
-- Select data with JSON
SELECT
review_jsonb#>> '{product,title}' AS title
, avg((review_jsonb#>> '{review,rating}')::int) AS average_rating
FROM reviews
WHERE review_jsonb@>'{"product": {"category": "Sheet Music & Scores"}}'
GROUP BY title
ORDER BY average_rating DESC
;
Without an Index: 248ms
Live Amazon reviews
-- Create a GIN index
CREATE INDEX review_review_jsonb ON reviews USING GIN (review_jsonb);
Live Amazon reviews
-- Select data with JSON
SELECT review_jsonb#>> '{product,title}' AS title
, avg((review_jsonb#>> '{review,rating}')::int) AS average_rating
FROM reviews
WHERE review_jsonb@>'{"product": {"category": "Sheet Music & Scores"}}'
GROUP BY title
ORDER BY average_rating DESC
;
The same query as before with the previously created GIN Index: 7ms
Live Amazon reviews
-- SELECT some statistics from the JSON data
SELECT review_jsonb#>>'{product,category}' AS category
, avg((review_jsonb#>>'{review,rating}')::int) AS average_rating
, count((review_jsonb#>>'{review,rating}')::int) AS count_rating
FROM reviews
GROUP BY category
;
Without an Index: 9747ms
Live Amazon reviews
-- Create a B-Tree index on a JSON expression
CREATE INDEX reviews_product_category ON reviews ((review_jsonb#>>'{product,category}'));
Live Amazon reviews
-- SELECT some statistics from the JSON data
SELECT review_jsonb#>>'{product,category}' AS category
, avg((review_jsonb#>>'{review,rating}')::int) AS average_rating
, count((review_jsonb#>>'{review,rating}')::int) AS count_rating
FROM reviews
GROUP BY category
;
The same query as before with the previously created BTREE Index: 1605ms
JSON by example
This document by Stefanie Janine Stölting is covered by the
Creative Commons Attribution 4.0 International

Contenu connexe

Tendances

Data Munging in R - Chicago R User Group
Data Munging in R - Chicago R User GroupData Munging in R - Chicago R User Group
Data Munging in R - Chicago R User Groupdesignandanalytics
 
Introduction to DBIx::Lite - Kyoto.pm tech talk #2
Introduction to DBIx::Lite - Kyoto.pm tech talk #2Introduction to DBIx::Lite - Kyoto.pm tech talk #2
Introduction to DBIx::Lite - Kyoto.pm tech talk #2Hiroshi Shibamura
 
R- create a table from a list of files.... before webmining
R- create a table from a list of files.... before webminingR- create a table from a list of files.... before webmining
R- create a table from a list of files.... before webminingGabriela Plantie
 
TDC218SP | Trilha Kotlin - DSLs in a Kotlin Way
TDC218SP | Trilha Kotlin - DSLs in a Kotlin WayTDC218SP | Trilha Kotlin - DSLs in a Kotlin Way
TDC218SP | Trilha Kotlin - DSLs in a Kotlin Waytdc-globalcode
 
Switching from java to groovy
Switching from java to groovySwitching from java to groovy
Switching from java to groovyPaul Woods
 
Drools5 Community Training Module 3 Drools Expert DRL Syntax
Drools5 Community Training Module 3 Drools Expert DRL SyntaxDrools5 Community Training Module 3 Drools Expert DRL Syntax
Drools5 Community Training Module 3 Drools Expert DRL SyntaxMauricio (Salaboy) Salatino
 
Collectors in the Wild
Collectors in the WildCollectors in the Wild
Collectors in the WildJosé Paumard
 
Drools5 Community Training HandsOn 1 Drools DRL Syntax
Drools5 Community Training HandsOn 1 Drools DRL SyntaxDrools5 Community Training HandsOn 1 Drools DRL Syntax
Drools5 Community Training HandsOn 1 Drools DRL SyntaxMauricio (Salaboy) Salatino
 
Template Haskell とか
Template Haskell とかTemplate Haskell とか
Template Haskell とかHiromi Ishii
 
R for Pirates. ESCCONF October 27, 2011
R for Pirates. ESCCONF October 27, 2011R for Pirates. ESCCONF October 27, 2011
R for Pirates. ESCCONF October 27, 2011Mandi Walls
 
supporting t-sql scripts for Heap vs clustered table
supporting t-sql scripts for Heap vs clustered tablesupporting t-sql scripts for Heap vs clustered table
supporting t-sql scripts for Heap vs clustered tableMahabubur Rahaman
 

Tendances (13)

Data Munging in R - Chicago R User Group
Data Munging in R - Chicago R User GroupData Munging in R - Chicago R User Group
Data Munging in R - Chicago R User Group
 
Efficient Indexes in MySQL
Efficient Indexes in MySQLEfficient Indexes in MySQL
Efficient Indexes in MySQL
 
Introduction to DBIx::Lite - Kyoto.pm tech talk #2
Introduction to DBIx::Lite - Kyoto.pm tech talk #2Introduction to DBIx::Lite - Kyoto.pm tech talk #2
Introduction to DBIx::Lite - Kyoto.pm tech talk #2
 
R- create a table from a list of files.... before webmining
R- create a table from a list of files.... before webminingR- create a table from a list of files.... before webmining
R- create a table from a list of files.... before webmining
 
TDC218SP | Trilha Kotlin - DSLs in a Kotlin Way
TDC218SP | Trilha Kotlin - DSLs in a Kotlin WayTDC218SP | Trilha Kotlin - DSLs in a Kotlin Way
TDC218SP | Trilha Kotlin - DSLs in a Kotlin Way
 
Switching from java to groovy
Switching from java to groovySwitching from java to groovy
Switching from java to groovy
 
Drools5 Community Training Module 3 Drools Expert DRL Syntax
Drools5 Community Training Module 3 Drools Expert DRL SyntaxDrools5 Community Training Module 3 Drools Expert DRL Syntax
Drools5 Community Training Module 3 Drools Expert DRL Syntax
 
perl-pocket
perl-pocketperl-pocket
perl-pocket
 
Collectors in the Wild
Collectors in the WildCollectors in the Wild
Collectors in the Wild
 
Drools5 Community Training HandsOn 1 Drools DRL Syntax
Drools5 Community Training HandsOn 1 Drools DRL SyntaxDrools5 Community Training HandsOn 1 Drools DRL Syntax
Drools5 Community Training HandsOn 1 Drools DRL Syntax
 
Template Haskell とか
Template Haskell とかTemplate Haskell とか
Template Haskell とか
 
R for Pirates. ESCCONF October 27, 2011
R for Pirates. ESCCONF October 27, 2011R for Pirates. ESCCONF October 27, 2011
R for Pirates. ESCCONF October 27, 2011
 
supporting t-sql scripts for Heap vs clustered table
supporting t-sql scripts for Heap vs clustered tablesupporting t-sql scripts for Heap vs clustered table
supporting t-sql scripts for Heap vs clustered table
 

En vedette

EXPERIENCIA JORGE CAMUS FIDECOM 19032015
EXPERIENCIA JORGE CAMUS FIDECOM 19032015EXPERIENCIA JORGE CAMUS FIDECOM 19032015
EXPERIENCIA JORGE CAMUS FIDECOM 19032015EMPRENDESAN
 
Oсетливост и реагирање на растенијата кон загадување
Oсетливост и реагирање на растенијата кон загадувањеOсетливост и реагирање на растенијата кон загадување
Oсетливост и реагирање на растенијата кон загадувањеZorica26
 
Defense Presentation 6_26_09
Defense Presentation 6_26_09Defense Presentation 6_26_09
Defense Presentation 6_26_09Eric Lynne, P.E.
 
CH&CO MiFID II it is time to get prepared
CH&CO MiFID II it is time to get preparedCH&CO MiFID II it is time to get prepared
CH&CO MiFID II it is time to get preparedNadia Lamchachti
 
05 sadovsky-optimization2011-111130031333-phpapp02
05 sadovsky-optimization2011-111130031333-phpapp0205 sadovsky-optimization2011-111130031333-phpapp02
05 sadovsky-optimization2011-111130031333-phpapp02Алексей Мамлин
 
Davids winaldi r soal 3
Davids winaldi r soal 3Davids winaldi r soal 3
Davids winaldi r soal 3Davids winaldi
 
CoinTelegraph franchise program
CoinTelegraph franchise programCoinTelegraph franchise program
CoinTelegraph franchise programCoinTelegraph
 

En vedette (11)

Batik krw
Batik krwBatik krw
Batik krw
 
EXPERIENCIA JORGE CAMUS FIDECOM 19032015
EXPERIENCIA JORGE CAMUS FIDECOM 19032015EXPERIENCIA JORGE CAMUS FIDECOM 19032015
EXPERIENCIA JORGE CAMUS FIDECOM 19032015
 
Oсетливост и реагирање на растенијата кон загадување
Oсетливост и реагирање на растенијата кон загадувањеOсетливост и реагирање на растенијата кон загадување
Oсетливост и реагирање на растенијата кон загадување
 
Media evaluation activity 1
Media evaluation activity 1Media evaluation activity 1
Media evaluation activity 1
 
Defense Presentation 6_26_09
Defense Presentation 6_26_09Defense Presentation 6_26_09
Defense Presentation 6_26_09
 
Ricardo Figueroa
Ricardo FigueroaRicardo Figueroa
Ricardo Figueroa
 
CH&CO MiFID II it is time to get prepared
CH&CO MiFID II it is time to get preparedCH&CO MiFID II it is time to get prepared
CH&CO MiFID II it is time to get prepared
 
05 sadovsky-optimization2011-111130031333-phpapp02
05 sadovsky-optimization2011-111130031333-phpapp0205 sadovsky-optimization2011-111130031333-phpapp02
05 sadovsky-optimization2011-111130031333-phpapp02
 
Davids winaldi r soal 3
Davids winaldi r soal 3Davids winaldi r soal 3
Davids winaldi r soal 3
 
CoinTelegraph franchise program
CoinTelegraph franchise programCoinTelegraph franchise program
CoinTelegraph franchise program
 
Q1 2015 Invitation v3
Q1 2015 Invitation v3Q1 2015 Invitation v3
Q1 2015 Invitation v3
 

Similaire à NoSQL as Not Only SQL (FrOSCon 11)

Postgre(No)SQL - A JSON journey
Postgre(No)SQL - A JSON journeyPostgre(No)SQL - A JSON journey
Postgre(No)SQL - A JSON journeyNicola Moretto
 
Functional Programming in Java 8
Functional Programming in Java 8Functional Programming in Java 8
Functional Programming in Java 8宇 傅
 
I need help writing test Codepackage org.example;import j.pdf
I need help writing test Codepackage org.example;import j.pdfI need help writing test Codepackage org.example;import j.pdf
I need help writing test Codepackage org.example;import j.pdfmail931892
 
Here is the code.compile g++ Playlist.cpp main.cppPlaylist.h.pdf
Here is the code.compile  g++ Playlist.cpp main.cppPlaylist.h.pdfHere is the code.compile  g++ Playlist.cpp main.cppPlaylist.h.pdf
Here is the code.compile g++ Playlist.cpp main.cppPlaylist.h.pdfANANDSALESINDIA105
 
JSON Support in MariaDB: News, non-news and the bigger picture
JSON Support in MariaDB: News, non-news and the bigger pictureJSON Support in MariaDB: News, non-news and the bigger picture
JSON Support in MariaDB: News, non-news and the bigger pictureSergey Petrunya
 
8.8 Program Playlist (Java)You will be building a linked list. Ma.pdf
8.8 Program Playlist (Java)You will be building a linked list. Ma.pdf8.8 Program Playlist (Java)You will be building a linked list. Ma.pdf
8.8 Program Playlist (Java)You will be building a linked list. Ma.pdfARCHANASTOREKOTA
 
Querier – simple relational database access
Querier – simple relational database accessQuerier – simple relational database access
Querier – simple relational database accessESUG
 
Hi,Please find the Ansswer below.PLAYLIST.h#include iostrea.pdf
Hi,Please find the Ansswer below.PLAYLIST.h#include iostrea.pdfHi,Please find the Ansswer below.PLAYLIST.h#include iostrea.pdf
Hi,Please find the Ansswer below.PLAYLIST.h#include iostrea.pdfapleathers
 

Similaire à NoSQL as Not Only SQL (FrOSCon 11) (11)

JSON By Example
JSON By ExampleJSON By Example
JSON By Example
 
One Database To Rule 'em All
One Database To Rule 'em AllOne Database To Rule 'em All
One Database To Rule 'em All
 
Postgre(No)SQL - A JSON journey
Postgre(No)SQL - A JSON journeyPostgre(No)SQL - A JSON journey
Postgre(No)SQL - A JSON journey
 
Functional Programming in Java 8
Functional Programming in Java 8Functional Programming in Java 8
Functional Programming in Java 8
 
I need help writing test Codepackage org.example;import j.pdf
I need help writing test Codepackage org.example;import j.pdfI need help writing test Codepackage org.example;import j.pdf
I need help writing test Codepackage org.example;import j.pdf
 
Here is the code.compile g++ Playlist.cpp main.cppPlaylist.h.pdf
Here is the code.compile  g++ Playlist.cpp main.cppPlaylist.h.pdfHere is the code.compile  g++ Playlist.cpp main.cppPlaylist.h.pdf
Here is the code.compile g++ Playlist.cpp main.cppPlaylist.h.pdf
 
JSON Support in MariaDB: News, non-news and the bigger picture
JSON Support in MariaDB: News, non-news and the bigger pictureJSON Support in MariaDB: News, non-news and the bigger picture
JSON Support in MariaDB: News, non-news and the bigger picture
 
8.8 Program Playlist (Java)You will be building a linked list. Ma.pdf
8.8 Program Playlist (Java)You will be building a linked list. Ma.pdf8.8 Program Playlist (Java)You will be building a linked list. Ma.pdf
8.8 Program Playlist (Java)You will be building a linked list. Ma.pdf
 
Oh, that ubiquitous JSON !
Oh, that ubiquitous JSON !Oh, that ubiquitous JSON !
Oh, that ubiquitous JSON !
 
Querier – simple relational database access
Querier – simple relational database accessQuerier – simple relational database access
Querier – simple relational database access
 
Hi,Please find the Ansswer below.PLAYLIST.h#include iostrea.pdf
Hi,Please find the Ansswer below.PLAYLIST.h#include iostrea.pdfHi,Please find the Ansswer below.PLAYLIST.h#include iostrea.pdf
Hi,Please find the Ansswer below.PLAYLIST.h#include iostrea.pdf
 

Dernier

Statistics notes ,it includes mean to index numbers
Statistics notes ,it includes mean to index numbersStatistics notes ,it includes mean to index numbers
Statistics notes ,it includes mean to index numberssuginr1
 
Lecture_2_Deep_Learning_Overview-newone1
Lecture_2_Deep_Learning_Overview-newone1Lecture_2_Deep_Learning_Overview-newone1
Lecture_2_Deep_Learning_Overview-newone1ranjankumarbehera14
 
Aspirational Block Program Block Syaldey District - Almora
Aspirational Block Program Block Syaldey District - AlmoraAspirational Block Program Block Syaldey District - Almora
Aspirational Block Program Block Syaldey District - AlmoraGovindSinghDasila
 
Reconciling Conflicting Data Curation Actions: Transparency Through Argument...
Reconciling Conflicting Data Curation Actions:  Transparency Through Argument...Reconciling Conflicting Data Curation Actions:  Transparency Through Argument...
Reconciling Conflicting Data Curation Actions: Transparency Through Argument...Bertram Ludäscher
 
Top profile Call Girls In Satna [ 7014168258 ] Call Me For Genuine Models We ...
Top profile Call Girls In Satna [ 7014168258 ] Call Me For Genuine Models We ...Top profile Call Girls In Satna [ 7014168258 ] Call Me For Genuine Models We ...
Top profile Call Girls In Satna [ 7014168258 ] Call Me For Genuine Models We ...nirzagarg
 
Ranking and Scoring Exercises for Research
Ranking and Scoring Exercises for ResearchRanking and Scoring Exercises for Research
Ranking and Scoring Exercises for ResearchRajesh Mondal
 
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...gajnagarg
 
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...Valters Lauzums
 
Charbagh + Female Escorts Service in Lucknow | Starting ₹,5K To @25k with A/C...
Charbagh + Female Escorts Service in Lucknow | Starting ₹,5K To @25k with A/C...Charbagh + Female Escorts Service in Lucknow | Starting ₹,5K To @25k with A/C...
Charbagh + Female Escorts Service in Lucknow | Starting ₹,5K To @25k with A/C...HyderabadDolls
 
Top profile Call Girls In Latur [ 7014168258 ] Call Me For Genuine Models We ...
Top profile Call Girls In Latur [ 7014168258 ] Call Me For Genuine Models We ...Top profile Call Girls In Latur [ 7014168258 ] Call Me For Genuine Models We ...
Top profile Call Girls In Latur [ 7014168258 ] Call Me For Genuine Models We ...gajnagarg
 
Vadodara 💋 Call Girl 7737669865 Call Girls in Vadodara Escort service book now
Vadodara 💋 Call Girl 7737669865 Call Girls in Vadodara Escort service book nowVadodara 💋 Call Girl 7737669865 Call Girls in Vadodara Escort service book now
Vadodara 💋 Call Girl 7737669865 Call Girls in Vadodara Escort service book nowgargpaaro
 
Top profile Call Girls In Begusarai [ 7014168258 ] Call Me For Genuine Models...
Top profile Call Girls In Begusarai [ 7014168258 ] Call Me For Genuine Models...Top profile Call Girls In Begusarai [ 7014168258 ] Call Me For Genuine Models...
Top profile Call Girls In Begusarai [ 7014168258 ] Call Me For Genuine Models...nirzagarg
 
Digital Transformation Playbook by Graham Ware
Digital Transformation Playbook by Graham WareDigital Transformation Playbook by Graham Ware
Digital Transformation Playbook by Graham WareGraham Ware
 
Dubai Call Girls Peeing O525547819 Call Girls Dubai
Dubai Call Girls Peeing O525547819 Call Girls DubaiDubai Call Girls Peeing O525547819 Call Girls Dubai
Dubai Call Girls Peeing O525547819 Call Girls Dubaikojalkojal131
 
RESEARCH-FINAL-DEFENSE-PPT-TEMPLATE.pptx
RESEARCH-FINAL-DEFENSE-PPT-TEMPLATE.pptxRESEARCH-FINAL-DEFENSE-PPT-TEMPLATE.pptx
RESEARCH-FINAL-DEFENSE-PPT-TEMPLATE.pptxronsairoathenadugay
 
Predicting HDB Resale Prices - Conducting Linear Regression Analysis With Orange
Predicting HDB Resale Prices - Conducting Linear Regression Analysis With OrangePredicting HDB Resale Prices - Conducting Linear Regression Analysis With Orange
Predicting HDB Resale Prices - Conducting Linear Regression Analysis With OrangeThinkInnovation
 
Top profile Call Girls In Tumkur [ 7014168258 ] Call Me For Genuine Models We...
Top profile Call Girls In Tumkur [ 7014168258 ] Call Me For Genuine Models We...Top profile Call Girls In Tumkur [ 7014168258 ] Call Me For Genuine Models We...
Top profile Call Girls In Tumkur [ 7014168258 ] Call Me For Genuine Models We...nirzagarg
 
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...gajnagarg
 
Top Call Girls in Balaghat 9332606886Call Girls Advance Cash On Delivery Ser...
Top Call Girls in Balaghat  9332606886Call Girls Advance Cash On Delivery Ser...Top Call Girls in Balaghat  9332606886Call Girls Advance Cash On Delivery Ser...
Top Call Girls in Balaghat 9332606886Call Girls Advance Cash On Delivery Ser...kumargunjan9515
 
Sealdah % High Class Call Girls Kolkata - 450+ Call Girl Cash Payment 8005736...
Sealdah % High Class Call Girls Kolkata - 450+ Call Girl Cash Payment 8005736...Sealdah % High Class Call Girls Kolkata - 450+ Call Girl Cash Payment 8005736...
Sealdah % High Class Call Girls Kolkata - 450+ Call Girl Cash Payment 8005736...HyderabadDolls
 

Dernier (20)

Statistics notes ,it includes mean to index numbers
Statistics notes ,it includes mean to index numbersStatistics notes ,it includes mean to index numbers
Statistics notes ,it includes mean to index numbers
 
Lecture_2_Deep_Learning_Overview-newone1
Lecture_2_Deep_Learning_Overview-newone1Lecture_2_Deep_Learning_Overview-newone1
Lecture_2_Deep_Learning_Overview-newone1
 
Aspirational Block Program Block Syaldey District - Almora
Aspirational Block Program Block Syaldey District - AlmoraAspirational Block Program Block Syaldey District - Almora
Aspirational Block Program Block Syaldey District - Almora
 
Reconciling Conflicting Data Curation Actions: Transparency Through Argument...
Reconciling Conflicting Data Curation Actions:  Transparency Through Argument...Reconciling Conflicting Data Curation Actions:  Transparency Through Argument...
Reconciling Conflicting Data Curation Actions: Transparency Through Argument...
 
Top profile Call Girls In Satna [ 7014168258 ] Call Me For Genuine Models We ...
Top profile Call Girls In Satna [ 7014168258 ] Call Me For Genuine Models We ...Top profile Call Girls In Satna [ 7014168258 ] Call Me For Genuine Models We ...
Top profile Call Girls In Satna [ 7014168258 ] Call Me For Genuine Models We ...
 
Ranking and Scoring Exercises for Research
Ranking and Scoring Exercises for ResearchRanking and Scoring Exercises for Research
Ranking and Scoring Exercises for Research
 
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
Top profile Call Girls In dimapur [ 7014168258 ] Call Me For Genuine Models W...
 
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
Digital Advertising Lecture for Advanced Digital & Social Media Strategy at U...
 
Charbagh + Female Escorts Service in Lucknow | Starting ₹,5K To @25k with A/C...
Charbagh + Female Escorts Service in Lucknow | Starting ₹,5K To @25k with A/C...Charbagh + Female Escorts Service in Lucknow | Starting ₹,5K To @25k with A/C...
Charbagh + Female Escorts Service in Lucknow | Starting ₹,5K To @25k with A/C...
 
Top profile Call Girls In Latur [ 7014168258 ] Call Me For Genuine Models We ...
Top profile Call Girls In Latur [ 7014168258 ] Call Me For Genuine Models We ...Top profile Call Girls In Latur [ 7014168258 ] Call Me For Genuine Models We ...
Top profile Call Girls In Latur [ 7014168258 ] Call Me For Genuine Models We ...
 
Vadodara 💋 Call Girl 7737669865 Call Girls in Vadodara Escort service book now
Vadodara 💋 Call Girl 7737669865 Call Girls in Vadodara Escort service book nowVadodara 💋 Call Girl 7737669865 Call Girls in Vadodara Escort service book now
Vadodara 💋 Call Girl 7737669865 Call Girls in Vadodara Escort service book now
 
Top profile Call Girls In Begusarai [ 7014168258 ] Call Me For Genuine Models...
Top profile Call Girls In Begusarai [ 7014168258 ] Call Me For Genuine Models...Top profile Call Girls In Begusarai [ 7014168258 ] Call Me For Genuine Models...
Top profile Call Girls In Begusarai [ 7014168258 ] Call Me For Genuine Models...
 
Digital Transformation Playbook by Graham Ware
Digital Transformation Playbook by Graham WareDigital Transformation Playbook by Graham Ware
Digital Transformation Playbook by Graham Ware
 
Dubai Call Girls Peeing O525547819 Call Girls Dubai
Dubai Call Girls Peeing O525547819 Call Girls DubaiDubai Call Girls Peeing O525547819 Call Girls Dubai
Dubai Call Girls Peeing O525547819 Call Girls Dubai
 
RESEARCH-FINAL-DEFENSE-PPT-TEMPLATE.pptx
RESEARCH-FINAL-DEFENSE-PPT-TEMPLATE.pptxRESEARCH-FINAL-DEFENSE-PPT-TEMPLATE.pptx
RESEARCH-FINAL-DEFENSE-PPT-TEMPLATE.pptx
 
Predicting HDB Resale Prices - Conducting Linear Regression Analysis With Orange
Predicting HDB Resale Prices - Conducting Linear Regression Analysis With OrangePredicting HDB Resale Prices - Conducting Linear Regression Analysis With Orange
Predicting HDB Resale Prices - Conducting Linear Regression Analysis With Orange
 
Top profile Call Girls In Tumkur [ 7014168258 ] Call Me For Genuine Models We...
Top profile Call Girls In Tumkur [ 7014168258 ] Call Me For Genuine Models We...Top profile Call Girls In Tumkur [ 7014168258 ] Call Me For Genuine Models We...
Top profile Call Girls In Tumkur [ 7014168258 ] Call Me For Genuine Models We...
 
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
Top profile Call Girls In Chandrapur [ 7014168258 ] Call Me For Genuine Model...
 
Top Call Girls in Balaghat 9332606886Call Girls Advance Cash On Delivery Ser...
Top Call Girls in Balaghat  9332606886Call Girls Advance Cash On Delivery Ser...Top Call Girls in Balaghat  9332606886Call Girls Advance Cash On Delivery Ser...
Top Call Girls in Balaghat 9332606886Call Girls Advance Cash On Delivery Ser...
 
Sealdah % High Class Call Girls Kolkata - 450+ Call Girl Cash Payment 8005736...
Sealdah % High Class Call Girls Kolkata - 450+ Call Girl Cash Payment 8005736...Sealdah % High Class Call Girls Kolkata - 450+ Call Girl Cash Payment 8005736...
Sealdah % High Class Call Girls Kolkata - 450+ Call Girl Cash Payment 8005736...
 

NoSQL as Not Only SQL (FrOSCon 11)

  • 1. NoSQL As Not Only SQL FrOSCon 11 August 2016 Stefanie Janine Stölting Head of Product Development @sjstoelting mail@stefanie-stoelting.de PostgreSQL JSON Features
  • 2.
  • 3. JSON JavaScript Object Notation Don't have to care about encoding, it is always Unicode, most implementations use UTF8 Used for data exchange in web application Currently two standards RFC 7159 by Douglas Crockford and ECMA-404 PostgreSQL implementation is RFC 7159
  • 4. JSON Datatypes JSON Available since 9.2 BSON Available as extension on GitHub since 2013 JSONB Available since 9.4 Compressed JSON Fully transactional Up to 1 GB (uses TOAST)
  • 5. JSON Functions row_to_json({row}) Returns the row as JSON array_to_json({array}) Returns the array as JSON jsonb_to_recordset Returns a recordset from JSONB
  • 6. JSON Opertators Array element ->{int} Array element by name ->{text} Object element ->> {text} Value at path #> {text}
  • 7. Index on JSON Index JSONB content for faster access with indexes GIN index overall CREATE INDEX idx_1 ON jsonb.actor USING GIN (jsondata); Even unique B-Tree indexes are possible CREATE UNIQUE INDEX actor_id_2 ON jsonb.actor((CAST(jsondata->>'actor_id' AS INTEGER)));
  • 8. New JSON functions PostgreSQL 9.6 new JSONB function: jsonb_insert: Insert a new value into a JSONB by path returning the changed JSONB See 9.6 JSONB documentation for details
  • 9. New JSON functions PostgreSQL 9.5 new JSONB functions: jsonb_pretty: Formats JSONB human readable jsonb_set: Update or add values PostgreSQL 9.5 new JSONB operators: ||: Concatenate two JSONB -: Delete key Available as extions for 9.4 at PGXN: jsonbx
  • 10. Data sources The Chinook database is available at chinookdatabase.codeplex.com Amazon book reviews of 1998 are available at examples.citusdata.com/customer_review
  • 12. CTE Common Table Expressions will be used in examples ● Example: WITH RECURSIVE t(n) AS ( VALUES (1) UNION ALL SELECT n+1 FROM t WHERE n < 100 ) SELECT sum(n), min(n), max(n) FROM t; ● Result:
  • 13. Live Examples Let's see, how it does work.
  • 14. Live with Chinook data -- Step 1: Tracks as JSON with the album identifier WITH tracks AS ( SELECT "AlbumId" AS album_id , "TrackId" AS track_id , "Name" AS track_name FROM "Track" ) SELECT row_to_json(tracks) AS tracks FROM tracks ;
  • 15. Live with Chinook data -- Step 2 Abums including tracks with aritst identifier WITH tracks AS ( SELECT "AlbumId" AS album_id , "TrackId" AS track_id , "Name" AS track_name FROM "Track" ) , json_tracks AS ( SELECT row_to_json(tracks) AS tracks FROM tracks ) , albums AS ( SELECT a."ArtistId" AS artist_id , a."AlbumId" AS album_id , a."Title" AS album_title , array_agg(t.tracks) AS album_tracks FROM "Album" AS a INNER JOIN json_tracks AS t ON a."AlbumId" = (t.tracks->>'album_id')::int GROUP BY a."ArtistId" , a."AlbumId" , a."Title" ) SELECT artist_id , array_agg(row_to_json(albums)) AS album FROM albums GROUP BY artist_id ;
  • 17. Live with Chinook data -- Step 3 Return one row for an artist with all albums as VIEW CREATE OR REPLACE VIEW v_json_artist_data AS WITH tracks AS ( SELECT "AlbumId" AS album_id , "TrackId" AS track_id , "Name" AS track_name , "MediaTypeId" AS media_type_id , "Milliseconds" As milliseconds , "UnitPrice" AS unit_price FROM "Track" ) , json_tracks AS ( SELECT row_to_json(tracks) AS tracks FROM tracks ) , albums AS ( SELECT a."ArtistId" AS artist_id , a."AlbumId" AS album_id , a."Title" AS album_title , array_agg(t.tracks) AS album_tracks FROM "Album" AS a INNER JOIN json_tracks AS t ON a."AlbumId" = (t.tracks->>'album_id')::int GROUP BY a."ArtistId" , a."AlbumId" , a."Title" ) , json_albums AS ( SELECT artist_id , array_agg(row_to_json(albums)) AS album FROM albums GROUP BY artist_id ) -- -> Next Page
  • 18. Live with Chinook data -- Step 3 Return one row for an artist with all albums as VIEW , artists AS ( SELECT a."ArtistId" AS artist_id , a."Name" AS artist , jsa.album AS albums FROM "Artist" AS a INNER JOIN json_albums AS jsa ON a."ArtistId" = jsa.artist_id ) SELECT (row_to_json(artists))::jsonb AS artist_data FROM artists ;
  • 19. Live with Chinook data -- Select data from the view SELECT * FROM v_json_artist_data ;
  • 20. Live with Chinook data -- SELECT data from that VIEW, that does querying SELECT jsonb_pretty(artist_data) FROM v_json_artist_data WHERE artist_data->>'artist' IN ('Miles Davis', 'AC/DC') ;
  • 21. Live with Chinook data -- SELECT some data from that VIEW using JSON methods SELECT artist_data->>'artist' AS artist , artist_data#>'{albums, 1, album_title}' AS album_title , jsonb_pretty(artist_data#>'{albums, 1, album_tracks}') AS album_tracks FROM v_json_artist_data WHERE artist_data->'albums' @> '[{"album_title":"Miles Ahead"}]' ;
  • 22. Live with Chinook data -- Array to records SELECT artist_data->>'artist_id' AS artist_id , artist_data->>'artist' AS artist , jsonb_array_elements(artist_data#>'{albums}')->>'album_title' AS album_title , jsonb_array_elements(jsonb_array_elements(artist_data#>'{albums}')#>'{album_tracks}')->>'track_name' AS song_titles , jsonb_array_elements(jsonb_array_elements(artist_data#>'{albums}')#>'{album_tracks}')->>'track_id' AS song_id FROM v_json_artist_data WHERE artist_data->>'artist' = 'Metallica' ORDER BY album_title , song_id ;
  • 23. Live with Chinook data -- Convert albums to a recordset SELECT * FROM jsonb_to_recordset( ( SELECT (artist_data->>'albums')::jsonb FROM v_json_artist_data WHERE (artist_data->>'artist_id')::int = 50 ) ) AS x(album_id int, artist_id int, album_title text, album_tracks jsonb) ;
  • 24. Live with Chinook data -- Convert the tracks to a recordset SELECT album_id , track_id , track_name , media_type_id , milliseconds , unit_price FROM jsonb_to_recordset( ( SELECT artist_data#>'{albums, 1, album_tracks}' FROM v_json_artist_data WHERE (artist_data->>'artist_id')::int = 50 ) ) AS x(album_id int, track_id int, track_name text, media_type_id int, milliseconds int, unit_price float) ;
  • 25. Live with Chinook data -- Create a function, which will be used for UPDATE on the view v_artrist_data CREATE OR REPLACE FUNCTION trigger_v_json_artist_data_update() RETURNS trigger AS $BODY$ -- Data variables DECLARE rec RECORD; -- Error variables DECLARE v_state TEXT; DECLARE v_msg TEXT; DECLARE v_detail TEXT; DECLARE v_hint TEXT; DECLARE v_context TEXT; BEGIN -- Update table Artist IF (OLD.artist_data->>'artist')::varchar(120) <> (NEW.artist_data->>'artist')::varchar(120) THEN UPDATE "Artist" SET "Name" = (NEW.artist_data->>'artist')::varchar(120) WHERE "ArtistId" = (OLD.artist_data->>'artist_id')::int; END IF; -- Update table Album with an UPSERT -- Update table Track with an UPSERT RETURN NEW; EXCEPTION WHEN unique_violation THEN RAISE NOTICE 'Sorry, but the something went wrong while trying to update artist data'; RETURN OLD; WHEN others THEN GET STACKED DIAGNOSTICS v_state = RETURNED_SQLSTATE, v_msg = MESSAGE_TEXT, v_detail = PG_EXCEPTION_DETAIL, v_hint = PG_EXCEPTION_HINT, v_context = PG_EXCEPTION_CONTEXT; RAISE NOTICE '%', v_msg; RETURN OLD; END; $BODY$ LANGUAGE plpgsql;
  • 27. Live with Chinook data -- The trigger will be fired instead of an UPDATE statement to save data CREATE TRIGGER v_json_artist_data_instead_update INSTEAD OF UPDATE ON v_json_artist_data FOR EACH ROW EXECUTE PROCEDURE trigger_v_json_artist_data_update() ;
  • 28. Live with Chinook data -- Manipulate data with jsonb_set SELECT artist_data->>'artist_id' AS artist_id , artist_data->>'artist' AS artist , jsonb_set(artist_data, '{artist}', '"Whatever we want, it is just text"'::jsonb)->>'artist' AS new_artist FROM v_json_artist_data WHERE (artist_data->>'artist_id')::int = 50 ;
  • 29. Live with Chinook data -- Update a JSONB column with a jsonb_set result UPDATE v_json_artist_data SET artist_data= jsonb_set(artist_data, '{artist}', '"NEW Metallica"'::jsonb) WHERE (artist_data->>'artist_id')::int = 50 ;
  • 30. Live with Chinook data -- View the changes done by the UPDATE statement SELECT artist_data->>'artist_id' AS artist_id , artist_data->>'artist' AS artist FROM v_json_artist_data WHERE (artist_data->>'artist_id')::int = 50 ;
  • 31. Live with Chinook data -- Lets have a view on the explain plans – SELECT the data from the view
  • 32. Live with Chinook data -- View the changes in in the table instead of the JSONB view -- The result should be the same, only the column name differ SELECT * FROM "Artist" WHERE "ArtistId" = 50 ;
  • 33. Live with Chinook data -- Lets have a view on the explain plans – SELECT the data from table Artist
  • 34. -- Manipulate data with the concatenating / overwrite operator SELECT artist_data->>'artist_id' AS artist_id , artist_data->>'artist' AS artist , jsonb_set(artist_data, '{artist}', '"Whatever we want, it is just text"'::jsonb)->>'artist' AS new_artist , artist_data || '{"artist":"Metallica"}'::jsonb->>'artist' AS correct_name FROM v_json_artist_data WHERE (artist_data->>'artist_id')::int = 50 ; Live with Chinook data
  • 35. Live with Chinook data -- Revert the name change of Metallica with in a different way: With the replace operator UPDATE v_json_artist_data SET artist_data = artist_data || '{"artist":"Metallica"}'::jsonb WHERE (artist_data->>'artist_id')::int = 50 ;
  • 36. Live with Chinook data -- View the changes done by the UPDATE statement with the replace operator SELECT artist_data->>'artist_id' AS artist_id , artist_data->>'artist' AS artist FROM v_json_artist_data WHERE (artist_data->>'artist_id')::int = 50 ;
  • 37. Live with Chinook data -- Remove some data with the - operator SELECT jsonb_pretty(artist_data) AS complete , jsonb_pretty(artist_data - 'albums') AS minus_albums , jsonb_pretty(artist_data) = jsonb_pretty(artist_data - 'albums') AS is_different FROM v_json_artist_data WHERE artist_data->>'artist' IN ('Miles Davis', 'AC/DC') ;
  • 38. Live Amazon reviews -- Create a table for JSON data with 1998 Amazon reviews CREATE TABLE reviews(review_jsonb jsonb);
  • 39. Live Amazon reviews -- Import customer reviews from a file COPY reviews FROM '/var/tmp/customer_reviews_nested_1998.json' ;
  • 40. Live Amazon reviews -- There should be 589.859 records imported into the table SELECT count(*) FROM reviews ;
  • 41. Live Amazon reviews SELECT jsonb_pretty(review_jsonb) FROM reviews LIMIT 1 ;
  • 42. Live Amazon reviews -- Select data with JSON SELECT review_jsonb#>> '{product,title}' AS title , avg((review_jsonb#>> '{review,rating}')::int) AS average_rating FROM reviews WHERE review_jsonb@>'{"product": {"category": "Sheet Music & Scores"}}' GROUP BY title ORDER BY average_rating DESC ; Without an Index: 248ms
  • 43. Live Amazon reviews -- Create a GIN index CREATE INDEX review_review_jsonb ON reviews USING GIN (review_jsonb);
  • 44. Live Amazon reviews -- Select data with JSON SELECT review_jsonb#>> '{product,title}' AS title , avg((review_jsonb#>> '{review,rating}')::int) AS average_rating FROM reviews WHERE review_jsonb@>'{"product": {"category": "Sheet Music & Scores"}}' GROUP BY title ORDER BY average_rating DESC ; The same query as before with the previously created GIN Index: 7ms
  • 45. Live Amazon reviews -- SELECT some statistics from the JSON data SELECT review_jsonb#>>'{product,category}' AS category , avg((review_jsonb#>>'{review,rating}')::int) AS average_rating , count((review_jsonb#>>'{review,rating}')::int) AS count_rating FROM reviews GROUP BY category ; Without an Index: 9747ms
  • 46. Live Amazon reviews -- Create a B-Tree index on a JSON expression CREATE INDEX reviews_product_category ON reviews ((review_jsonb#>>'{product,category}'));
  • 47. Live Amazon reviews -- SELECT some statistics from the JSON data SELECT review_jsonb#>>'{product,category}' AS category , avg((review_jsonb#>>'{review,rating}')::int) AS average_rating , count((review_jsonb#>>'{review,rating}')::int) AS count_rating FROM reviews GROUP BY category ; The same query as before with the previously created BTREE Index: 1605ms
  • 48. JSON by example This document by Stefanie Janine Stölting is covered by the Creative Commons Attribution 4.0 International