PIVOT rotates a table-valued expression by turning the unique values from one
column in the expression into multiple columns in the output. PIVOT also runs
  aggregations where they're required on any remaining column values that are
  wanted in the final output.
 UNPIVOT carries out the opposite operation to PIVOT, by rotating columns of a table-
  valued expression into column values.
PIVOT
PIVOT in SQL Server
PIVOT in SQL Server
PIVOT in Oracle
Pivoting in MySQL
Pivoting in PostgreSQL
https://www.datacamp.com/tutorial/sql-pivot
    ROW_NUMBER ( )
       OVER ( [ PARTITION BY value_expression , ... [ n ] ] order_by_clause )
Let’s go step-by-step through what this SQL query is doing.
✅ Objective
The goal is to pivot the Occupations table, so that names are sorted alphabetically and
displayed under their corresponding occupation column (Doctor, Professor, Singer, Actor). If
there are not enough names to fill each row, it fills with NULL.
🧠 Breaking Down the Query
🔹 Step 1: Inner Query (Subquery SOURCE)
SELECT
    ROW_NUMBER() OVER(PARTITION BY Occupation ORDER BY Name) AS RowNum,
    Name,
    Occupation
FROM OCCUPATIONS
This part:
        Assigns a row number (RowNum) within each occupation group.
        The row numbers are based on alphabetical order of Name.
📌 Example: Suppose this is your input data:
Name Occupation
Emma Doctor
Olivia Doctor
Ava      Professor
Sophia Singer
Mia      Actor
After this step, you get:
RowNum Name Occupation
1            Emma Doctor
2            Olivia Doctor
1            Ava     Professor
1            Sophia Singer
1            Mia     Actor
🔹 Step 2: Outer Query (Pivoting with CASE)
SELECT
  MAX(CASE WHEN Occupation = 'Doctor' THEN Name END) AS Doctor,
  MAX(CASE WHEN Occupation = 'Professor' THEN Name END) AS Professor,
  MAX(CASE WHEN Occupation = 'Singer' THEN Name END) AS Singer,
  MAX(CASE WHEN Occupation = 'Actor' THEN Name END) AS Actor
FROM (...) AS SOURCE
GROUP BY RowNum;
This part:
        Groups rows by RowNum so you get one person per occupation per row number.
        Uses CASE to place names under the correct column.
        Uses MAX() to get a single value per column (since there's one name per group).
📌 Continuing our example, this would output:
Doctor Professor Singer Actor
Emma Ava           Sophia Mia
Olivia NULL        NULL NULL
🧾 Final Output Format
        Each row represents the n-th person (alphabetically) in each occupation.
        Columns are the four occupations.
        NULLs fill in when an occupation has fewer names than others.
✅ Summary
        ROW_NUMBER() assigns ranks within each occupation group.
        GROUP BY RowNum aligns those ranks across occupations.
        CASE WHEN + MAX() pivots rows into columns.
       Final result is a clean table: one row per rank, one column per occupation, sorted by
        name.
Let me know if you want to try this on sample data or want help writing a similar query for
another structure!
Let's dive into how the MAX() function works, especially in this SQL context. 👇
🔹 What is MAX() in SQL?
The MAX() function returns the maximum value in a column or expression — typically used
in numeric or date values.
Example:
SELECT MAX(Salary) FROM Employees;
➡️Returns the highest salary in the table.
🔸 But Wait — Why Use MAX() with CASE and Text?
Great question!
When we combine MAX() with CASE, we’re using a pivoting trick — not to find the highest
value, but to pick out the only non-null value in each group.
Let’s understand it with this piece:
MAX(CASE WHEN Occupation = 'Doctor' THEN Name END) AS Doctor
Here's what it does:
       CASE WHEN ... THEN Name END returns the name if the occupation is Doctor,
        otherwise returns NULL.
       MAX(...) then returns the only non-null name in the group.
So, if the grouped data looks like this for a certain RowNum:
RowNum Name Occupation
1          Emma Doctor
1          Ava    Professor
1          Sophia Singer
RowNum Name Occupation
1          Mia    Actor
Then:
MAX(CASE WHEN Occupation = 'Doctor' THEN Name END) --> Emma
Even though there's only one Doctor for that row, MAX() helps extract it cleanly.
✅ Why Use MAX() Instead of MIN() or Just the Value?
We use MAX() here because:
       SQL doesn’t allow raw expressions like this in SELECT without an aggregate or
        GROUP BY.
       Using MAX() (or MIN()) ensures that if multiple rows match (even though there
        shouldn’t be), we only get one.
       It's a safe, SQL-legal way to "collapse" data down to one value per group.
You could also use MIN() and the result would be the same — as there's only one name per
group per occupation.
🧠 Think of MAX(CASE...) as:
“Show me the value for this condition in this group — and ignore the rest.”
Let me know if you'd like to play with a small dataset or test it in a live example!
The PIVOT operation in SQL allows us to rotate data from rows to columns. This can be
particularly useful when we need to summarize, aggregate, or reorganize data for reporting
purposes. When we apply PIVOT, each unique value in a column is turned into its own
column, and the data is aggregated based on a specified function, such
as SUM, AVG, COUNT, etc.
Syntax:
SELECT (ColumnNames)
FROM (TableName)
PIVOT
(
AggregateFunction(ColumnToBeAggregated)
FOR PivotColumn IN (PivotColumnValues)
) AS (Alias) //Alias is a temporary name for a table
Let’s say we have a sample table geeksforgeeks that contains data about various courses,
their categories, and their prices. We can use the PIVOT operator to summarize the total
price for each course category.
CourseName            CourseCategory               Price
 C                    PROGRAMMING                  5000
 JAVA                 PROGRAMMING                  6000
 PYTHON               PROGRAMMING                  8000
 PLACEMENT 100        INTERVIEWPREPARATION         5000
Output
SELECT CourseName, PROGRAMMING, INTERVIEWPREPARATION
FROM geeksforgeeks
PIVOT
(
SUM(Price)
FOR CourseCategory IN (PROGRAMMING, INTERVIEWPREPARATION )
) AS PivotTable
Syntax:
SELECT <non-pivoted column>,
  [pivoted column1], [pivoted column2], ...,
FROM
  (SELECT <non-pivoted column>,
    [pivoted column],
    <value column>
  FROM <source table>
  ) AS <alias for the source subquery>
PIVOT
(
  <aggregate function>(<value column>)
FOR
[<pivoted column>] IN ( [pivoted column1], [pivoted column2], ..., [pivoted columnN] )
) AS <alias for the pivot table>
here we have Examdata Table which Consist of Name, Subject and Marks as Columns. After
Inserting some data into the Examdata Table, The table looks:
SELECT * FROM (
  SELECT [id], [Name], [Subject], [Marks]
  FROM ExamData
) ExamResults
PIVOT (
  SUM([Marks])
  FOR [Subject]
  IN (
    [Operating Systems],
    [DSA],
    [DBMS],
    [Computer Networks]
  )
) AS PivotTable
-- Select all the subjects of the student we want to show as columns
SELECT id, Name, [Operating Systems], [DSA], [DBMS], [Computer Networks], [Machine
Learning]
-- Define the name of the column where the overall average of the student will be shown.
 AS OverallAverage
FROM (
   SELECT id, Name, Subject, Marks
   FROM ExamData
) ExamResults
PIVOT (
   AVG(Marks)
   FOR Subject IN (
     [Operating Systems], [DSA], [DBMS], [Computer Networks], [Machine Learning]
   )
) AS OverallAveragePivotTable;
LISTAGG (measure_expr [, 'delimiter']) WITHIN GROUP
(order_by_clause) [OVER query_partition_clause]
measure_expr : The column or expression to concatenate the values.
delimiter : Character in between each measure_expr, which is by default a comma (,) .
order_by_clause : Order of the concatenated values.
SELECT SubNo, LISTAGG(SubName, ' , ') WITHIN GROUP (ORDER BY SubName) AS SUBJECTS
 FROM GfG
 GROUP BY SubNo;