Możesz użyć funkcji UNPIVOT, aby przekonwertować kolumny na wiersze:
select id, entityId,
indicatorname,
indicatorvalue
from yourtable
unpivot
(
indicatorvalue
for indicatorname in (Indicator1, Indicator2, Indicator3)
) unpiv;
Zauważ, że typy danych kolumn, których nie obracasz, muszą być takie same, więc może być konieczne przekonwertowanie typów danych przed zastosowaniem unpivot.
Możesz również użyć CROSS APPLY
UNION ALL, aby przekonwertować kolumny:
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);
W zależności od wersji programu SQL Server możesz nawet użyć CROSS APPLY z klauzulą VALUES:
select id, entityid,
indicatorname,
indicatorvalue
from yourtable
cross apply
(
values
('Indicator1', Indicator1),
('Indicator2', Indicator2),
('Indicator3', Indicator3),
('Indicator4', Indicator4)
) c (indicatorname, indicatorvalue);
Wreszcie, jeśli masz 150 kolumn do cofnięcia przestawienia i nie chcesz na stałe zakodować całego zapytania, możesz wygenerować instrukcję sql za pomocą dynamicznego 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;