With this blog post I am hoping to start a new series of blogs devoted to the interesting T-SQL problems I encounter in forums during the week.
The idea of this blog series came to me on Wednesday night when I thought I solved a complex problem…
First Problem – Divide data into 15 min. time intervals
The first problem, I’d like to discuss, is found in this MSDN thread:
Given this table
SalesDateTime | SalesAmount |
---|---|
2010-08-10 00:05:12 | 58.22 |
2010-08-10 00:08:22 | 21.10 |
2010-08-10 00:09:38 | 8.45 |
2010-08-10 00:18:04 | 9.52 |
2010-08-10 00:19:56 | 45.20 |
2010-08-10 11:35:15 | 47.12 |
2010-08-10 11:36:12 | 88.55 |
2010-08-10 11:40:31 | 45.12 |
find the Average Sale amount for the 15 minutes time interval.
The first idea, that comes to mind, of how to solve this problem, is to use integer math in T-SQL. In T-SQL, unlike other languages, when you divide one integer by another integer, you get an integer in return.
So, if we divide datepart(minute,SalesDateTime) by 15, we will organize the data into the 15 minutes intervals.
Now, my first idea was to use datepart function to get year, month, day, hour portions of the date and then construct the date based on these parts using concatenation and string functions. Later, upon thinking, I realized we can use CONVERT() function to grab first portion of the datetime field (up to hours), then add Group * 15 to get the minute part and then convert back to datetime. While I was writing this solution and testing it, Tom Cooper came up with the simpler idea based on the datediff function and fixed date.
I list both of the solutions below:
declare @Sales table (SalesDateTime datetime, SalesAmount decimal(10,2))
insert into @Sales
select
'2010-08-10 00:05:12', 58.22
union all select
'2010-08-10 00:08:22', 21.10
union all select
'2010-08-10 00:09:38', 8.45
union all select
'2010-08-10 00:18:04', 9.52
union all select
'2010-08-10 00:19:56', 45.20
union all select
'2010-08-10 11:35:15', 47.12
union all select
'2010-08-10 11:36:12', 88.55
union all select
'2010-08-10 11:40:31', 45.12
union all select
'2010-08-10 11:52:31', 23.45
-- Naomi's query
;with cte as (select MIN(SalesDateTime) as MinDate,
MAX(SalesDateTime) as MaxDate,
convert(varchar(14),SalesDateTime, 120) as StartDate, DATEPART(minute, SalesDateTime) /15 as GroupID,
avg(SalesAmount) as AvgAmount
from @Sales
group by convert(varchar(14),SalesDateTime, 120),
DATEPART(minute, SalesDateTime) /15)
select dateadd(minute, 15*GroupID, CONVERT(datetime,StartDate+'00')) as [Start Date],
dateadd(minute, 15*(GroupID+1), CONVERT(datetime,StartDate+'00')) as [End Date],
cast(AvgAmount as decimal(12,2)) as [Average Amount],
MinDate as [Min Date], MaxDate as [Max Date]
from cte
-- Tom Cooper's query
;With cte As
(Select DateAdd(minute, 15 * (DateDiff(minute, '20000101', SalesDateTime) / 15), '20000101') As SalesDateTime, SalesAmount
From @Sales)
Select SalesDateTime, Cast(Avg(SalesAmount) As decimal(12,2)) As AvegSalesAmount
From cte
Group By SalesDateTime;
See also a different and simpler approach suggested by Celko in this thread of using Time based Calendar table.
Second Problem – Find overlapping ranges
The second problem is really a gem and it is presented in How can I find overlapped ranges? thread:
Name | Chromosome | Start | End |
---|---|---|---|
N1 | chr3 | 17443613 | 17443685 |
N2 | chr3 | 17443521 | 17443685 |
N3 | chr2 | 162180459 | 162180499 |
N343 | chr2 | 131865573 | 131865687 |
N34 | chr16 | 34623393 | 34623610 |
N2456 | chr3 | 17443512 | 17443685 |
N43243 | chr3 | 17443608 | 17443685 |
The whole table is about 31,000 records (includes 22 chromosomes + X, Y chromosomes).
The problem is to find the overlapped regions (or ranges) and these overlapped records have to be on the same Chromosome of this table.
————-
I saw this problem at ~11pm on Wednesday night, thought I solved it and that’s when the idea of this blog came to my mind.
The next day, however, based on Hunchback’s (Alejandro Mesa) comment I realized, that my “solution” worked only for a single overlapping range for the same chromosome. If we have multiple overlapping ranges, that solution will not work. I spent ~ an hour trying to fix my idea for multiple overlapping ranges, but gave up at the end, as I had work to do. So, I will show two ingenious solutions of this problem presented in that thread by (Peso) Peter Larsson.
First let’s create the test table with 100K records:
CREATE TABLE [dbo].[Chromosomes](
[Name] [varchar](10) NOT NULL,
[Chromosome] [varchar](10) NOT NULL,
[iStart] [int] NOT NULL,
[iEnd] [int] NOT NULL
)
Go
CREATE NONCLUSTERED INDEX [IX_Chromosomes] ON [dbo].[Chromosomes]
(
[Chromosome] ASC,
[iStart] ASC,
[iEnd] ASC
)
INCLUDE ( [Name])
insert into Chromosomes
SELECT 'N' + CAST(ABS(CHECKSUM(NEWID())) % 5000 AS VARCHAR(12)) AS Name,
'chr' + CAST(ABS(CHECKSUM(NEWID())) % 22 AS VARCHAR(12)) AS Chromosome,
iStart,
iStart + ABS(CHECKSUM(NEWID())) % 10000 AS iEnd
FROM (
SELECT TOP(100000)
ABS(CHECKSUM(NEWID())) % 200000000 AS iStart
FROM Tally
) AS d
select * from Chromosomes
The first solution uses cursor and takes ~27 sec. to execute:
-- Cursor based idea
set nocount on
declare @TimeStart datetime = getdate()
CREATE TABLE #Work
(
Chromosome VARCHAR(10) NOT NULL,
FromNum INT NOT NULL,
ToNum INT NOT NULL,
Names VARCHAR(MAX) NOT NULL,
Items INT NOT NULL
)
CREATE CLUSTERED INDEX IX_Chromosome ON #Work (Chromosome, FromNum)
DECLARE curWork CURSOR READ_ONLY FOR SELECT Chromosome,
iStart,
iEnd,
Name
FROM dbo.Chromosomes
ORDER BY Chromosome,
iStart
DECLARE @FromNum INT,
@ToNum INT,
@Chromosome VARCHAR(10),
@Name VARCHAR(10)
OPEN curWork
FETCH NEXT
FROM curWork
INTO @Chromosome,
@FromNum,
@ToNum,
@Name
WHILE @@FETCH_STATUS = 0
BEGIN
UPDATE #Work
SET FromNum = CASE WHEN FromNum < @FromNum THEN FromNum ELSE @FromNum END,
ToNum = CASE WHEN ToNum < @ToNum THEN @ToNum ELSE ToNum END,
Names = CASE WHEN Names LIKE '%, ' + @Name + ', %' THEN Names ELSE Names + ', ' + @Name END,
Items = Items + 1
WHERE Chromosome = @Chromosome
AND FromNum <= @ToNum
AND ToNum >= @FromNum
IF @@ROWCOUNT = 0
INSERT #Work
(
Chromosome,
FromNum,
ToNum,
Names,
Items
)
VALUES (
@Chromosome,
@FromNum,
@ToNum,
@Name,
1
)
FETCH NEXT
FROM curWork
INTO @Chromosome,
@FromNum,
@ToNum,
@Name
END
CLOSE curWork
DEALLOCATE curWork
SELECT Chromosome,
FromNum,
ToNum,
Names,
Items
FROM #Work
--WHERE Items > 1 -- Uncomment this line to get only the overlapping ranges
ORDER BY FromNum
DROP TABLE #Work
print 'Time elapsed (sec): ' + convert(varchar(30),datediff(second, @TimeStart, getdate()))
Set based solution based on the quirky update idea – it takes ~5 second to execute:
set statistics time off
set nocount on
declare @TimeStart datetime = getdate()
SELECT Name,
Chromosome,
iStart,
iEnd,
0 AS Grp
INTO #Temp
FROM dbo.Chromosomes
DECLARE @Grp INT = 0,
@Chromosome VARCHAR(10) = '',
@End INT = 0
;WITH cteUpdate(Chromosome, iStart, iEnd, Grp)
AS (
SELECT TOP(2147483647)
Chromosome,
iStart,
iEnd,
Grp
FROM #Temp
ORDER BY Chromosome,
iStart
)
-- Quirky update - updating variable and field at the same time
UPDATE cteUpdate
SET @Grp = Grp = CASE
WHEN Chromosome <> @Chromosome THEN @Grp + 1
WHEN @End < iStart THEN @Grp + 1
ELSE @Grp
END,
@End = CASE
WHEN Chromosome <> @Chromosome THEN iEnd
WHEN iEnd < @End THEN @End
ELSE iEnd
END,
@Chromosome = Chromosome
SELECT Chromosome,
MIN(iStart) AS FromNum,
MAX(iEnd) AS ToNum,
CAST(MIN(Name) AS VARCHAR(MAX)) AS Names,
COUNT(*) AS Items,
Grp
INTO #Stage
FROM #Temp
GROUP BY Chromosome,
Grp
UPDATE s
SET s.Names += f.Names
FROM #Stage AS s
CROSS APPLY (
SELECT DISTINCT ', ' + x.Name
FROM #Temp AS x
WHERE x.Grp = s.Grp
AND x.Name > s.Names
FOR XML PATH('')
) AS f(Names)
WHERE s.Items > 1
SELECT Chromosome,
FromNum,
ToNum,
Names,
Items
FROM #Stage
ORDER BY Chromosome,
FromNum
DROP TABLE #Temp,
#Stage
print 'Time elapsed (sec): ' + convert(varchar(30),datediff(second, @TimeStart, getdate()))
Third problem – Transpose columns to rows
The third problem is simple enough, but yet quite interesting. It is presented in the following Vertical Result Set thread
Transpose table of any structure vertically (in other words, each column becomes a row) and show just a few typical data for every column.
First problem is to convert the data into the same format. I chose nvarchar(max), but it may not be 100% working solution if there are columns with exotic data types that can not be converted to nvarchax(max). In this case we may want to use sql_variant as the type instead.
Here is the solution I used based on AdventureWorks.Person.Address table:
declare@SQL nvarchar(max); select@SQL = STUFF((SELECT' UNION ALL SELECT AddressID, convert(nvarchar(max),'+ quotename(column_name)+') as Column_Value, '+ QUOTENAME(Column_Name,'''')+' as Column_Name FROM AdventureWorks.Person.Address' from AdventureWorks.INFORMATION_SCHEMA.COLUMNS where TABLE_NAME ='Address'and TABLE_SCHEMA ='Person'FOR XML PATH(''), type).value('.','nvarchar(max)'),1,11,'') print @SQL set@SQL =@SQL +' ORDER BY AddressId' execute(@SQL)
And here is Hunchback’s (Alejandro Mesa) solution using SQL Server 2008 specific syntax:
SELECT
C.*
FROM
(
SELECT TOP (3)
AddressID,
AddressLine1,
AddressLine2,
City,
StateProvinceID,
PostalCode
FROM
Person.Address
ORDER BY
ModifiedDate
) AS T
CROSS APPLY
(
VALUES
(AddressID, 'AddressID', CAST(AddressID AS sql_variant)),
(AddressID, 'AddressLine1', CAST(AddressLine1 AS sql_variant)),
(AddressID, 'AddressLine2', CAST(AddressLine2 AS sql_variant)),
(AddressID, 'City', CAST(City AS sql_variant)),
(AddressID, 'StateProvinceID', CAST(StateProvinceID AS sql_variant)),
(AddressID, 'PostalCode', CAST(PostalCode AS sql_variant))
) AS C(rowident, cn, cv)
ORDER BY
rowident,
cn;
GO
Fourth problem – Count % of NULLs in every column in a table
I decided to add this problem here rather than create a new blog for the last week interesting problems.
The problem is presented in this thread. For any given table find percent of NULL values in any column and post the result.
My solution for this problem is to create dynamic query using the idea from my other blog How to get information about all databases without a loop:
USE AdventureWorks
DECLARE @TotalCount DECIMAL(10,2),
@SQL NVARCHAR(MAX)
SELECT @TotalCount = COUNT(* )
FROM [AdventureWorks].[Production].[Product]
SELECT @SQL = COALESCE(@SQL + ', ','SELECT ') + CASE
WHEN IS_NULLABLE = 'NO' THEN '0'
ELSE 'cast(sum (case when ' + QUOTENAME(column_Name) + ' IS NULL then 1 else 0 end)/@TotalCount*100.00 as decimal(10,2)) '
END + ' as [' + column_Name + ' NULL %] '
FROM INFORMATION_SCHEMA.COLUMNS
WHERE TABLE_NAME = 'Product'
AND TABLE_SCHEMA = 'Production'
SET @SQL = 'set @TotalCount = NULLIF(@TotalCount,0) ' + @SQL + ' FROM [AdventureWorks].Production.Product'
--print @SQL
EXECUTE SP_EXECUTESQL
@SQL ,
N'@TotalCount decimal(10,2)' ,
@TotalCount
Hope you find these problems interesting as well and see you in a week (or more)…
The next series of this blog:
Interesting T-SQL problems – new problems
And perhaps you appreciate this topic as well
How to search a string in all tables in a database
*** Remember, if you have a SQL related question, try our Microsoft SQL Server Programming forum or our Microsoft SQL Server Admin forum