UNPIVOT 함수를 사용하여 열을 행으로 변환 할 수 있습니다 .
select id, entityId,
indicatorname,
indicatorvalue
from yourtable
unpivot
(
indicatorvalue
for indicatorname in (Indicator1, Indicator2, Indicator3)
) unpiv;
피벗 해제하려는 열의 데이터 유형이 같아야 피벗을 적용하기 전에 데이터 유형을 변환해야 할 수 있습니다.
CROSS APPLY
UNION ALL과 함께 사용 하여 열을 변환 할 수도 있습니다 .
select id, entityid,
indicatorname,
indicatorvalue
from yourtable
cross apply
(
select 'Indicator1', Indicator1 union all
select 'Indicator2', Indicator2 union all
select 'Indicator3', Indicator3 union all
select 'Indicator4', Indicator4
) c (indicatorname, indicatorvalue);
SQL Server 버전에 따라 VALUES 절과 함께 CROSS APPLY를 사용할 수도 있습니다.
select id, entityid,
indicatorname,
indicatorvalue
from yourtable
cross apply
(
values
('Indicator1', Indicator1),
('Indicator2', Indicator2),
('Indicator3', Indicator3),
('Indicator4', Indicator4)
) c (indicatorname, indicatorvalue);
마지막으로 피벗 해제 할 열이 150 개이고 전체 쿼리를 하드 코딩하지 않으려는 경우 동적 SQL을 사용하여 sql 문을 생성 할 수 있습니다.
DECLARE @colsUnpivot AS NVARCHAR(MAX),
@query AS NVARCHAR(MAX)
select @colsUnpivot
= stuff((select ','+quotename(C.column_name)
from information_schema.columns as C
where C.table_name = 'yourtable' and
C.column_name like 'Indicator%'
for xml path('')), 1, 1, '')
set @query
= 'select id, entityId,
indicatorname,
indicatorvalue
from yourtable
unpivot
(
indicatorvalue
for indicatorname in ('+ @colsunpivot +')
) u'
exec sp_executesql @query;