1

我有这张桌子:

id  fName  lName   Address    PostCode  ContactNumber
-----------------------------------------------------
1  Tom     Daley   London     EC1 4EQ   075825485665
2  Jessica Ennis   Sheffield  SF2 3ER   075668956665
3  Joe     Bloggs  Glasgow    G3 2AZ    075659565666

我想要一个查询给我这样的结果:

id | label
1  | Tom
1  | Daley
1  | London
1  | EC1 4EQ
1  | 075825485665
2  | Jessica
2  | Ennis
2  | Sheffied   

依此类推。

请就如何执行此操作提出任何建议。

4

2 回答 2

3

您可以使用该UNPIVOT函数将列转换为行:

select id, value
from yourtable
unpivot
(
  value
  for col in ([fName], [lName], [Address], [PostCode], [ContactNumber])
) unpiv

请参阅SQL Fiddle with Demo

unpivot将要求所有列上的数据类型相同因此,您可能必须对具有与此类似的不同数据类型的任何列执行cast/ :convert

select id, value
from
(
  select id, [fName], [lName], [Address], [PostCode],
    cast([ContactNumber] as varchar(15)) [ContactNumber]
  from yourtable
) src
unpivot
(
  value
  for col in ([fName], [lName], [Address], [PostCode], [ContactNumber])
) unpiv;

请参阅SQL Fiddle with Demo

从 SQL Server 2008 开始,这也可以使用 aCROSS APPLY和 a来编写VALUES

select t.id,
  c.value
from yourtable t
cross apply
(
  values(fName), 
    (lName), 
    (Address), 
    (PostCode), 
    (cast(ContactNumber as varchar(15)))
) c (value)

请参阅带有演示的 SQL Fiddle

于 2013-03-12T10:53:06.470 回答
0

像这样的东西怎么样:

SELECT
 id, fName as label
FROM
 table

UNION ALL

SELECT
 id, lName
FROM
 table

UNION ALL

SELECT
 id, Address
FROM
 table

...etc
于 2013-03-12T10:50:21.700 回答