Build ETL efficiently (10x) with Minimal Logging

Size: px
Start display at page:

Download "Build ETL efficiently (10x) with Minimal Logging"

Transcription

1 Build ETL efficiently (10x) with Minimal Logging Simon Cho Blog : Simonsql.com Simon@simonsql.com

2 Agenda Want to discuss first Quick review SARG Index access methods Tipping Point Case 1 What s the best way to pull this table? Introduce for Minimal Logging What is minimal logging? How does it work? Condition Recovery Model

3 Question1 SARG How is it difference? --Query1 BIGINT = 1 SELECT * FROM DBO.[Accounts] WHERE AccountID GO --Query2 BIGINT = 1 SELECT * FROM DBO.[Accounts] WHERE AccountID GO

4 Question1 SARG How is it difference?

5 Question2 SARG How is it difference? --Query1 SELECT AccountID, AccountName FROM DBO.[Accounts] WHERE AccountID = 1000 AccontID : Bigint AccountName : Varchar SELECT AccountID, DCID FROM DBO.[Accounts] WHERE AccountID = '1000' GO --Query2 SELECT AccountID, AccountName FROM DBO.[Accounts] WHERE AccountName = 1000 SELECT AccountID, AccountName FROM DBO.[Accounts] WHERE AccountName = '1000' GO

6 Question2 SARG How is it difference?

7 SARG - Search Arguments Sargability: Why %string% Is Slow string% is it SARG arguments? ble-why-string-is-slow/ CAST and CONVERT (Transact-SQL) Data Type Precedence (Transact-SQL)

8

9 One more question --Query1 SELECT * FROM DBO.[Accounts] WHERE Registered_Datetime > ' ' --Query2 DATETIME = ' ' SELECT * FROM DBO.[Accounts] WHERE Registered_Datetime GO

10 One more question - Cont

11

12 Question 1- Golden Rule Index CREATE TABLE GoldenRuleIndex ( AccountID INT NOT null, Create_Datetime DATETIME NOT null, IsDeleted BIT NOT null, FirstName VARCHAR(255) NOT null, LastName VARCHAR(255) null, Col1 Col10 VARCHAR(255) null ) SELECT * FROM GoldenRuleIndex WHERE Firstname LIKE 'abc%' AND Create_Datetime BETWEEN ' ' AND ' ' AND IsDeleted = 0 Let s assume that, Data is evenly distributed

13 Question 1- Golden Rule Index Which index is SQL server use? SELECT * FROM GoldenRuleIndex WHERE Firstname LIKE 'abc%' AND Create_Datetime BETWEEN ' ' AND ' ' AND IsDeleted = 0 <Index list> nc01 ON GoldenRuleIndex(Firstname,Create_Datetime,IsDeleted) nc02 ON GoldenRuleIndex(Firstname,IsDeleted,Create_Datetime) nc03 ON GoldenRuleIndex(Create_Datetime,Firstname,IsDeleted) nc04 ON GoldenRuleIndex(Create_Datetime,IsDeleted,Firstname) nc05 ON GoldenRuleIndex(IsDeleted,Firstname,Create_Datetime) nc06 ON GoldenRuleIndex(IsDeleted,Create_Datetime,Firstname) Let s assume that, Data is evenly distributed

14 Golden Rule Index SQL server consider Equal sign first. This is the rule of thumb. After that range column. Range column depends on statistics Note: This is rule of thumb. It s not already right. There is a lot of exception. At least, it s not a good idea that Bit column is the leading column of index.

15 Let s talk about Index access methods There are only 3 methods regardless Clustered or Nonclustered (1) Index Scan Execution Plan shows : Table Scan, Index Scan Index Seek Execution Plan shows : Index Seek (2) Individual key look up. (3) Ordered Partial Scan

16 (1) Table Scan/Index Scan SELECT orderid, custid, empid, shipperid, orderdate FROM dbo.orders;

17 (2) Index Seek : Individual key lookup SELECT * FROM [Account].[Accounts] where AccountID in (100,200,300)

18 (3) Index Seek : Ordered Partial Scan SELECT orderid, custid, empid, shipperid, orderdate FROM dbo.orders WHERE orderdate = ' ';

19 Combination Partial Scan + Index Seek SELECT orderid, custid, empid, shipperid, orderdate FROM dbo.orders WHERE orderid BETWEEN 101 AND 120;

20 Let s talk about Index access methods What s the most efficient method for ETL? (1) Index Scan (2) Index Seek - Individual key look up. (3) Index Seek - Ordered Partial Scan Book: Inside Microsoft SQL Server 2005 T-SQL Querying By Itzik Ben-Gan Chapter 3 Must read.

21 Let s talk about Index access methods What s the most efficient method for ETL? (1) Index Scan (2) Index Seek - Individual key look up. (3) Index Seek - Ordered Partial Scan Book: Inside Microsoft SQL Server 2005 T-SQL Querying By Itzik Ben-Gan Chapter 3 Must read.

22 What s the problem of Index Seek? TRUNCATE TABLE #tmp CREATE TABLE #tmp (AccountID BIGINT) GO INSERT INTO #tmp (AccountID) SELECT 1 GO 1000 SELECT a.* FROM [dbo].[accounts] a JOIN #tmp b ON a.accountid = b.accountid It can read same page multiple times!!

23 What s the problem of Index Seek? SELECT a.* FROM dbo.[accounts] a JOIN #tmp b ON a.accountid = b.accountid SELECT a.* FROM dbo.[accounts] a JOIN dbo.num b ON n BETWEEN 1 AND 1000 WHERE AccountID=1 (1000 row(s) affected) Table 'Accounts'. Scan count 0, logical reads 3071, physical reads 0, read-ahead reads 0, lob logical reads 0, lob physical reads 0, lob read-ahead reads 0. Table '#tmp D'. Scan count 1, logical reads 3, physical reads 0, read-ahead reads 0, lob logical reads 0, lob physical reads 0, lob read-ahead reads 0. (1 row(s) affected) (1000 row(s) affected) Table 'Num'. Scan count 1, logical reads 6, physical reads 0, read-ahead reads 0, lob logical reads 0, lob physical reads 0, lob read-ahead reads 0. Table 'Accounts'. Scan count 0, logical reads 3, physical reads 0, read-ahead reads 0, lob logical reads 0, lob physical reads 0, lob read-ahead reads 0. (1 row(s) affected)

24 What s the problem of Index Seek? SELECT a.* FROM [dbo].[accounts] a JOIN #tmp b ON a.accountid = b.accountid SELECT a.* FROM [dbo].[accounts] a JOIN dbo.num b ON n BETWEEN 1 AND 1000 WHERE a.accountid=1

25 So, what s the Best case for Data Extraction? Using Partial scan instead of individual record seek. What we need for this? Covered + Ordered Index If it s not an option, what should we do? Unordered Scan(Table scan) or Individual seek?

26 Tipping Point That s we call Tipping Point. Ref) Kimberly SQL Pass 2010 : Indexing Strategies It's the point where the number of rows returned is "no longer selective enough". SQL Server chooses NOT to use the nonclustered index to look up the corresponding data rows and instead performs a table scan. What % of data do you guess?

27 Tipping Point Tipping Point Query #1 Table with 1 million rows over 50,000 pages (20 r/p) 12,500 16,666 pages ஃ rows = % Tipping Point Query #2 Table with 1 million rows over 10,000 pages (100 r/p) 2,500 3,333 pages ஃ rows = % Tipping Point Query #3 Table with 1 million rows over 100,000 pages (10 r/p) 25,000 33,333 pages ஃ rows = % Note : This is SQL 2005 testing. And this is not fragmented index. It depend on a lot of things. System, SQL version, Fragmetation and e.t.c. So, No exact number for determine. In my experience, generally greater than 1% of data, Table Scan is better.

28 Tipping Point What s exactly it s affected? Directly affected Index Seek vs Scan for data driven. Book mark lookup or Cluster scan. Indirectly related for ETL pull whole data vs just Delta data. Need to consider write as well. We can utilize minimal logging. Update bulk records or Create new table. Generally 5-10% data change is the Tipping point for ETL. About 20% data change, rebuild is better most likely.

29 Case 1 Source Table(Source_A) 1.5 GB table 20 M records Target Table(Target_B) 1 Clustered Index + 3 NonClustered Indexes Daily Base Goal Daily base refresh Target Table. Pull data using Linked Server

30 Case 1 Which method? Method 1 Drop clustered index Drop all nonclustered indexes Truncate table Target_B Insert Target_B select * from Source_A Create clustered index Method 2 Drop Table Target_B Create table Target_B Create clustered index Create all nonclustered index Insert Target_B select * from Source_A Method 3 Simple is the best! Truncate table Target_B Insert Target_B select * from Source_A Create all nonclustered indexes Or I have better one(?)

31 Case 1 Which method? Method 4 Truncate table Drop all Nonclustered Indexes Drop Clustered Index Insert Target_B with(tablock) Select * from Source_A Create Clustered Index Create all Nonclustered Indexes Method 6 Drop Table Target_B Select * into Target_B from Source_A Create Clustered Index Create all Nonclustered Indexes Method 5 Truncate table Drop all Nonclustered Indexes. Cluster index remains Insert Target_B with(tablock) Select * from Source_A Create all Nonclustered Indexes

32 Scenario 1 Summary 1 Million = 80 MB, SSD, Linked Server Recovery Method Seconds Log Count Log Length(Bytes) Compare Simple Times Simple 2, Times Simple 4,5, Bulk Times Bulk 2, Times Bulk 4,5, Full Times Full 2, Times Full 4,5, Times Note : How to check Log count and Log Length 1. CHECKPOINT or Log backup depends on Recovery mode 2. Execute below statement. SELECT COUNT(*) AS LogRecordCount, SUM([Log Record Length]) FROM sys.fn_dblog(null,null)

33 Maybe someone say like this!

34 Somebody say my test is wrong. SSIS is super fast!!. Do not use linked server! So, I tested it method 3 with SSIS package. Recovery Metho d Seconds Log Count Log Length(Bytes) Compare Simple Times Bulk Times Full Times Nothing Difference!!

35 Somebody say Duration Doesn t differ So, we are ok to use old method. Yes, I m quite impressed with SSD. So that, I tested with USB external disk. 20 Million, 1.5 GB. Only for slowest(method3) and fastest(method4) Recovery Method Secon ds Log Count Log Length(Bytes) Compare Simple Times Simple Still impressive. Duration doesn t that much differ. (I expected about 20 times difference) But, I m pretty sure, if you dealing with bigger size of data, You will see a lot difference. Ex) In my experience, 24 hours big ETL job, only takes 45 Min.

36 Let s look at detail number(20 M, 1.5 GB) 1,005,690 writes(physical write) * 8Kb/1024/1024 = 7.9 GB reads(physical read) * 8Kb/1024/1024 = 5.5 GB 1,298,861 CPU_Time /1000 = 1,298 Sec 554,488,821 Logical_reads(Buffer pool read) * 8Kb/1024/1024 = 4230 GB Just for 1.5 GB Table!! 8 Times more log created on Disk VS 6 Times CPU, 1.5 times reads, 2 times writes, 250 times Buffer pool read

37 I know you feel like this

38 Minimal Logging Operation Full Logging Operation Everything logged by each row level. Minimal Logging Operation Someone call No-Logging. Technically not true. Do not log every individual row change. Only logging enough rollback information. Only logs extent allocations each time a new extent is allocated to the table. Minimal Logging Prerequisites For a database under the full recovery model, all row-insert operations that are performed by bulk import are fully logged in the transaction log. Note : After SQL2008 it s improved with TabLock After 2008 and Above in Full recovery mode It s logging by Page allocation level. CDC or Replication - Always fully logged.

39 What can be minimally logged With Prerequisites Below operation can be minimally logged Select Into Bulk Import, Bulk Insert, Bcp Create/Alter/Drop Index Insert into Table with (TabLock) select

40 Do you concern with Table Lock? Minimal logging is required Table Lock during inserting data. Table Lock Basically, it ll blocking other update/insert operation. Read committed can t read data either. Dirty read(nolock) is ok to read. So, not a many developer like blocking. * Select * into : Schema Modification lock is occurred. Do not allow dirty read either.

41 Do you concern with TabLock? This is SSIS Package is default setting. Data Flow Destination

42 Prerequisites of Minimal logging # Table Requirements for Minimally Logging Bulk-Import Operations The table is not being replicated. Table locking is specified (using TABLOCK) Database Recovery : Bulk-logged or Simple Note: The bulk-logged recovery model is designed to temporarily replace the full recovery model during large bulk operations No indexes (Heap). Don t care empty or not : data pages are minimally logged. Nonclustered indexes only : data pages are minimally logged. If the table is empty, index pages are minimally logged as well If table is non-empty, index pages are fully logged. Ex) If you start with an empty table and bulk import the data in multiple batches, both index and data pages are minimally logged for the first batch, but beginning with the second batch, only data pages are minimally logged. Clustered Index, No Nonclustered index, and empty table : both data and index pages are minimally logged. If a table is non-empty, data pages and index pages are both fully logged. EX) If you start with an empty table and bulk import the data in batches, both index and data pages are minimally logged for the first batch, but from the second batch onwards, only data pages are bulk logged. Clustered Index and NonClustered index : Fully logged.

43 (1) If you are using the INSERT SELECT method, the ORDER hint does not have to be specified, but the rows must be in the same order as the clustered index. If using BULK INSERT the order hint must be used. (2) Concurrent loads only possible under certain conditions. See Bulk Loading with the Indexes in Place. Also, only rows written to newly allocated pages are minimally logged. (3) Depending on the plan chosen by the optimizer, the nonclustered index on the table may either be fully- or minimally logged. Minimal Logging Operation Indexes Rows in table Hints Logging Heap Any TABLOCK Minimal Heap Any None Full Heap + Index Any TABLOCK Full Cluster Empty TABLOCK, ORDER (1) Cluster Empty None Full Cluster Any None Full Cluster Any TABLOCK Full Cluster + Index Any None Full Cluster + Index Any TABLOCK Full Minimal

44 What is Recovery Mode? Full Log backup required Full logging everything Note : Starting SQL 2008, some statement can be small logged even in full recovery mode. Simple Automatically reclaims log space. No log backup Log chain is broken Not able to restore Point-in-time Fully Support minimal logging operation Bulk_Logged Log backup required Note : The log size pretty much same as full recovery mode even the minimal logging operation. Fully Support minimal logging operation Log chain is NOT broken. Note : Unfortunately, Mirrored database can t changed

45 Bulk Recovery Mode Protects against media failure. Normal transaction(full logging Transaction) Same as Full recovery mode. Minimal logging operation Provides the best performance and least log space usage. LDF file doesn t have full traction log. Point-in-time is NOT available.(stopat doesn t allow) Log backup is contain whole page(extent) data. Please check below URL before change Bulk recovery mode.

46 Bulk Recovery Mode - Cont There is risk. But, performance gain is very big. And it s required only Target DB. Ex) how to use Temporary change to Bulk recovery mode for Minimal logging STMT in Full logging Database. Run the log backup more frequently. Change back after minimal logging operation.

47 No way to ML existing table!! Based on the Prerequisites chart. Only 2 cases do minimally logged. Heap (Don t care data. No NCindex) Clustered (Empty. No NCindex) Table Lock required Bulk or Simple recovery required.

48 It was Soooo frustrated!!

49 Introduce about Trace Flag 610 SQL 2008 and above When the bulk load operation causes a new page to be allocated, all of the rows sequentially filling that new page are minimally logged. Please don t enable this TF on Prod right away. It may make overhead for regular full logging transaction.

50 Minimal Logging Operation-TF610 Table Indexes Rows in table Hints Without TF 610 With TF 610 Concurrent possible Heap Any TABLOCK Minimal Minimal Yes Heap Any None Full Full Yes Heap + Index Any TABLOCK Full Depends (3) No Cluster Empty TABLOCK, ORDER (1) Minimal Minimal No Cluster Empty None Full Minimal Yes (2) Cluster Any None Full Minimal Yes (2) Cluster Any TABLOCK Full Minimal No Cluster + Index Any None Full Depends (3) Yes (2) Cluster + Index Any TABLOCK Full Depends (3) No

51 Q & A Simon Cho Blog : Simonsql.com Simon@simonsql.com

Build ETL efficiently (10x) with Minimal Logging

Build ETL efficiently (10x) with Minimal Logging Build ETL efficiently (10x) with Minimal Logging Simon Cho Blog : Simonsql.com Simon@simonsql.com SQL Saturday Chicago 2017 - Sponsors Thank you Our sponsors This Session Designed for 3 hours including

More information

Build ETL efficiently (10x) with Minimal Logging

Build ETL efficiently (10x) with Minimal Logging Simon Cho Build ETL efficiently (10x) with Minimal Logging SQL Saturday #696- Redmond 2/10/2018 Simon Cho Chapter leader of SQLAngeles.com SQL Community Speaker Visa Inc Database Engineer Blog : Simonsql.com

More information

Build ETL efficiently (10x) with Minimal Logging

Build ETL efficiently (10x) with Minimal Logging Build ETL efficiently (10x) with Minimal Logging Simon Cho Blog : Simonsql.com Simon@simonsql.com Please Support Our Sponsors SQL Saturday is made possible with the generous support of these sponsors.

More information

Transaction. Simon Cho

Transaction. Simon Cho Transaction Simon Cho Who am I? Simon Cho Blog : Simonsql.com Email : Simon@simonsql.com All Presentation and script will be on My blog. Question 1. BEGIN TRAN A INSERT [Tbl] values('a') BEGIN TRAN B INSERT

More information

Get the Skinny on Minimally Logged Operations

Get the Skinny on Minimally Logged Operations Get the Skinny on Minimally Logged Operations Andrew J. Kelly akelly@solidq.com Who Am I? Mentor with SolidQ SQL Server MVP since 2001 Contributing editor & author for SQL Server Pro Magazine Over 20 years

More information

Natural Born Killers, performance issues to avoid

Natural Born Killers, performance issues to avoid Natural Born Killers, performance issues to avoid Richard Douglas http://sql.richarddouglas.co.uk @SQLRich Natural Born Killer http://www.flickr.com/photos/merille/4747615138/sizes/z/in/photostream/ 2

More information

I Want To Go Faster! A Beginner s Guide to Indexing

I Want To Go Faster! A Beginner s Guide to Indexing I Want To Go Faster! A Beginner s Guide to Indexing Bert Wagner Slides available here! @bertwagner bertwagner.com youtube.com/c/bertwagner bert@bertwagner.com Why Indexes? Biggest bang for the buck Can

More information

TempDB how it works? Dubi Lebel Dubi Or Not To Be

TempDB how it works? Dubi Lebel Dubi Or Not To Be TempDB how it works? Dubi Lebel Dubi Or Not To Be Dubi.Lebel@gmail.com How this presentation start? Sizing Application Application databases TempDB size & IOPS? What we know Only one TempDB per instance.

More information

ColdFusion Summit 2016

ColdFusion Summit 2016 ColdFusion Summit 2016 Building Better SQL Server Databases Who is this guy? Eric Cobb - Started in IT in 1999 as a "webmaster - Developer for 14 years - Microsoft Certified Solutions Expert (MCSE) - Data

More information

Tuesday, April 6, Inside SQL Server

Tuesday, April 6, Inside SQL Server Inside SQL Server Thank you Goals What happens when a query runs? What each component does How to observe what s going on Delicious SQL Cake Delicious SQL Cake Delicious SQL Cake Delicious SQL Cake Delicious

More information

Building Better. SQL Server Databases

Building Better. SQL Server Databases Building Better SQL Server Databases Who is this guy? Eric Cobb Started in IT in 1999 as a "webmaster Developer for 14 years Microsoft Certified Solutions Expert (MCSE) Data Platform Data Management and

More information

CAST(HASHBYTES('SHA2_256',(dbo.MULTI_HASH_FNC( tblname', schemaname'))) AS VARBINARY(32));

CAST(HASHBYTES('SHA2_256',(dbo.MULTI_HASH_FNC( tblname', schemaname'))) AS VARBINARY(32)); >Near Real Time Processing >Raphael Klebanov, Customer Experience at WhereScape USA >Definitions 1. Real-time Business Intelligence is the process of delivering business intelligence (BI) or information

More information

Microsoft Developing Microsoft SQL Server 2012 Databases. Download Full Version :

Microsoft Developing Microsoft SQL Server 2012 Databases. Download Full Version : Microsoft 70-464 Developing Microsoft SQL Server 2012 Databases Download Full Version : https://killexams.com/pass4sure/exam-detail/70-464 QUESTION: 172 DRAG DROP You administer a SQL Server 2014 instance.

More information

Let s Explore SQL Storage Internals. Brian

Let s Explore SQL Storage Internals. Brian Let s Explore SQL Storage Internals Brian Hansen brian@tf3604.com @tf3604 Brian Hansen brian@tf3604.com @tf3604.com children.org 20 Years working with SQL Server Development work since 7.0 Administration

More information

Disks, Memories & Buffer Management

Disks, Memories & Buffer Management Disks, Memories & Buffer Management The two offices of memory are collection and distribution. - Samuel Johnson CS3223 - Storage 1 What does a DBMS Store? Relations Actual data Indexes Data structures

More information

Building Better. SQL Server Databases

Building Better. SQL Server Databases Building Better SQL Server Databases Who is this guy? Eric Cobb SQL Server Database Administrator MCSE: Data Platform MCSE: Data Management and Analytics 1999-2013: Webmaster, Programmer, Developer 2014+:

More information

User Perspective. Module III: System Perspective. Module III: Topics Covered. Module III Overview of Storage Structures, QP, and TM

User Perspective. Module III: System Perspective. Module III: Topics Covered. Module III Overview of Storage Structures, QP, and TM Module III Overview of Storage Structures, QP, and TM Sharma Chakravarthy UT Arlington sharma@cse.uta.edu http://www2.uta.edu/sharma base Management Systems: Sharma Chakravarthy Module I Requirements analysis

More information

SQL Server 2014: In-Memory OLTP for Database Administrators

SQL Server 2014: In-Memory OLTP for Database Administrators SQL Server 2014: In-Memory OLTP for Database Administrators Presenter: Sunil Agarwal Moderator: Angela Henry Session Objectives And Takeaways Session Objective(s): Understand the SQL Server 2014 In-Memory

More information

5/2/2015. Overview of SSIS performance Troubleshooting methods Performance tips

5/2/2015. Overview of SSIS performance Troubleshooting methods Performance tips Overview of SSIS performance Troubleshooting methods Performance tips 2 Business intelligence consultant Partner, Linchpin People SQL Server MVP TimMitchell.net / @Tim_Mitchell tim@timmitchell.net 3 1

More information

Mastering the art of indexing

Mastering the art of indexing Mastering the art of indexing Yoshinori Matsunobu Lead of MySQL Professional Services APAC Sun Microsystems Yoshinori.Matsunobu@sun.com 1 Table of contents Speeding up Selects B+TREE index structure Index

More information

SQL Coding Guidelines

SQL Coding Guidelines SQL Coding Guidelines 1. Always specify SET NOCOUNT ON at the top of the stored procedure, this command suppresses the result set count information thereby saving some amount of time spent by SQL Server.

More information

DESIGNING FOR PERFORMANCE SERIES. Smokin Fast Queries Query Optimization

DESIGNING FOR PERFORMANCE SERIES. Smokin Fast Queries Query Optimization DESIGNING FOR PERFORMANCE SERIES Smokin Fast Queries Query Optimization Jennifer Smith, MCSE Agenda Statistics Execution plans Cached plans/recompilation Indexing Query writing tips New performance features

More information

IT Best Practices Audit TCS offers a wide range of IT Best Practices Audit content covering 15 subjects and over 2200 topics, including:

IT Best Practices Audit TCS offers a wide range of IT Best Practices Audit content covering 15 subjects and over 2200 topics, including: IT Best Practices Audit TCS offers a wide range of IT Best Practices Audit content covering 15 subjects and over 2200 topics, including: 1. IT Cost Containment 84 topics 2. Cloud Computing Readiness 225

More information

Eternal Story on Temporary Objects

Eternal Story on Temporary Objects Eternal Story on Temporary Objects Dmitri V. Korotkevitch http://aboutsqlserver.com About Me 14+ years of experience working with Microsoft SQL Server Microsoft SQL Server MVP Microsoft Certified Master

More information

SQL Server 2014 In-Memory Tables (Extreme Transaction Processing)

SQL Server 2014 In-Memory Tables (Extreme Transaction Processing) SQL Server 2014 In-Memory Tables (Extreme Transaction Processing) Advanced Tony Rogerson, SQL Server MVP @tonyrogerson tonyrogerson@torver.net http://www.sql-server.co.uk Who am I? Freelance SQL Server

More information

Index. Accent Sensitive (AS), 20 Aggregate functions, 286 Atomicity consistency isolation durability (ACID), 265

Index. Accent Sensitive (AS), 20 Aggregate functions, 286 Atomicity consistency isolation durability (ACID), 265 Index A Accent Sensitive (AS), 20 Aggregate functions, 286 Atomicity consistency isolation durability (ACID), 265 B Balanced (B)-Trees clustered index, 237 non-clustered index, 239 BULK INSERT statement

More information

SQL Server 2014 Training. Prepared By: Qasim Nadeem

SQL Server 2014 Training. Prepared By: Qasim Nadeem SQL Server 2014 Training Prepared By: Qasim Nadeem SQL Server 2014 Module: 1 Architecture &Internals of SQL Server Engine Module : 2 Installing, Upgrading, Configuration, Managing Services and Migration

More information

Ext3/4 file systems. Don Porter CSE 506

Ext3/4 file systems. Don Porter CSE 506 Ext3/4 file systems Don Porter CSE 506 Logical Diagram Binary Formats Memory Allocators System Calls Threads User Today s Lecture Kernel RCU File System Networking Sync Memory Management Device Drivers

More information

ò Very reliable, best-of-breed traditional file system design ò Much like the JOS file system you are building now

ò Very reliable, best-of-breed traditional file system design ò Much like the JOS file system you are building now Ext2 review Very reliable, best-of-breed traditional file system design Ext3/4 file systems Don Porter CSE 506 Much like the JOS file system you are building now Fixed location super blocks A few direct

More information

CPSC 421 Database Management Systems. Lecture 11: Storage and File Organization

CPSC 421 Database Management Systems. Lecture 11: Storage and File Organization CPSC 421 Database Management Systems Lecture 11: Storage and File Organization * Some material adapted from R. Ramakrishnan, L. Delcambre, and B. Ludaescher Today s Agenda Start on Database Internals:

More information

L9: Storage Manager Physical Data Organization

L9: Storage Manager Physical Data Organization L9: Storage Manager Physical Data Organization Disks and files Record and file organization Indexing Tree-based index: B+-tree Hash-based index c.f. Fig 1.3 in [RG] and Fig 2.3 in [EN] Functional Components

More information

Manual Trigger Sql Server 2008 Update Inserted Rows

Manual Trigger Sql Server 2008 Update Inserted Rows Manual Trigger Sql Server 2008 Update Inserted Rows Am new to SQL scripting and SQL triggers, any help will be appreciated Does it need to have some understanding of what row(s) were affected, sql-serverperformance.com/2010/transactional-replication-2008-r2/

More information

6 Months Training Module in MS SQL SERVER 2012

6 Months Training Module in MS SQL SERVER 2012 6 Months Training Module in MS SQL SERVER 2012 Module 1 Installing and Configuring Windows Server 2012 Installing and Managing Windows Server 2012 Windows Server 2012 Overview Installing Windows Server

More information

Microsoft SQL Server Database Administration

Microsoft SQL Server Database Administration Address:- #403, 4 th Floor, Manjeera Square, Beside Prime Hospital, Ameerpet, Hyderabad 500038 Contact: - 040/66777220, 9177166122 Microsoft SQL Server Database Administration Course Overview This is 100%

More information

Update The Statistics On A Single Table+sql Server 2005

Update The Statistics On A Single Table+sql Server 2005 Update The Statistics On A Single Table+sql Server 2005 There are different ways statistics are created and maintained in SQL Server: to find out all of those statistics created by SQL Server Query Optimizer

More information

Designing Database Solutions for Microsoft SQL Server (465)

Designing Database Solutions for Microsoft SQL Server (465) Designing Database Solutions for Microsoft SQL Server (465) Design a database structure Design for business requirements Translate business needs to data structures; de-normalize a database by using SQL

More information

6232B: Implementing a Microsoft SQL Server 2008 R2 Database

6232B: Implementing a Microsoft SQL Server 2008 R2 Database 6232B: Implementing a Microsoft SQL Server 2008 R2 Database Course Overview This instructor-led course is intended for Microsoft SQL Server database developers who are responsible for implementing a database

More information

PERFORMANCE TUNING SQL SERVER ON CRAPPY HARDWARE 3/1/2019 1

PERFORMANCE TUNING SQL SERVER ON CRAPPY HARDWARE 3/1/2019 1 PERFORMANCE TUNING SQL SERVER ON CRAPPY HARDWARE 3/1/2019 1 FEEDBACK FORMS PLEASE FILL OUT AND PASS TO YOUR HELPER BEFORE YOU LEAVE THE SESSION MONICA RATHBUN Consultant Denny Cherry & Associates Consulting

More information

Course Outline. SQL Server Performance & Tuning For Developers. Course Description: Pre-requisites: Course Content: Performance & Tuning.

Course Outline. SQL Server Performance & Tuning For Developers. Course Description: Pre-requisites: Course Content: Performance & Tuning. SQL Server Performance & Tuning For Developers Course Description: The objective of this course is to provide senior database analysts and developers with a good understanding of SQL Server Architecture

More information

SQL Server Myths and Misconceptions

SQL Server Myths and Misconceptions SQL Server Myths and Misconceptions Victor Isakov victor@sqlserversolutions.com.au Copyright by Victor Isakov Abstract As a DBA you have heard of plenty of myths and misconceptions about SQL Server. From

More information

Locking & Blocking Made Simple

Locking & Blocking Made Simple Locking & Blocking Made Simple Joe Webb Microsoft SQL Server MVP WebbTech Solutions, LLC joew@webbtechsolutions.com Our Agenda The Nature of Multi-User Databases The Basics of Locking and Blocking Techniques

More information

CS3600 SYSTEMS AND NETWORKS

CS3600 SYSTEMS AND NETWORKS CS3600 SYSTEMS AND NETWORKS NORTHEASTERN UNIVERSITY Lecture 11: File System Implementation Prof. Alan Mislove (amislove@ccs.neu.edu) File-System Structure File structure Logical storage unit Collection

More information

CS122 Lecture 15 Winter Term,

CS122 Lecture 15 Winter Term, CS122 Lecture 15 Winter Term, 2017-2018 2 Transaction Processing Last time, introduced transaction processing ACID properties: Atomicity, consistency, isolation, durability Began talking about implementing

More information

PASS4TEST. IT Certification Guaranteed, The Easy Way! We offer free update service for one year

PASS4TEST. IT Certification Guaranteed, The Easy Way!  We offer free update service for one year PASS4TEST \ http://www.pass4test.com We offer free update service for one year Exam : 70-464 Title : Developing Microsoft SQL Server 2012 Databases Vendor : Microsoft Version : DEMO Get Latest & Valid

More information

Synergetics-Standard-SQL Server 2012-DBA-7 day Contents

Synergetics-Standard-SQL Server 2012-DBA-7 day Contents Workshop Name Duration Objective Participants Entry Profile Training Methodology Setup Requirements Hardware and Software Requirements Training Lab Requirements Synergetics-Standard-SQL Server 2012-DBA-7

More information

Tables. Tables. Physical Organization: SQL Server Partitions

Tables. Tables. Physical Organization: SQL Server Partitions Tables Physical Organization: SQL Server 2005 Tables and indexes are stored as a collection of 8 KB pages A table is divided in one or more partitions Each partition contains data rows in either a heap

More information

Seminar 3. Transactions. Concurrency Management in MS SQL Server

Seminar 3. Transactions. Concurrency Management in MS SQL Server Seminar 3 Transactions Concurrency Management in MS SQL Server Transactions in SQL Server SQL Server uses transactions to compose multiple operations in a single unit of work. Each user's work is processed

More information

Physical Organization: SQL Server 2005

Physical Organization: SQL Server 2005 Physical Organization: SQL Server 2005 Tables Tables and indexes are stored as a collection of 8 KB pages A table is divided in one or more partitions Each partition contains data rows in either a heap

More information

Boosting DWH Performance with SQL Server ColumnStore Index

Boosting DWH Performance with SQL Server ColumnStore Index Boosting DWH Performance with SQL Server 2016 ColumnStore Index Thank you to our AWESOME sponsors! Introduction Markus Ehrenmüller-Jensen Business Intelligence Architect markus.ehrenmueller@gmail.com @MEhrenmueller

More information

SQL Data Definition Language: Create and Change the Database Ray Lockwood

SQL Data Definition Language: Create and Change the Database Ray Lockwood Introductory SQL SQL Data Definition Language: Create and Change the Database Pg 1 SQL Data Definition Language: Create and Change the Database Ray Lockwood Points: DDL statements create and alter the

More information

Troubleshooting With Extended Events

Troubleshooting With Extended Events Troubleshooting With Extended Events Malaysia, SQLSaturday#562 Dharmendra Keshari Sr. Database Administrator Agenda Introduction Replace SQL Trace Enhancements xevents Vs SQLTrace Extended Events Architecture

More information

Database Architectures

Database Architectures Database Architectures CPS352: Database Systems Simon Miner Gordon College Last Revised: 4/15/15 Agenda Check-in Parallelism and Distributed Databases Technology Research Project Introduction to NoSQL

More information

Advanced Database Systems

Advanced Database Systems Lecture IV Query Processing Kyumars Sheykh Esmaili Basic Steps in Query Processing 2 Query Optimization Many equivalent execution plans Choosing the best one Based on Heuristics, Cost Will be discussed

More information

Disks and Files. Jim Gray s Storage Latency Analogy: How Far Away is the Data? Components of a Disk. Disks

Disks and Files. Jim Gray s Storage Latency Analogy: How Far Away is the Data? Components of a Disk. Disks Review Storing : Disks and Files Lecture 3 (R&G Chapter 9) Aren t bases Great? Relational model SQL Yea, from the table of my memory I ll wipe away all trivial fond records. -- Shakespeare, Hamlet A few

More information

Query Optimization, part 2: query plans in practice

Query Optimization, part 2: query plans in practice Query Optimization, part 2: query plans in practice CS634 Lecture 13 Slides by E. O Neil based on Database Management Systems 3 rd ed, Ramakrishnan and Gehrke Working with the Oracle query optimizer First

More information

big picture parallel db (one data center) mix of OLTP and batch analysis lots of data, high r/w rates, 1000s of cheap boxes thus many failures

big picture parallel db (one data center) mix of OLTP and batch analysis lots of data, high r/w rates, 1000s of cheap boxes thus many failures Lecture 20 -- 11/20/2017 BigTable big picture parallel db (one data center) mix of OLTP and batch analysis lots of data, high r/w rates, 1000s of cheap boxes thus many failures what does paper say Google

More information

DESIGNING DATABASE SOLUTIONS FOR MICROSOFT SQL SERVER CERTIFICATION QUESTIONS AND STUDY GUIDE

DESIGNING DATABASE SOLUTIONS FOR MICROSOFT SQL SERVER CERTIFICATION QUESTIONS AND STUDY GUIDE 70-465 DESIGNING DATABASE SOLUTIONS FOR MICROSOFT SQL SERVER CERTIFICATION QUESTIONS AND STUDY GUIDE Designing Database Solutions for Microsoft SQL Server (70-465) WWW.ANALYTICSEXAM.COM Contents Designing

More information

Kaotii.

Kaotii. Kaotii IT http://www.kaotii.com Exam : 70-762 Title : Developing SQL Databases Version : DEMO 1 / 10 1.DRAG DROP Note: This question is part of a series of questions that use the same scenario. For your

More information

Identifying and Fixing Parameter Sniffing

Identifying and Fixing Parameter Sniffing Identifying and Fixing Parameter Sniffing Brent Ozar www.brentozar.com sp_blitz sp_blitzfirst email newsletter videos SQL Critical Care 2017 Brent Ozar Unlimited. All rights reserved. 1 This is genuinely

More information

Indexing survival guide for SQL 2016 In-Memory OLTP. Ned Otter SQL Strategist

Indexing survival guide for SQL 2016 In-Memory OLTP. Ned Otter SQL Strategist Indexing survival guide for SQL 2016 In-Memory OLTP Ned Otter SQL Strategist About me SQL Server DBA since 1995 MCSE Data Platform Passionate about SQL Server Obsessed with In-Memory Agenda Editions Indexes

More information

Lesson 9 Transcript: Backup and Recovery

Lesson 9 Transcript: Backup and Recovery Lesson 9 Transcript: Backup and Recovery Slide 1: Cover Welcome to lesson 9 of the DB2 on Campus Lecture Series. We are going to talk in this presentation about database logging and backup and recovery.

More information

Microsoft. Exam Questions Administering Microsoft SQL Server 2012 Databases. Version:Demo

Microsoft. Exam Questions Administering Microsoft SQL Server 2012 Databases. Version:Demo Microsoft Exam Questions 70-462 Administering Microsoft SQL Server 2012 Databases Version:Demo 1. You develop a Microsoft SQL Server 2012 database that contains tables named Employee and Person. The tables

More information

The DBA Survival Guide for In-Memory OLTP. Ned Otter SQL Strategist

The DBA Survival Guide for In-Memory OLTP. Ned Otter SQL Strategist The DBA Survival Guide for In-Memory OLTP Ned Otter SQL Strategist About me SQL Server DBA since 1995 MCSE Data Platform Passionate about SQL Server Obsessed with In-Memory Key takeaways Recovery (RTO)

More information

ETL Best Practices and Techniques. Marc Beacom, Managing Partner, Datalere

ETL Best Practices and Techniques. Marc Beacom, Managing Partner, Datalere ETL Best Practices and Techniques Marc Beacom, Managing Partner, Datalere Thank you Sponsors Experience 10 years DW/BI Consultant 20 Years overall experience Marc Beacom Managing Partner, Datalere Current

More information

Actian Hybrid Data Conference 2017 London Actian Corporation

Actian Hybrid Data Conference 2017 London Actian Corporation Actian Hybrid Data Conference 2017 London 1 2017 Actian Corporation Disclaimer This document is for informational purposes only and is subject to change at any time without notice. The information in this

More information

Database &.NET Basics: Take what you know about SQL and apply that to SOQL, SOSL, and DML in Apex.

Database &.NET Basics: Take what you know about SQL and apply that to SOQL, SOSL, and DML in Apex. Database &.NET Basics: Take what you know about SQL and apply that to SOQL, SOSL, and DML in Apex. Unit 1: Moving from SQL to SOQL SQL & SOQL Similar but Not the Same: The first thing to know is that although

More information

SQL Server Optimisation

SQL Server Optimisation SQL Server Optimisation Jonathan Ward (Epicor) www.epicor.com @EpicorUK What we will cover SQL Server Version & differences Features Installation & Configuration Indexes Maintenance Backups SSRS DR 2 Versions

More information

Data Organization and Processing

Data Organization and Processing Data Organization and Processing Data Organization in Microsoft SQL Server 2012 (NDBI007) David Hoksza http://siret.cz/hoksza Outline Database server structure databases database files memory pages Data

More information

Persistence Is Futile- Implementing Delayed Durability in SQL Server

Persistence Is Futile- Implementing Delayed Durability in SQL Server Mark Broadbent #SqlSat675 Persistence Is Futile- Implementing Delayed Durability in SQL Server Sponsor #SqlSat675 18/11/2017 Organizzatori GetLatestVersion.it #SqlSat675 18/11/2017 Agenda We will also

More information

File Structures and Indexing

File Structures and Indexing File Structures and Indexing CPS352: Database Systems Simon Miner Gordon College Last Revised: 10/11/12 Agenda Check-in Database File Structures Indexing Database Design Tips Check-in Database File Structures

More information

Storing Data: Disks and Files

Storing Data: Disks and Files Storing Data: Disks and Files Module 2, Lecture 1 Yea, from the table of my memory I ll wipe away all trivial fond records. -- Shakespeare, Hamlet Database Management Systems, R. Ramakrishnan 1 Disks and

More information

Microsoft Exam Transition Your MCTS on SQL Server 2008 to MCSA: SQL Server 2012, Part 1 Version: 7.8 [ Total Questions: 183 ]

Microsoft Exam Transition Your MCTS on SQL Server 2008 to MCSA: SQL Server 2012, Part 1 Version: 7.8 [ Total Questions: 183 ] s@lm@n Microsoft Exam 70-457 Transition Your MCTS on SQL Server 2008 to MCSA: SQL Server 2012, Part 1 Version: 7.8 [ Total Questions: 183 ] Question No : 1 You have a database that contains the tables

More information

DATABASE SYSTEMS. Database programming in a web environment. Database System Course, 2016

DATABASE SYSTEMS. Database programming in a web environment. Database System Course, 2016 DATABASE SYSTEMS Database programming in a web environment Database System Course, 2016 AGENDA FOR TODAY Advanced Mysql More than just SELECT Creating tables MySQL optimizations: Storage engines, indexing.

More information

Sql Server Interview Questions Answers For Experienced

Sql Server Interview Questions Answers For Experienced We have made it easy for you to find a PDF Ebooks without any digging. And by having access to our ebooks online or by storing it on your computer, you have convenient answers with sql server interview

More information

Storing Data: Disks and Files. Storing and Retrieving Data. Why Not Store Everything in Main Memory? Database Management Systems need to:

Storing Data: Disks and Files. Storing and Retrieving Data. Why Not Store Everything in Main Memory? Database Management Systems need to: Storing : Disks and Files base Management System, R. Ramakrishnan and J. Gehrke 1 Storing and Retrieving base Management Systems need to: Store large volumes of data Store data reliably (so that data is

More information

Before-image log, checkpoints, crashes

Before-image log, checkpoints, crashes Before-image log, checkpoints, crashes Gus Björklund. Progress. PUG Challenge Americas, 9-12 June 2013 abstract In this talk we examine the "before-image file", what it's for, how it works, and how you

More information

SQL Server 2014 Internals and Query Tuning

SQL Server 2014 Internals and Query Tuning SQL Server 2014 Internals and Query Tuning Course ISI-1430 5 days, Instructor led, Hands-on Introduction SQL Server 2014 Internals and Query Tuning is an advanced 5-day course designed for experienced

More information

6.830 Problem Set 3 Assigned: 10/28 Due: 11/30

6.830 Problem Set 3 Assigned: 10/28 Due: 11/30 6.830 Problem Set 3 1 Assigned: 10/28 Due: 11/30 6.830 Problem Set 3 The purpose of this problem set is to give you some practice with concepts related to query optimization and concurrency control and

More information

to Solving Database Administration Headaches

to Solving Database Administration Headaches The SQL Developer s Guide to Solving Database Administration Headaches Click to edit Master Donabel subtitle Santos style DBA/Developer/Trainer, Black Ninja Software Instructor, BC Institute of Technology

More information

Storing Data: Disks and Files. Storing and Retrieving Data. Why Not Store Everything in Main Memory? Chapter 7

Storing Data: Disks and Files. Storing and Retrieving Data. Why Not Store Everything in Main Memory? Chapter 7 Storing : Disks and Files Chapter 7 base Management Systems, R. Ramakrishnan and J. Gehrke 1 Storing and Retrieving base Management Systems need to: Store large volumes of data Store data reliably (so

More information

Storing and Retrieving Data. Storing Data: Disks and Files. Solution 1: Techniques for making disks faster. Disks. Why Not Store Everything in Tapes?

Storing and Retrieving Data. Storing Data: Disks and Files. Solution 1: Techniques for making disks faster. Disks. Why Not Store Everything in Tapes? Storing and Retrieving Storing : Disks and Files base Management Systems need to: Store large volumes of data Store data reliably (so that data is not lost!) Retrieve data efficiently Alternatives for

More information

Principles of Data Management. Lecture #2 (Storing Data: Disks and Files)

Principles of Data Management. Lecture #2 (Storing Data: Disks and Files) Principles of Data Management Lecture #2 (Storing Data: Disks and Files) Instructor: Mike Carey mjcarey@ics.uci.edu Database Management Systems 3ed, R. Ramakrishnan and J. Gehrke 1 Today s Topics v Today

More information

FILE SYSTEMS, PART 2. CS124 Operating Systems Fall , Lecture 24

FILE SYSTEMS, PART 2. CS124 Operating Systems Fall , Lecture 24 FILE SYSTEMS, PART 2 CS124 Operating Systems Fall 2017-2018, Lecture 24 2 Last Time: File Systems Introduced the concept of file systems Explored several ways of managing the contents of files Contiguous

More information

Storing and Retrieving Data. Storing Data: Disks and Files. Solution 1: Techniques for making disks faster. Disks. Why Not Store Everything in Tapes?

Storing and Retrieving Data. Storing Data: Disks and Files. Solution 1: Techniques for making disks faster. Disks. Why Not Store Everything in Tapes? Storing and Retrieving Storing : Disks and Files Chapter 9 base Management Systems need to: Store large volumes of data Store data reliably (so that data is not lost!) Retrieve data efficiently Alternatives

More information

Real world SQL 2016 In-Memory OLTP

Real world SQL 2016 In-Memory OLTP Real world SQL 2016 In-Memory OLTP Ned Otter SQL Strategist #588 About me SQL Server DBA since 1995 MCSE Data Platform Passionate about SQL Server Obsessed with In-Memory KEY TAKEAWAYS ARCHITECTURE RTO

More information

Getting the most from your SAN File and Filegroup design patterns. Stephen Archbold

Getting the most from your SAN File and Filegroup design patterns. Stephen Archbold Getting the most from your SAN File and Filegroup design patterns Stephen Archbold About me Microsoft Certified Master SQL Server 2008 Working with SQL Server for 6+ years Former Production DBA for 24/7

More information

Effective Testing for Live Applications. March, 29, 2018 Sveta Smirnova

Effective Testing for Live Applications. March, 29, 2018 Sveta Smirnova Effective Testing for Live Applications March, 29, 2018 Sveta Smirnova Table of Contents Sometimes You Have to Test on Production Wrong Data SELECT Returns Nonsense Wrong Data in the Database Performance

More information

What is a Page Split. Fill Factor. Example Code Showing Page Splits

What is a Page Split. Fill Factor. Example Code Showing Page Splits What is a Page Split Tables, and indexes are organized in SQL Server into 8K chunks called pages. If you have rows that are 100k each, you can fit about 80 of those rows into a given page. If you update

More information

6.830 Lecture 15 11/1/2017

6.830 Lecture 15 11/1/2017 6.830 Lecture 15 11/1/2017 Recovery continued Last time -- saw the basics of logging and recovery -- today we are going to discuss the ARIES protocol. First discuss two logging concepts: FORCE/STEAL Buffer

More information

CS 333 Introduction to Operating Systems. Class 11 Virtual Memory (1) Jonathan Walpole Computer Science Portland State University

CS 333 Introduction to Operating Systems. Class 11 Virtual Memory (1) Jonathan Walpole Computer Science Portland State University CS 333 Introduction to Operating Systems Class 11 Virtual Memory (1) Jonathan Walpole Computer Science Portland State University Virtual addresses Virtual memory addresses (what the process uses) Page

More information

C13: Files and Directories: System s Perspective

C13: Files and Directories: System s Perspective CISC 7310X C13: Files and Directories: System s Perspective Hui Chen Department of Computer & Information Science CUNY Brooklyn College 4/19/2018 CUNY Brooklyn College 1 File Systems: Requirements Long

More information

Storing Data: Disks and Files

Storing Data: Disks and Files Storing Data: Disks and Files Chapter 7 (2 nd edition) Chapter 9 (3 rd edition) Yea, from the table of my memory I ll wipe away all trivial fond records. -- Shakespeare, Hamlet Database Management Systems,

More information

Introduction to Data Management. Lecture #25 (Transactions II)

Introduction to Data Management. Lecture #25 (Transactions II) Introduction to Data Management Lecture #25 (Transactions II) Instructor: Mike Carey mjcarey@ics.uci.edu Database Management Systems 3ed, R. Ramakrishnan and J. Gehrke 1 Announcements v HW and exam info:

More information

Index Creation Performance during Data Loading

Index Creation Performance during Data Loading Technical Note 6: Index Creation Performance during Data Loading Technical Note 6 Index creation performance during Data Load Last Modified: October 2, 2003 Version 1 Area: Data Loading Siebel Releases:

More information

Configuring Short RPO with Actifio StreamSnap and Dedup-Async Replication

Configuring Short RPO with Actifio StreamSnap and Dedup-Async Replication CDS and Sky Tech Brief Configuring Short RPO with Actifio StreamSnap and Dedup-Async Replication Actifio recommends using Dedup-Async Replication (DAR) for RPO of 4 hours or more and using StreamSnap for

More information

Bigtable. A Distributed Storage System for Structured Data. Presenter: Yunming Zhang Conglong Li. Saturday, September 21, 13

Bigtable. A Distributed Storage System for Structured Data. Presenter: Yunming Zhang Conglong Li. Saturday, September 21, 13 Bigtable A Distributed Storage System for Structured Data Presenter: Yunming Zhang Conglong Li References SOCC 2010 Key Note Slides Jeff Dean Google Introduction to Distributed Computing, Winter 2008 University

More information

The execution plan for the query is shown in the exhibit. (Click the Exhibit button.)

The execution plan for the query is shown in the exhibit. (Click the Exhibit button.) QUESTION 1 You have a SQL Server 2012 database named DB1. You have a backup device named Device1. You discover that the log file for the database is full. You need to ensure that DB1 can complete transactions.

More information

Introduction to Data Management. Lecture #26 (Transactions, cont.)

Introduction to Data Management. Lecture #26 (Transactions, cont.) Introduction to Data Management Lecture #26 (Transactions, cont.) Instructor: Mike Carey mjcarey@ics.uci.edu Database Management Systems 3ed, R. Ramakrishnan and J. Gehrke 1 Announcements v HW and exam

More information

Background. $VENDOR wasn t sure either, but they were pretty sure it wasn t their code.

Background. $VENDOR wasn t sure either, but they were pretty sure it wasn t their code. Background Patient A got in touch because they were having performance pain with $VENDOR s applications. Patient A wasn t sure if the problem was hardware, their configuration, or something in $VENDOR

More information

The Google File System

The Google File System October 13, 2010 Based on: S. Ghemawat, H. Gobioff, and S.-T. Leung: The Google file system, in Proceedings ACM SOSP 2003, Lake George, NY, USA, October 2003. 1 Assumptions Interface Architecture Single

More information