Execution Strategies for SQL Subqueries
|
|
|
- Alannah O’Neal’
- 9 years ago
- Views:
Transcription
1 Execution Strategies for SQL Subqueries Mostafa Elhemali, César Galindo- Legaria, Torsten Grabs, Milind Joshi Microsoft Corp With additional slides from material in paper, added by S. Sudarshan 1 Motivation Optimization of subqueries has been studied for some time Challenges Mixing scalar and relational expressions Appropriate abstractions for correct and efficient processing Integration of special techniques in complete system This talk presents the approach followed in SQL Server Framework where specific optimizations can be plugged Framework applies also to nested loops languages 2 1
2 Outline Query optimizer context Subquery processing framework Subquery disjunctions 3 Algebraic query representation Relational operator trees Not SQL-block-focused SELECT SUM(T.a) FROM T, R WHERE T.b = R.b AND R.c = 5 GROUP BY T.c GroupBy T.c, sum(t.a) Select (T.b=R.b and R.c = 5) Cross product T R GroupBy T.c, sum(t.a) Join (T.b=R.b) T Select (R.c = 5) R algebrize transform 4 2
3 Operator tree transformations Select (A.x = 5) Join GropBy A.x, B.k, sum(a.y) Join Join A B A B A B Join Join Hash-Join Select (A.x = 5) B GropBy A.x, sum(a.y) B A B A A Simplification / normalization Exploration Implementation 5 SQL Server Optimization process T0 (input) simplify T1 cost-based optimization pool of alternatives use simplification / normalization rules search(0) search(1) search(2) use exploration and implementation rules, cost alternatives T2 (output) 6 3
4 Plan Generation Overview 7 Outline Query optimizer context Subquery processing framework Subquery disjunctions 8 4
5 SQL Subquery A relational expression where you expect a scalar Existential test, e.g. NOT EXISTS(SELECT ) Quantified comparison, e.g. T.a =ANY (SELECT ) Scalar-valued, e.g. T.a = (SELECT ) + (SELECT ) Convenient and widely used by query generators 9 Algebrization select * from customer where 100,000 < (select sum(o_totalprice) from orders where o_custkey = c_custkey) SELECT CUSTOMER < SUBQUERY(X) ScalarGb SELECT ORDERS = O_CUSTKEY C_CUSTKEY X:= SUM O_TOTALPRICE Subqueries: relational operators with scalar parents Commonly correlated, i.e. they have outer-references 10 5
6 Subquery removal Executing subquery requires mutual recursion between scalar engine and relational engine Subquery removal: Transform tree to remove relational operators from under scalar operators Preserve special semantics of using a relational expression in a scalar, e.g. at-most-one-row 11 The Apply operator R Apply E(r) For each row r of R, execute function E on r Return union: {r 1 } X E(r 1 ) U {r 2 } X E(r 2 ) U Abstracts for each and relational function invocation Also known as d-join and tuple-substitution join Variants: left outer join, semi-join, anti-join Exposed in SQL Server (FROM clause) LATERAL clause in SQL standard Useful to invoke table-valued functions 12 6
7 Subquery removal SELECT CUSTOMER < SUBQUERY(X) SELECT( <X) APPLY(bind:C_CUSTKEY) ScalarGb CUSTOMER SGb(X=SUM(O_TOTALPRICE)) SELECT X:= SELECT(O_CUSTKEY=C_CUSTKEY) ORDERS = SUM ORDERS O_CUSTKEY C_CUSTKEY O_TOTALPRICE 13 Algebraization of SubQueries SQL Query: SELECT *, (SELECT C_NAME FROM CUSTOMER WHERE C_CUSTKEY = O_CUSTKEY) FROM ORDERS Translated to ORDERS Apply OJ (π [C_NAME] σ [C_CUSTKEY = O_CUSTKEY] CUSTOMER) In general: R Apply OJ max1row(e(r)) Subqueries with exists/not exists become R Apply SJ E(r) R Apply ASJ E(r) 14 7
8 Conditional Scalar Execution Expression CASE WHEN EXISTS(E1(r)) THEN E2(r) ELSE 0 END Translated to π CASE WHEN p = 1 THEN e2 ELSE 0 END ( (R Apply[semijoin, probe as p] E1(r)) Apply[outerjoin, pass-through p=1] max1row(e2(r)) as e2) 15 Disjunction of SubQueries WHERE p(r) OR EXISTS( E1(r)) OR EXISTS(E2(r)) R Apply SJ ((σ p(r) CT(1) UA E1(r) UA E2(r)) CT(1): Constant Table returning 1 UA: Union All Can also translate to apply with passthrough 16 8
9 Quantification and NULLs Consider predicate to <>ALL 5 NOT IN S which is equivalent The result of this predicate is as follows, for various cases of set S: 1. If S = {} then p is TRUE. 2. If S = {1} then p is TRUE. 3. If S = {5} then p is FALSE. 4. If S = {NULL, 5} then p is FALSE. 5. If S = {NULL, 1} then p is UNKNOWN. (FOR ALL s in S: p) = (NOT EXISTS s in S: NOT p): But only without nulls In general predicate A cmp B is translated as A <cmp > B OR A IS NULL OR B IS NULL where cmp is the complement of cmp 17 Apply removal Executing Apply forces nested loops execution into the subquery Apply removal: Transform tree to remove Apply operator The crux of efficient processing Not specific to SQL subqueries Can go by unnesting, decorrelation, unrolling loops Get joins, outerjoin, semijoins, as a result 18 9
10 Apply removal SELECT( <X) SELECT ( < X) APPLY(bind:C_CUSTKEY) Gb[C_CUSTKEY] X = SUM (O_TOTALPRICE) CUSTOMER SGb(X=SUM(O_TOTALPRICE) LEFT OUTERJOIN (O_CUSTKEY = C_CUSTKEY) SELECT(O_CUSTKEY=C_CUSTKEY) CUSTOMER ORDERS ORDERS Apply does not add expressive power to relational algebra Removal rules exist for different operators 19 Why remove Apply? Goal is NOT to avoid nested loops execution, but to normalize the query Queries formulated using for each surface may be executed more efficiently using set-oriented algorithms and queries formulated using declarative join syntax may be executed more efficiently using nested loop, for each algorithms 20 10
11 Removing Apply Cont. Apply removal that preserves the size of the expression. With Apply ORDERS Apply OJ (σ[c_custkey = O_CUSTKEY] CUSTOMER) Removing apply ORDERS OJ [C_CUSTKEY = O_CUSTKEY] CUSTOMER Apply removal that duplicates subexpressions. Apply removal not always possible max1row/pass-through predicates, opaque functions 21 Magic Sets Originally formulated for recursive query processing Special case for non-recursive queries 22 11
12 Magic Sets with Group By Other options B: Pull groupby above join C: Segmented execution, when R and S are the same E.g. Select all students with the highest mark 23 Reordering Semijoins and Antijoins Pushing down semi/anti joins Converting semi-join to join (to allow reordering) How about anti-joins? 24 12
13 Subquery Disjunctions generates an antijoin with predicate which can be rewritten using Another useful rule 25 Categories of execution strategies select from customer where exists( orders ) and customer semijoin orders normalized logical tree apply hash / merge join apply customer orders lookup customer orders orders customer lookup forward lookup set oriented reverse lookup 26 13
14 Forward lookup APPLY[semijoin](bind:C_CUSTKEY) CUSTOMER ORDERS Lkup(O_CUSTKEY=C_CUSTKEY) The natural form of subquery execution Early termination due to semijoin pull execution model Best alternative if few CUSTOMERs and index on ORDER exists 27 Reverse lookup DISTINCT on C_CUSTKEY APPLY(bind:O_CUSTKEY) ORDERS CUSTOMERS Lkup(C_CUSTKEY=O_CUSTKEY) APPLY(bind:O_CUSTKEY) DISTINCT on O_CUSTKEY CUSTOMERS Lkup(C_CUSTKEY=O_CUSTKEY) ORDERS Mind the duplicates Consider reordering GroupBy (DISTINCT) around join 28 14
15 Subquery processing overview SQL without subquery relational expr without Apply logical reordering set-oriented execution nested loops languages SQL with subquery Removal of Apply relational expr with Apply Removal of Subquery physical optimizations navigational, nested loops execution Parsing and normalization Cost-based optimization 29 The fine print Can you always remove subqueries? Yes, but you need a quirky Conditional Apply Subqueries in CASE WHEN expressions Can you always remove Apply? Not Conditional Apply Not with opaque table-valued functions Beyond yes/no answer: Apply removal can explode size of original relational expression 30 15
16 Outline Query optimizer context Subquery processing framework Subquery disjunctions 31 Subquery disjunctions select * from customer where c_catgory = preferred or exists(select * from nation where n_nation = c_nation and ) or exists(select * from orders where o_custkey = c_custkey and ) APPLY[semijoin](bind:C_CUSTKEY, C_NATION, C_CATEGORY) CUSTOMER UNION ALL SELECT(C_CATEGORY = preferred ) SELECT SELECT 1 NATION ORDERS Natural forward lookup plan Union All with early termination short-circuits OR computation 32 16
17 Apply removal on Union UNION (DISTINCT) SELECT(C_CATEGORY = preferred ) SEMIJOIN CUSTOMER SEMIJOIN CUSTOMER ORDERS CUSTOMER NATION Distributivity replicates outer expression Allows set-oriented and reverse lookup plan This form of Apply removal done in cost-based optimization, not simplification 33 Optimizing Apply Caching of results from earlier calls Trivial if no correlation variables In-memory if few distinct values/small results May or may no be worthwhile if large results Asynchronous IO Batch Sort 34 17
18 Asynchronous IO Ask OS to prefetch data, continue doing other things while prefetch is happening better use of resources, esp with multiple disks/cpus SELECT <blah blah> FROM PART natural join SUPPLIER natural join PARTSUPP WHERE <restrictive selections> AND PS_SUPPLYCOST = (SELECT MIN(PS_SUPPLYCOST) FROM PARTSUPP, SUPPLIER WHERE P_PARTKEY = PS_PARTKEY AND S_SUPPKEY = PS_SUPPKEY) Plan used by SQL Server (how the hell did it come up with this?) where 35 Batch Sort Sort order of parameters can help inner query But sorting outer query can be time consuming esp if we stop after a few answers So: batch a group of outer parameters, sort them, then invoke inner in sorted order Batch size increased step-wise so first few answers are fast at cost of more IO, later ones optimize IO more but with some delay 36 18
19 Summary Presentation focused on overall framework for processing SQL subqueries and for each constructs Many optimization pockets within such framework you can read in the paper: Optimizations for semijoin, antijoin, outerjoin Magic subquery decorrelation technique Optimizations for general Apply Goal of decorrelation is not set-oriented execution, but to normalize and open up execution alternatives 37 A question of costing Fwd-lookup 10ms to 3 days Bwd-lookup 10ms to 3 days, cases opposite to fwd-lkp Optimizer that picks the right strategy for you priceless Set-oriented execution 2 to 3 hours 38 19
20 Execution Strategies for Semijoin Outer query on orders, exists subquery on lineitem (Section 6.1) 39 Execution Strategies for Antijoin Outer query uses only orders, exists subquery on lineitem 40 20
21 Strategies for Subquery Disjunction Section 7.1: One disjunction is a select, other is an exists on a subquery 41 Execution Optimization for Apply 42 21
SQL Query Evaluation. Winter 2006-2007 Lecture 23
SQL Query Evaluation Winter 2006-2007 Lecture 23 SQL Query Processing Databases go through three steps: Parse SQL into an execution plan Optimize the execution plan Evaluate the optimized plan Execution
Chapter 13: Query Processing. Basic Steps in Query Processing
Chapter 13: Query Processing! Overview! Measures of Query Cost! Selection Operation! Sorting! Join Operation! Other Operations! Evaluation of Expressions 13.1 Basic Steps in Query Processing 1. Parsing
Introducing Microsoft SQL Server 2012 Getting Started with SQL Server Management Studio
Querying Microsoft SQL Server 2012 Microsoft Course 10774 This 5-day instructor led course provides students with the technical skills required to write basic Transact-SQL queries for Microsoft SQL Server
Querying Microsoft SQL Server
Course 20461C: Querying Microsoft SQL Server Module 1: Introduction to Microsoft SQL Server 2014 This module introduces the SQL Server platform and major tools. It discusses editions, versions, tools used
Course 20461C: Querying Microsoft SQL Server Duration: 35 hours
Course 20461C: Querying Microsoft SQL Server Duration: 35 hours About this Course This course is the foundation for all SQL Server-related disciplines; namely, Database Administration, Database Development
Querying Microsoft SQL Server 2012
Course 10774A: Querying Microsoft SQL Server 2012 Length: 5 Days Language(s): English Audience(s): IT Professionals Level: 200 Technology: Microsoft SQL Server 2012 Type: Course Delivery Method: Instructor-led
Querying Microsoft SQL Server 2012
Querying Microsoft SQL Server 2012 MOC 10774 About this Course This 5-day instructor led course provides students with the technical skills required to write basic Transact-SQL queries for Microsoft SQL
Course ID#: 1401-801-14-W 35 Hrs. Course Content
Course Content Course 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
Course 10774A: Querying Microsoft SQL Server 2012
Course 10774A: Querying Microsoft SQL Server 2012 About this Course This 5-day instructor led course provides students with the technical skills required to write basic Transact-SQL queries for Microsoft
Course 10774A: Querying Microsoft SQL Server 2012 Length: 5 Days Published: May 25, 2012 Language(s): English Audience(s): IT Professionals
Course 10774A: Querying Microsoft SQL Server 2012 Length: 5 Days Published: May 25, 2012 Language(s): English Audience(s): IT Professionals Overview About this Course Level: 200 Technology: Microsoft SQL
Querying Microsoft SQL Server 20461C; 5 days
Lincoln Land Community College Capital City Training Center 130 West Mason Springfield, IL 62702 217-782-7436 www.llcc.edu/cctc Querying Microsoft SQL Server 20461C; 5 days Course Description This 5-day
Chapter 13: Query Optimization
Chapter 13: Query Optimization Database System Concepts, 6 th Ed. See www.db-book.com for conditions on re-use Chapter 13: Query Optimization Introduction Transformation of Relational Expressions Catalog
Inside the PostgreSQL Query Optimizer
Inside the PostgreSQL Query Optimizer Neil Conway [email protected] Fujitsu Australia Software Technology PostgreSQL Query Optimizer Internals p. 1 Outline Introduction to query optimization Outline of
MOC 20461 QUERYING MICROSOFT SQL SERVER
ONE STEP AHEAD. MOC 20461 QUERYING MICROSOFT SQL SERVER Length: 5 days Level: 300 Technology: Microsoft SQL Server Delivery Method: Instructor-led (classroom) COURSE OUTLINE Module 1: Introduction to Microsoft
FHE DEFINITIVE GUIDE. ^phihri^^lv JEFFREY GARBUS. Joe Celko. Alvin Chang. PLAMEN ratchev JONES & BARTLETT LEARN IN G. y ti rvrrtuttnrr i t i r
: 1. FHE DEFINITIVE GUIDE fir y ti rvrrtuttnrr i t i r ^phihri^^lv ;\}'\^X$:^u^'! :: ^ : ',!.4 '. JEFFREY GARBUS PLAMEN ratchev Alvin Chang Joe Celko g JONES & BARTLETT LEARN IN G Contents About the Authors
Business Intelligence Extensions for SPARQL
Business Intelligence Extensions for SPARQL Orri Erling (Program Manager, OpenLink Virtuoso) and Ivan Mikhailov (Lead Developer, OpenLink Virtuoso). OpenLink Software, 10 Burlington Mall Road Suite 265
MOC 20461C: Querying Microsoft SQL Server. Course Overview
MOC 20461C: Querying Microsoft SQL Server Course Overview This course provides students with the knowledge and skills to query Microsoft SQL Server. Students will learn about T-SQL querying, SQL Server
Querying Microsoft SQL Server Course M20461 5 Day(s) 30:00 Hours
Área de formação Plataforma e Tecnologias de Informação Querying Microsoft SQL Introduction This 5-day instructor led course provides students with the technical skills required to write basic Transact-SQL
Relational Databases
Relational Databases Jan Chomicki University at Buffalo Jan Chomicki () Relational databases 1 / 18 Relational data model Domain domain: predefined set of atomic values: integers, strings,... every attribute
Translating SQL into the Relational Algebra
Translating SQL into the Relational Algebra Jan Van den Bussche Stijn Vansummeren Required background Before reading these notes, please ensure that you are familiar with (1) the relational data model
Querying Microsoft SQL Server (20461) H8N61S
HP Education Services course data sheet Querying Microsoft SQL Server (20461) H8N61S Course Overview In this course, you will learn the technical skills required to write basic Transact-SQL (T-SQL) queries
Understanding Query Processing and Query Plans in SQL Server. Craig Freedman Software Design Engineer Microsoft SQL Server
Understanding Query Processing and Query Plans in SQL Server Craig Freedman Software Design Engineer Microsoft SQL Server Outline SQL Server engine architecture Query execution overview Showplan Common
Querying Microsoft SQL Server 2012
Querying Microsoft SQL Server 2012 Duration: 5 Days Course Code: M10774 Overview: Deze cursus wordt vanaf 1 juli vervangen door cursus M20461 Querying Microsoft SQL Server. This course will be replaced
SQL Server. 2012 for developers. murach's TRAINING & REFERENCE. Bryan Syverson. Mike Murach & Associates, Inc. Joel Murach
TRAINING & REFERENCE murach's SQL Server 2012 for developers Bryan Syverson Joel Murach Mike Murach & Associates, Inc. 4340 N. Knoll Ave. Fresno, CA 93722 www.murach.com [email protected] Expanded
Chapter 14: Query Optimization
Chapter 14: Query Optimization Database System Concepts 5 th Ed. See www.db-book.com for conditions on re-use Chapter 14: Query Optimization Introduction Transformation of Relational Expressions Catalog
AV-005: Administering and Implementing a Data Warehouse with SQL Server 2014
AV-005: Administering and Implementing a Data Warehouse with SQL Server 2014 Career Details Duration 105 hours Prerequisites This career requires that you meet the following prerequisites: Working knowledge
Querying Microsoft SQL Server 2012. Querying Microsoft SQL Server 2014 20461D. Course 10774A: Course Det ails. Co urse Outline
Course 10774A: Querying Microsoft SQL Server 2012 20461D Querying Microsoft SQL Server 2014 Course Det ails Co urse Outline M o d ule 1: Intr o d uctio n to M icro so ft SQL Ser ver 2012 This module introduces
Parallel & Distributed Data Management
Parallel & Distributed Data Management Kai Shen Data Management Data management Efficiency: fast reads/writes Durability and consistency: data is safe and sound despite failures Usability: convenient interfaces
Introduction to Querying & Reporting with SQL Server
1800 ULEARN (853 276) www.ddls.com.au Introduction to Querying & Reporting with SQL Server Length 5 days Price $4169.00 (inc GST) Overview This five-day instructor led course provides students with the
SQL Query Performance Tuning: Tips and Best Practices
SQL Query Performance Tuning: Tips and Best Practices Pravasini Priyanka, Principal Test Engineer, Progress Software INTRODUCTION: In present day world, where dozens of complex queries are run on databases
Oracle Database 11g: SQL Tuning Workshop Release 2
Oracle University Contact Us: 1 800 005 453 Oracle Database 11g: SQL Tuning Workshop Release 2 Duration: 3 Days What you will learn This course assists database developers, DBAs, and SQL developers to
SQL Server Query Tuning
SQL Server Query Tuning Klaus Aschenbrenner Independent SQL Server Consultant SQLpassion.at Twitter: @Aschenbrenner About me Independent SQL Server Consultant International Speaker, Author Pro SQL Server
Advanced Oracle SQL Tuning
Advanced Oracle SQL Tuning Seminar content technical details 1) Understanding Execution Plans In this part you will learn how exactly Oracle executes SQL execution plans. Instead of describing on PowerPoint
Evaluation of Expressions
Query Optimization Evaluation of Expressions Materialization: one operation at a time, materialize intermediate results for subsequent use Good for all situations Sum of costs of individual operations
Define terms Write single and multiple table SQL queries Write noncorrelated and correlated subqueries Define and use three types of joins
Chapter 7 Advanced SQL 1 Define terms Objectives Write single and multiple table SQL queries Write noncorrelated and correlated subqueries Define and use three types of joins 2 Nested Queries (Subqueries)
Advanced Query for Query Developers
for Developers This is a training guide to step you through the advanced functions of in NUFinancials. is an ad-hoc reporting tool that allows you to retrieve data that is stored in the NUFinancials application.
Instant SQL Programming
Instant SQL Programming Joe Celko Wrox Press Ltd. INSTANT Table of Contents Introduction 1 What Can SQL Do for Me? 2 Who Should Use This Book? 2 How To Use This Book 3 What You Should Know 3 Conventions
In this session, we use the table ZZTELE with approx. 115,000 records for the examples. The primary key is defined on the columns NAME,VORNAME,STR
1 2 2 3 In this session, we use the table ZZTELE with approx. 115,000 records for the examples. The primary key is defined on the columns NAME,VORNAME,STR The uniqueness of the primary key ensures that
Oracle Database: SQL and PL/SQL Fundamentals
Oracle University Contact Us: 1.800.529.0165 Oracle Database: SQL and PL/SQL Fundamentals Duration: 5 Days What you will learn This course is designed to deliver the fundamentals of SQL and PL/SQL along
Oracle Database: SQL and PL/SQL Fundamentals NEW
Oracle University Contact Us: + 38516306373 Oracle Database: SQL and PL/SQL Fundamentals NEW Duration: 5 Days What you will learn This Oracle Database: SQL and PL/SQL Fundamentals training delivers the
Saskatoon Business College Corporate Training Centre 244-6340 [email protected] www.sbccollege.ca/corporate
Microsoft Certified Instructor led: Querying Microsoft SQL Server (Course 20461C) Date: October 19 23, 2015 Course Length: 5 day (8:30am 4:30pm) Course Cost: $2400 + GST (Books included) About this Course
Oracle Database 11g: SQL Tuning Workshop
Oracle University Contact Us: + 38516306373 Oracle Database 11g: SQL Tuning Workshop Duration: 3 Days What you will learn This Oracle Database 11g: SQL Tuning Workshop Release 2 training assists database
DBMS / Business Intelligence, SQL Server
DBMS / Business Intelligence, SQL Server Orsys, with 30 years of experience, is providing high quality, independant State of the Art seminars and hands-on courses corresponding to the needs of IT professionals.
Understanding SQL Server Execution Plans. Klaus Aschenbrenner Independent SQL Server Consultant SQLpassion.at Twitter: @Aschenbrenner
Understanding SQL Server Execution Plans Klaus Aschenbrenner Independent SQL Server Consultant SQLpassion.at Twitter: @Aschenbrenner About me Independent SQL Server Consultant International Speaker, Author
Execution Plans: The Secret to Query Tuning Success. MagicPASS January 2015
Execution Plans: The Secret to Query Tuning Success MagicPASS January 2015 Jes Schultz Borland plan? The following steps are being taken Parsing Compiling Optimizing In the optimizing phase An execution
Apache MRQL (incubating): Advanced Query Processing for Complex, Large-Scale Data Analysis
Apache MRQL (incubating): Advanced Query Processing for Complex, Large-Scale Data Analysis Leonidas Fegaras University of Texas at Arlington http://mrql.incubator.apache.org/ 04/12/2015 Outline Who am
SQL SELECT Query: Intermediate
SQL SELECT Query: Intermediate IT 4153 Advanced Database J.G. Zheng Spring 2012 Overview SQL Select Expression Alias revisit Aggregate functions - complete Table join - complete Sub-query in where Limiting
Efficient Data Access and Data Integration Using Information Objects Mica J. Block
Efficient Data Access and Data Integration Using Information Objects Mica J. Block Director, ACES Actuate Corporation [email protected] Agenda Information Objects Overview Best practices Modeling Security
Chapter 5: Overview of Query Processing
Chapter 5: Overview of Query Processing Query Processing Overview Query Optimization Distributed Query Processing Steps Acknowledgements: I am indebted to Arturas Mazeika for providing me his slides of
SUBQUERIES AND VIEWS. CS121: Introduction to Relational Database Systems Fall 2015 Lecture 6
SUBQUERIES AND VIEWS CS121: Introduction to Relational Database Systems Fall 2015 Lecture 6 String Comparisons and GROUP BY 2! Last time, introduced many advanced features of SQL, including GROUP BY! Recall:
Microsoft Access 3: Understanding and Creating Queries
Microsoft Access 3: Understanding and Creating Queries In Access Level 2, we learned how to perform basic data retrievals by using Search & Replace functions and Sort & Filter functions. For more complex
Oracle Database: SQL and PL/SQL Fundamentals
Oracle University Contact Us: +966 12 739 894 Oracle Database: SQL and PL/SQL Fundamentals Duration: 5 Days What you will learn This Oracle Database: SQL and PL/SQL Fundamentals training is designed to
Oracle SQL. Course Summary. Duration. Objectives
Oracle SQL Course Summary Identify the major structural components of the Oracle Database 11g Create reports of aggregated data Write SELECT statements that include queries Retrieve row and column data
SQL Server Query Tuning
SQL Server Query Tuning A 12-Step Program By Thomas LaRock, Technical Evangelist and Head Geek Confio Software 4772 Walnut Street, Suite 100 Boulder, CO 80301 www.confio.com Introduction Query tuning is
Join Example. Join Example Cart Prod. www.comp-soln.com 2006 Comprehensive Consulting Solutions, Inc.All rights reserved.
Join Example S04.5 Join Example Cart Prod S04.6 Previous joins are equijoins (=) Other operators can be used e.g. List all my employees older than their manager SELECT emp.name FROM employee emp, manager
Duration Vendor Audience 5 Days Oracle End Users, Developers, Technical Consultants and Support Staff
D80198GC10 Oracle Database 12c SQL and Fundamentals Summary Duration Vendor Audience 5 Days Oracle End Users, Developers, Technical Consultants and Support Staff Level Professional Delivery Method Instructor-led
Query Processing C H A P T E R12. Practice Exercises
C H A P T E R12 Query Processing Practice Exercises 12.1 Assume (for simplicity in this exercise) that only one tuple fits in a block and memory holds at most 3 blocks. Show the runs created on each pass
Data Structure: Relational Model. Programming Interface: JDBC/ODBC. SQL Queries: The Basic From
Data Structure: Relational Moel Relational atabases: Schema + Data Schema (also calle scheme): collection of tables (also calle relations) each table has a set of attributes no repeating relation names,
SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24. Data Federation Administration Tool Guide
SAP Business Objects Business Intelligence platform Document Version: 4.1 Support Package 7 2015-11-24 Data Federation Administration Tool Guide Content 1 What's new in the.... 5 2 Introduction to administration
Useful Business Analytics SQL operators and more Ajaykumar Gupte IBM
Useful Business Analytics SQL operators and more Ajaykumar Gupte IBM 1 Acknowledgements and Disclaimers Availability. References in this presentation to IBM products, programs, or services do not imply
Oracle Database 12c: Introduction to SQL Ed 1.1
Oracle University Contact Us: 1.800.529.0165 Oracle Database 12c: Introduction to SQL Ed 1.1 Duration: 5 Days What you will learn This Oracle Database: Introduction to SQL training helps you write subqueries,
Introduction to tuple calculus Tore Risch 2011-02-03
Introduction to tuple calculus Tore Risch 2011-02-03 The relational data model is based on considering normalized tables as mathematical relationships. Powerful query languages can be defined over such
COMP 5138 Relational Database Management Systems. Week 5 : Basic SQL. Today s Agenda. Overview. Basic SQL Queries. Joins Queries
COMP 5138 Relational Database Management Systems Week 5 : Basic COMP5138 "Relational Database Managment Systems" J. Davis 2006 5-1 Today s Agenda Overview Basic Queries Joins Queries Aggregate Functions
Chapter 6: Physical Database Design and Performance. Database Development Process. Physical Design Process. Physical Database Design
Chapter 6: Physical Database Design and Performance Modern Database Management 6 th Edition Jeffrey A. Hoffer, Mary B. Prescott, Fred R. McFadden Robert C. Nickerson ISYS 464 Spring 2003 Topic 23 Database
6.830 Lecture 3 9.16.2015 PS1 Due Next Time (Tuesday!) Lab 1 Out today start early! Relational Model Continued, and Schema Design and Normalization
6.830 Lecture 3 9.16.2015 PS1 Due Next Time (Tuesday!) Lab 1 Out today start early! Relational Model Continued, and Schema Design and Normalization Animals(name,age,species,cageno,keptby,feedtime) Keeper(id,name)
Query Optimization in Microsoft SQL Server PDW The article done by: Srinath Shankar, Rimma Nehme, Josep Aguilar-Saborit, Andrew Chung, Mostafa
Query Optimization in Microsoft SQL Server PDW The article done by: Srinath Shankar, Rimma Nehme, Josep Aguilar-Saborit, Andrew Chung, Mostafa Elhemali, Alan Halverson, Eric Robinson, Mahadevan Sankara
Comp 5311 Database Management Systems. 16. Review 2 (Physical Level)
Comp 5311 Database Management Systems 16. Review 2 (Physical Level) 1 Main Topics Indexing Join Algorithms Query Processing and Optimization Transactions and Concurrency Control 2 Indexing Used for faster
LearnFromGuru Polish your knowledge
SQL SERVER 2008 R2 /2012 (TSQL/SSIS/ SSRS/ SSAS BI Developer TRAINING) Module: I T-SQL Programming and Database Design An Overview of SQL Server 2008 R2 / 2012 Available Features and Tools New Capabilities
Chapter 9 Joining Data from Multiple Tables. Oracle 10g: SQL
Chapter 9 Joining Data from Multiple Tables Oracle 10g: SQL Objectives Identify a Cartesian join Create an equality join using the WHERE clause Create an equality join using the JOIN keyword Create a non-equality
Query tuning by eliminating throwaway
Query tuning by eliminating throwaway This paper deals with optimizing non optimal performing queries. Abstract Martin Berg ([email protected]) Server Technology System Management & Performance Oracle
Relational Division and SQL
Relational Division and SQL Soulé 1 Example Relations and Queries As a motivating example, consider the following two relations: Taken(,Course) which contains the courses that each student has completed,
Query Optimization in Cloud Environment
Query Optimization in Cloud Environment Cindy Chen Computer Science Department University of Massachusetts Lowell May 31, 2014 OUTLINE Introduction Our Approach Performance Evaluation Conclusion and Future
Oracle White Paper June 2013. Optimizer with Oracle Database 12c
Oracle White Paper June 2013 Optimizer with Oracle Database 12c Disclaimer The following is intended to outline our general product direction. It is intended for information purposes only, and may not
More on SQL. Juliana Freire. Some slides adapted from J. Ullman, L. Delcambre, R. Ramakrishnan, G. Lindstrom and Silberschatz, Korth and Sudarshan
More on SQL Some slides adapted from J. Ullman, L. Delcambre, R. Ramakrishnan, G. Lindstrom and Silberschatz, Korth and Sudarshan SELECT A1, A2,, Am FROM R1, R2,, Rn WHERE C1, C2,, Ck Interpreting a Query
Database Programming with PL/SQL: Learning Objectives
Database Programming with PL/SQL: Learning Objectives This course covers PL/SQL, a procedural language extension to SQL. Through an innovative project-based approach, students learn procedural logic constructs
Oracle 10g PL/SQL Training
Oracle 10g PL/SQL Training Course Number: ORCL PS01 Length: 3 Day(s) Certification Exam This course will help you prepare for the following exams: 1Z0 042 1Z0 043 Course Overview PL/SQL is Oracle's Procedural
[Refer Slide Time: 05:10]
Principles of Programming Languages Prof: S. Arun Kumar Department of Computer Science and Engineering Indian Institute of Technology Delhi Lecture no 7 Lecture Title: Syntactic Classes Welcome to lecture
ICAB4136B Use structured query language to create database structures and manipulate data
ICAB4136B Use structured query language to create database structures and manipulate data Release: 1 ICAB4136B Use structured query language to create database structures and manipulate data Modification
Physical DB design and tuning: outline
Physical DB design and tuning: outline Designing the Physical Database Schema Tables, indexes, logical schema Database Tuning Index Tuning Query Tuning Transaction Tuning Logical Schema Tuning DBMS Tuning
SQL Performance and Tuning. DB2 Relational Database
SQL Performance and Tuning DB2 Relational Database 1 Course Overview The DB2 Optimizer SQL Coding Strategies and Guidelines DB2 Catalog Filter Factors for Predicates Runstats and Reorg Utilities DB2 Explain
1Z0-117 Oracle Database 11g Release 2: SQL Tuning. Oracle
1Z0-117 Oracle Database 11g Release 2: SQL Tuning Oracle To purchase Full version of Practice exam click below; http://www.certshome.com/1z0-117-practice-test.html FOR Oracle 1Z0-117 Exam Candidates We
Introduction to database design
Introduction to database design KBL chapter 5 (pages 127-187) Rasmus Pagh Some figures are borrowed from the ppt slides from the book used in the course, Database systems by Kiefer, Bernstein, Lewis Copyright
An Oracle White Paper May 2011. The Oracle Optimizer Explain the Explain Plan
An Oracle White Paper May 2011 The Oracle Optimizer Explain the Explain Plan Introduction... 1 The Execution Plan... 2 Displaying the Execution plan... 3 What is Cost... 8 Understanding the execution plan...
Exploring Query Optimization Techniques in Relational Databases
Exploring Optimization Techniques in Relational Databases Majid Khan and M. N. A. Khan SZABIST, Islamabad, Pakistan [email protected],[email protected] Abstract In the modern era, digital data is
Chapter 5 More SQL: Complex Queries, Triggers, Views, and Schema Modification
Chapter 5 More SQL: Complex Queries, Triggers, Views, and Schema Modification Copyright 2011 Pearson Education, Inc. Publishing as Pearson Addison-Wesley Chapter 5 Outline More Complex SQL Retrieval Queries
SQL SERVER DEVELOPER Available Features and Tools New Capabilities SQL Services Product Licensing Product Editions Will teach in class room
An Overview of SQL Server 2005/2008 Configuring and Installing SQL Server 2005/2008 SQL SERVER DEVELOPER Available Features and Tools New Capabilities SQL Services Product Licensing Product Editions Preparing
CS 525 Advanced Database Organization - Spring 2013 Mon + Wed 3:15-4:30 PM, Room: Wishnick Hall 113
CS 525 Advanced Database Organization - Spring 2013 Mon + Wed 3:15-4:30 PM, Room: Wishnick Hall 113 Instructor: Boris Glavic, Stuart Building 226 C, Phone: 312 567 5205, Email: [email protected] Office Hours:
Horizontal Aggregations In SQL To Generate Data Sets For Data Mining Analysis In An Optimized Manner
24 Horizontal Aggregations In SQL To Generate Data Sets For Data Mining Analysis In An Optimized Manner Rekha S. Nyaykhor M. Tech, Dept. Of CSE, Priyadarshini Bhagwati College of Engineering, Nagpur, India
MTCache: Mid-Tier Database Caching for SQL Server
MTCache: Mid-Tier Database Caching for SQL Server Per-Åke Larson Jonathan Goldstein Microsoft {palarson,jongold}@microsoft.com Hongfei Guo University of Wisconsin [email protected] Jingren Zhou Columbia
Effective Use of SQL in SAS Programming
INTRODUCTION Effective Use of SQL in SAS Programming Yi Zhao Merck & Co. Inc., Upper Gwynedd, Pennsylvania Structured Query Language (SQL) is a data manipulation tool of which many SAS programmers are
Introduction to SQL for Data Scientists
Introduction to SQL for Data Scientists Ben O. Smith College of Business Administration University of Nebraska at Omaha Learning Objectives By the end of this document you will learn: 1. How to perform
SQL Server and MicroStrategy: Functional Overview Including Recommendations for Performance Optimization. MicroStrategy World 2016
SQL Server and MicroStrategy: Functional Overview Including Recommendations for Performance Optimization MicroStrategy World 2016 Technical Integration with Microsoft SQL Server Microsoft SQL Server is
BCA. Database Management System
BCA IV Sem Database Management System Multiple choice questions 1. A Database Management System (DBMS) is A. Collection of interrelated data B. Collection of programs to access data C. Collection of data
D B M G Data Base and Data Mining Group of Politecnico di Torino
Database Management Data Base and Data Mining Group of [email protected] A.A. 2014-2015 Optimizer objective A SQL statement can be executed in many different ways The query optimizer determines
A Comparison of Database Query Languages: SQL, SPARQL, CQL, DMX
ISSN: 2393-8528 Contents lists available at www.ijicse.in International Journal of Innovative Computer Science & Engineering Volume 3 Issue 2; March-April-2016; Page No. 09-13 A Comparison of Database
WRITING EFFICIENT SQL. By Selene Bainum
WRITING EFFICIENT SQL By Selene Bainum About Me Extensive SQL & database development since 1995 ColdFusion Developer since 1996 Author & Speaker Co-Founder RiteTech LLC IT & Web Company in Washington,
