T-SQL query, multiple values in a field - tsql

I have two tables in a database. The first table tblTracker contains many columns, but the column of particular interest is called siteAdmin and each row in that column can contain multiple loginIDs of 5 digits like 21457, 21456 or just one like 21444. The next table users contains columns like LoginID, fname, and lname.
What I would like to be able to do is take the loginIDs contained in tblTracker.siteAdmin and return fname + lname from users. I can successfully do this when there is only one loginID in the row such as 21444 but I cannot figure out how to do this when there is more than one like 21457, 21456.
Here is the SQL statement I use for when there is one loginID in that column
SELECT b.FName + '' '' + b.LName AS siteAdminName,
FROM tblTracker a
LEFT OUTER JOIN users b ON a.siteAdmin= b.Login_Id
However this doesn't work when it tries to join a siteAdmin with more than one LoginID in it
Thanks!

I prefer the number table approach to split a string in TSQL
For this method to work, you need to do this one time table setup:
SELECT TOP 10000 IDENTITY(int,1,1) AS Number
INTO Numbers
FROM sys.objects s1
CROSS JOIN sys.objects s2
ALTER TABLE Numbers ADD CONSTRAINT PK_Numbers PRIMARY KEY CLUSTERED (Number)
Once the Numbers table is set up, create this split function:
CREATE FUNCTION [dbo].[FN_ListToTable]
(
#SplitOn char(1) --REQUIRED, the character to split the #List string on
,#List varchar(8000)--REQUIRED, the list to split apart
)
RETURNS TABLE
AS
RETURN
(
----------------
--SINGLE QUERY-- --this will not return empty rows
----------------
SELECT
ListValue
FROM (SELECT
LTRIM(RTRIM(SUBSTRING(List2, number+1, CHARINDEX(#SplitOn, List2, number+1)-number - 1))) AS ListValue
FROM (
SELECT #SplitOn + #List + #SplitOn AS List2
) AS dt
INNER JOIN Numbers n ON n.Number < LEN(dt.List2)
WHERE SUBSTRING(List2, number, 1) = #SplitOn
) dt2
WHERE ListValue IS NOT NULL AND ListValue!=''
);
GO
You can now easily split a CSV string into a table and join on it:
select * from dbo.FN_ListToTable(',','1,2,3,,,4,5,6777,,,')
OUTPUT:
ListValue
-----------------------
1
2
3
4
5
6777
(6 row(s) affected)
Your can now use a CROSS APPLY to split every row in your table like:
DECLARE #users table (LoginID int, fname varchar(5), lname varchar(5))
INSERT INTO #users VALUES (1, 'Sam', 'Jones')
INSERT INTO #users VALUES (2, 'Don', 'Smith')
INSERT INTO #users VALUES (3, 'Joe', 'Doe')
INSERT INTO #users VALUES (4, 'Tim', 'White')
INSERT INTO #users VALUES (5, 'Matt', 'Davis')
INSERT INTO #users VALUES (15,'Sue', 'Me')
DECLARE #tblTracker table (RowID int, siteAdmin varchar(50))
INSERT INTO #tblTracker VALUES (1,'1,2,3')
INSERT INTO #tblTracker VALUES (2,'2,3,4')
INSERT INTO #tblTracker VALUES (3,'1,5')
INSERT INTO #tblTracker VALUES (4,'1')
INSERT INTO #tblTracker VALUES (5,'5')
INSERT INTO #tblTracker VALUES (6,'')
INSERT INTO #tblTracker VALUES (7,'8,9,10')
INSERT INTO #tblTracker VALUES (8,'1,15,3,4,5')
SELECT
t.RowID, u.LoginID, u.fname+' '+u.lname AS YourAdmin
FROM #tblTracker t
CROSS APPLY dbo.FN_ListToTable(',',t.siteAdmin) st
LEFT OUTER JOIN #users u ON st.ListValue=u.LoginID --to get all rows even if missing siteAdmin
--INNER JOIN #users u ON st.ListValue=u.LoginID --to remove rows without any siteAdmin
ORDER BY t.RowID,u.fname,u.lname
OUTPUT:
RowID LoginID YourAdmin
----------- ----------- -----------
1 2 Don Smith
1 3 Joe Doe
1 1 Sam Jones
2 2 Don Smith
2 3 Joe Doe
2 4 Tim White
3 5 Matt Davis
3 1 Sam Jones
4 1 Sam Jones
5 5 Matt Davis
7 NULL NULL
7 NULL NULL
7 NULL NULL
8 3 Joe Doe
8 5 Matt Davis
8 1 Sam Jones
8 15 Sue Me
8 4 Tim White
(18 row(s) affected)

Related

Parsing a comma delimited column and transposing into rows [duplicate]

This question already has answers here:
Turning a Comma Separated string into individual rows
(16 answers)
Closed 5 years ago.
Suppose I have a table like this with an undetermined number of comma-delimited values in one column:
thingID personID
1 123,234,345
2 456,567
and I want to get it into a form like this:
thingID personID
1 123
1 234
1 345
2 456
2 567
What is my best option for doing this?
Oh I should mention the data is in a SQL 2008 R2 database so I may not be able to use the very latest functionality.
Use CROSS APPLY with a string splitting function.
To find the string splitting function that works best for you, read Aaron Bertrand's Split strings the right way – or the next best way.
For this demonstration I've chosen to use the SplitStrings_XML function, simply because it's the first pure t-sql function in the article:
CREATE FUNCTION dbo.SplitStrings_XML
(
#List NVARCHAR(MAX),
#Delimiter NVARCHAR(255)
)
RETURNS TABLE
WITH SCHEMABINDING
AS
RETURN
(
SELECT Item = y.i.value('(./text())[1]', 'nvarchar(4000)')
FROM
(
SELECT x = CONVERT(XML, '<i>'
+ REPLACE(#List, #Delimiter, '</i><i>')
+ '</i>').query('.')
) AS a CROSS APPLY x.nodes('i') AS y(i)
);
GO
Now that we have a string splitting function, create and populate the sample table (Please save us this step in your future questions):
DECLARE #T AS TABLE
(
thingID int,
personID varchar(max)
)
INSERT INTO #T VALUES
(1, '123,234,345'),
(2, '456,567')
The query:
SELECT thingId, Item
FROM #T
CROSS APPLY dbo.SplitStrings_XML(personID, ',')
Results:
thingId Item
1 123
1 234
1 345
2 456
2 567
You can see a live demo on rextester.
There are several ways to do that. Here are two methods for SQL Server 2008:
XML-Method: requires the string to allow for the xml-trick (no invalid XML chars)
SELECT a.thingID, Split.a.value('.', 'VARCHAR(100)') AS Data
FROM (SELECT OtherID,
CAST('<M>' + REPLACE(personID, ',', '</M><M>') + '</M>' AS XML) AS Data
FROM table1) AS A CROSS APPLY Data.nodes ('/M') AS Split(a);
Recursive method:
;WITH tmp(thingID, DataItem, Data) AS (
SELECT thingID, LEFT(personID, CHARINDEX(',', personID + ',') - 1),
STUFF(personID, 1, CHARINDEX(',', personID + ','), '')
FROM table1
UNION ALL
SELECT thingID, LEFT(personID, CHARINDEX(',', personID + ',') - 1),
STUFF(personID, 1, CHARINDEX(',', personID + ','), '')
FROM tmp
WHERE Data > ''
)
SELECT thingID, DataItem AS personID
FROM tmp

T-SQL: create results in a comma seperated combined single row

Using this code:
SELECT *
FROM
(SELECT
EQUITY_DIVISION_25_NAME Broker,
COUNT(tbl_user_details.USER_ID) new,
DENSE_RANK() OVER (ORDER BY COUNT(tbl_user_details.USER_ID) DESC) Rank
FROM
TBL_FEES_MASTER RIGHT
OUTER JOIN
TBL_USER_CREATE ON TBL_FEES_MASTER.FEE_ID = TBL_USER_CREATE.FEE_ID
LEFT OUTER JOIN
TBL_USER_DETAILS ON TBL_USER_CREATE.USER_ID = TBL_USER_DETAILS.USER_ID
WHERE
Joined_dt >= (SELECT MAX(last_report_run)
FROM new_lance_table
WHERE last_report_run < (SELECT MAX(last_report_run)
FROM new_lance_table))
AND (joined_dt <= GETDATE())
GROUP BY
EQUITY_DIVISION_25_NAME) a
I get table results:
Broker new Rank
-----------------------------
Todd Schuster 7 1
Tony Ketterling 7 1
Al Palmonari 4 2
Randall Wall 4 2
Edmund Sperry 3 3
Eric Lee 3 3
Steve Stringham 3 3
Timothy Gulla 2 4
Troy Peterson 2 4
Tuiono Malakai 2 4
Nancy Umbreit 2 4
Steve Goodsell 2 4
Sandy Dunkley 1 5
Gary Rosine 1 5
Ian Chait 1 5
Nancy Pearce-Harris 1 5
William Hochstedler 1 5
Troy C Peterson 1 5
How can I query to make it so the results show up like this:
Rank 1: Tie! Todd Schuster (7), Tony Ketterling (7)
Rank 2: Tie! Al Palmonari (4), Randall Wall (4)
Rank 3: Tie! Edmund Sperry (3), Eric Lee (3), Steve Stringham (3)
You can try it like this:
DECLARE #dummyTbl TABLE(
Broker VARCHAR(29)
,new VARCHAR(13)
,Rank VARCHAR(8)
);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Todd Schuster',7,1);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Tony Ketterling',7,1);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Al Palmonari',4,2);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Randall Wall',4,2);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Edmund Sperry',3,3);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Eric Lee',3,NULL);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Steve Stringham',3,3);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Timothy Gulla',2,4);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Troy Peterson',2,4);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Tuiono Malakai',2,4);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Nancy Umbreit',2,4);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Steve Goodsell',2,4);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Sandy Dunkley',1,5);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Gary Rosine',1,5);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Ian Chait',1,5);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Nancy Pearce-Harris',1,5);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('William Hochstedler',1,5);
INSERT INTO #dummyTbl(Broker,new,Rank) VALUES ('Troy C Peterson',1,5);
--I use the declared table variable and a simple SELECT * FROM #dummyTbl to mock-up you query
WITH CTE AS
(
/*Place your own query here*/
SELECT * FROM #dummyTbl
)
SELECT 'Rank ' + CAST(t.Rank AS VARCHAR(10)) + ': Tie! '
+STUFF(
(
SELECT ', ' + x.Broker + ' (' + CAST(x.new AS VARCHAR(10)) + ')'
FROM CTE AS x
WHERE x.Rank=t.Rank
FOR XML PATH('')
),1,2,'')
FROM CTE AS t
GROUP BY t.Rank
The result
NULL
Rank 1: Tie! Todd Schuster (7), Tony Ketterling (7)
Rank 2: Tie! Al Palmonari (4), Randall Wall (4)
Rank 3: Tie! Edmund Sperry (3), Steve Stringham (3)
Rank 4: Tie! Timothy Gulla (2), Troy Peterson (2), Tuiono Malakai (2), Nancy Umbreit (2), Steve Goodsell (2)
Rank 5: Tie! Sandy Dunkley (1), Gary Rosine (1), Ian Chait (1), Nancy Pearce-Harris (1), William Hochstedler (1), Troy C Peterson (1)
Short explanation:
A simple SELECT Rank FROM CTE GROUP BY Rank will return with a distinct list of Ranks. This numbers are extended by some constant characters. But you would not be allowed to access other columns than Rank, unless you'd add them to your GROUP BY...
But: You can use a sub-select, in which t.Rank is the only column in use. The other columns are taken from a second call to the same table, but aliased as x.
The rest (STUFF() in combination with FOR XML to concat values) is rather easy. There are tons of questions and answers around this technique.
You can select your current result into a temp table, and then loop from 1 to max(rank) and do string combination.

Summarizing Only Rows with given criteria

all!
Given the following table structure
DECLARE #TempTable TABLE
(
idProduct INT,
Layers INT,
LayersOnPallet INT,
id INT IDENTITY(1, 1) NOT NULL,
Summarized BIT NOT NULL DEFAULT(0)
)
and the following insert statement which generates test data
INSERT INTO #TempTable(idProduct, Layers, LayersOnPallet)
SELECT 1, 2, 4
UNION ALL
SELECT 1, 2, 4
UNION ALL
SELECT 1, 1, 4
UNION ALL
SELECT 2, 2, 4
I would like to summarize only those rows (by the Layers only) with the same idProduct and which will have the sum of layers equal to LayersOnPallet.
A picture is worth a thousand words:
From the picture above, you can see that only the first to rows were summarized because both have the same idProduct and the sum(layers) will be equal to LayersOnPallet.
How can I achieve this? It's there any way to do this only in selects (not with while)?
Thank you!
Perhaps this will do the trick. Note my comments:
-- your sample data
DECLARE #TempTable TABLE
(
idProduct INT,
Layers INT,
LayersOnPallet INT,
id INT IDENTITY(1, 1) NOT NULL,
Summarized BIT NOT NULL DEFAULT(0)
)
INSERT INTO #TempTable(idProduct, Layers, LayersOnPallet)
SELECT 1, 2, 4 UNION ALL
SELECT 1, 2, 4 UNION ALL
SELECT 1, 1, 4 UNION ALL
SELECT 2, 2, 4;
-- an intermediate temp table used for processing
IF OBJECT_ID('tempdb..#processing') IS NOT NULL DROP TABLE #processing;
-- let's populate the #processing table with duplicates
SELECT
idProduct,
Layers,
LayersOnPallet,
rCount = COUNT(*)
INTO #processing
FROM #tempTable
GROUP BY
idProduct,
Layers,
LayersOnPallet
HAVING COUNT(*) > 1;
-- Remove the duplicates
DELETE t
FROM #TempTable t
JOIN #processing p
ON p.idProduct = t.idProduct
AND p.Layers = t.Layers
AND p.LayersOnPallet = t.LayersOnPallet
-- Add the new, updated record
INSERT #TempTable
SELECT
idProduct,
Layers * rCount,
LayersOnPallet, 1
FROM #processing;
DROP TABLE #processing; -- cleanup
-- Final output
SELECT idProduct, Layers, LayersOnPallet, Summarized
FROM #TempTable;
Results:
idProduct Layers LayersOnPallet Summarized
----------- ----------- -------------- ----------
1 4 4 1
1 1 4 0
2 2 4 0

Find all records NOT in any blocked range where blocked ranges are in a table

I have a table TaggedData with the following fields and data
ID GroupID Tag MyData
** ******* *** ******
1 Texas AA01 Peanut Butter
2 Texas AA15 Cereal
3 Ohio AA05 Potato Chips
4 Texas AA08 Bread
I have a second table of BlockedTags as follows:
ID StartTag EndTag
** ******** ******
1 AA00 AA04
2 AA15 AA15
How do I select from this to return all data matching a given GroupId but NOT in any blocked range (inclusive)? For the data given if the GroupId is Texas, I don't want to return Cereal because it matches the second range. It should only return Bread.
I did try left joins based queries but I'm not even that close.
Thanks
create table TaggedData (
ID int,
GroupID varchar(16),
Tag char(4),
MyData varchar(50))
create table BlockedTags (
ID int,
StartTag char(4),
EndTag char(4)
)
insert into TaggedData(ID, GroupID, Tag, MyData)
values (1, 'Texas', 'AA01', 'Peanut Butter')
insert into TaggedData(ID, GroupID, Tag, MyData)
values (2, 'Texas' , 'AA15', 'Cereal')
insert into TaggedData(ID, GroupID, Tag, MyData)
values (3, 'Ohio ', 'AA05', 'Potato Chips')
insert into TaggedData(ID, GroupID, Tag, MyData)
values (4, 'Texas', 'AA08', 'Bread')
insert into BlockedTags(ID, StartTag, EndTag)
values (1, 'AA00', 'AA04')
insert into BlockedTags(ID, StartTag, EndTag)
values (2, 'AA15', 'AA15')
select t.* from TaggedData t
left join BlockedTags b on t.Tag between b.StartTag and b.EndTag
where b.ID is null
Returns:
ID GroupID Tag MyData
----------- ---------------- ---- --------------------------------------------------
3 Ohio AA05 Potato Chips
4 Texas AA08 Bread
(2 row(s) affected)
So, to match on given GroupID you change the query like that:
select t.* from TaggedData t
left join BlockedTags b on t.Tag between b.StartTag and b.EndTag
where b.ID is null and t.GroupID=#GivenGroupID
I Prefer the NOT EXISTS simply because it gives you more readability, usability and better performance usually in large data (several cases get better execution plans):
would be like this:
SELECT * from TaggedData
WHERE GroupID=#GivenGroupID
AND NOT EXISTS(SELECT 1 FROM BlockedTags WHERE Tag BETWEEN StartTag ANDEndTag)

Find duplicate row "details" in table

OrderId OrderCode Description
-------------------------------
1 Z123 Stuff
2 ABC999 Things
3 Z123 Stuff
I have duplicates in a table like the above. I'm trying to get a report of which Orders are duplicates, and what Order they are duplicates of, so I can figure out how they got into the database.
So ideally I'd like to get an output something like;
OrderId IsDuplicatedBy
-------------------------
1 3
3 1
I can't work out how to code this in SQL.
You can use the same table twice in one query and join on the fields you need to check against. T1.OrderID <> T2.OrderID is needed to not find a duplicate for the same row.
declare #T table (OrderID int, OrderCode varchar(10), Description varchar(50))
insert into #T values
(1, 'Z123', 'Stuff'),
(2, 'ABC999', 'Things'),
(3, 'Z123', 'Stuff')
select
T1.OrderID,
T2.OrderID as IsDuplicatedBy
from #T as T1
inner join #T as T2
on T1.OrderCode = T2.OrderCode and
T1.Description = T2.Description and
T1.OrderID <> T2.OrderID
Result:
OrderID IsDuplicatedBy
1 3
3 1