嘗試這一個 -
SELECT *
FROM (
SELECT AttendanceDate
, attendanceCount = COUNT(attendance)
, AttendanceStatus = AttOPt.name
, MarkedBy = emp.name
FROM Attendance
LEFT JOIN AttendanceOption AttOPt ON AttOPt.id = Attendance
LEFT JOIN Employee emp ON MarkedBy = emp.id
GROUP BY
AttendanceDate
, Attendance
, AttOPt.name
, emp.name
) t
PIVOT
(
SUM(attendanceCount)
FOR AttendanceStatus IN ([Present], [Absent], [Half Day], [WithoutNotification])
) p
ORDER BY AttendanceDate DESC
更新:
-- variant #1
SELECT
AttendanceDate
, MarkedBy
, [Present] = ISNULL([Present], 0)
, [Absent] = ISNULL([Absent], 0)
, [Half Day] = ISNULL([Half Day], 0)
, [WithoutNotification] = ISNULL([WithoutNotification], 0)
FROM (
...
) t
PIVOT
(
...
) p
-- variant #2
SELECT *
FROM (
SELECT
AttendanceDate
, attendanceCount = COUNT(attendance)
, AttendanceStatus = AttOPt.name
, MarkedBy = emp.name
FROM Attendance
JOIN AttendanceOption AttOPt ON AttOPt.id = Attendance
JOIN Employee emp ON MarkedBy = emp.id
GROUP BY ALL
AttendanceDate
, Attendance
, AttOPt.name
, emp.name
) t
PIVOT
(
...
) p
更新2:
DECLARE @Columns NVARCHAR(MAX)
SELECT @Columns = STUFF((
SELECT DISTINCT ', [' + a.name + ']'
FROM dbo.Attendance t
JOIN dbo.AttendanceOption a ON a.id = t.Attendance
FOR XML PATH(''), TYPE).value('.', 'VARCHAR(MAX)'), 1, 2, '')
DECLARE @ColumnsNULLs NVARCHAR(MAX)
SELECT @ColumnsNULLs = STUFF((
SELECT DISTINCT ', [' + a.name + '] = ISNULL([' + a.name + '], 0)'
FROM dbo.Attendance t
JOIN dbo.AttendanceOption a ON a.id = t.Attendance
FOR XML PATH(''), TYPE).value('.', 'VARCHAR(MAX)'), 1, 2, '')
DECLARE @SQL NVARCHAR(MAX)
SELECT @SQL = '
SELECT AttendanceDate, ' + @ColumnsNULLs + ', MarkedBy
FROM (
SELECT AttendanceDate
, attendanceCount = COUNT(attendance)
, AttendanceStatus = AttOPt.name
, MarkedBy = emp.name
FROM Attendance
LEFT JOIN AttendanceOption AttOPt ON AttOPt.id = Attendance
LEFT JOIN Employee emp ON MarkedBy = emp.id
GROUP BY
AttendanceDate
, Attendance
, AttOPt.name
, emp.name
) t
PIVOT
(
SUM(attendanceCount)
FOR AttendanceStatus IN (' + @Columns + ')
) p
ORDER BY AttendanceDate DESC'
PRINT @SQL
EXEC sys.sp_executesql @SQL
輸出 -
AttendanceDate Absent Half Day Present Without Notification MarkedBy
----------------------- ----------- ----------- ----------- -------------------- ---------------
2013-08-30 00:00:00.000 3 2 4 2 Anuj Kaundal
2013-08-14 00:00:00.000 0 0 11 0 Anuj Kaundal
參考:[鏈接](http://stackoverflow.com/questions/9802057/pivot-data-in-sql-server?rq = 1) –