6

我有一个包含当前值和先前值的 sql 表。

Id  Value1  PValue1 Value2  PValue2
1   A       A       V       V1
2   B       B1      W       W1
3   C       C1      X       X

如果值发生变化,我想比较它们并显示在下表中。

Id  Column  Value   Pvalue
1   Value2  V       V1
2   Value1  B       B1
2   Value2  W       W1
3   Value1  C       C1

在 SQL 2008 中是否可以不循环每一列?

4

4 回答 4

10

您可以使用 aCROSS APPLY取消透视数据:

SELECT t.id,
  x.Col,
  x.Value,
  x.PValue
FROM YourTable t
CROSS APPLY 
(
    VALUES
        ('Value1', t.Value1, t.PValue1),
        ('Value2', t.Value2, t.PValue2)
) x (Col, Value, PValue)
where x.Value <> x.PValue;

请参阅SQL Fiddle with Demo

正因为我喜欢使用pivot函数,所以这里有一个版本同时使用unpivotpivot函数来获得结果:

select id, 
  colname,
  value,
  pvalue
from
(
  select id, 
    replace(col, 'P', '') colName,
    substring(col, 1, PatIndex('%[0-9]%', col) -1) new_col,  
    val
  from yourtable
  unpivot
  (
    val
    for col in (Value1, PValue1, Value2, PValue2)
  ) unpiv
) src
pivot
(
  max(val)
  for new_col in (Value, PValue)
) piv
where value <> pvalue
order by id

请参阅带有演示的 SQL Fiddle

于 2013-02-26T14:21:41.277 回答
6

这是一个简单的方法:

SELECT  Id, 
        'Value1' [Column],
        Value1 Value,
        PValue1 PValue
FROM YourTable
WHERE ISNULL(Value1,'') != ISNULL(PValue1,'')
UNION ALL
SELECT  Id, 
        'Value2' [Column],
        Value2 Value,
        PValue2 PValue
FROM YourTable
WHERE ISNULL(Value2,'') != ISNULL(PValue2,'')
于 2013-02-26T14:20:44.373 回答
0

如何使用联合:

SELECT * FROM
    (SELECT Id, 'Value1' [Column], Value1 [Value], PValue1 [PValue]
    FROM table_name
    UNION ALL
    SELECT Id, 'Value2' [Column], Value2 [Value], PValue2 [PValue]
    FROM table_name)tmp
WHERE Value != PValue
ORDER BY Id
于 2013-02-26T14:22:46.270 回答
0

最后,为了完整起见,还有一个UNPIVOT命令。但是,由于您有两列要取消透视,因此使用其他解决方案之一可能会更简单。

于 2013-02-26T14:29:08.430 回答