MySQL 8.0 Common Table Expressions & Windowing Functions

Size: px
Start display at page:

Download "MySQL 8.0 Common Table Expressions & Windowing Functions"

Transcription

1 1 / 66

2 2 / 66 MySQL 8.0 Common Table Expressions & Windowing Functions Dave Stokes - MySQL Community Manager - Oracle

3 3 / 66 Safe Harbor Statement The following is intended to outline our general product direction. It is intended for information purpose only, and may not be incorporated into any contract. It is not a commitment to deliver any material, code, or functionality, and should not be relied up in making purchasing decisions. The development, release and timing of any features or functionality described for Oracle s product remains at the sole discretion of Oracle.

4 4 / 66 about me Who am I?

5 5 / 66 Dave MySQL Evangelist New Book: MySQL & JSON Pre Order Now on Amazon

6 6 / 66 RDBMS & MySQL Beyond Descriptive Structured Query Language

7 7 / 66 Structured Query Language (SQL)

8 8 / 66 Structured Query Language (SQL) Realtional Model

9 9 / 66 Structured Query Language (SQL) Realtional Model 1970s

10 10 / 66 Structured Query Language (SQL) Realtional Model 1970s First way to return multiple records with one command

11 11 / 66 Structured Query Language (SQL) Realtional Model 1970s First way to return multiple records with one command Descriptive

12 12 / 66 Structured Query Language (SQL) Realtional Model 1970s First way to return multiple records with one command Descriptive Common Table Expresions or CTEs

13 13 / 66 Structured Query Language (SQL) Realtional Model 1970s First way to return multiple records with one command Descriptive Common Table Expresions or CTEs Easier to write, easier to comprehend than sub queries

14 14 / 66 Structured Query Language (SQL) Realtional Model 1970s First way to return multiple records with one command Descriptive Common Table Expresions or CTEs Easier to write, easier to comprehend than sub queries Turns SQL from Descriptive to Imperitive for more powerful programming

15 15 / 66 Structured Query Language (SQL) Realtional Model 1970s First way to return multiple records with one command Descriptive Common Table Expresions or CTEs Easier to write, easier to comprehend than sub queries Turns SQL from Descriptive to Imperitive for more powerful programming Windowing Functions

16 16 / 66 Structured Query Language (SQL) Realtional Model 1970s First way to return multiple records with one command Descriptive Common Table Expresions or CTEs Easier to write, easier to comprehend than sub queries Turns SQL from Descriptive to Imperitive for more powerful programming Windowing Functions Data Analytics

17 17 / 66 Structured Query Language (SQL) Realtional Model 1970s First way to return multiple records with one command Descriptive Common Table Expresions or CTEs Easier to write, easier to comprehend than sub queries Turns SQL from Descriptive to Imperitive for more powerful programming Windowing Functions Data Analytics

18 18 / 66 CTEs & MySQL Common Table Expressions

19 19 / 66 Syntax for Sub Query SELECT * FROM t1 WHERE column1 = (SELECT column1 FROM t2);

20 20 / 66 Syntax for Sub Query SELECT * FROM t1 WHERE column1 = (SELECT column1 FROM t2); Sub queries are hard to write, often harder to understand! Correlated and uncorrelated mess

21 21 / 66 Syntax for Sub Query SELECT * FROM t1 WHERE column1 = (SELECT column1 FROM t2); Sub queries are hard to write, often harder to understand! Correlated and uncorrelated mess A Very poor example SELECT * FROM City WHERE CountryCode = (SELECT Code FROM Country WHERE Code='USA');

22 22 / 66 A Very poor example SELECT * FROM City WHERE CountryCode = (SELECT Code FROM Country WHERE Code='USA'); The MySQL takes the above query and turns it into a Query Plan Note (code 1003): /* select#1 */ select `world`.`city`.`id` AS `ID`, `world`.`city`.`name`as`name`, `world`.`city`.`countrycode` AS CountryCode`, `world`.`city`.`district` AS `District`, `world`.`city`.`population` AS `Population` from `world`.`city` where (`world`.`city`.`countrycode` = (/* select#2 */ select 'USA' from `world`.`country` where 1))

23 23 / 66 Common Table Expression Syntax with_clause: WITH [RECURSIVE] cte_name [(col_name [, col_name]...)] AS (subquery) [, cte_name [(col_name [, col_name]...)] AS (subquery)]...

24 24 / 66 Common Table Expression Syntax with_clause: WITH [RECURSIVE] cte_name [(col_name [, col_name]...)] AS (subquery) [, cte_name [(col_name [, col_name]...)] AS (subquery)]... Example > WITH ->cte AS (SELECT Name, CountryCode FROM city) -> SELECT Name FROM cte limit 1; Name Kabul Note: One colum is SELECTed from the CTE on purpose

25 25 / 66 Naming parameters WITH ccc (x,y) AS (SELECT Name, CountryCode FROM city) SELECT x FROM ccc; Helps when columns names reused

26 CTEs can be joined 26 / 66 WITH cte1 AS (SELECT Name, CountryCode FROM City), cte2 AS (Select Name, Code FROM Country) SELECT cte1.name, Cte2.Name FROM cte1 JOIN cte2 WHERE cte1.countrycode = cte2.code limit 2; Name Name Oranjestad Aruba Kabul Afghanistan

27 CTEs can be joined 27 / 66 WITH cte1 AS (SELECT Name, CountryCode FROM City), cte2 AS (Select Name, Code FROM Country) SELECT cte1.name, Cte2.Name FROM cte1 JOIN cte2 WHERE cte1.countrycode = cte2.code limit 2; Name Name Oranjestad Aruba Kabul Afghanistan Note (code 1003): /* select#1 */ select `world`.`city`.`name` AS `Name`, `world`.`country`.`name` AS `Name` from `world`.`city` join `world`.`country` where (`world`.`city`.`countrycode`= `world`.`country`.`code`) limit 2 Query Plan

28 28 / 66 CTEs can be.. called multiple times can be used with JOINs recursive

29 29 / 66 Recursive Limit WITH RECURSIVE source AS ( SELECT 1 UNION ALL SELECT 1 FROM source ) SELECT * FROM source; ERROR: 3636: Recursive query aborted after 1001 iterations. Try to a larger value.

30 30 / 66 Recursive Limit WITH RECURSIVE source AS ( SELECT 1 UNION ALL SELECT 1 FROM source ) SELECT * FROM source; ERROR: 3636: Recursive query aborted after 1001 iterations. Try to a larger value. Yes, you can run youurself out of resources with recursion.

31 31 / 66 CTE with Recursion WITH RECURSIVE source (count) AS ( SELECT 5 UNION ALL SELECT count - 1 FROM source WHERE count > 0 ) SELECT * FROM source; count rows in set ( sec)

32 32 / 66 A more complex example With CTEs you can compute values recursively WITH RECURSIVE myfunct ( i, j) AS ( SELECT 1, 1 UNION ALL SELECT i + 1, j*(i+1) FROM myfunct WHERE i < 5 ) SELECT i, j FROM myfunct; i j

33 33 / 66 CTE Bene ts Provides imperative processing in SQL Merges multiple SQL queries and their connecting application logic into a single, uni ed SQL query Improves performance by issuing fewer queries reduces transmission overhead, unless server-side functions are being used reduces parsing/optimizing overhead, unless prepared statements are being used Uses the same row visibility snapshot for the entire query, rather than requiring serializable isolation mode

34 34 / 66 Window Functions & MySQL Window Functions

35 35 / 66 What is a Window Function A window function performs a calculation across a set of table rows that are somehow related to the current row. This is comparable to the type of calculation that can be done with an aggregate function. However, window functions do not cause rows to become grouped into a single output row like non-window aggregate calls would. Instead, the rows retain their separate identities. Behind the scenes, the window function is able to access more than just the current row of the query result.

36 36 / 66 Window Function Syntax window_spec: [window_name] [partition_clause] [order_clause] [frame_clause] partition_clause: PARTITION BY expr [, expr]... frame_clause: frame_units frame_extent frame_units: {ROWS RANGE} frame_between: BETWEEN frame_start AND frame_end frame_start, frame_end: { CURRENT ROW UNBOUNDED PRECEDING UNBOUNDED FOLLOWING expr PRECEDING expr FOLLOWING } (gets bumpier from here -- please put on your seat belts)

37 37 / 66 Non Aggragate Functions for Windows CUME_DIST() -Cumulative distribution value DENSE_RANK() -Rank of current row within its partition, without gaps FIRST_VALUE() -Value of argument from rst row of window frame LAG() -Value of argument from row lagging current row within partition LAST_VALUE() -Value of argument from row lagging current row within partition

38 38 / 66 Non Aggregate Functions for Windows continued LEAD() -Value of argument from row leading current row within partition NTH_VALUE() -Value of argument from N-th row of window frame NTILE() -Bucket number of current row within its partition PERCENT_RANK() -Percentage rank value RANK() -Rank of current row within its partition, with gaps ROW_NUMBER() -Number of current row within its partition

39 39 / 66 And Aggregate Functions AVG() BIT_AND() BIT_OR() BIT_XOR() COUNT() MAX() MIN() STDDEV_POP(), STDDEV(), STD() STDDEV_SAMP() SUM() VAR_POP(), VARIANCE() VAR_SAMP()

40 40 / 66 How Does One Recognize a Window Function??

41 41 / 66 How Does One Recognize a Window Function?? Look for the OVER() keyword CREATE TABLE x (y INT unsigned); INSERT INTO x VALUES (1),(2),(3),(4),(5); SELECT y, SUM(y) OVER() FROM x; y SUM(y) OVER()

42 42 / 66 A window function call always contains an OVER clause directly following the window function's name and argument(s). This is what syntactically distinguishes it from a regular function or aggregate function. The OVER clause determines exactly how the rows of the query are split up for processing by the window function. The PARTITION BY list within OVER speci es dividing the rows into groups, or partitions, that share the same values of the PARTITION BY expression(s). For each row, the window function is computed across the rows that fall into the same partition as the current row.

43 43 / 66 An Example of a Window Function in action SELECT y, COUNT(y) OVER(), SUM(y) OVER() FROM x; y COUNT(y) OVER() SUM(y) OVER() rows in set ( sec) In this case the OVER() is all the data in the table.

44 44 / 66 Calulating Average Salary by Department SELECT depname, empno, salary, avg(salary) OVER (PARTITION BY depname) FROM empsalary; depname empno salary avg(salary) OVER (PARTITION BY depname) develop develop develop develop develop personnel personnel sales sales sales rows in set ( sec)

45 45 / 66 Calulating Average Salary by Department SELECT depname, empno, salary, avg(salary) OVER (PARTITION BY depname) FROM empsalary; depname empno salary avg(salary) OVER (PARTITION BY depname) develop develop develop develop develop personnel personnel sales sales sales rows in set ( sec)

46 46 / 66 De ning a Window SELECT y, COUNT(y) OVER w, SUM(y) OVER w FROM x WINDOW w AS (); y COUNT(y) OVER w SUM(y) OVER w rows in set ( sec) It is easy to de ne one or more windows over the data and reference more than once

47 47 / 66 SELECT year, country, product, pro t, SUM(pro t) OVER() AS total_pro t, SUM(pro t) OVER(PARTITION BY country) AS country_pro t FROM sales ORDER BY country, year, product, pro t; year country product pro t total_pro t country_pro t Finland Computer Finland Phone India Calculator India Computer USA Calculator The rst OVER clause is empty, which treats the entire set of query rows as a single partition. The window function thus produces a global sum, but does so for each row. The second OVER clause partitions rows by country, producing a sum per partition (per country). The function produces this sum for each partition row.

48 48 / 66 Window 'Frames' Frames are determined with respect to the current row, which enables a frame to move within a partition depending on the location of the current row within its partition. Examples: By de ning a frame to be all rows from the partition start to the current row, you can compute running totals for each row. By de ning a frame as extending N rows on either side of the current row, you can compute rolling averages.

49 49 / 66 Framing Your Frames frame_start and frame_end can be: UNBOUNDED PRECEDING value PRECEDING CURRENT ROW value FOLLOWING UNBOUNDED FOLLOWING

50 Running totals within each group of time-ordered level values and rolling averages computed from the current row and the rows that immediately precede and follow it 50 / 66 SELECT time, subject, val, SUM(val) OVER (PARTITION BY subject ORDER BY time ROWS UNBOUNDED PRECEDING) AS running_total, AVG(val) OVER (PARTITION BY subject ORDER BY time ROWS BETWEEN 1 PRECEDING AND 1 FOLLOWING) AS running_average FROM observations; time subject val running_total running_average :00:00 st :15:00 st :30:00 st :45:00 st :00:00 xh :15:00 xh :30:00 xh :45:00 xh :00:00 xh

51 51 / 66 LEAD and LAG SELECT y, LAG(y, 2) OVER w as 'Lag', LEAD(y,2) x window w AS (order by y); y Lag Lead NULL 3 2 NULL NULL 5 3 NULL rows in set ( sec)

52 52 / 66 select * from emp; id name department salary Andy Shipping Betty Marketing Tracy Shipping Mike Marketing Sandy Sales James Shipping Carol Sales Company Example -- Data For the next few examples we will use this data

53 53 / 66 SELECT department, COUNT(*), SUM(salary) round(avg(salary), 2) AS avg FROM emp GROUP BY department ORDER BY department; department COUNT(*) SUM(salary) avg Marketing Sales Shipping rows in set ( sec) Company Example -- Simple calculation Calculation without Window Function!!

54 54 / 66 Window Average SELECT name, salary, round(avg(salary) OVER (), 2) AS Avg from emp order by salary desc; name salary Avg Mike James Betty Andy Sandy Tracy Carol rows in set ( sec)

55 55 / 66 Calulate Di erence to Average SELECT name, salary, round(avg(salary) OVER (), 2) AS Avg, round(salary - AVG(salary) over (), 2) AS Diff FROM emp order by salary desc; name salary Avg Diff Mike James Betty Andy Sandy Tracy Carol

56 56 / 66 SELECT name, salary, salary - LEAD(salary, 1) OVER (ORDER BY salary DESC) as diff_next FROM emp ORDER BY salary DESC; name salary diff_next Mike James Betty Andy Sandy Tracy Carol NULL rows in set ( sec) Di erence in Salary Compared to Next Employee

57 57 / 66 SELECT name, salary, salary - LAST_VALUE(salary) OVER w AS more, round((salary - LAST_VALUE(salary) OVER w) / LAST_VALUE(salary) OVER w * 100) AS pct_more FROM emp WINDOW w AS (ORDER BY salary DESC ROWS BETWEEN UNBOUNDED PRECEDING AND UNBOUNDED FOLLOWING) ORDER BY salary DESC; name salary more pct_more Mike James Betty Andy Sandy Tracy Carol Compared to Lowest Paid Employee

58 58 / 66 Rank and Dense Rank SELECT name, salary, RANK() OVER s, DENSE_RANK() OVER s FROM emp WINDOW s AS (ORDER BY salary DESC) ORDER BY salary DESC; name salary RANK() OVER s DENSE_RANK() OVER s Mike James Betty Andy Sandy Tracy Carol Rank and Dense Rank both show ranking but dense rank has no gaps while rank may

59 59 / 66 Deparmental averages SELECT name, salary, RANK() OVER s, DENSE_RANK() OVER s FROM emp WINDOW s AS (ORDER BY salary DESC) ORDER BY salary DESC; name salary RANK() OVER s DENSE_RANK() OVER s Mike James Betty Andy Sandy Tracy Carol

60 60 / 66 SELECT name, department, salary, round(avg(salary) OVER d, 2) AS avg, round(salary - AVG(salary) OVER d, 2) AS diff_avg FROM emp WINDOW d AS (PARTITION BY department) ORDER BY department, salary DESC; name department salary avg diff_avg Mike Marketing Betty Marketing Sandy Sales Carol Sales James Shipping Andy Shipping Tracy Shipping A Little Cleaner Window de nition

61 61 / 66 SELECT name, department, salary, salary - LEAD(salary, 1) OVER (PARTITION BY department ORDER BY salary DESC) AS diff_next FROM emp ORDER BY department, salary DESC; name department salary diff_next Mike Marketing Betty Marketing NULL Sandy Sales Carol Sales NULL James Shipping Andy Shipping Tracy Shipping NULL Departmental Di erences

62 62 / 66 Department and Company Rankings SELECT name, department, salary, RANK() OVER s AS dept_rank RANK() OVER (ORDER BY salary DESC) AS global_rank FROM emp WINDOW s AS (PARTITION BY department ORDER BY salary DESC) ORDER BY department, salary DESC; name department salary dept_rank global_rank Mike Marketing Betty Marketing Sandy Sales Carol Sales James Shipping Andy Shipping Tracy Shipping

63 63 / 66 Tips Do you want to split the set? (PARTITION BY creates multiple partitions) Do you want an order in the partition? (use ORDER BY) How do you want to handle rows with the same ORDER BY values? RANGE vs ROW RANK vs DENSE_RANK

64 64 / 66 Tips continued Do you need to de ne a window frame? Window functions can de ne their own partitions, ordering, and window frames. Multiple window names can be de ned in the WINDOW clause. Pay attention to whether window functions operate on frames or partitions. These tips and most of the examples are from Bruce Momjian from EnterpriseDB and his presemtations on CTEs and Windowing Functions at

65 65 / 66 Conclusion Common Table Expressions and Windowing Functions are power additions to traditional Structured Query Langauge class: middle, center CTEs Goodbye messy sub queries Easy to write Easy to comprehend Windowing Functions Powerful analytics Extremely exible

66 66 / 66 Thank you! Any Questions?

Postgres Window Magic

Postgres Window Magic Postgres Window Magic BRUCE MOMJIAN This presentation explains the many window function facilities and how they can be used to produce useful SQL query results. Creative Commons Attribution License http://momjian.us/presentations

More information

Copyright 2017, Oracle and/or its aff iliates. All rights reserved.

Copyright 2017, Oracle and/or its aff iliates. All rights reserved. Safe Harbor Statement The following is intended to outline our general product direction. It is intended for information purposes only, and may not be incorporated into any contract. It is not a commitment

More information

SQL Recursion, Window Queries

SQL Recursion, Window Queries SQL Recursion, Window Queries PG 7.8; 3.5 & 9.21 Dr. Chris Mayfield Department of Computer Science James Madison University Mar 20, 2019 WITH clause Basic syntax: WITH R AS

More information

SQL Recursion, Window Queries

SQL Recursion, Window Queries SQL Recursion, Window Queries FCDB 10.2 Dr. Chris Mayfield Department of Computer Science James Madison University Apr 02, 2018 Tips on GP5 Java Create object(s) to represent query results Use ArrayList

More information

Chapter 6 Windowed Tables and Window Functions in SQL

Chapter 6 Windowed Tables and Window Functions in SQL Prof. Dr.Ing. Stefan Deßloch AG Heterogene Informationssysteme Geb., Raum Tel. 0/0 dessloch@informatik.unikl.de Chapter Windowed Tables and Window Functions in SQL WS0/0 Outline Overview I. ObjectRelational

More information

Chapter 9 Windowed Tables and Window Functions in SQL. Recent Development for Data Models 2016 Stefan Deßloch

Chapter 9 Windowed Tables and Window Functions in SQL. Recent Development for Data Models 2016 Stefan Deßloch Chapter 9 Windowed Tables and Window Functions in SQL Recent Development for Data Models 2016 Stefan Deßloch Windowed Table Functions Windowed table function operates on a window of a table returns a value

More information

Chapter 6 Windowed Tables and Window Functions in SQL

Chapter 6 Windowed Tables and Window Functions in SQL Prof. Dr.-Ing. Stefan Deßloch AG Heterogene Informationssysteme Geb. 36, Raum 329 Tel. 0631/205 3275 dessloch@informatik.uni-kl.de Chapter 6 Windowed Tables and Window Functions in SQL Recent Developments

More information

Chapter 6 Windowed Tables and Window Functions in SQL

Chapter 6 Windowed Tables and Window Functions in SQL Prof. Dr.-Ing. Stefan Deßloch AG Heterogene Informationssysteme Geb. 36, Raum 329 Tel. 0631/205 3275 dessloch@informatik.uni-kl.de Chapter 6 Windowed Tables and Window Functions in SQL Outline Overview

More information

Still using. Windows 3.1? So why stick to -

Still using. Windows 3.1? So why stick to - Still using Windows 3.1? So why stick to SQL-92? @ModernSQL - http://modern-sql.com/ @MarkusWinand SQL:1999 LATERAL LATERAL Before SQL:1999 Derived tables (from clause subqueries) cannot see outside: SELECT

More information

Modern SQL: Evolution of a dinosaur

Modern SQL: Evolution of a dinosaur Modern SQL: Evolution of a dinosaur Markus Winand Kraków, 9-11 May 2018 Still using Windows 3.1? So why stick with SQL-92? @ModernSQL - https://modern-sql.com/ @MarkusWinand SQL:1999 WITH (Common Table

More information

SQL Server Windowing Functions

SQL Server Windowing Functions SQL Server Windowing Functions Enrique Catalá Bañuls Mentor, SolidQ MAP 2012 Microsoft Technical Ranger Microsoft Certified Trainer ecatala@solidq.com Twitter: @enriquecatala Enrique Catalá Bañuls Computer

More information

Greenplum SQL Class Outline

Greenplum SQL Class Outline Greenplum SQL Class Outline The Basics of Greenplum SQL Introduction SELECT * (All Columns) in a Table Fully Qualifying a Database, Schema and Table SELECT Specific Columns in a Table Commas in the Front

More information

20461: Querying Microsoft SQL Server 2014 Databases

20461: Querying Microsoft SQL Server 2014 Databases Course Outline 20461: Querying Microsoft SQL Server 2014 Databases Module 1: Introduction to Microsoft SQL Server 2014 This module introduces the SQL Server platform and major tools. It discusses editions,

More information

After completing this course, participants will be able to:

After completing this course, participants will be able to: Querying SQL Server T h i s f i v e - d a y i n s t r u c t o r - l e d c o u r s e p r o v i d e s p a r t i c i p a n t s w i t h t h e t e c h n i c a l s k i l l s r e q u i r e d t o w r i t e b a

More information

Lists and Recursion and Trees

Lists and Recursion and Trees Lists and Recursion and Trees Oh My! FOSDEM, Brussels, February 7, 2010 Copyright 2010 David Fetter david.fetter@pgexperts.com All Rights Reserved Better, Faster TPS Reports New! Reach Outside the Current

More information

COURSE OUTLINE MOC 20461: QUERYING MICROSOFT SQL SERVER 2014

COURSE OUTLINE MOC 20461: QUERYING MICROSOFT SQL SERVER 2014 COURSE OUTLINE MOC 20461: QUERYING MICROSOFT SQL SERVER 2014 MODULE 1: INTRODUCTION TO MICROSOFT SQL SERVER 2014 This module introduces the SQL Server platform and major tools. It discusses editions, versions,

More information

Andrea Martorana Tusa. T-SQL Advanced: Grouping and Windowing

Andrea Martorana Tusa. T-SQL Advanced: Grouping and Windowing Andrea Martorana Tusa T-SQL Advanced: Grouping and Windowing Sponsor Organizzatori GetLatestVersion. it Speaker info First name: Andrea. Last name: Martorana Tusa. Italian, working by Widex a danish company

More information

Querying Microsoft SQL Server

Querying Microsoft SQL Server Querying Microsoft SQL Server Duration: 5 Days (08:30-16:00) Overview: This course provides students with the technical skills required to write basic Transact-SQL queries for Microsoft SQL Server. This

More information

20461: Querying Microsoft SQL Server

20461: Querying Microsoft SQL Server 20461: Querying Microsoft SQL Server Length: 5 days Audience: IT Professionals Level: 300 OVERVIEW This 5 day instructor led course provides students with the technical skills required to write basic Transact

More information

SQL Saturday Cork Welcome to Cork. Andrea Martorana Tusa T-SQL advanced: Grouping and Windowing

SQL Saturday Cork Welcome to Cork. Andrea Martorana Tusa T-SQL advanced: Grouping and Windowing SQL Saturday Cork Welcome to Cork Andrea Martorana Tusa T-SQL advanced: Grouping and Windowing Andrea Martorana Tusa T-SQL Advanced: Grouping and Windowing Speaker info First name: Andrea. Last name: Martorana

More information

Querying Microsoft SQL Server

Querying Microsoft SQL Server Course Code: M20461 Vendor: Microsoft Course Overview Duration: 5 RRP: POA Querying Microsoft SQL Server Overview This 5-day instructor led course provides delegates with the technical skills required

More information

Subquery: There are basically three types of subqueries are:

Subquery: There are basically three types of subqueries are: Subquery: It is also known as Nested query. Sub queries are queries nested inside other queries, marked off with parentheses, and sometimes referred to as "inner" queries within "outer" queries. Subquery

More information

The Plan. What will we cover? - Review Some Basics - Set Operators - Subqueries - Aggregate Filter Clause - Window Functions Galore - CTE s - Lateral

The Plan. What will we cover? - Review Some Basics - Set Operators - Subqueries - Aggregate Filter Clause - Window Functions Galore - CTE s - Lateral Becoming A SQL Guru The Plan 1 What will we cover? - Review Some Basics - Set Operators - Subqueries - Aggregate Filter Clause - Window Functions Galore - CTE s - Lateral Becoming A SQL Guru Queries Syntax

More information

Querying Microsoft SQL Server (MOC 20461C)

Querying Microsoft SQL Server (MOC 20461C) Querying Microsoft SQL Server 2012-2014 (MOC 20461C) Course 21461 40 Hours This 5-day instructor led course provides students with the technical skills required to write basic Transact-SQL queries for

More information

Querying Microsoft SQL Server

Querying Microsoft SQL Server Querying Microsoft SQL Server 20461D; 5 days, Instructor-led Course Description This 5-day instructor led course provides students with the technical skills required to write basic Transact SQL queries

More information

AVANTUS TRAINING PTE LTD

AVANTUS TRAINING PTE LTD [MS20461]: Querying Microsoft SQL Server 2014 Length : 5 Days Audience(s) : IT Professionals Level : 300 Technology : SQL Server Delivery Method : Instructor-led (Classroom) Course Overview This 5-day

More information

DB2 SQL Class Outline

DB2 SQL Class Outline DB2 SQL Class Outline The Basics of SQL Introduction Finding Your Current Schema Setting Your Default SCHEMA SELECT * (All Columns) in a Table SELECT Specific Columns in a Table Commas in the Front or

More information

INDEX. 1 Basic SQL Statements. 2 Restricting and Sorting Data. 3 Single Row Functions. 4 Displaying data from multiple tables

INDEX. 1 Basic SQL Statements. 2 Restricting and Sorting Data. 3 Single Row Functions. 4 Displaying data from multiple tables INDEX Exercise No Title 1 Basic SQL Statements 2 Restricting and Sorting Data 3 Single Row Functions 4 Displaying data from multiple tables 5 Creating and Managing Tables 6 Including Constraints 7 Manipulating

More information

QUERYING MICROSOFT SQL SERVER COURSE OUTLINE. Course: 20461C; Duration: 5 Days; Instructor-led

QUERYING MICROSOFT SQL SERVER COURSE OUTLINE. Course: 20461C; Duration: 5 Days; Instructor-led CENTER OF KNOWLEDGE, PATH TO SUCCESS Website: QUERYING MICROSOFT SQL SERVER Course: 20461C; Duration: 5 Days; Instructor-led WHAT YOU WILL LEARN This 5-day instructor led course provides students with

More information

Course 20461C: Querying Microsoft SQL Server

Course 20461C: Querying Microsoft SQL Server Course 20461C: Querying Microsoft SQL Server Audience Profile About this Course This course is the foundation for all SQL Serverrelated disciplines; namely, Database Administration, Database Development

More information

Aster Data Basics Class Outline

Aster Data Basics Class Outline Aster Data Basics Class Outline CoffingDW education has been customized for every customer for the past 20 years. Our classes can be taught either on site or remotely via the internet. Education Contact:

More information

COURSE OUTLINE: Querying Microsoft SQL Server

COURSE OUTLINE: Querying Microsoft SQL Server Course Name 20461 Querying Microsoft SQL Server Course Duration 5 Days Course Structure Instructor-Led (Classroom) Course Overview This 5-day instructor led course provides students with the technical

More information

Database Lab Queries. Fall Term 2017 Dr. Andreas Geppert

Database Lab Queries. Fall Term 2017 Dr. Andreas Geppert Database Lab Queries Fall Term 2017 Dr. Andreas Geppert geppert@acm.org Topics conceptual design logical design consistency constraints data manipulation queries transactions views stored procedures and

More information

Aster Data SQL and MapReduce Class Outline

Aster Data SQL and MapReduce Class Outline Aster Data SQL and MapReduce Class Outline CoffingDW education has been customized for every customer for the past 20 years. Our classes can be taught either on site or remotely via the internet. Education

More information

Querying Microsoft SQL Server

Querying Microsoft SQL Server Querying Microsoft SQL Server Course 20461D 5 Days Instructor-led, Hands-on Course Description This 5-day instructor led course is designed for customers who are interested in learning SQL Server 2012,

More information

CIS 363 MySQL. Chapter 12 Joins Chapter 13 Subqueries

CIS 363 MySQL. Chapter 12 Joins Chapter 13 Subqueries CIS 363 MySQL Chapter 12 Joins Chapter 13 Subqueries Ch.12 Joins TABLE JOINS: Involve access data from two or more tables in a single query. The ability to join two or more tables together is called a

More information

Querying Microsoft SQL Server 2012/2014

Querying Microsoft SQL Server 2012/2014 Page 1 of 14 Overview This 5-day instructor led course provides students with the technical skills required to write basic Transact-SQL queries for Microsoft SQL Server 2014. This course is the foundation

More information

FUN WITH ANALYTIC FUNCTIONS UTOUG TRAINING DAYS 2017

FUN WITH ANALYTIC FUNCTIONS UTOUG TRAINING DAYS 2017 FUN WITH ANALYTIC FUNCTIONS UTOUG TRAINING DAYS 2017 ABOUT ME Born and raised here in UT In IT for 10 years, DBA for the last 6 Databases and Data are my hobbies, I m rather quite boring This isn t why

More information

Querying Microsoft SQL Server

Querying Microsoft SQL Server 20461 - Querying Microsoft SQL Server Duration: 5 Days Course Price: $2,975 Software Assurance Eligible Course Description About this course This 5-day instructor led course provides students with the

More information

Querying Microsoft SQL Server 2008/2012

Querying Microsoft SQL Server 2008/2012 Querying Microsoft SQL Server 2008/2012 Course 10774A 5 Days Instructor-led, Hands-on Introduction This 5-day instructor led course provides students with the technical skills required to write basic Transact-SQL

More information

What Are Group Functions? Reporting Aggregated Data Using the Group Functions. Objectives. Types of Group Functions

What Are Group Functions? Reporting Aggregated Data Using the Group Functions. Objectives. Types of Group Functions What Are Group Functions? Group functions operate on sets of rows to give one result per group. Reporting Aggregated Data Using the Group Functions Maximum salary in table Copyright 2004, Oracle. All rights

More information

MySQL 8.0 What s New in the Optimizer

MySQL 8.0 What s New in the Optimizer MySQL 8.0 What s New in the Optimizer Manyi Lu Director MySQL Optimizer & GIS Team, Oracle October 2016 Copyright Copyright 2 015, 2016,Oracle Oracle and/or and/or its its affiliates. affiliates. All All

More information

"Charting the Course to Your Success!" MOC D Querying Microsoft SQL Server Course Summary

Charting the Course to Your Success! MOC D Querying Microsoft SQL Server Course Summary Course Summary Description This 5-day instructor led course provides students with the technical skills required to write basic Transact-SQL queries for Microsoft SQL Server 2014. This course is the foundation

More information

Microsoft Querying Microsoft SQL Server 2014

Microsoft Querying Microsoft SQL Server 2014 1800 ULEARN (853 276) www.ddls.com.au Microsoft 20461 - Querying Microsoft SQL Server 2014 Length 5 days Price $4290.00 (inc GST) Version D Overview Please note: Microsoft have released a new course which

More information

ASSIGNMENT NO Computer System with Open Source Operating System. 2. Mysql

ASSIGNMENT NO Computer System with Open Source Operating System. 2. Mysql ASSIGNMENT NO. 3 Title: Design at least 10 SQL queries for suitable database application using SQL DML statements: Insert, Select, Update, Delete with operators, functions, and set operator. Requirements:

More information

More SQL in MySQL 8.0

More SQL in MySQL 8.0 More SQL in MySQL 8.0 Norvald H. Ryeng Sofware Development Senior Manager MySQL Optmizer Team November, 08 Program Agenda 3 4 Common table expressions (CTEs) Window functons JSON_TABLE Demo 5 6 7 3 Theory

More information

Calculate the Running Total(Everything)

Calculate the Running Total(Everything) Calculate the Running Total(Everything Objective: List the running total of the annual salaries. SELECT EmployeeName,AnnualSalary,SUM(AnnualSalary OVER(ORDER BY EmployeeName AS Running_Total Employee --Checking

More information

20461D: Querying Microsoft SQL Server

20461D: Querying Microsoft SQL Server 20461D: Querying Microsoft SQL Server Course Details Course Code: Duration: Notes: 20461D 5 days This course syllabus should be used to determine whether the course is appropriate for the students, based

More information

KORA. RDBMS Concepts II

KORA. RDBMS Concepts II RDBMS Concepts II Outline Querying Data Source With SQL Star & Snowflake Schemas Reporting Aggregated Data Using the Group Functions What Are Group Functions? Group functions operate on sets of rows to

More information

Aggregate Functions. Eng. Mohammed Alokshiya. Islamic University of Gaza. Faculty of Engineering. Computer Engineering Dept. Database Lab (ECOM 4113)

Aggregate Functions. Eng. Mohammed Alokshiya. Islamic University of Gaza. Faculty of Engineering. Computer Engineering Dept. Database Lab (ECOM 4113) Islamic University of Gaza Faculty of Engineering Computer Engineering Dept. Database Lab (ECOM 4113) Lab 4 Aggregate Functions Eng. Mohammed Alokshiya October 26, 2014 Unlike single-row functions, group

More information

Database Management Systems,

Database Management Systems, Database Management Systems SQL Query Language (3) 1 Topics Aggregate Functions in Queries count sum max min avg Group by queries Set Operations in SQL Queries Views 2 Aggregate Functions Tables are collections

More information

SQL Data Query Language

SQL Data Query Language SQL Data Query Language André Restivo 1 / 68 Index Introduction Selecting Data Choosing Columns Filtering Rows Set Operators Joining Tables Aggregating Data Sorting Rows Limiting Data Text Operators Nested

More information

Analytic SQL Features in Oracle9i. An Oracle Technical White Paper December 2001

Analytic SQL Features in Oracle9i. An Oracle Technical White Paper December 2001 Analytic SQL Features in Oracle9i An Oracle Technical White Paper December 2001 Analytic SQL Features in Oracle9i Introduction... 3 Analytic Functions... 4 Analytic Functions Family List... 4 Inverse Percentile

More information

Querying Microsoft SQL Server 2014

Querying Microsoft SQL Server 2014 Querying Microsoft SQL Server 2014 Código del curso: 20461 Duración: 5 días Acerca de este curso This 5 day instructor led course provides students with the technical skills required to write basic Transact

More information

Database Systems CSE 303. Outline. Lecture 06: SQL. What is Sub-query? Sub-query in WHERE clause Subquery

Database Systems CSE 303. Outline. Lecture 06: SQL. What is Sub-query? Sub-query in WHERE clause Subquery Database Systems CSE 303 Lecture 06: SQL 2016 Subquery Outline What is a Subquery Subquery in WHERE clause >ALL, >ANY, >=ALL,

More information

MIS NETWORK ADMINISTRATOR PROGRAM

MIS NETWORK ADMINISTRATOR PROGRAM NH107-7475 SQL: Querying and Administering SQL Server 2012-2014 136 Total Hours 97 Theory Hours 39 Lab Hours COURSE TITLE: SQL: Querying and Administering SQL Server 2012-2014 PREREQUISITE: Before attending

More information

Advanced Data Management Technologies

Advanced Data Management Technologies ADMT 2017/18 Unit 11 J. Gamper 1/48 Advanced Data Management Technologies Unit 11 SQL Analytic Functions J. Gamper Free University of Bozen-Bolzano Faculty of Computer Science IDSE Acknowledgements: I

More information

MANAGING DATA(BASES) USING SQL (NON-PROCEDURAL SQL, X401.9)

MANAGING DATA(BASES) USING SQL (NON-PROCEDURAL SQL, X401.9) Technology & Information Management Instructor: Michael Kremer, Ph.D. Class 6 Professional Program: Data Administration and Management MANAGING DATA(BASES) USING SQL (NON-PROCEDURAL SQL, X401.9) AGENDA

More information

Reminds on Data Warehousing

Reminds on Data Warehousing BUSINESS INTELLIGENCE Reminds on Data Warehousing (details at the Decision Support Database course) Business Informatics Degree BI Architecture 2 Business Intelligence Lab Star-schema datawarehouse 3 time

More information

CSE 530A SQL. Washington University Fall 2013

CSE 530A SQL. Washington University Fall 2013 CSE 530A SQL Washington University Fall 2013 SELECT SELECT * FROM employee; employee_id last_name first_name department salary -------------+-----------+------------+-----------------+-------- 12345 Bunny

More information

Why Relational Databases? Relational databases allow for the storage and analysis of large amounts of data.

Why Relational Databases? Relational databases allow for the storage and analysis of large amounts of data. DATA 301 Introduction to Data Analytics Relational Databases Dr. Ramon Lawrence University of British Columbia Okanagan ramon.lawrence@ubc.ca DATA 301: Data Analytics (2) Why Relational Databases? Relational

More information

20761 Querying Data with Transact SQL

20761 Querying Data with Transact SQL Course Overview The main purpose of this course is to give students a good understanding of the Transact-SQL language which is used by all SQL Server-related disciplines; namely, Database Administration,

More information

ORACLE TRAINING CURRICULUM. Relational Databases and Relational Database Management Systems

ORACLE TRAINING CURRICULUM. Relational Databases and Relational Database Management Systems ORACLE TRAINING CURRICULUM Relational Database Fundamentals Overview of Relational Database Concepts Relational Databases and Relational Database Management Systems Normalization Oracle Introduction to

More information

Informix OLAP and Advanced SQL Functions by Lester Knutsen

Informix OLAP and Advanced SQL Functions by Lester Knutsen Advanced DataTools Webcast Informix OLAP and Advanced SQL Functions by Lester Knutsen March 7, 2019 at 2:00pm EDT 1 Lester Knutsen Lester Knutsen is President of Advanced DataTools Corporation, and has

More information

SQL Queries. COSC 304 Introduction to Database Systems SQL. Example Relations. SQL and Relational Algebra. Example Relation Instances

SQL Queries. COSC 304 Introduction to Database Systems SQL. Example Relations. SQL and Relational Algebra. Example Relation Instances COSC 304 Introduction to Database Systems SQL Dr. Ramon Lawrence University of British Columbia Okanagan ramon.lawrence@ubc.ca SQL Queries Querying with SQL is performed using a SELECT statement. The general

More information

Course 20461C: Querying Microsoft SQL Server

Course 20461C: Querying Microsoft SQL Server Course 20461C: Querying Microsoft SQL Server About this course: This course is the foundation for all SQL Server related disciplines; namely, Database Administration, Database development and business

More information

Lab # 6. Using Subqueries and Set Operators. Eng. Alaa O Shama

Lab # 6. Using Subqueries and Set Operators. Eng. Alaa O Shama The Islamic University of Gaza Faculty of Engineering Department of Computer Engineering ECOM 4113: Database Lab Lab # 6 Using Subqueries and Set Operators Eng. Alaa O Shama November, 2015 Objectives:

More information

Intermediate SQL: Aggregated Data, Joins and Set Operators

Intermediate SQL: Aggregated Data, Joins and Set Operators Intermediate SQL: Aggregated Data, Joins and Set Operators Aggregated Data and Sorting Objectives After completing this lesson, you should be able to do the following: Identify the available group functions

More information

Objectives. After completing this lesson, you should be able to do the following:

Objectives. After completing this lesson, you should be able to do the following: Objectives After completing this lesson, you should be able to do the following: Describe the types of problems that subqueries can solve Define subqueries List the types of subqueries Write single-row

More information

A Window into Your Data. Using SQL Window Functions

A Window into Your Data. Using SQL Window Functions A Window into Your Data Using SQL Window Functions Welcome to PASS SQL Saturday #435 Thank you Sponsors! o Please visit the sponsors during the vendor break from 2:45 3:15 and enter their end-of-day raffles

More information

Real-World Performance Training SQL Introduction

Real-World Performance Training SQL Introduction Real-World Performance Training SQL Introduction Real-World Performance Team Basics SQL Structured Query Language Declarative You express what you want to do, not how to do it Despite the name, provides

More information

Reporting Aggregated Data Using the Group Functions. Copyright 2004, Oracle. All rights reserved.

Reporting Aggregated Data Using the Group Functions. Copyright 2004, Oracle. All rights reserved. Reporting Aggregated Data Using the Group Functions Copyright 2004, Oracle. All rights reserved. Objectives After completing this lesson, you should be able to do the following: Identify the available

More information

COSC 304 Introduction to Database Systems SQL. Dr. Ramon Lawrence University of British Columbia Okanagan

COSC 304 Introduction to Database Systems SQL. Dr. Ramon Lawrence University of British Columbia Okanagan COSC 304 Introduction to Database Systems SQL Dr. Ramon Lawrence University of British Columbia Okanagan ramon.lawrence@ubc.ca SQL Queries Querying with SQL is performed using a SELECT statement. The general

More information

Introduction to SQL Server 2005/2008 and Transact SQL

Introduction to SQL Server 2005/2008 and Transact SQL Introduction to SQL Server 2005/2008 and Transact SQL Week 2 TRANSACT SQL CRUD Create, Read, Update, and Delete Steve Stedman - Instructor Steve@SteveStedman.com Homework Review Review of homework from

More information

Sql Server Syllabus. Overview

Sql Server Syllabus. Overview Sql Server Syllabus Overview This SQL Server training teaches developers all the Transact-SQL skills they need to create database objects like Tables, Views, Stored procedures & Functions and triggers

More information

Data Warehousing and Data Mining OLAP Operations

Data Warehousing and Data Mining OLAP Operations Data Warehousing and Data Mining OLAP Operations SQL table expression query specification query expression OLAP GROUP BY extensions: rollup, cube, grouping sets SQL for analysis and reporting: ranking,

More information

T-SQL Training: T-SQL for SQL Server for Developers

T-SQL Training: T-SQL for SQL Server for Developers Duration: 3 days T-SQL Training Overview T-SQL for SQL Server for Developers training teaches developers all the Transact-SQL skills they need to develop queries and views, and manipulate data in a SQL

More information

Creating and Working with JSON in Oracle Database

Creating and Working with JSON in Oracle Database Creating and Working with JSON in Oracle Database Dan McGhan Oracle Developer Advocate JavaScript & HTML5 January, 2016 Safe Harbor Statement The following is intended to outline our general product direction.

More information

Based on the following Table(s), Write down the queries as indicated: 1. Write an SQL query to insert a new row in table Dept with values: 4, Prog, MO

Based on the following Table(s), Write down the queries as indicated: 1. Write an SQL query to insert a new row in table Dept with values: 4, Prog, MO Based on the following Table(s), Write down the queries as indicated: 1. Write an SQL query to insert a new row in table Dept with values: 4, Prog, MO INSERT INTO DEPT VALUES(4, 'Prog','MO'); The result

More information

Querying Data with Transact SQL

Querying Data with Transact SQL Course 20761A: Querying Data with Transact SQL Course details Course Outline Module 1: Introduction to Microsoft SQL Server 2016 This module introduces SQL Server, the versions of SQL Server, including

More information

Data warehousing in Oracle

Data warehousing in Oracle Data warehousing in Oracle Materialized views and SQL extensions to analyze data in Oracle data warehouses SQL extensions for data warehouse analysis 1 Available OLAP functions Computation windows window

More information

Spotfire Advanced Data Services. Lunch & Learn Tuesday, 21 November 2017

Spotfire Advanced Data Services. Lunch & Learn Tuesday, 21 November 2017 Spotfire Advanced Data Services Lunch & Learn Tuesday, 21 November 2017 CONFIDENTIALITY The following information is confidential information of TIBCO Software Inc. Use, duplication, transmission, or republication

More information

Advanced Data Management Technologies

Advanced Data Management Technologies ADMT 2017/18 Unit 10 J. Gamper 1/37 Advanced Data Management Technologies Unit 10 SQL GROUP BY Extensions J. Gamper Free University of Bozen-Bolzano Faculty of Computer Science IDSE Acknowledgements: I

More information

Practice for Test 1 (not counted for credit, but to help you prepare) Time allowed: 1 hour 15 minutes

Practice for Test 1 (not counted for credit, but to help you prepare) Time allowed: 1 hour 15 minutes p.1 of 8 INFS 4240/6240 (Section A) Database Management System Fall 2018 Practice for Test 1 (not counted for credit, but to help you prepare) Time allowed: 1 hour 15 minutes Q.1(a) 15 15 Q.1(b) 10 10

More information

SQL for Analysis, Reporting and Modeling

SQL for Analysis, Reporting and Modeling SQL for Analysis, Reporting and Modeling SQL - A Flexible and Comprehensive Framework for In-Database Analytics O R A C L E W H I T E P A P E R N O V E M B E R 2 0 1 6 Contents Data Analysis with SQL 1

More information

Course Details Duration: 3 days Starting time: 9.00 am Finishing time: 4.30 pm Lunch and refreshments are provided.

Course Details Duration: 3 days Starting time: 9.00 am Finishing time: 4.30 pm Lunch and refreshments are provided. Database Administration with PostgreSQL Introduction This is a 3 day intensive course in skills and methods for PostgreSQL. Course Details Duration: 3 days Starting time: 9.00 am Finishing time: 4.30 pm

More information

Querying Data with Transact-SQL (761)

Querying Data with Transact-SQL (761) Querying Data with Transact-SQL (761) Manage data with Transact-SQL Create Transact-SQL SELECT queries Identify proper SELECT query structure, write specific queries to satisfy business requirements, construct

More information

Aster Data Database Administration Class Outline

Aster Data Database Administration Class Outline Aster Data Database Administration Class Outline CoffingDW education has been customized for every customer for the past 20 years. Our classes can be taught either on site or remotely via the internet.

More information

ISO/IEC JTC 1/SC 32 N 0426

ISO/IEC JTC 1/SC 32 N 0426 ISO/IEC JTC 1/SC 32 N 0426 Date: 2000-01-25 REPLACES: -- ISO/IEC JTC 1/SC 32 Data Management and Interchange Secretariat: United States of America (ANSI) Administered by Pacific Northwest National Laboratory

More information

Querying Microsoft SQL Server 2014

Querying Microsoft SQL Server 2014 Querying Microsoft SQL Server 2014 Referencia MOC 20461 Duración (horas) 25 Última actualización 27 marzo 2018 Modalidades Presencial, a medida Examen 70-461 Introducción This 5-day instructor led course

More information

Interview Questions on DBMS and SQL [Compiled by M V Kamal, Associate Professor, CSE Dept]

Interview Questions on DBMS and SQL [Compiled by M V Kamal, Associate Professor, CSE Dept] Interview Questions on DBMS and SQL [Compiled by M V Kamal, Associate Professor, CSE Dept] 1. What is DBMS? A Database Management System (DBMS) is a program that controls creation, maintenance and use

More information

Leverage the power of SQL Analytical functions in Business Intelligence and Analytics. Viana Rumao, Asher Dmello

Leverage the power of SQL Analytical functions in Business Intelligence and Analytics. Viana Rumao, Asher Dmello International Journal of Scientific & Engineering Research Volume 9, Issue 7, July-2018 461 Leverage the power of SQL Analytical functions in Business Intelligence and Analytics Viana Rumao, Asher Dmello

More information

SQL. CS 564- Fall ACKs: Dan Suciu, Jignesh Patel, AnHai Doan

SQL. CS 564- Fall ACKs: Dan Suciu, Jignesh Patel, AnHai Doan SQL CS 564- Fall 2015 ACKs: Dan Suciu, Jignesh Patel, AnHai Doan MOTIVATION The most widely used database language Used to query and manipulate data SQL stands for Structured Query Language many SQL standards:

More information

Database Systems: Design, Implementation, and Management Tenth Edition. Chapter 7 Introduction to Structured Query Language (SQL)

Database Systems: Design, Implementation, and Management Tenth Edition. Chapter 7 Introduction to Structured Query Language (SQL) Database Systems: Design, Implementation, and Management Tenth Edition Chapter 7 Introduction to Structured Query Language (SQL) Objectives In this chapter, students will learn: The basic commands and

More information

NULLs & Outer Joins. Objectives of the Lecture :

NULLs & Outer Joins. Objectives of the Lecture : Slide 1 NULLs & Outer Joins Objectives of the Lecture : To consider the use of NULLs in SQL. To consider Outer Join Operations, and their implementation in SQL. Slide 2 Missing Values : Possible Strategies

More information

What s New in MariaDB Server Max Mether VP Server

What s New in MariaDB Server Max Mether VP Server What s New in MariaDB Server 10.3 Max Mether VP Server Recap MariaDB 10.2 New in MariaDB 10.2 - GA since May 2017 What s New in 10.2 Analytics SQL Window Functions Common Table Expressions (CTE) JSON JSON

More information

<Insert Picture Here> Boosting performance with MySQL partitions

<Insert Picture Here> Boosting performance with MySQL partitions Boosting performance with MySQL partitions Giuseppe Maxia MySQL Community Team Lead at Oracle 1 about me -Giuseppe Maxia a.k.a. The Data Charmer MySQL Community Team Lead Long time

More information

2) SQL includes a data definition language, a data manipulation language, and SQL/Persistent stored modules. Answer: TRUE Diff: 2 Page Ref: 36

2) SQL includes a data definition language, a data manipulation language, and SQL/Persistent stored modules. Answer: TRUE Diff: 2 Page Ref: 36 Database Processing, 12e (Kroenke/Auer) Chapter 2: Introduction to Structured Query Language (SQL) 1) SQL stands for Standard Query Language. Diff: 1 Page Ref: 32 2) SQL includes a data definition language,

More information

1Z MySQL 5 Database Administrator Certified Professional Exam, Part II Exam.

1Z MySQL 5 Database Administrator Certified Professional Exam, Part II Exam. Oracle 1Z0-874 MySQL 5 Database Administrator Certified Professional Exam, Part II Exam TYPE: DEMO http://www.examskey.com/1z0-874.html Examskey Oracle 1Z0-874 exam demo product is here for you to test

More information

MySQL. Rheinisch-Westfälische Technische Hochschule Aachen Data Management and Data Exploration Group Univ.-Prof. Dr. rer. nat.

MySQL. Rheinisch-Westfälische Technische Hochschule Aachen Data Management and Data Exploration Group Univ.-Prof. Dr. rer. nat. Rheinisch-Westfälische Technische Hochschule Aachen Data Management and Data Exploration Group Univ.-Prof. Dr. rer. nat. Thomas Seidl Pro Seminar MySQL Student: Mohamed El Sherif June 2012 Supervision:

More information