SlideShare a Scribd company logo
2
Most read
SQL Database Performance Tuning for Developers
https://www.toptal.com/sql-server/sql-database-tuning-for-developers
SQL performance tuning can be an incredibly difficult task, particularly when working with large-
scale data where even the most minor change can have a dramatic (positive or negative) impact
on performance.
In mid-sized and large companies, most SQL performance tuning will be handled by a Database
Administrator (DBA). But believe me, there are plenty of developers out there who have to
perform DBA-like tasks. Further, in many of the companies I’ve seen that do have DBAs, they often
struggle to work well with developers—the positions simply require different modes of problem
solving, which can lead to disagreement among coworkers.
When working with large-scale data, even the most minor change can have a dramatic impact on
performance.
On top of that, corporate structure can also play a role. Say the DBA team is placed on the 10th
floor with all of their databases, while the devs are on the 15th floor, or even in a different
building under a completely separate reporting structure—it’s certainly hard to work together
smoothly under these conditions.  In this article, I’d like to accomplish two things:
1. Provide developers with some developer-side SQL performance tuning techniques.
2. Explain how developers and DBAs can work together effectively.
SQL Performance Tuning (in the Codebase):
Indexes
If you’re a complete newcomer to databases and even asking yourself “What is SQL performance
tuning?”, you should know that indexing is an effective way to tune your SQL database that is
often neglected during development. In basic terms, an index is a data structure that improves the
speed of data retrieval operations on a database table by providing rapid random lookups and
efficient access of ordered records. This means that once you’ve created an index, you can select
or sort your rows faster than before.
Indexes are also used to define a primary-key or unique index which will guarantee that no other
columns have the same values. Of course, database indexing is a vast an interesting topic to which
I can’t do justice with this brief description (but here’s a more detailed write-up).
If you’re new to indexes, I recommend using this diagram when structuring your queries:
Basically, the goal is to index the major searching and ordering columns.
Note that if your tables are constantly hammered by INSERT , UPDATE , and DELETE , you
should be careful when indexing—you could end up decreasing performance as all indexes need to
be modified after these operations.
Further, DBAs often drop their SQL indexes before performing batch inserts of million-plus rows
to speed up the insertion process. After the batch is inserted, they then recreate the indexes.
Remember, however, that dropping indexes will affect every query running in that table; so this
approach is only recommended when working with a single, large insertion.
SQL Tuning: Execution Plans in SQL Server
By the way: the Execution Plan tool in SQL Server can be useful for creating indexes.
Its main function is to graphically display the data retrieval methods chosen by the SQL Server
query optimizer. If you’ve never seen them before, there’s a detailed walkthrough.
To retrieve the execution plan (in SQL Server Management Studio), just click “Include Actual
Execution Plan” (CTRL + M) before running your query.
Afterwards, a third tab named “Execution Plan” will appear. You might see a detected missing
index. To create it, just right click in the execution plan and choose the “Missing Index Details…”.
It’s as simple as that!
SQL Tuning: Avoid Coding Loops
Imagine a scenario in which 1000 queries hammer your database in sequence.
Something like:
for (int i = 0; i < 1000; i++)
{
SqlCommand cmd = new SqlCommand("INSERT INTO TBL (A,B,C) VALUES...");
cmd.ExecuteNonQuery();
}
You should avoid such loops in your code. For example, we could transform the
above snippet by using a unique INSERT or UPDATE statement with multiple rows
and values:
INSERT INTO TableName (A,B,C) VALUES (1,2,3),(4,5,6),(7,8,9) -- SQL SERVER
2008
INSERT INTO TableName (A,B,C) SELECT 1,2,3 UNION ALL SELECT 4,5,6 -- SQL
SERVER 2005
UPDATE TableName SET A = CASE B
WHEN 1 THEN 'NEW VALUE'
WHEN 2 THEN 'NEW VALUE 2'
WHEN 3 THEN 'NEW VALUE 3'
END
WHERE B in (1,2,3)
Make sure that your WHERE clause avoids updating the stored value if it matches
the existing value. Such a trivial optimization can dramatically increase SQL
query performance by updating only hundreds of rows instead of thousands. For
example:
UPDATE TableName
SET A = @VALUE
WHERE
B = 'YOUR CONDITION'
AND A <> @VALUE – VALIDATION
SQL Tuning: Avoid Correlated SQL Subqueries
A correlated subquery is one which uses values from the parent query. This kind of
SQL query tends to run row-by-row, once for each row returned by the outer
query, and thus decreases SQL query performance. New SQL developers are
often caught structuring their queries in this way—because it’s usually the easy
route.
Here’s an example of a correlated subquery:
SELECT c.Name,
c.City,
(SELECT CompanyName FROM Company WHERE ID = c.CompanyID) AS
CompanyName
FROM Customer c
In particular, the problem is that the inner query ( SELECT CompanyName… ) is run
for each row returned by the outer query ( SELECT c.Name… ). But why go over
the Company again and again for every row processed by the outer query?
A more efficient SQL performance tuning technique would be to refactor the
correlated subquery as a join:
SELECT c.Name,
c.City,
co.CompanyName
FROM Customer c
LEFT JOIN Company co
ON c.CompanyID = co.CompanyID
In this case, we go over the Company table just once, at the start, and JOIN it
with the Customer table. From then on, we can select the values we need
( co.CompanyName ) more efficiently.
SQL Tuning: Select Sparingly
One of my favorite SQL optimization tips is to avoid SELECT * ! Instead, you
should individually include the specific columns that you need. Again, this
sounds simple, but I see this error all over the place. Consider a table with
hundreds of columns and millions of rows—if your application only really needs
a few columns, there’s no sense in querying for all the data. It’s a massive waste
of resources. (For more issues, see here.)
For example:
SELECT * FROM Employees
vs.
SELECT FirstName, City, Country FROM Employees
If you really need every column, explicitly list every column. This isn’t so much a
rule, but rather, a means of preventing future system errors and additional SQL
performance tuning. For example, if you’re using an INSERT... SELECT... and
the source table has changed via the addition of a new column, you might run
into issues, even if that column isn’t needed by the destination table, e.g.:
INSERT INTO Employees SELECT * FROM OldEmployees
Msg 213, Level 16, State 1, Line 1
Insert Error: Column name or number of supplied values does not match table
definition.
To avoid this kind of error from SQL Server, you should declare each column
individually:
INSERT INTO Employees (FirstName, City, Country)
SELECT Name, CityName, CountryName
FROM OldEmployees
Note, however, that there are some situations where the use of SELECT * could
be appropriate. For example, with temp tables—which leads us to our next topic.
SQL Tuning: The Wise Use of Temporary Tables (#Temp)
Temporary tables usually increase a query’s complexity. If your code can be
written in a simple, straightforward manner, I’d suggest avoiding temp tables.
But if you have a stored procedure with some data manipulation that cannot be
handled with a single query, you can use temp tables as intermediaries to help
you to generate a final result.
When you have to join a large table and there are conditions on said table, you
can increase database performance by transferring your data in a temp table,
and then making a join on that. Your temp table will have fewer rows than the
original (large) table, so the join will finish faster!
The decision isn’t always straightforward, but this example will give you a sense
for situations in which you might want to use temp tables:
Imagine a customer table with millions of records. You have to make a join on a
specific region. You can achieve this by using a SELECT INTO statement and then
joining with the temp table:
SELECT * INTO #Temp FROM Customer WHERE RegionID = 5
SELECT r.RegionName, t.Name FROM Region r JOIN #Temp t ON t.RegionID =
r.RegionID
(Note: some SQL developers also avoid using SELECT INTO to create temp
tables, saying that this command locks the tempdb database, disallowing other
users from creating temp tables. Fortunately, this is fixed in 7.0 and later.)
As an alternative to temp tables, you might consider using a subquery as a table:
SELECT r.RegionName, t.Name FROM Region r
JOIN (SELECT * FROM Customer WHERE RegionID = 5) AS t
ON t.RegionID = r.RegionID
But wait! There’s a problem with this second query. As described above, we
should only be including the columns we need in our subquery (i.e., not
using SELECT * ). Taking that into account:
SELECT r.RegionName, t.Name FROM Region r
JOIN (SELECT Name, RegionID FROM Customer WHERE RegionID = 5) AS t
ON t.RegionID = r.RegionID
All of these SQL snippets will return the same data. But with temp tables, we
could, for example, create an index in the temp table to improve performance.
There’s some good discussion here on the differences between temporary tables
and subqueries.
Finally, when you’re done with your temp table, delete it to clear tempdb
resources, rather than just wait for it to be automatically deleted (as it will be
when your connection to the database is terminated):
DROP TABLE #temp
SQL Tuning: “Does My Record Exist?”
This SQL optimization technique concerns the use of EXISTS() . If you want to
check if a record exists, use EXISTS() instead of COUNT() . While COUNT() scans
the entire table, counting up all entries matching your condition, EXISTS() will
exit as soon as it sees the result it needs. This will give you better performance and
clearer code.
IF (SELECT COUNT(1) FROM EMPLOYEES WHERE FIRSTNAME LIKE '%JOHN%') > 0
PRINT 'YES'
vs.
IF EXISTS(SELECT FIRSTNAME FROM EMPLOYEES WHERE FIRSTNAME LIKE '%JOHN%')
PRINT 'YES'
SQL Performance Tuning With SQL Server 2016
As DBAs working with SQL Server 2016 are likely aware, the version marked an
important shift in defaults and compatibility management. As a major version, it, of
course, comes with new query optimizations, but control over whether they’re
used is now streamlined via sys.databases.compatibility_level .
SQL Performance Tuning (in the Office)
SQL database administrators (DBAs) and developers often clash over data- and
non-data-related issues. Drawn from my experience, here are some tips (for both
parties) on how to get along and work together effectively.
Database Optimization for Developers:
1. If your application stops working suddenly, it may not be a database issue. For
example, maybe you have a network problem. Investigate a bit before you accuse a
DBA!
2. Even if you’re a ninja SQL data modeler, ask a DBA to help you with your relational
diagram. They have a lot to share and offer.
3. DBAs don’t like rapid changes. This is natural: they need to analyze the database as
a whole and examine the impact of any changes from all angles. A simple change in
a column can take a week to be implemented—but that’s because an error could
materialize as huge losses for the company. Be patient!
4. Do not ask SQL DBAs to make data changes in a production environment. If you
want access to the production database, you have to be responsible for all your own
changes.
Database Optimization for SQL Server DBAs:
1. If you don’t like people asking you about the database, give them a real-time status
panel. Developers are always suspicious of a database’s status, and such a panel
could save everyone time and energy.
2. Help developers in a test/quality assurance environment. Make it easy to simulate a
production server with simple tests on real-world data. This will be a significant
time-saver for others as well as yourself.
3. Developers spend all day on systems with frequently-changed business logic. Try to
understand this world being more flexible, and be able to break some rules in a
critical moment.
4. SQL databases evolve. The day will come when you have to migrate your data to a
new version. Developers count on significant new functionality with each new
version. Instead of refusing to accept their changes, plan ahead and be ready for the
migration.

More Related Content

PDF
Dynamic data masking sql server 2016
Antonios Chatzipavlis
 
PPT
Sql server performance tuning
ngupt28
 
PPTX
Big data clustering
Jagadeesan A S
 
PPT
Database system concepts and architecture
Jafar Nesargi
 
PPT
Database design
Jennifer Polack
 
PPTX
6.hive
Prashant Gupta
 
PPT
Advanced Sql Training
bixxman
 
PPTX
An Introduction To NoSQL & MongoDB
Lee Theobald
 
Dynamic data masking sql server 2016
Antonios Chatzipavlis
 
Sql server performance tuning
ngupt28
 
Big data clustering
Jagadeesan A S
 
Database system concepts and architecture
Jafar Nesargi
 
Database design
Jennifer Polack
 
Advanced Sql Training
bixxman
 
An Introduction To NoSQL & MongoDB
Lee Theobald
 

What's hot (20)

PPTX
SF Big Analytics 20190612: Building highly efficient data lakes using Apache ...
Chester Chen
 
PPT
Database performance tuning and query optimization
Dhani Ahmad
 
PDF
MySQL 8.0 Optimizer Guide
Morgan Tocker
 
PDF
The Oracle RAC Family of Solutions - Presentation
Markus Michalewicz
 
PDF
Apache Calcite: One planner fits all
Julian Hyde
 
PDF
Elasticsearch Tutorial | Getting Started with Elasticsearch | ELK Stack Train...
Edureka!
 
PPTX
MySql:Introduction
DataminingTools Inc
 
PDF
Spark and S3 with Ryan Blue
Databricks
 
PPT
OODM-object oriented data model
AnilPokhrel7
 
ODP
Dimensional Modelling
Prithwis Mukerjee
 
PDF
Oracle Real Application Clusters (RAC) 12c Rel. 2 - Operational Best Practices
Markus Michalewicz
 
POTX
database
Shwetanshu Gupta
 
PPTX
12. oracle database architecture
Amrit Kaur
 
PDF
Partitioning tables and indexing them
Hemant K Chitale
 
PPTX
Introduction to Oracle Database
puja_dhar
 
PPT
SQL Views
Aaron Buma
 
PDF
Como elegir entre BI Cloud, Data Visualization and Oracle Analytics Cloud Ser...
Edelweiss Kammermann
 
PPTX
Hadoop Summit 2012 | Optimizing MapReduce Job Performance
Cloudera, Inc.
 
PPTX
diapositiva-clase-unidad-4-sql.pptx
rch_bar
 
SF Big Analytics 20190612: Building highly efficient data lakes using Apache ...
Chester Chen
 
Database performance tuning and query optimization
Dhani Ahmad
 
MySQL 8.0 Optimizer Guide
Morgan Tocker
 
The Oracle RAC Family of Solutions - Presentation
Markus Michalewicz
 
Apache Calcite: One planner fits all
Julian Hyde
 
Elasticsearch Tutorial | Getting Started with Elasticsearch | ELK Stack Train...
Edureka!
 
MySql:Introduction
DataminingTools Inc
 
Spark and S3 with Ryan Blue
Databricks
 
OODM-object oriented data model
AnilPokhrel7
 
Dimensional Modelling
Prithwis Mukerjee
 
Oracle Real Application Clusters (RAC) 12c Rel. 2 - Operational Best Practices
Markus Michalewicz
 
12. oracle database architecture
Amrit Kaur
 
Partitioning tables and indexing them
Hemant K Chitale
 
Introduction to Oracle Database
puja_dhar
 
SQL Views
Aaron Buma
 
Como elegir entre BI Cloud, Data Visualization and Oracle Analytics Cloud Ser...
Edelweiss Kammermann
 
Hadoop Summit 2012 | Optimizing MapReduce Job Performance
Cloudera, Inc.
 
diapositiva-clase-unidad-4-sql.pptx
rch_bar
 
Ad

Similar to SQL Database Performance Tuning for Developers (20)

PPTX
02 database oprimization - improving sql performance - ent-db
uncleRhyme
 
PDF
SQA server performance tuning
Duy Tan Geek
 
PPTX
Database Performance Tuning
Arno Huetter
 
PPT
Myth busters - performance tuning 101 2007
paulguerin
 
PDF
SQL Server Query Tuning Tips - Get it Right the First Time
Dean Richards
 
PPTX
Database optimization
EsraaAlattar1
 
PPTX
Query Optimization in SQL Server
Rajesh Gunasundaram
 
PPTX
Ten query tuning techniques every SQL Server programmer should know
Kevin Kline
 
PDF
What's New in DBArtisan and Rapid SQL 2016
Embarcadero Technologies
 
TXT
Oracle sql tuning
bishnupriya Panda
 
PPT
Hpd 1
dikshagupta111
 
PPT
Myth busters - performance tuning 102 2008
paulguerin
 
PDF
Tips for Database Performance
Kesavan Munuswamy
 
PPT
Top 10 Oracle SQL tuning tips
Nirav Shah
 
ODP
SQL Tunning
Dhananjay Goel
 
PPTX
My Query is slow, now what?
Gianluca Sartori
 
PPTX
SQL Server 2012 Best Practices
Microsoft TechNet - Belgium and Luxembourg
 
PPTX
Oracle sql high performance tuning
Guy Harrison
 
PDF
4 execution plans
Ram Kedem
 
PDF
Query Tuning for Database Pros & Developers
Code Mastery
 
02 database oprimization - improving sql performance - ent-db
uncleRhyme
 
SQA server performance tuning
Duy Tan Geek
 
Database Performance Tuning
Arno Huetter
 
Myth busters - performance tuning 101 2007
paulguerin
 
SQL Server Query Tuning Tips - Get it Right the First Time
Dean Richards
 
Database optimization
EsraaAlattar1
 
Query Optimization in SQL Server
Rajesh Gunasundaram
 
Ten query tuning techniques every SQL Server programmer should know
Kevin Kline
 
What's New in DBArtisan and Rapid SQL 2016
Embarcadero Technologies
 
Oracle sql tuning
bishnupriya Panda
 
Myth busters - performance tuning 102 2008
paulguerin
 
Tips for Database Performance
Kesavan Munuswamy
 
Top 10 Oracle SQL tuning tips
Nirav Shah
 
SQL Tunning
Dhananjay Goel
 
My Query is slow, now what?
Gianluca Sartori
 
SQL Server 2012 Best Practices
Microsoft TechNet - Belgium and Luxembourg
 
Oracle sql high performance tuning
Guy Harrison
 
4 execution plans
Ram Kedem
 
Query Tuning for Database Pros & Developers
Code Mastery
 
Ad

More from BRIJESH KUMAR (20)

PPTX
53-Dataset Source and Sink Data flow in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
52- Source and Sink Data flow in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
51- Data flow in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
3- Azure Resource Group.pptx
BRIJESH KUMAR
 
PPTX
1- Introduction of Azure Cloud.pptx
BRIJESH KUMAR
 
PPTX
47- Web Hook Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
46- Web Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
44- Filter Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
43- Wait Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
41- Scripts Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
39- Lookup Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
40 Stored Procedure Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
38- Get Metadata Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
37- User Properties in Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
36- Copy Activity Setting in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
35- Copy Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
34- Fail Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
33- If Condition Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
32- Validation Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
PPTX
31- Execute Pipeline Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
53-Dataset Source and Sink Data flow in Azure Data Factory.pptx
BRIJESH KUMAR
 
52- Source and Sink Data flow in Azure Data Factory.pptx
BRIJESH KUMAR
 
51- Data flow in Azure Data Factory.pptx
BRIJESH KUMAR
 
3- Azure Resource Group.pptx
BRIJESH KUMAR
 
1- Introduction of Azure Cloud.pptx
BRIJESH KUMAR
 
47- Web Hook Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
46- Web Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
44- Filter Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
43- Wait Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
41- Scripts Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
39- Lookup Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
40 Stored Procedure Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
38- Get Metadata Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
37- User Properties in Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
36- Copy Activity Setting in Azure Data Factory.pptx
BRIJESH KUMAR
 
35- Copy Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
34- Fail Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
33- If Condition Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
32- Validation Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 
31- Execute Pipeline Activity in Azure Data Factory.pptx
BRIJESH KUMAR
 

Recently uploaded (20)

PDF
Key_Statistical_Techniques_in_Analytics_by_CA_Suvidha_Chaplot.pdf
CA Suvidha Chaplot
 
PDF
Data_Cleaning_Infographic_Series_by_CA_Suvidha_Chaplot.pdf
CA Suvidha Chaplot
 
PPTX
Azure Data management Engineer project.pptx
sumitmundhe77
 
PPTX
Analysis of Employee_Attrition_Presentation.pptx
AdawuRedeemer
 
PPTX
Data Security Breach: Immediate Action Plan
varmabhuvan266
 
PPTX
Complete_STATA_Introduction_Beginner.pptx
mbayekebe
 
PPTX
World-population.pptx fire bunberbpeople
umutunsalnsl4402
 
PDF
Technical Writing Module-I Complete Notes.pdf
VedprakashArya13
 
PPTX
lecture 13 mind test academy it skills.pptx
ggesjmrasoolpark
 
PDF
Company Presentation pada Perusahaan ADB.pdf
didikfahmi
 
PDF
blockchain123456789012345678901234567890
tanvikhunt1003
 
PDF
Classifcation using Machine Learning and deep learning
bhaveshagrawal35
 
PPT
2009worlddatasheet_presentation.ppt peoole
umutunsalnsl4402
 
PDF
Blue Futuristic Cyber Security Presentation.pdf
tanvikhunt1003
 
PPTX
Introduction to Biostatistics Presentation.pptx
AtemJoshua
 
PPTX
Web_Engineering_Assignment_Clean.pptxfor college
HUSNAINAHMAD39
 
PPTX
Economic Sector Performance Recovery.pptx
yulisbaso2020
 
PPTX
Introduction to Data Analytics and Data Science
KavithaCIT
 
PDF
The_Future_of_Data_Analytics_by_CA_Suvidha_Chaplot_UPDATED.pdf
CA Suvidha Chaplot
 
PDF
oop_java (1) of ice or cse or eee ic.pdf
sabiquntoufiqlabonno
 
Key_Statistical_Techniques_in_Analytics_by_CA_Suvidha_Chaplot.pdf
CA Suvidha Chaplot
 
Data_Cleaning_Infographic_Series_by_CA_Suvidha_Chaplot.pdf
CA Suvidha Chaplot
 
Azure Data management Engineer project.pptx
sumitmundhe77
 
Analysis of Employee_Attrition_Presentation.pptx
AdawuRedeemer
 
Data Security Breach: Immediate Action Plan
varmabhuvan266
 
Complete_STATA_Introduction_Beginner.pptx
mbayekebe
 
World-population.pptx fire bunberbpeople
umutunsalnsl4402
 
Technical Writing Module-I Complete Notes.pdf
VedprakashArya13
 
lecture 13 mind test academy it skills.pptx
ggesjmrasoolpark
 
Company Presentation pada Perusahaan ADB.pdf
didikfahmi
 
blockchain123456789012345678901234567890
tanvikhunt1003
 
Classifcation using Machine Learning and deep learning
bhaveshagrawal35
 
2009worlddatasheet_presentation.ppt peoole
umutunsalnsl4402
 
Blue Futuristic Cyber Security Presentation.pdf
tanvikhunt1003
 
Introduction to Biostatistics Presentation.pptx
AtemJoshua
 
Web_Engineering_Assignment_Clean.pptxfor college
HUSNAINAHMAD39
 
Economic Sector Performance Recovery.pptx
yulisbaso2020
 
Introduction to Data Analytics and Data Science
KavithaCIT
 
The_Future_of_Data_Analytics_by_CA_Suvidha_Chaplot_UPDATED.pdf
CA Suvidha Chaplot
 
oop_java (1) of ice or cse or eee ic.pdf
sabiquntoufiqlabonno
 

SQL Database Performance Tuning for Developers

  • 1. SQL Database Performance Tuning for Developers https://www.toptal.com/sql-server/sql-database-tuning-for-developers SQL performance tuning can be an incredibly difficult task, particularly when working with large- scale data where even the most minor change can have a dramatic (positive or negative) impact on performance. In mid-sized and large companies, most SQL performance tuning will be handled by a Database Administrator (DBA). But believe me, there are plenty of developers out there who have to perform DBA-like tasks. Further, in many of the companies I’ve seen that do have DBAs, they often struggle to work well with developers—the positions simply require different modes of problem solving, which can lead to disagreement among coworkers. When working with large-scale data, even the most minor change can have a dramatic impact on performance. On top of that, corporate structure can also play a role. Say the DBA team is placed on the 10th floor with all of their databases, while the devs are on the 15th floor, or even in a different building under a completely separate reporting structure—it’s certainly hard to work together smoothly under these conditions.  In this article, I’d like to accomplish two things: 1. Provide developers with some developer-side SQL performance tuning techniques. 2. Explain how developers and DBAs can work together effectively. SQL Performance Tuning (in the Codebase): Indexes If you’re a complete newcomer to databases and even asking yourself “What is SQL performance tuning?”, you should know that indexing is an effective way to tune your SQL database that is often neglected during development. In basic terms, an index is a data structure that improves the speed of data retrieval operations on a database table by providing rapid random lookups and efficient access of ordered records. This means that once you’ve created an index, you can select or sort your rows faster than before.
  • 2. Indexes are also used to define a primary-key or unique index which will guarantee that no other columns have the same values. Of course, database indexing is a vast an interesting topic to which I can’t do justice with this brief description (but here’s a more detailed write-up). If you’re new to indexes, I recommend using this diagram when structuring your queries:
  • 3. Basically, the goal is to index the major searching and ordering columns. Note that if your tables are constantly hammered by INSERT , UPDATE , and DELETE , you should be careful when indexing—you could end up decreasing performance as all indexes need to be modified after these operations. Further, DBAs often drop their SQL indexes before performing batch inserts of million-plus rows to speed up the insertion process. After the batch is inserted, they then recreate the indexes. Remember, however, that dropping indexes will affect every query running in that table; so this approach is only recommended when working with a single, large insertion. SQL Tuning: Execution Plans in SQL Server By the way: the Execution Plan tool in SQL Server can be useful for creating indexes. Its main function is to graphically display the data retrieval methods chosen by the SQL Server query optimizer. If you’ve never seen them before, there’s a detailed walkthrough. To retrieve the execution plan (in SQL Server Management Studio), just click “Include Actual Execution Plan” (CTRL + M) before running your query. Afterwards, a third tab named “Execution Plan” will appear. You might see a detected missing index. To create it, just right click in the execution plan and choose the “Missing Index Details…”. It’s as simple as that!
  • 4. SQL Tuning: Avoid Coding Loops Imagine a scenario in which 1000 queries hammer your database in sequence. Something like: for (int i = 0; i < 1000; i++) { SqlCommand cmd = new SqlCommand("INSERT INTO TBL (A,B,C) VALUES..."); cmd.ExecuteNonQuery(); } You should avoid such loops in your code. For example, we could transform the above snippet by using a unique INSERT or UPDATE statement with multiple rows and values: INSERT INTO TableName (A,B,C) VALUES (1,2,3),(4,5,6),(7,8,9) -- SQL SERVER 2008 INSERT INTO TableName (A,B,C) SELECT 1,2,3 UNION ALL SELECT 4,5,6 -- SQL SERVER 2005 UPDATE TableName SET A = CASE B WHEN 1 THEN 'NEW VALUE' WHEN 2 THEN 'NEW VALUE 2' WHEN 3 THEN 'NEW VALUE 3' END WHERE B in (1,2,3) Make sure that your WHERE clause avoids updating the stored value if it matches the existing value. Such a trivial optimization can dramatically increase SQL query performance by updating only hundreds of rows instead of thousands. For example: UPDATE TableName SET A = @VALUE WHERE B = 'YOUR CONDITION' AND A <> @VALUE – VALIDATION
  • 5. SQL Tuning: Avoid Correlated SQL Subqueries A correlated subquery is one which uses values from the parent query. This kind of SQL query tends to run row-by-row, once for each row returned by the outer query, and thus decreases SQL query performance. New SQL developers are often caught structuring their queries in this way—because it’s usually the easy route. Here’s an example of a correlated subquery: SELECT c.Name, c.City, (SELECT CompanyName FROM Company WHERE ID = c.CompanyID) AS CompanyName FROM Customer c In particular, the problem is that the inner query ( SELECT CompanyName… ) is run for each row returned by the outer query ( SELECT c.Name… ). But why go over the Company again and again for every row processed by the outer query? A more efficient SQL performance tuning technique would be to refactor the correlated subquery as a join: SELECT c.Name, c.City, co.CompanyName FROM Customer c LEFT JOIN Company co ON c.CompanyID = co.CompanyID In this case, we go over the Company table just once, at the start, and JOIN it with the Customer table. From then on, we can select the values we need ( co.CompanyName ) more efficiently.
  • 6. SQL Tuning: Select Sparingly One of my favorite SQL optimization tips is to avoid SELECT * ! Instead, you should individually include the specific columns that you need. Again, this sounds simple, but I see this error all over the place. Consider a table with hundreds of columns and millions of rows—if your application only really needs a few columns, there’s no sense in querying for all the data. It’s a massive waste of resources. (For more issues, see here.) For example: SELECT * FROM Employees vs. SELECT FirstName, City, Country FROM Employees If you really need every column, explicitly list every column. This isn’t so much a rule, but rather, a means of preventing future system errors and additional SQL performance tuning. For example, if you’re using an INSERT... SELECT... and the source table has changed via the addition of a new column, you might run into issues, even if that column isn’t needed by the destination table, e.g.: INSERT INTO Employees SELECT * FROM OldEmployees Msg 213, Level 16, State 1, Line 1 Insert Error: Column name or number of supplied values does not match table definition. To avoid this kind of error from SQL Server, you should declare each column individually: INSERT INTO Employees (FirstName, City, Country) SELECT Name, CityName, CountryName FROM OldEmployees Note, however, that there are some situations where the use of SELECT * could be appropriate. For example, with temp tables—which leads us to our next topic.
  • 7. SQL Tuning: The Wise Use of Temporary Tables (#Temp) Temporary tables usually increase a query’s complexity. If your code can be written in a simple, straightforward manner, I’d suggest avoiding temp tables. But if you have a stored procedure with some data manipulation that cannot be handled with a single query, you can use temp tables as intermediaries to help you to generate a final result. When you have to join a large table and there are conditions on said table, you can increase database performance by transferring your data in a temp table, and then making a join on that. Your temp table will have fewer rows than the original (large) table, so the join will finish faster! The decision isn’t always straightforward, but this example will give you a sense for situations in which you might want to use temp tables: Imagine a customer table with millions of records. You have to make a join on a specific region. You can achieve this by using a SELECT INTO statement and then joining with the temp table: SELECT * INTO #Temp FROM Customer WHERE RegionID = 5 SELECT r.RegionName, t.Name FROM Region r JOIN #Temp t ON t.RegionID = r.RegionID (Note: some SQL developers also avoid using SELECT INTO to create temp tables, saying that this command locks the tempdb database, disallowing other users from creating temp tables. Fortunately, this is fixed in 7.0 and later.) As an alternative to temp tables, you might consider using a subquery as a table: SELECT r.RegionName, t.Name FROM Region r JOIN (SELECT * FROM Customer WHERE RegionID = 5) AS t ON t.RegionID = r.RegionID But wait! There’s a problem with this second query. As described above, we should only be including the columns we need in our subquery (i.e., not using SELECT * ). Taking that into account: SELECT r.RegionName, t.Name FROM Region r JOIN (SELECT Name, RegionID FROM Customer WHERE RegionID = 5) AS t ON t.RegionID = r.RegionID
  • 8. All of these SQL snippets will return the same data. But with temp tables, we could, for example, create an index in the temp table to improve performance. There’s some good discussion here on the differences between temporary tables and subqueries. Finally, when you’re done with your temp table, delete it to clear tempdb resources, rather than just wait for it to be automatically deleted (as it will be when your connection to the database is terminated): DROP TABLE #temp SQL Tuning: “Does My Record Exist?” This SQL optimization technique concerns the use of EXISTS() . If you want to check if a record exists, use EXISTS() instead of COUNT() . While COUNT() scans the entire table, counting up all entries matching your condition, EXISTS() will exit as soon as it sees the result it needs. This will give you better performance and clearer code. IF (SELECT COUNT(1) FROM EMPLOYEES WHERE FIRSTNAME LIKE '%JOHN%') > 0 PRINT 'YES' vs. IF EXISTS(SELECT FIRSTNAME FROM EMPLOYEES WHERE FIRSTNAME LIKE '%JOHN%') PRINT 'YES' SQL Performance Tuning With SQL Server 2016 As DBAs working with SQL Server 2016 are likely aware, the version marked an important shift in defaults and compatibility management. As a major version, it, of course, comes with new query optimizations, but control over whether they’re used is now streamlined via sys.databases.compatibility_level .
  • 9. SQL Performance Tuning (in the Office) SQL database administrators (DBAs) and developers often clash over data- and non-data-related issues. Drawn from my experience, here are some tips (for both parties) on how to get along and work together effectively. Database Optimization for Developers: 1. If your application stops working suddenly, it may not be a database issue. For example, maybe you have a network problem. Investigate a bit before you accuse a DBA! 2. Even if you’re a ninja SQL data modeler, ask a DBA to help you with your relational diagram. They have a lot to share and offer. 3. DBAs don’t like rapid changes. This is natural: they need to analyze the database as a whole and examine the impact of any changes from all angles. A simple change in a column can take a week to be implemented—but that’s because an error could materialize as huge losses for the company. Be patient! 4. Do not ask SQL DBAs to make data changes in a production environment. If you want access to the production database, you have to be responsible for all your own changes.
  • 10. Database Optimization for SQL Server DBAs: 1. If you don’t like people asking you about the database, give them a real-time status panel. Developers are always suspicious of a database’s status, and such a panel could save everyone time and energy. 2. Help developers in a test/quality assurance environment. Make it easy to simulate a production server with simple tests on real-world data. This will be a significant time-saver for others as well as yourself. 3. Developers spend all day on systems with frequently-changed business logic. Try to understand this world being more flexible, and be able to break some rules in a critical moment. 4. SQL databases evolve. The day will come when you have to migrate your data to a new version. Developers count on significant new functionality with each new version. Instead of refusing to accept their changes, plan ahead and be ready for the migration.