Dynamically Create Tables in Power BI with DAX Functions

By:   |   Updated: 2024-02-05   |   Comments   |   Related: > Power BI


Problem

I have found this topic quite popular among Power BI users and developers. They want to know how to create dynamic tables in Power BI using DAX, as they could with other programming and query languages.

While DAX is often recognized for its prowess in calculations and measures, it also has the remarkable ability to create tables dynamically. This facet of DAX opens a world of possibilities, empowering you to shape and mold your data to answer specific questions and uncover hidden patterns.

In this article, I will dive into the DAX functions that empower you to create tables dynamically within your model in various scenarios.

Solution

Throughout this tip, I will use the AdventureWorks database and data warehouse to illustrate how to create dynamic tables using DAX functions. To learn more about the sample database used in this demo, please refer to this article: AdventureWorks sample databases.

Many functions in DAX can be used to create tables dynamically based on the business need. I will mention and illustrate 10 of the most popular functions for this article.

To create a dynamic table in Power BI, you need to first click on the Modeling tab and then select "New table" in the ribbon within the "Calculations" section, as shown in the image below.

How to create a dynamic table in Power BI desktop.

ADDCOLUMNS DAX Function

This DAX function is used when existing tables need to be expanded with new columns. For example, imagine expanding your FactInternetSales table with a "Profit Margin" column, calculated as Profit divided by Sales, and a "Year-to-Date-Sales" column. ADD COLUMNS allows you to conjure this new dimension, enriching your analysis.

The DAX code below uses the ADDCOLUMNS function to create a new dynamic table with two additional columns as defined in the code (the "Profit Margin" and "Year-to-Date-Sales" columns). All you need to do is define the table you want to add the columns to as a new table, then give the columns a name in quotes (you can add columns as you wish), and define the expressions (calculations) for the columns you have given the name.

USING ADDCOLUMNS =
ADDCOLUMNS (
    FactInternetSales,
    "Profit Margin", [TotalProductCost] / [SalesAmount],
    "Year-to-Date Sales",
        CALCULATE (
            SUM ( FactInternetSales[SalesAmount] ),
            DATESYTD ( DimDate[FullDateAlternateKey] )
        )
)
ADDCOLUMNS DAX Function

You can read more about the DAX ADDCOLUMNS function, including its syntax definition and limitations: ADDCOLUMNS.

CROSSJOIN DAX Function

This function generates a table representing all possible combinations of rows from two or more tables (a Cartesian product). It is useful for scenario analysis and testing assumptions. For example, you can use CROSSJOIN to explore every conceivable customer-product pairing.

The DAX code below shows how to use the CROSSJOIN function to generate a dynamic table.

USING CROSSJOIN =
CROSSJOIN(
    DimCustomer,
    DimProduct
)

Try using this function when you have small datasets, as it could lead to performance issues since it increases the size of your model due to the Cartesian product. You can read more about the CROSSJOIN function: CROSSJOIN.

VALUES DAX Function

The VALUES function returns a dynamic table with a single column of distinct values from a specified column. It's especially useful for creating lists and filtering. For example, where you want a list of distinct occupations of your customers, the VALUES function sifts through the rows, returning a table showcasing each occupation once, ready for filtering or further exploration.

The DAX code and image below show a sample of how to achieve this.

USING VALUES =
VALUES ( DimCustomer[EnglishOccupation] )
VALUES DAX function

Read more about this function's limitations, considerations, and other use cases: VALUES.

SUMMARIZE DAX Function

This function creates dynamic tables by summarizing values and making the tables from the aggregations. It is the cornerstone for creating summary and pivot tables in DAX. For example, if you need to create a table to summarize the sales by country, the SUMMARIZE function groups your Sales data by Country, then calculates total sales for each, and the output is a summarized table.

Here is an example of this DAX code:

USING SUMMERIZE = 
SUMMARIZE(
    FactInternetSales,
    DimGeography[EnglishCountryRegionName],
    "Total Sales", SUM(FactInternetSales[SalesAmount]),
    "Average Order Size", AVERAGE(FactInternetSales[OrderQuantity])
)
SUMMARIZE DAX function

As shown in the DAX code and image above, the syntax is similar to the ADDCOLUMNS function, but the difference is obvious. The ADDCOLUMNS function creates a new table with all existing columns in the original table as well as the newly created columns; the SUMMARIZE function creates a new table with aggregated values as defined in the DAX code (i.e., "Total Sales" and "Average Order Size"). Thus, the table is far smaller in size.

GENERATE DAX Function

The GENERATE function generates rows based on expressions or specified conditions. It is particularly powerful when you need custom tables and testing scenarios.

It also returns a Cartesian product output. However, it does this in a slightly different way than the CROSSJOIN. The GENERATE function has two table arguments. It creates a table with the Cartesian product between each row in the first table and the results of the evaluation of the second table based on the context of the current row from the first table.

Here's an example when you want to return a table of "Total Sales" by "Region Groups" and "Product Category" for Internet Sales. The following code and image show how to achieve that.

USING GENERATE =
GENERATE (
    SUMMARIZE ( DimSalesTerritory, DimSalesTerritory[SalesTerritoryGroup] ),
    SUMMARIZE (
        DimProductCategory,
        DimProductCategory[EnglishProductCategoryName],
        "Total Sales", SUMX ( RELATEDTABLE ( FactInternetSales ), FactInternetSales[SalesAmount] )
    )
)
GENERATE DAX function

As you can see, the DAX code above uses the SUMMARIZE function to return each "Sales Territory" and "Product Category" in separate rows in the table. Also, note that the second SUMMARIZE function does more by generating a table of each Product Category along with its associated Total Sales values.

Note: If you generate this table by evaluating it under the context of returning each row based on Sales Territory instead of Product Category (more like what column to group the "Total Sales" by), the output would be different (but still factual) as seen in the image below.

USING GENERATE = 
GENERATE (
    SUMMARIZE (DimProductCategory, DimProductCategory[EnglishProductCategoryName]),
    SUMMARIZE (
        DimSalesTerritory,
        DimSalesTerritory[SalesTerritoryGroup],
        "Total Sales", SUMX ( RELATEDTABLE ( FactInternetSales ), FactInternetSales[SalesAmount] )
    )
)
GENERATE DAX function
Sales Territory instead of Product Category

CALENDAR / CALENDARAUTO DAX Function

These DAX functions are required for creating dynamic date tables in Power BI. These tables are invaluable for time-based analysis. As you may already know, to have a proper model in Power BI, a date dimension table is very important; thus, if this date dimension table is not already available, you need to create one dynamically. That's where these DAX functions come in.

Both would create a dynamic dates table for you, but they do so in a slightly different way. For instance, the CALENDAR function has two mandatory arguments in its syntax, requiring a start date and an end date to be specified. In contrast, the CALENDARAUTO function only has a single optional argument in its syntax. Whichever of the two you use, you may need to add more columns to the table later using some of the functions we have already described. See the DAX codes example and images below that demonstrate these.

USING CALENDAR = 
CALENDAR(DATE(2024, 01, 01), TODAY())
CALENDAR DAX function
USING CALENDARAUTO =
CALENDARAUTO()
CALENDARAUTO DAX function

You can also include the optional "Fiscal Year End Month" in the bracket, as seen below. In the example below, I have entered "05" or "5," indicating that my fiscal year (or financial year) starts in May and ends in April each year.

USING CALENDARAUTO = 
CALENDARAUTO(04)
CALENDARAUTO function with fiscal year month

FILTER DAX Function

Based on specified criteria, this DAX function returns a filtered subset of a table. For example, suppose you want to only retrieve high-value sales from the FactInternet Sales table (i.e., where SalesAmount is greater than 2000, for instance). In that case, the FILTER function can be used to carve out a subset of the table by retaining only rows that meet the defined criteria where the Sales Amount exceeds a particular threshold.

The FILTER function can be used to reduce the number of rows in a table you are working with by only returning a subset of the table based on the filter condition provided.

The DAX code and image below illustrate how you can achieve this.

USING FILTER = 
FILTER(FactInternetSales, [SalesAmount] > 2000)
FILTER DAX function

TOPN DAX Function

This DAX function returns a table containing the top N rows based on a specified expression. For example, if you need to return a table with the top 10 products by total sales, and you need this to be returned as a table, then you can use this function.

See more details on the DAX TOPN function in the Microsoft documentation.

USING TOPN = 
TOPN(10, DimProduct, [TotalSales], DESC)
TOPN DAX function

UNION DAX Function

The DAX UNION function acts like that of SQL in that it combines two tables with identical structures while appending rows. For instance, if you have two tables holding customer data from different sources, the UNION function can help to join both tables seamlessly, creating a unified, comprehensive view of your customers as long as the two tables have the same structure. You could also be creative in using this function by leveraging the ideas we have used in earlier functions to pull a column from one table and combine it with another column from another table to form a table with a single column of distinct values (duplicates removed).

Let's see an example of using the DAX UNION function to achieve the second example using AdventureWorks tables, as seen below.

USING UNION =
DISTINCT (
    UNION (
        VALUES ( DimCustomer[CustomerKey] ),
        VALUES ( FactInternetSales[CustomerKey] )
    )
)
UNION DAX function

NATURALINNERJOIN / NATURALLEFTOUTERJOIN DAX Function

These functions create joined tables based on common column names. They are useful when you need to merge related data sets. Both functions work like the INNER JOIN and LEFT JOIN in SQL, respectively.

Without going into much detail, I will demonstrate the DAX NATURALINNERJOIN with an example where I need to merge the Sales table with the Customers table. This will produce a table with matching values in both tables, CustomerKey as the join column as seen in the DAX code below.

USING NATURALINNERJOIN = 
NATURALINNERJOIN (
    SELECTCOLUMNS (
        DimCustomer,
        "CustomerKey", CONVERT ( DimCustomer[CustomerKey], INTEGER ),
        DimCustomer[FirstName],
        DimCustomer[LastName]
    ),
    SELECTCOLUMNS (
        FactInternetSales,
        "CustomerKey", CONVERT ( FactInternetSales[CustomerKey], INTEGER ),
        FactInternetSales[SalesAmount],
        FactInternetSales[OrderDate]
    )
)
NATURALINNERJOIN DAX function

Here is an example of DAX NATURALLEFTOUTERJOIN, where I need to list all products in my DimProduct table, and only matching values from the FactInternetSales table (LEFT JOIN). See the DAX code and image below showing ProductKey and EnglishProductName from the DimProduct table and observe that only where there is an order for the products in the FactInternetSales table. There was an OrderDate and CustomerKey returned; otherwise, it is blank.

USING NATURALLEFTOUTERJOIN = 
NATURALLEFTOUTERJOIN (
    SELECTCOLUMNS (
        DimProduct,
        "ProductKey", CONVERT ( DimProduct[ProductKey], INTEGER ),
        DimProduct[EnglishProductName]
    ),
    SELECTCOLUMNS (
        FactInternetSales,
        "ProductKey", CONVERT ( FactInternetSales[ProductKey], INTEGER ),
        FactInternetSales[CustomerKey],
        FactInternetSales[OrderDate]
    )
)
NATURALLEFTOUTERJOIN DAX function

Key Considerations

  • Performance: Assess the impact of calculated tables on overall model performance.
  • Dependencies: Be mindful of dependencies between calculated tables and other model elements.
  • Best Practices: Follow best practices for DAX coding and table design for optimal efficiency and maintainability.

In this article, I have demonstrated how to use 10 DAX functions that can return a table and some common use cases for each. However, several other DAX functions can be used in similar or different ways to return a table, but I haven't demonstrated those options. For further studies, some of these DAX functions include GENERATEVAR / VAR, RELATED, EXCEPT, INTERSECT, CALCULATETABLE, ITERATE, etc.

It is important to note that this article is only the beginning of your journey. Dive deeper into each function, explore advanced techniques, and experiment with your data. Remember, the only limit is your imagination.

Next Steps

Learn more about Power BI in this 3 hour training course.


Click here to start the Power BI course






sql server categories

sql server webinars

subscribe to mssqltips

sql server tutorials

sql server white papers

next tip



About the author
MSSQLTips author Kenneth A. Omorodion Kenneth A. Omorodion is a Business Intelligence Developer with over eight years of experience. He holds both a bachelor’s and master’s degree (Middlesex University in London). Kenneth has the MCSA, Microsoft Data Analyst - Power BI and Azure Fundamentals certifications. Kenneth is a Microsoft Certified Trainer and has delivered corporate training on Power BI, SQL Server, Excel and SSRS.

This author pledges the content of this article is based on professional experience and not AI generated.

View all my tips


Article Last Updated: 2024-02-05

Comments For This Article

















get free sql tips
agree to terms