I have a table as below
DECLARE #T TABLE(Data VARCHAR(MAX))
INSERT INTO #T
SELECT 'SQL' UNION ALL SELECT 'JOB'
need output as below but without using any UDF.
Data String
------------
SQL S,Q,L
JOB J,O,B
Please help me on this
Sure you can :). You can make it shorter too...
DECLARE #T TABLE(Data VARCHAR(MAX))
INSERT INTO #T
SELECT 'SQL' UNION ALL SELECT 'JOB';
With cte as
(
Select Data, Len(Data) DataLength, 1 level
From #t
Union All
Select Data, DataLength - 1, level + 1
From cte
Where DataLength > 1
),
cte2 as
(
Select Data, SUBSTRING(Data, DataLength, 1) DataLetter, level
From cte
),
cte3 as
(
Select Data,
(
SELECT DataLetter + ','
FROM cte2 c
Where c.Data = cte2.Data
Order By level desc
FOR XML PATH(''), TYPE
).value('.[1]', 'NVARCHAR(1000)') DataComa
From cte2
Group By Data
)
Select Data, substring(DataComa, 1, Len(DataComa) - 1) Data2
From cte3
Late to the party, but here's a slightly shorter version:
DECLARE #T TABLE(Data VARCHAR(MAX));
INSERT INTO #T VALUES('SQL'),('JOB'),('FLOOB');
;WITH n AS (SELECT TOP (SELECT MAX(LEN(Data)) FROM #T)
n = ROW_NUMBER() OVER (ORDER BY [object_id]) FROM sys.all_objects
),
t AS (SELECT n, Data, Letter = SUBSTRING(t.Data, n.n, 1) FROM n
INNER JOIN #T AS t ON SUBSTRING(t.Data, n.n, 1) > ''
)
SELECT Data, STUFF((SELECT ',' + letter FROM t AS t2
WHERE t2.Data = t.Data ORDER BY t2.n FOR XML PATH(''),
TYPE).value(N'./text()[1]', N'varchar(max)'), 1, 1, '')
FROM t GROUP BY Data;
Results:
FLOOB F,L,O,O,B
JOB J,O,B
SQL S,Q,L
It is very easy to do with UDF.
But If you want with out UDF, the only one way I can think of is
something like this
DECLARE #T TABLE(Data VARCHAR(MAX))
INSERT INTO #T
SELECT 'SQL' UNION ALL SELECT 'JOB'
select replace(replace(replace(data,'S','S,'),'Q','Q,'),'L','L,') from #T
here you have to replace all the 26 characters with replace function. ie, 'A' with 'A,' 'B' with 'B,' .... 'Z' with 'Z,'
Using the same approach I used for Initcap function here http://beyondrelational.com/modules/2/blogs/70/posts/10901/tsql-initcap-function-convert-a-string-to-proper-case.aspx
DECLARE #T TABLE(Data VARCHAR(MAX))
INSERT INTO #T
SELECT 'SQL' UNION ALL SELECT 'JOB'
select data,
upper(replace(replace(replace(replace(replace(replace(replace(
replace(replace(replace(replace(replace(replace(replace(
replace(replace(replace(replace(replace(replace(replace(
replace(replace(replace(replace(replace(
' '+data ,
' a','a,'),' b','b,'),'c','c,'),'d','d,'),'e','e,'),'f','f,'),
' g','g,'),' h','h,'),'i','i,'),'j','j,'),'k','k,'),'l','l,'),
' m','m,'),' n','n,'),'o','o,'),'p','p,'),'q','q,'),'r','r,'),
' s','s,'),' t','t,'),'u','u,'),'v','v,'),'w','w,'),'x','x,'),
' y','y,'),' z','z,')) as splitted_data
from
#t
Related
I am new in SQL basically i required Sum result in separate columns as per different elements.
Please find my table and required result in below image.
Please guide me with regards to SQL query which give me the required result.
You can use conditional aggregation:
select payment,
sum(case when product = 'A' then amount else 0 end) as a,
sum(case when product = 'B' then amount else 0 end) as b,
sum(case when product = 'C' then amount else 0 end) as c,
sum(case when product = 'D' then amount else 0 end) as d,
sum(amount) as total
from t
group by payment;
You can use PIVOT to get the desired result
SELECT * ,
[A] + [B] + [C] + [D] AS Total
FROM ( SELECT Payment, Product, Amount FROM Your_Table) tr
PIVOT( SUM(Amount) FOR Product IN ( [A], [B], [C], [D] ) ) p;
You can use dynamic SQL pivot query if your products are not limited with A,B,C and D
Here is a sample query for SQL Server
DECLARE #products nvarchar(max)
SELECT #products =
STUFF(
(
select distinct ',[' + product + ']'
from Payments
for xml path('')
),
1,1,'')
declare #sql nvarchar(max)
set #sql = '
SELECT
*
FROM (
SELECT
Payment AS '' '',
Product,
Amount
from Payments
) Data
PIVOT (
SUM(Amount)
FOR Product
IN (
' + #products + '
)
) PivotTable'
exec sp_executesql #sql
Below is sample data
IF OBJECT_ID('tempdb..#t')IS NOT NULL
DROp TABLE #t
;with cte (Payment,Product,Amount)
AS
(
SELECT 'Cash','A',1 UNION ALL
SELECT 'Credit','B',2 UNION ALL
SELECT 'Credit','C',3 UNION ALL
SELECT 'Cash','D',5 UNION ALL
SELECT 'Cash','A',6 UNION ALL
SELECT 'Credit','B',23 UNION ALL
SELECT 'Credit','C',7 UNION ALL
SELECT 'Cash','D',11 UNION ALL
SELECT 'Cash','A',12 UNION ALL
SELECT 'Credit','B',14 UNION ALL
SELECT 'Credit','C',16 UNION ALL
SELECT 'Cash','D',26
)
SELECT * INTO #t FROM cte
Using Dynamic Sql
DECLARE #DyColumn Nvarchar(max),
#Sql Nvarchar(max),
#ISNULLDyColumn Nvarchar(max),
#SumCol Nvarchar(max)
SELECT #DyColumn=STUFF((SELECT DISTINCT ', '+QUOTENAME(Product) FROM #t FOR XML PATH ('')),1,1,'')
SELECT #ISNULLDyColumn=STUFF((SELECT DISTINCT ', '+'ISNULL('+QUOTENAME(Product)+',''0'')' +' AS '+QUOTENAME(Product) FROM #t FOR XML PATH ('')),1,1,'')
SELECT #SumCol=STUFF((SELECT DISTINCT ' + '+QUOTENAME(Product) FROM #t FOR XML PATH ('')),1,2,'')
SET #Sql='
SELECT *,('+#SumCol+') AS Total FROM
(
SELECT Payment,'+#ISNULLDyColumn+'
FROM
(
SELECT * FROM #t
)AS
SRC
PIVOT
(
SUM(AMOUNT) FOR Product IN ('+#DyColumn+')
) AS Pvt
)dt
'
PRINT #Sql
EXECUTE (#Sql)
Result
Payment A B C D Total
---------------------------------
Cash 19 0 0 42 61
Credit 0 39 26 0 65
Is it possible to use only sql query no procedural language to get below format output
ID Name
-------------
1 a,b,c
2 x,y,z
3 m,n,l
I want this to print like below
1:a
1:b
1:c
2:x
2:y
2:z
Is this is possible with only my sql query or I have to use UDF ?
Yes you can-
The solution below is for Mysql.
You can use SUBSTRING_INDEX to reverse the process of 'group_concat'.
Here is your sql-
SELECT
id,
SUBSTRING_INDEX(SUBSTRING_INDEX(names, ',', n.d+1), ',', -1) name
FROM
users
INNER JOIN
(SELECT 0 d UNION ALL SELECT 1 UNION ALL SELECT 2 UNION ALL SELECT 3) n
ON LENGTH(REPLACE(names, ',' , '')) <= LENGTH(names)-n.d
ORDER BY
id,
n.d
;WITH CTE(ID,Name)
AS
(
SELECT 1,'a,b,c' union all
SELECT 2,'x,y,z' union all
SELECT 3,'m,n,l'
)
SELECT ID, Split.a.value('.', 'VARCHAR(100)') AS Data
FROM
(
SELECT ID,
CAST ('<M>' + REPLACE(Name, ',', '</M><M>') + '</M>' AS XML) AS Data
from CTE
) AS A CROSS APPLY Data.nodes ('/M') AS Split(a);
If you want ouput with ':' separter ,below is the code
;WITH CTE(ID,Name)
AS
(
SELECT 1,'a,b,c' union all
SELECT 2,'x,y,z' union all
SELECT 3,'m,n,l'
)
SELECT CONCAT(CAST(ID AS VARCHAR(5)),' : ', CAST(Data AS VARCHAR(5))) As [OutPut] From
(
SELECT ID, Split.a.value('.', 'VARCHAR(100)') AS Data
FROM
(
SELECT ID,
CAST ('<M>' + REPLACE(Name, ',', '</M><M>') + '</M>' AS XML) AS Data
from CTE
) AS A CROSS APPLY Data.nodes ('/M') AS Split(a)
)Final
In SQL server, you could do it by a query with CROSS APPLY and xml query
DECLARE #SampleData AS TABLE (ID int IDENTITY (1,1), Name varchar(100))
INSERT INTO #SampleData (Name)
VALUES ('a,b,c'), ('x,y,z'), ('m,n,l')
;WITH temp AS
(
SELECT *,
CAST('<x>' + replace(sd.Name, ',', '</x><x>') + '</x>' AS xml) AS xmlText
FROM #SampleData sd
)
SELECT CONCAT(t.ID, ':',v.x.value('.','varchar(50)')) AS Result
FROM temp t
CROSS APPLY
t.xmlText.nodes('/x') AS v(x)
Demo link: http://rextester.com/IHQF16100
I need to separate values and store them in different variables in SQL,
for example
a='3100,3101,3102,....'
And the output should be
x=3100
y=3101
z=3102
.
.
.
create function [dbo].[udf_splitstring] (#tokens varchar(max),
#delimiter varchar(5))
returns #split table (
token varchar(200) not null )
as
begin
declare #list xml
select #list = cast('<a>'
+ replace(#tokens, #delimiter, '</a><a>')
+ '</a>' as xml)
insert into #split
(token)
select ltrim(t.value('.', 'varchar(200)')) as data
from #list.nodes('/a') as x(t)
return
end
GO
declare #cad varchar(100)='3100,3101,3102'
select *,ROW_NUMBER() over (order by token ) as rn from udf_splitstring(#cad,',')
token rn
3100 1
3101 2
3102 3
The results of the Parse TVF can easily be incorporated into a JOIN, or an IN
Declare #a varchar(max)='3100,3101,3102'
Select * from [dbo].[udf-Str-Parse](#a,',')
Returns
RetSeq RetVal
1 3100
2 3101
3 3102
The UDF if needed (much faster than recursive, loops, and xml)
CREATE FUNCTION [dbo].[udf-Str-Parse] (#String varchar(max),#Delimiter varchar(25))
Returns Table
As
Return (
with cte1(N) As (Select 1 From (Values(1),(1),(1),(1),(1),(1),(1),(1),(1),(1)) N(N)),
cte2(N) As (Select Top (IsNull(DataLength(#String),0)) Row_Number() over (Order By (Select NULL)) From (Select N=1 From cte1 a,cte1 b,cte1 c,cte1 d) A ),
cte3(N) As (Select 1 Union All Select t.N+DataLength(#Delimiter) From cte2 t Where Substring(#String,t.N,DataLength(#Delimiter)) = #Delimiter),
cte4(N,L) As (Select S.N,IsNull(NullIf(CharIndex(#Delimiter,#String,s.N),0)-S.N,8000) From cte3 S)
Select RetSeq = Row_Number() over (Order By A.N)
,RetVal = LTrim(RTrim(Substring(#String, A.N, A.L)))
From cte4 A
);
--Orginal Source http://www.sqlservercentral.com/articles/Tally+Table/72993/
--Much faster than str-Parse, but limited to 8K
--Select * from [dbo].[udf-Str-Parse-8K]('Dog,Cat,House,Car',',')
--Select * from [dbo].[udf-Str-Parse-8K]('John||Cappelletti||was||here','||')
I suggest you to use following query, it's much faster than other functions like cross apply and udf.
SELECT
Variables
,S_DATA
FROM (
SELECT
Variables
,CASE WHEN LEN(LIST2)>0 THEN LTRIM(RTRIM(SUBSTRING(LIST2, NUMBER+1, CHARINDEX(',', LIST2, NUMBER+1)-NUMBER - 1)))
ELSE NULL
END AS S_DATA
,NUMBER
FROM(
SELECT Variables
,','+COMMA_SEPARETED_COLUMN+',' LIST2
FROM Tb1
)DT
LEFT OUTER JOIN TB N ON (N.NUMBER < LEN(DT.LIST2)) OR (N.NUMBER=1 AND DT.LIST2 IS NULL)
WHERE SUBSTRING(LIST2, NUMBER, 1) = ',' OR LIST2 IS NULL
) DT2
WHERE S_DATA<>''
and also you should create a table 'NUMBER' before running the above query.
CREATE TABLE TB (Number INT)
DECLARE #I INT=0
WHILE #I<1000
BEGIN
INSERT INTO TB VALUES (#I)
SET #I=#I+1
END
I have OrderInfo table which contains OrderTime(date+time),OrderTrackDate(date),OrderTotal(sales amount) columns as shown in the following image.
1. Table1(Original Table)
Here is the code I have tried so far before pivoting.
SELECT CAST(DATEPART(DAY, OrderTime) as varchar)+'/'+ CAST(DATEPART(MONTH, OrderTime) as varchar)+'/'+CAST(DATEPART(year,OrderTime) as varchar) as daymonthyear,
ROUND(SUM(OrderTotal),2) AS Sales, COUNT(OrderTotal) AS Orders
,datepart(hour,OrderTime) as HH
FROM OrderInfo where OrderTime >= '5/24/2013' AND OrderTrackDate <='5/30/2013'
GROUP BY DATEPART(year, OrderTime),DATEPART(MONTH, OrderTime),DATEPART(day, OrderTime),datepart(hour,OrderTime)
Order By daymonthyear,HH
2. Table 2(Grouped according to Date,Hour from Table1)
How do I pivot dynamically and show sales amount per hour based on Table2?
DESIRED OUTPUT
First of all create a temp table to use it in 3 places - Select columns for pivot, Replace null with zero and inside pivot.
SELECT DISTINCT
SUM(ORDERTOTAL) OVER(PARTITION BY CAST(ORDERTIME AS DATE),DATEPART(HH,ORDERTIME)) [TOTAL],
CONVERT(varchar, CAST(ORDERTIME AS datetime), 103) [DATE],
DATEPART(HH,ORDERTIME) [HOUR],
'HH:'+CAST(DATEPART(HH,ORDERTIME) AS VARCHAR(3)) [HOURCOL]
INTO #NEWTABLE
FROM ORDERTBL
ORDER BY DATEPART(HH,ORDERTIME)
Now declare 2 variables to select columns for pivot and replace null with zero
DECLARE #cols NVARCHAR (MAX)
DECLARE #NullToZeroCols NVARCHAR (MAX)
SELECT #cols = COALESCE (#cols + ',[' + [HOURCOL] + ']',
'[' + [HOURCOL] + ']')
FROM (SELECT DISTINCT [HOUR],[HOURCOL] FROM #NEWTABLE) PV
ORDER BY [HOUR]
SET #NullToZeroCols = SUBSTRING((SELECT ',ISNULL(['+[HOURCOL]+'],0) AS ['+[HOURCOL]+']'
FROM(SELECT DISTINCT [HOUR],[HOURCOL] FROM #NEWTABLE GROUP BY [HOUR],[HOURCOL])TAB
ORDER BY [HOUR] FOR XML PATH('')),2,8000)
Now pivot the result
DECLARE #query NVARCHAR(MAX)
SET #query = 'SELECT [DATE],' + #NullToZeroCols + ' FROM
(
SELECT [HOURCOL],[TOTAL], [DATE] FROM #NEWTABLE
) x
PIVOT
(
SUM([TOTAL])
FOR [HOURCOL] IN (' + #cols + ')
) p
;'
EXEC SP_EXECUTESQL #query
SQL FIDDLE
I have a table with Comma Separated values in multiple Columns as
dept_rule |dept_descr|dept |dept_pos
-----------+----------+-------+--------
four rules |No descrrr|aaa,bbb|xxx,yyy
I want to seperate the values, as the below table
dept_rule |dept_descr|dept|dept_pos
----------+----------+----+--------
four rules|No descrrr|aaa |xxx
four rules|No descrrr|aaa |yyy
four rules|No descrrr|bbb |xxx
four rules|No descrrr|bbb |yyy
How to write query to do this.
Thanks in advance...
Here is the code for 2 values only in a column:
declare #a table (dept_rule varchar(10), dept_descr varchar(50), dept varchar(50), dept_pos varchar(50))
insert into #a values ('four rules','No descrrr', 'aaa,bbb', 'xxx,yyy')
select
dept_rule,
dept_descr,
dept_unp,
dept_post_unp
from
(
select
dept_rule,
dept_descr,
substring(dept, 0, charindex(',', dept)) as dept,
substring(dept, charindex(',', dept)+1, len(dept)) as dept1,
dept_post_unp
from
(
select
dept_rule,
dept_descr,
dept,
substring(dept_pos, 0, charindex(',', dept_pos)) as dept_pos,
substring(dept_pos, charindex(',', dept_pos)+1, len(dept_pos)) as dept_pos1
from #a
)to_unpivot1
unpivot
(
dept_post_unp for depts in(dept_pos, dept_pos1)
)unpivoted1
)to_unpivot2
unpivot
(
dept_unp for depts in(dept, dept1)
)unpivoted2
If dept and dept_pos have two values separated with comma, then this should help
CREATE TABLE #T1 (
dept_rule nvarchar(20),
dept_descr nvarchar(20),
dept nvarchar(20),
dept_pos nvarchar(20))
INSERT INTO #T1 VALUES (
'four rules',
'No descrrr',
'aaaa,bbbbb',
'xxx,yy'
)
;with T as (
select
dept_rule,
dept_descr,
dept,
dept_pos,
charindex(',', dept) pos1,
charindex(',', dept_pos) pos2
from #T1
)
select
dept_rule,
dept_descr,
LEFT(dept, pos1 - 1),
LEFT(dept_pos, pos2 - 1)
from T
UNION ALL
select
dept_rule,
dept_descr,
LEFT(dept, pos1 - 1),
RIGHT(dept_pos, LEN(dept_pos) - pos2)
from T
UNION ALL
select
dept_rule,
dept_descr,
RIGHT(dept, LEN(dept) - pos1),
LEFT(dept_pos, pos2 - 1)
from T
UNION ALL
select
dept_rule,
dept_descr,
RIGHT(dept, LEN(dept) - pos1),
RIGHT(dept_pos, LEN(dept_pos) - pos2)
from T
DROP TABLE #T1
UPDATE: More flexible solution - multiple separators. But each column with separators adds more complexity
-- separator
DECLARE #sep nvarchar(1) = ','
-- our data table
CREATE TABLE #T (
dept_rule nvarchar(20),
dept_descr nvarchar(20),
dept nvarchar(20),
dept_pos nvarchar(20)
)
-- sample data
INSERT INTO #T VALUES
('four rules', 'No descrrr', 'aaaaa,bbb,ccc', 'kk,ll,mm'),
('four rules', 'No descrrr', 'x,yyyy', 'sss,rrr'),
('four rules', 'No descrrr', 'zzz', 'xxxx,lll')
-- find occurences of separator in the column 'dept'
;WITH T AS (
SELECT
0 AS row,
0 AS start,
CHARINDEX(#sep, dept) pos,
dept
FROM #T
UNION ALL
SELECT
pos + 1,
pos,
CHARINDEX(#sep, dept, pos + 1),
dept
FROM T
WHERE
pos > 0
)
-- remember result of splitting first column
SELECT
#T.*,
a.part
INTO #Result1
FROM (
-- result with string parts
SELECT
T.dept,
T.start,
T.pos AS finish,
SUBSTRING(T.dept, T.start + 1, T.pos - (T.start + 1)) AS part
FROM T
WHERE
T.pos > 0
UNION ALL
-- but separators don't give us last part, append
SELECT
T.dept,
T.start,
T.pos AS finish,
RIGHT(T.dept, LEN(T.dept) - T.start) AS part
FROM T
WHERE
T.pos = 0
) a
INNER JOIN #T
ON #t.dept = a.dept
ORDER BY
a.dept,
a.start,
a.finish
-- SELECT * FROM #Result1
-- now second column
;WITH T2 AS (
SELECT
0 AS row,
0 AS start,
CHARINDEX(#sep, dept_pos) pos,
dept_pos
FROM #T
UNION ALL
SELECT
pos + 1,
pos,
CHARINDEX(#sep, dept_pos, pos + 1),
dept_pos
FROM T2
WHERE
pos > 0
)
-- append second column's splits to first result
SELECT
a.dept_rule,
a.dept_descr,
a.part AS part1,
b.part AS part2
FROM (
-- result with string parts
SELECT
T2.dept_pos,
T2.start,
T2.pos AS finish,
SUBSTRING(T2.dept_pos, T2.start + 1, T2.pos - (T2.start + 1)) AS part
FROM T2
WHERE
T2.pos > 0
UNION ALL
-- but separators don't give us last part, append
SELECT
T2.dept_pos,
T2.start,
T2.pos AS finish,
RIGHT(T2.dept_pos, LEN(T2.dept_pos) - T2.start) AS part
FROM T2
WHERE
T2.pos = 0
) b
INNER JOIN #Result1 a
ON a.dept_pos = b.dept_pos
-- clean up
DROP TABLE #T
DROP TABLE #Result1
UPDATE2: I based on first answer of Alex.K. to question SQL Server - find nth occurrence in a string - now it's improved and you may apply them to my solution
UPDATE3: Improved code based on link from UPDATE2
-- separator
DECLARE #sep nvarchar(1) = ','
-- our data table
CREATE TABLE #T (
dept_rule nvarchar(20),
dept_descr nvarchar(20),
dept nvarchar(20),
dept_pos nvarchar(20)
)
-- sample data
INSERT INTO #T VALUES
('four rules', 'No descrrr', 'aaaaa,bbb,ccc', 'kk,ll,mm'),
('four rules', 'No descrrr', 'x,yyyy', 'sss,rrr'),
('four rules', 'No descrrr', 'zzz', 'xxxx,lll')
-- find occurences of separator in the column 'dept'
;WITH T (dept, start, pos) AS (
SELECT
dept,
1,
CHARINDEX(#sep, dept)
FROM #T
UNION ALL
SELECT
dept,
pos + 1,
CHARINDEX(#sep, dept, pos + 1)
FROM T
WHERE
pos > 0
)
-- remember result of splitting first column
SELECT
#T.*,
a.token
INTO #Result1
FROM (
SELECT
*,
SUBSTRING(T.dept, T.start, CASE WHEN T.pos > 0 THEN T.pos - T.start ELSE LEN(T.dept) END) AS token
FROM T
) a
INNER JOIN #T
ON #t.dept = a.dept
ORDER BY
a.dept
-- now second column
;WITH T2 (dept_pos, start, pos) AS (
SELECT
dept_pos,
1,
CHARINDEX(#sep, dept_pos)
FROM #T
UNION ALL
SELECT
dept_pos,
pos + 1,
CHARINDEX(#sep, dept_pos, pos + 1)
FROM T2
WHERE
pos > 0
)
-- append second column's splits to first result
SELECT
a.dept_rule,
a.dept_descr,
a.token AS token1,
b.token AS token2
FROM (
SELECT
*,
SUBSTRING(T2.dept_pos, T2.start, CASE WHEN T2.pos > 0 THEN T2.pos - T2.start ELSE LEN(T2.dept_pos) END) AS token
FROM T2
) b
INNER JOIN #Result1 a
ON a.dept_pos = b.dept_pos
-- clean up
DROP TABLE #T
DROP TABLE #Result1