在 TSQL 中透視多個欄位
使用關聯式資料庫時,通常需要重新調整資料以用於報告目的。透視是一種可用於將資料從面向行的結構轉換為面向列的結構的技術。本文示範如何在保留所有關聯標籤的同時對表格中的多個欄位進行透視。
挑戰
考慮下面名為GRAND_TOTALS 的表:
RATIO | RESULT | SCORE | GRADE |
---|---|---|---|
Current Ratio | 1.294 | 60 | Good |
Gearing Ratio | 0.3384 | 70 | Good |
Performance Ratio | 0.0427 | 50 | Satisfactory |
TOTAL | NULL | 180 | Good |
目標是對RESULT、SCORE 和GRADE 欄位進行透視,產生一個欄位進行透視,產生一列進行透視包含以下內容的表格式:
RATIO | Current Ratio | Gearing Ratio | Performance Ratio | TOTAL |
---|---|---|---|---|
Result | 1.294 | 0.3384 | 0.0427 | NULL |
Score | 60 | 70 | 50 | 180 |
Grade | Good | Good | Satisfactory | Good |
解
要有效地旋轉多個列,請考慮以下步驟:
取消旋轉結果、分數和成績列:
逆透視涉及將多個列轉換為一個單列,同時追蹤原始列名稱。這可以使用 UNPIVOT 子句來實現。下面的語法示範如何對列進行逆透視:
select ratio, col, value from GRAND_TOTALS cross apply ( select 'result', cast(result as varchar(10)) union all select 'score', cast(score as varchar(10)) union all select 'grade', grade ) c(col, value)
此查詢將建立一個包含RATIO、COL 和VALUE 列的新表,其中COL 代表原始列名稱(結果、分數或成績) ) 並且VALUE 包含對應的值。
應用 PIVOT功能:
資料取消透視後,可以套用 PIVOT 函數將資料轉換為所需的格式。透視的語法如下:
select ratio = col, [current ratio], [gearing ratio], [performance ratio], total from ( select ratio, col, value from GRAND_TOTALS cross apply ( select 'result', cast(result as varchar(10)) union all select 'score', cast(score as varchar(10)) union all select 'grade', grade ) c(col, value) ) d pivot ( max(value) for ratio in ([current ratio], [gearing ratio], [performance ratio], total) ) piv;
在此查詢中,PIVOT 函數按 RATIO 列對行進行分組,並使用 COL 值作為列標題來透視資料。 MAX 聚合函數用於檢索每行的最新值。
結果
執行上述查詢將產生所需的資料透視表:
RATIO | Current Ratio | Gearing Ratio | Performance Ratio | TOTAL |
---|---|---|---|---|
grade | Good | Good | Satisfactory | Good |
result | 1.29400 | 0.33840 | 0.04270 | NULL |
score | 60.00000 | 70.00000 | 50.00000 | 180.00000 |
該表保留所有必要的標籤並成功旋轉所需的標籤專欄。
以上是如何在 T-SQL 中透視多個欄位以重塑資料以進行報告?的詳細內容。更多資訊請關注PHP中文網其他相關文章!