Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

SQL how to create multiple row from a single row

Hi I am new to SQL server 2008

I want to expand a single row to multiple rows based on another colomn,

e.g

date          value
7-2011         5

Results:

2011-07-01     
2011-08-01
2011-09-01
2011-10-01
2012-11-01

the date shoild be first day of current and next month repeated 5 times

like image 782
Gurru Avatar asked Jan 19 '26 21:01

Gurru


1 Answers

try:

DECLARE @YourTable table (YourDate datetime, value int)

insert into @YourTable VALUES ('2011-7-12',5)

;WITH AllNumbers AS
(
    SELECT 0 AS Number
    UNION ALL
    SELECT Number+1
        FROM AllNumbers
        WHERE Number<4
)
SELECT 
    dateadd(month,number,DATEADD(month,DATEDIFF(month,0,YourDate),0))
    FROM @YourTable        y
    INNER JOIN AllNumbers  a ON 1=1

output:

-----------------------
2011-07-01 00:00:00.000
2011-08-01 00:00:00.000
2011-09-01 00:00:00.000
2011-10-01 00:00:00.000
2011-11-01 00:00:00.000

(5 row(s) affected)

it works with multiple rows in the table, see here:

DECLARE @YourTable table (YourDate datetime, ValueOf int)

insert into @YourTable VALUES ('2011-7-12',5)
insert into @YourTable VALUES ('2012-4-24',6)

;WITH AllNumbers AS
(
    SELECT 0 AS Number
    UNION ALL
    SELECT Number+1
        FROM AllNumbers
        WHERE Number<4
)
SELECT 
    y.ValueOf
        ,dateadd(month,number,DATEADD(month,DATEDIFF(month,0,y.YourDate),0))
    FROM @YourTable        y
    INNER JOIN AllNumbers  a ON 1=1
    ORDER BY 1,2

OUTPUT:

ValueOf     
----------- -----------------------
5           2011-07-01 00:00:00.000
5           2011-08-01 00:00:00.000
5           2011-09-01 00:00:00.000
5           2011-10-01 00:00:00.000
5           2011-11-01 00:00:00.000
6           2012-04-01 00:00:00.000
6           2012-05-01 00:00:00.000
6           2012-06-01 00:00:00.000
6           2012-07-01 00:00:00.000
6           2012-08-01 00:00:00.000

(10 row(s) affected)

Also, I don't have SQL Server 2008 available, so I used datetime, if you have 2008, you can use DATE datatype and you don't have to floor the datetime, so use this line:

dateadd(month,number,y.YourDate)
like image 107
KM. Avatar answered Jan 21 '26 12:01

KM.