Combining X Variety of Rows in Energy Question for Energy BI, Excel and Energy Question On-line

Date:


Combining X Number of Rows in Power Query for Power BI, Excel and Power Query Online

Some time again, I used to be engaged on a undertaking involving getting information from Excel recordsdata. The Excel recordsdata include the information in sheets and tables. Getting the information from the tables is simple. Nevertheless, the information within the sheets have some commentaries on high of the sheet, then the column names after which the information itself. One thing like beneath:

Sample data
Pattern information

This strategy is fairly constant throughout many Excel recordsdata. The shopper desires to have the commentary within the column names when the information is imported into Energy BI. So the ultimate end result should seem like this:

Sample Data to be loaded into Power BI
Pattern Knowledge to be loaded into Energy BI

The enterprise requirement although is to mix the primary 3 rows of information and put it up for sale because the column title.

The Problem

Let’s join the Excel file and have a look at the information in Energy BI Desktop.

Connecting to sample data from Power BI Desktop
Connecting to pattern information from Energy BI Desktop

As you may see within the previous picture, Energy BI, or extra exactly, Energy Question, sees the information in Desk format. After we click on the Rework Knowledge button, that is what we get in Energy Question Editor:

Connected to sample data from Power Query in Power BI Desktop
Related to pattern information from Energy Question in Energy BI Desktop

Everyone knows that tables include Columns and Rows. The conjunction of a column and a row is a Cell. What we require to do is to concatenate the values of cells from the primary three rows. We even have to make use of a Area character to separate the values of every cell from the others.

Column, rows and cells in a Table in Power BI
Column, rows and cells in a Desk

In Energy Question, we will get every row of information in as a Document with the next syntax:

Desk{RecordIndex}

Within the above syntax, the Desk may be the outcomes of the earlier transformation step, and the RecordIndex begins from 0. So to get the primary row of the desk within the previous picture, we use the next syntax:

#"Modified Sort"{0}

The place the #"Modified Sort" is the earlier step. Listed below are the outcomes of working the previous expression:

Getting the first row of a Table
Getting the primary row of a Desk

So we will get the second and third rows with comparable expressions. The next picture exhibits your complete codes within the Superior Editor:

Power Query expressions in Advanced Editor in Power BI Desktop
Energy Question expressions in Superior Editor

However how will we concatenate the values of the rows?

My strategy is:

  • Making a desk from the primary three rows
  • Transposing the resutls to get the rows as columns
  • Merging the columns right into a single column
  • Transposing the brand new column
  • Appending the transposed values to the unique desk
  • Selling the primary row as column names

Right here is how we accomplish that:

  1. We create a Desk from Information utilizing the Desk.FromRecords() operate:
Creating a Table from Records
Making a Desk from Information
  1. Transposing the resutls to get the rows as columns
Transposing columns in Power Query
Transposing columns in Energy Question
  1. Merging all columns and eradicating the columns. To take action we choose all columns, right-click a specific column and click on Merge Columns. We use Area because the separator
Merging columns as a new column in Power Query
Merging columns as a brand new column in Energy Question
  1. Transposing the brand new merged column
Transposing a column in Power Query
Transposing a column in Energy Question
  1. Appending the transposed outcomes to the unique desk. The resutls of the third transformation step provides us the orignial desk. We use the Desk.Mix() operate
Desk.Mix({#"Transposed Table1", #"Modified Sort"})
Appending the transposed results to the original data in Power Query
Appending the transposed outcomes to the unique information

As you may within the previous picture, the outcomes will not be what we would like as we nonetheless have the primary 3 rows showing within the values. So earlier than we append the transposed outcomes to the unique desk, now we have to take away the primary 3 rows from the unique desk, after which append the outcomes. To take away the primary N rows we use Desk.Skip() operate. So now we have to vary the earlier step as follows:

Desk.Mix({#"Transposed Table1", Desk.Skip(#"Modified Sort", 3)})
 Appending the transposed results to the results of removing the first 3 rows of the original data
Appending the transposed outcomes to the outcomes of eradicating the primary 3 rows of the unique information
  1. Selling the primary row as column names
Promoting the first row as column headers in Power Query
Selling the primary row as column headers in Energy Question

Simple!

Hmm… Not likely. Particularly when now we have a number of different Excel recordsdata; some have two, some have three rows of feedback, and a few have much more. So not solely is the duty time-consuming, however it is also fairly boring and liable to human errors. What if there’s a customized operate that I can invoke to get the job carried out?

The Answer

To beat the problem, I wrote a reasonably dynamic customized operate. It accepts a desk and an iterator. The iterator is the variety of rows we wish to concatenate and use because the column names. After invoking the operate, it iterated by means of the primary X variety of rows following the state of affairs I defined within the earlier part. It then appends the transposed outcomes to the unique desk whereas eradicating the primary X variety of rows.

Right here you go…

Once I examined my authentic operate with completely different information varieties, I famous that I needed to convert the remark values to textual content information kind; in any other case, dynamically, the merging columns step breaks because it can not concatenate textual content and quantity values.

An enormous shout-out to Imke Feldman for writing such useful blogposts. I used her approach in a single block of the next code to dynamically convert the columns to textual content.

// fn_CombineTopXRows
(InputTable as desk, Iterator as quantity) as desk =>
let
  TopXRows = Checklist.Generate(
        () => 0
        , every _ < Iterator
        , every _ + 1
        , every InputTable{_}
        ),
    TableFromRecords = Desk.FromRecords(
        Checklist.Generate(
            () => 0
            , every _ < Iterator
            , every _ + 1
            , every InputTable{_}
            )
        ),
    TransposeTable = Desk.Transpose(
        TableFromRecords
        , Checklist.Generate(
            () => 0
            , every _ < Iterator
            , every _ + 1
            , every "Col" & Textual content.From(_)
            )
        ),
    
    // Particular due to Imke Feldman for this line of code?
    // https://www.thebiccountant.com/2017/01/09/dynamic-bulk-type-transformation-in-power-query-power-bi-and-m/
    DataTypeToText = Desk.TransformColumnTypes(
        TransposeTable
        , Checklist.Rework(
            Desk.ColumnNames(TransposeTable)
            , every {_, kind textual content}
            )
        ),
    
    CombineColumns = Desk.CombineColumns(
        DataTypeToText
        , Checklist.Generate(
            () => 0
            , every _ < Iterator
            , every _ + 1
            , every "Col" & Textual content.From(_)
            )
        , Combiner.CombineTextByDelimiter(
            " "
            , QuoteStyle.None
            )
        ,"Merged"
        ),
    TransposeCombined = Desk.Transpose(CombineColumns),
    AppendToOriginalTable = Desk.Mix({TransposeCombined, Desk.Skip(InputTable, Iterator)}),
    PromotedHeaders = Desk.PromoteHeaders(AppendToOriginalTable, [PromoteAllScalars=true])
in
    PromotedHeaders

You may obtain the code from right here.

Let’s see the fn_CombineTopXRows customized operate in motion. Listed below are the outcomes after invoking the operate with our earlier pattern information:

Invoking the fn_CombineTopXRows customized operate

Here’s a extra excessive pattern information containing particular characters, nulls and Unicode characters:

Pattern information

And listed here are the outcomes of invoking the fn_CombineTopXRows customized operate:

Invoking the fn_CombineTopXRows customized operate

As at all times, you probably have any feedback or a greater manner than I defined right here, please let me know by way of the feedback part beneath.

Replace

After sharing this submit on LinkedIn, Muneer Marzouq, commented that he would write the customized operate in another way. I preferred his strategy, so I share his code right here.

// fn_CombineTopNRows
// Supply: https://www.linkedin.com/feed/replace/urn:li:exercise:6866137870068002816?commentUrn=urnpercent3Alipercent3Acommentpercent3Apercent28activitypercent3A6866137870068002816percent2C6866640507234254848percent29&replyUrn=urnpercent3Alipercent3Acommentpercent3Apercent28activitypercent3A6866137870068002816percent2C6867174468557529088percent29

(InputTable as desk, TopNRows as quantity, non-compulsory Delimiter as nullable textual content) as desk =>
let
  Delimiter = if Delimiter <> null then Delimiter else "#(lf)",
  ToTables = Desk.Cut up(InputTable, TopNRows),
  ColsNames = Desk.ColumnNames(ToTables{0}),
  ToText = 
    Desk.TransformColumnTypes(
      ToTables{0}
      , Checklist.Rework(
          ColsNames
          , every {_, kind textual content}
        )
    ),
  ToColumns = Desk.ToColumns(ToText),
  CombineText = 
    Checklist.Rework(
      ToColumns
      , every Textual content.Mix(_
        , Delimiter
      )
    ),
  ToTable = Desk.FromRows({CombineText}, ColsNames),
  Mix = Desk.Mix({ToTable, ToTables{1}})
in
  Mix

Replace 2022 Jan

Right here is one other resolution that Mahmoud Baniasadi put within the feedback part. What I like about Mahmoud’s code are:

  • Utilizing the Desk.SplitAt() operate which returns a listing of two tables as a substitute of Desk.Cut up() operate which returns a listing of tables
  • Implementing the operate documentation
let func=
(InputTable as desk, TopNRows as quantity, non-compulsory Delimiter as nullable textual content) as desk =>
let

Delimiter = if Delimiter <> null then Delimiter else "#(lf)",
// Correction: Change Desk.Cut up to Desk.SplitAt
ToTables = Desk.SplitAt(InputTable, TopNRows),
ColsNames=Desk.ColumnNames(ToTables{0}),
ToText= Desk.TransformColumnTypes(
ToTables{0}
, Checklist.Rework(
ColsNames
, every {_, kind textual content}
)
),

/* My different technique for this half
CombineText=
Checklist.Rework(
Desk.ToList(
Desk.Transpose(ToText),
Combiner.CombineTextByDelimiter(Delimiter,0)),
every Textual content.Trim(_)),
*/

// Muneer Marzouq Answer
ToColumns=Desk.ToColumns(ToText),
CombineText =
Checklist.Rework(
ToColumns
, every Textual content.Mix(_
, Delimiter
)
),
//Finish of Muneer code which is completely different from mine

ToTable = Desk.FromRows({CombineText}, ColsNames),
Mix = Desk.Mix({ToTable, ToTables{1}}),
// Correction: add one step to advertise mixed rows as header
PromotedHeaders = Desk.PromoteHeaders(Mix, [PromoteAllScalars=true])
in
PromotedHeaders,
// Add documentation
documentation = [
Documentation.Name = " fn_CombineTopNRows ",
Documentation.Description = " Returns a Table with Combining X Number of Rows. ",
Documentation.LongDescription = " Returns a Table with Combining X Number of Rows and Promote them as header. ",
Documentation.Category = " Table ",
Documentation.Source = " https://www.biinsight.com/combining-x-number-of-rows-in-power-query-for-power-bi-excel-and-power-query-online/ ",
Documentation.Version = " 1.0 ",
Documentation.Author = " Muneer Marzouq, Mahmoud Bani Asadi, Soheil Bakhshi ",
Documentation.Examples = {[Description = " see this blogpost: https://www.biinsight.com/combining-x-number-of-rows-in-power-query-for-power-bi-excel-and-power-query-online/ ",
Code = " fn_CombineTopNRows(#table({""Column1"", ""Column2"", ""Column3""}, {{""TitleA"", ""TitleC"", ""Title1""}, {""TitleB"", ""TitleD"", ""Title2""}, {7, 8, 9}}), 2, "" "")",
Result = " #table({""TitleA TitleB"", ""TitleC TitleD"", ""Title1 Title2""}, {{7, 8, 9}}) "]}]
in
Worth.ReplaceType(func, Worth.ReplaceMetadata(Worth.Sort(func), documentation))

For this reason I like information sharing. You study one thing new from others each day.

LEAVE A REPLY

Please enter your comment!
Please enter your name here

Share post:

Subscribe

spot_imgspot_img

Popular

More like this
Related

Grandma’s Secret Recipe For Monetary Success | BankBazaar

This weblog is a heartfelt tribute to all...

How To Do Payroll In Kansas: Fast and Straightforward

Navigating payroll in Kansas can really feel overwhelming,...