Powerquery Manula
Powerquery Manula
Powerquery Manula
Get started
f QUICKSTART
M quick tour
p CONCEPT
Evaluation model
d TRAINING
Functions
i REFERENCE
e OVERVIEW
Specification
Y ARCHITECTURE
This quick tour describes creating Power Query M formula language queries.
7 Note
M is a case-sensitive language.
Power Query M
let
Variablename = expression,
#"Variable name" = expression2
in
Variablename
To create an M query in the advanced editor, you follow this basic process:
1. Create a series of query formula steps that start with the let statement. Each step
is defined by a step variable name. An M variable can include spaces by using the
# character as #"Step Name" . A formula step can be a custom formula. Note that
the Power Query formula language is case sensitive.
2. Each query formula step builds upon a previous step by referring to a step by its
variable name.
3. Output a query formula step using the in statement. Generally, the last query step
is used as the in final data set result.
To learn more about expressions and values, go to Expressions, values, and let
expression.
2 1 1 lb. worms 5
3 2 fishing net 25
And, you want to capitalize the first letter in each word in the Item column to produce
the following table:
2 1 1 Lb. Worms 5
OrderID CustomerID Item Price
3 2 Fishing Net 25
The M formula steps to project the original table into the results table look like this in
the Power Query advanced editor:
Here's the code you can paste into the Power Query advanced editor:
Power Query M
3. in #"Capitalized Each Word": Output the table with the first letter of each word
capitalized.
See also
Expressions, values, and let expression
Operators
Type conversion
Feedback
Was this page helpful? ツ Yes ト No
Introduction
Lexical Structure
Basic Concepts
Values
Types
Operators
Let
Conditionals
Functions
Error Handling
Sections
Consolidated Grammar
Feedback
Was this page helpful? ツ Yes ト No
Overview
Microsoft Power Query provides a powerful "get data" experience that encompasses
many features. A core capability of Power Query is to filter and combine, that is, to
"mash-up" data from one or more of a rich collection of supported data sources. Any
such data mashup is expressed using the Power Query formula language (informally
known as "M"). Power Query embeds M documents in a wide range of Microsoft
products, including Excel, Power BI, Analysis Services, and Dataverse, to enable
repeatable mashup of data.
This document provides the specification for M. After a brief introduction that aims at
building some first intuition and familiarity with the language, the document covers the
language precisely in several progressive steps:
1. The lexical structure defines the set of texts that are lexically valid.
3. The detailed specification of values, both primitive and structured, defines the
target domain of the language.
4. Values have types, themselves a special kind of value, that both characterize the
fundamental kinds of values and carry additional metadata that is specific to the
shapes of structured values.
6. Functions, another kind of special values, provide the foundation for a rich
standard library for M and allow for the addition of new abstractions.
8. Let expressions allow for the introduction of auxiliary definitions used to build up
complex expressions in smaller steps.
11. Finally, a consolidated grammar collects the grammar fragments from all other
sections of this document into a single complete definition.
For computer language theorists: the formula language specified in this document is a
mostly pure, higher-order, dynamically typed, partially lazy functional language.
A primitive value is single-part value, such as a number, logical, text, or null. A null
value can be used to indicate the absence of any data.
Power Query M
123 // A number
true // A logical
"abc" // A text
null // null value
A list value is an ordered sequence of values. M supports infinite lists, but if written
as a literal, lists have a fixed length. The curly brace characters { and } denote the
beginning and end of a list.
Power Query M
Power Query M
[
A = 1,
B = 2,
C = 3
]
A table is a set of values organized into columns (which are identified by name),
and rows. There's no literal syntax for creating a table, but there are several
standard functions that can be used to create tables from lists or records.
For example:
Power Query M
A function is a value that, when invoked with arguments, produces a new value. A
function is written by listing the function's parameters in parentheses, followed by
the goes-to symbol => , followed by the expression defining the function. That
expression typically refers to the parameters (by name).
Power Query M
(x, y) => (x + y) / 2`
Evaluation
The evaluation model of the M language is modeled after the evaluation model
commonly found in spreadsheets, where the order of calculation can be determined
based on dependencies between the formulas in the cells.
If you've written formulas in a spreadsheet such as Excel, you may recognize the
formulas on the left result in the values on the right when calculated:
In M, parts of an expression can reference other parts of the expression by name, and
the evaluation process automatically determines the order in which referenced
expressions are calculated.
You can use a record to produce an expression that's equivalent to the previous
spreadsheet example. When initializing the value of a field, you can refer to other fields
within the record by using the name of the field, as follows:
Power Query M
[
A1 = A2 * 2,
A2 = A3 + 1,
A3 = 1
]
The above expression is equivalent to the following (in that both evaluate to equal
values):
Power Query M
[
A1 = 4,
A2 = 2,
A3 = 1
]
Records can be contained within, or nest, within other records. You can use the lookup
operator ( [] ) to access the fields of a record by name. For example, the following record
has a field named Sales containing a record, and a field named Total that accesses the
FirstHalf and SecondHalf fields of the Sales record:
Power Query M
[
Sales = [ FirstHalf = 1000, SecondHalf = 1100 ],
Total = Sales[FirstHalf] + Sales[SecondHalf]
]
Power Query M
[
Sales = [ FirstHalf = 1000, SecondHalf = 1100 ],
Total = 2100
]
Records can also be contained within lists. You can use the positional index operator ( {} )
to access an item in a list by its numeric index. The values within a list are referred to
using a zero-based index from the beginning of the list. For example, the indexes 0 and
1 are used to reference the first and second items in the list below:
Power Query M
[
Sales =
{
[
Year = 2007,
FirstHalf = 1000,
SecondHalf = 1100,
Total = FirstHalf + SecondHalf // 2100
],
[
Year = 2008,
FirstHalf = 1200,
SecondHalf = 1300,
Total = FirstHalf + SecondHalf // 2500
]
},
TotalSales = Sales{0}[Total] + Sales{1}[Total] // 4600
]
List and record member expressions (as well as let expressions) are evaluated using lazy
evaluation, which means that they are evaluated only as needed. All other expressions
are evaluated using eager evaluation, which means that they are evaluated immediately
when encountered during the evaluation process. A good way to think about this is to
remember that evaluating a list or record expression returns a list or record value that
itself remembers how its list items or record fields need to be computed, when
requested (by lookup or index operators).
Functions
In M, a function is a mapping from a set of input values to a single output value. A
function is written by first naming the required set of input values (the parameters to
the function) and then providing an expression that computes the result of the function
using those input values (the body of the function) following the goes-to ( => ) symbol.
For example:
Power Query M
A function is a value just like a number or a text value. The following example shows a
function that is the value of an Add field which is then invoked, or executed, from several
other fields. When a function is invoked, a set of values are specified that are logically
substituted for the required set of input values within the function body expression.
Power Query M
[
Add = (x, y) => x + y,
OnePlusOne = Add(1, 1), // 2
OnePlusTwo = Add(1, 2) // 3
]
Library
M includes a common set of definitions available for use from an expression called the
standard library, or just library for short. These definitions consist of a set of named
values. The names of values provided by a library are available for use within an
expression without having been defined explicitly by the expression. For example:
Power Query M
Number.E // Euler's number e (2.7182...)
Text.PositionOf("Hello", "ll") // 2
Operators
M includes a set of operators that can be used in expressions. Operators are applied to
operands to form symbolic expressions. For example, in the expression 1 + 2 the
numbers 1 and 2 are operands and the operator is the addition operator ( + ).
The meaning of an operator can vary depending on what kind of values its operands
are. For example, the plus operator can be used with other kinds of values besides
numbers:
Power Query M
1 + 2 // numeric addition: 3
#time(12,23,0) + #duration(0,0,2,0)
// time arithmetic: #time(12,25,0)
Power Query M
Note that some operators don't support all combinations of values. For example:
Power Query M
Metadata
Metadata is information about a value that's associated with a value. Metadata is
represented as a record value, called a metadata record. The fields of a metadata record
can be used to store the metadata for a value.
Every value has a metadata record. If the value of the metadata record hasn't been
specified, then the metadata record is empty (has no fields).
Metadata records provide a way to associate additional information with any kind of
value in an unobtrusive way. Associating a metadata record with a value doesn't change
the value or its behavior.
A metadata record value y is associated with an existing value x using the syntax x
meta y . For example, the following code associates a metadata record with Rating and
Tags fields with the text value "Mozart" :
Power Query M
For values that already carry a non-empty metadata record, the result of applying meta
is that of computing the record merge of the existing and the new metadata record. For
example, the following two expressions are equivalent to each other and to the previous
expression:
Power Query M
A metadata record can be accessed for a given value using the Value.Metadata function.
In the following example, the expression in the ComposerRating field accesses the
metadata record of the value in the Composer field, and then accesses the Rating field
of the metadata record.
Power Query M
[
Composer = "Mozart" meta [ Rating = 5, Tags = {"Classical"} ],
ComposerRating = Value.Metadata(Composer)[Rating] // 5
]
Let expression
Many of the examples shown so far have included all the literal values of the expression
in the result of the expression. The let expression allows a set of values to be
computed, assigned names, and then used in a subsequent expression that follows the
in . For example, in our sales data example, you could do:
Power Query M
let
Sales2007 =
[
Year = 2007,
FirstHalf = 1000,
SecondHalf = 1100,
Total = FirstHalf + SecondHalf // 2100
],
Sales2008 =
[
Year = 2008,
FirstHalf = 1200,
SecondHalf = 1300,
Total = FirstHalf + SecondHalf // 2500
]
in Sales2007[Total] + Sales2008[Total] // 4600
The result of the above expression is a number value ( 4600 ) that's computed from the
values bound to the names Sales2007 and Sales2008 .
If expression
The if expression selects between two expressions based on a logical condition. For
example:
Power Query M
if 2 > 1 then
2 + 2
else
1 + 1
The first expression ( 2 + 2 ) is selected if the logical expression ( 2 > 1 ) is true, and the
second expression ( 1 + 1 ) is selected if it's false. The selected expression (in this case 2
+ 2 ) is evaluated and becomes the result of the if expression ( 4 ).
Errors
An error is an indication that the process of evaluating an expression couldn't produce a
value.
Errors are raised by operators and functions encountering error conditions or by using
the error expression. Errors are handled using the try expression. When an error is
raised, a value is specified that can be used to indicate why the error occurred.
Power Query M
let Sales =
[
Revenue = 2000,
Units = 1000,
UnitPrice = if Units = 0 then error "No Units"
else Revenue / Units
],
UnitPrice = try Number.ToText(Sales[UnitPrice])
in "Unit Price: " &
(if UnitPrice[HasError] then UnitPrice[Error][Message]
else UnitPrice[Value])
The above example accesses the Sales[UnitPrice] field and formats the value
producing the result:
Power Query M
If the Units field had been zero, then the UnitPrice field would have raised an error,
which would have been handled by the try . The resulting value would then have been:
Power Query M
"No Units"
A try expression converts proper values and errors into a record value that indicates
whether the try expression handled an error, or not, and either the proper value or the
error record it extracted when handling the error. For example, consider the following
expression that raises an error and then handles it right away:
Power Query M
This expression evaluates to the following nested record value, explaining the
[HasError] , [Error] , and [Message] field lookups in the previous unit-price example.
Power Query M
[
HasError = true,
Error =
[
Reason = "Expression.Error",
Message = "negative unit count",
Detail = null
]
]
A common case is to replace errors with default values. The try expression can be used
with an optional otherwise clause to achieve just that in a compact form:
Power Query M
Feedback
Was this page helpful? ツ Yes ト No
Documents
An M document is an ordered sequence of Unicode characters. M allows different
classes of Unicode characters in different parts of an M document. For information on
Unicode character classes, see The Unicode Standard, Version 3.0, section 4.5.
Grammar conventions
The lexical and syntactic grammars are presented using grammar productions. Each
grammar production defines a non-terminal symbol and the possible expansions of that
nonterminal symbol into sequences of non-terminal or terminal symbols. In grammar
productions, non-terminal+ symbols are shown in italic type, and terminal symbols are
shown in a fixed-width font.
The first line of a grammar production is the name of the non-terminal symbol being
defined, followed by a colon. Each successive indented line contains a possible
expansion of the nonterminal given as a sequence of non-terminal or terminal symbols.
For example, the production:
if-expression:
if if-condition then true-expression else false-expression
When there is more than one possible expansion of a non-terminal symbol, the
alternatives are listed on separate lines. For example, the production:
variable-list:
variable
variable-list , variable
field-specification:
optional opt field-name = field-type
is shorthand for:
field-specification:
field-name = field-type
optional field-name = field-type
and defines a field-specification to optionally begin with the terminal symbol optional
followed by a field-name, the terminal symbol = , and a field-type.
Alternatives are normally listed on separate lines, though in cases where there are many
alternatives, the phrase "one of" may precede a list of expansions given on a single line.
This is simply shorthand for listing each of the alternatives on a separate line. For
example, the production:
decimal-digit: one of
0 1 2 3 4 5 6 7 8 9
is shorthand for:
decimal-digit:
0
2
3
4
5
6
7
8
Lexical Analysis
The lexical-unit production defines the lexical grammar for an M document. Every valid
M document conforms to this grammar.
lexical-unit:
lexical-elementsopt
lexical-elements:
lexical-element
lexical-element
lexical-elements
lexical-element:
whitespace
token comment
Whitespace
Whitespace is used to separate comments and tokens within an M document.
Whitespace includes the space character (which is part of Unicode class Zs), as well as
horizontal and vertical tab, form feed, and newline character sequences. Newline
character sequences include carriage return, line feed, carriage return followed by line
feed, next line, and paragraph separator characters.
whitespace:
Any character with Unicode class Zs
Horizontal tab character ( U+0009 )
Vertical tab character ( U+000B )
Form feed character ( U+000C )
Carriage return character ( U+000D ) followed by line feed character ( U+000A )
new-line-character
new-line-character:
Carriage return character ( U+000D )
Line feed character ( U+000A )
Next line character ( U+0085 )
Line separator character ( U+2028 )
Paragraph separator character ( U+2029 )
For compatibility with source code editing tools that add end-of-file markers, and to
enable a document to be viewed as a sequence of properly terminated lines, the
following transformations are applied, in order, to an M document:
Comments
Two forms of comments are supported: single-line comments and delimited comments.
Single-line comments start with the characters // and extend to the end of the source
line. Delimited comments start with the characters /* and end with the characters */ .
comment:
single-line-comment
delimited-comment
single-line-comment:
// single-line-comment-charactersopt
single-line-comment-characters:
single-line-comment-character single-line-comment-charactersopt
single-line-comment-character:
Any Unicode character except a new-line-character
delimited-comment:
/* delimited-comment-textopt asterisks /
delimited-comment-text:
delimited-comment-section delimited-comment-textopt
delimited-comment-section:
/
asterisksopt not-slash-or-asterisk
asterisks:
* asterisksopt
not-slash-or-asterisk:
Any Unicode character except * or /
Comments do not nest. The character sequences /* and */ have no special meaning
within a single-line comment, and the character sequences // and /* have no special
meaning within a delimited comment.
Power Query M
/* Hello, world
*/
"Hello, world"
The example
Power Query M
// Hello, world
//
"Hello, world" // This is an example of a text literal
Tokens
A token is an identifier, keyword, literal, operator, or punctuator. Whitespace and
comments are used to separate tokens, but are not considered tokens.
token:
identifier
keyword
literal
operator-or-punctuator
Power Query M
#(#)(
Escape sequences can also contain short (four hex digits) or long (eight hex digits)
Unicode code-point values. The following three escape sequences are therefore
equivalent:
Power Query M
Power Query M
#(cr,lf)
#(cr)#(lf)
character-escape-sequence:
#( escape-sequence-list )
escape-sequence-list:
single-escape-sequence
single-escape-sequence , escape-sequence-list
single-escape-sequence:
long-unicode-escape-sequence
short-unicode-escape-sequence
control-character-escape-sequence
escape-escape
long-unicode-escape-sequence:
hex-digit hex-digit hex-digit hex-digit hex-digit hex-digit hex-digit hex-digit
short-unicode-escape-sequence:
hex-digit hex-digit hex-digit hex-digit
control-character-escape-sequence:
control-character
control-character:
cr
lf
tab
escape-escape:
#
Literals
A literal is a source code representation of a value.
literal:
logical-literal
number-literal
text-literal
null-literal
verbatim-literal
Null literals
The null literal is used to write the null value. The null value represents an absent
value.
null-literal:
null
Logical literals
A logical literal is used to write the values true and false and produces a logical value.
logical-literal:
true
false
Number literals
A number literal is used to write a numeric value and produces a number value.
number-literal:
decimal-number-literal
hexadecimal-number-literal
decimal-number-literal:
decimal-digits . decimal-digits exponent-partopt
. decimal-digits exponent-partopt
decimal-digits exponent-partopt
decimal-digits:
decimal-digit decimal-digitsopt
decimal-digit: one of
0 1 2 3 4 5 6 7 8 9
exponent-part:
e signopt decimal-digits
E signopt decimal-digits
sign: one of
+ -
hexadecimal-number-literal:
0x hex-digits
0X hex-digits
hex-digits:
hex-digit hex-digitsopt
hex-digit: one of
0 1 2 3 4 5 6 7 8 9 A B C D E F a b c d e f
A number can be specified in hexadecimal format by preceding the hex-digits with the
characters 0x . For example:
Power Query M
0xff // 255
Note that if a decimal point is included in a number literal, then it must have at least one
digit following it. For example, 1.3 is a number literal but 1. and 1.e3 are not.
Text literals
A text literal is used to write a sequence of Unicode characters and produces a text
value.
text-literal:
" text-literal-charactersopt "
text-literal-characters:
text-literal-character text-literal-charactersopt
text-literal-character:
single-text-character
character-escape-sequence
double-quote-escape-sequence
single-text-character:
Any character except " ( U+0022 ) or # ( U+0023 ) followed by ( ( U+0028 )
double-quote-escape-sequence:
"" ( U+0022 , U+0022 )
Power Query M
Power Query M
"Hello world#(cr,lf)"
Verbatim literals
A verbatim literal is used to store a sequence of Unicode characters that were entered
by a user as code, but which cannot be correctly parsed as code. At runtime, it produces
an error value.
verbatim-literal:
#!" text-literal-charactersopt "
Identifiers
An identifier is a name used to refer to a value. Identifiers can either be regular
identifiers or quoted identifiers.
identifier:
regular-identifier
quoted-identifier
regular-identifier:
available-identifier
available-identifier dot-character regular-identifier
available-identifier:
A keyword-or-identifier that is not a keyword
keyword-or-identifier:
identifier-start-character identifier-part-charactersopt
identifier-start-character:
letter-character
underscore-character
identifier-part-characters:
identifier-part-character identifier-part-charactersopt
identifier-part-character:
letter-character
decimal-digit-character
underscore-character
connecting-character
combining-character
formatting-character
dot-character:
. ( U+002E )
underscore-character:
_ ( U+005F )
letter-character:
A Unicode character of classes Lu, Ll, Lt, Lm, Lo, or Nl
combining-character:
A Unicode character of classes Mn or Mc
decimal-digit-character:
A Unicode character of the class Nd
connecting-character:
A Unicode character of the class Pc
formatting-character:
A Unicode character of the class Cf
A quoted-identifier can be used to allow any sequence of zero or more Unicode
characters to be used as an identifier, including keywords, whitespace, comments,
operators and punctuators.
quoted-identifier:
#" text-literal-charactersopt "
Note that escape sequences and double-quotes to escape quotes can be used in a
quoted identifier, just as in a text-literal.
The following example uses identifier quoting for names containing a space character:
Power Query M
[
#"1998 Sales" = 1000,
#"1999 Sales" = 1100,
#"Total Sales" = #"1998 Sales" + #"1999 Sales"
]
The following example uses identifier quoting to include the + operator in an identifier:
Power Query M
[
#"A + B" = A + B,
A = 1,
B = 2
]
Generalized Identifiers
There are two places in M where no ambiguities are introduced by identifiers that
contain blanks or that are otherwise keywords or number literals. These places are the
names of record fields in a record literal and in a field access operator ( [ ] ) There, M
allows such identifiers without having to use quoted identifiers.
Power Query M
[
Data = [ Base Line = 100, Rate = 1.8 ],
Progression = Data[Base Line] * Data[Rate]
]
The identifiers used to name and access fields are referred to as generalized identifiers
and defined as follows:
generalized-identifier:
generalized-identifier-part
generalized-identifier separated only by blanks ( U+0020 )
generalized-identifier-part
generalized-identifier-part:
generalized-identifier-segment
decimal-digit-character generalized-identifier-segment
generalized-identifier-segment:
keyword-or-identifier
keyword-or-identifier dot-character keyword-or-identifier
Keywords
A keyword is an identifier-like sequence of characters that is reserved, and cannot be
used as an identifier except when using the identifier-quoting mechanism or where a
generalized identifier is allowed.
keyword: one of
and as each else error false if in is let meta not null or otherwise
and separating.
operator-or-punctuator: one of
, ; = < <= > >= <> + - * / & ( ) [ ] { } @ ! ? ?? => .. ...
Feedback
Was this page helpful? ツ Yes ト No
This section discusses basic concepts that appear throughout the subsequent sections.
Values
A single piece of data is called a value. Broadly speaking, there are two general
categories of values: primitive values, which are atomic, and structured values, which are
constructed out of primitive values and other structured values. For example, the values
Power Query M
1
true
3.14159
"abc"
are primitive in that they are not made up of other values. On the other hand, the values
Power Query M
{1, 2, 3}
[ A = {1}, B = {2}, C = {3} ]
are constructed using primitive values and, in the case of the record, other structured
values.
Expressions
An expression is a formula used to construct values. An expression can be formed using
a variety of syntactic constructs. The following are some examples of expressions. Each
line is a separate expression.
Power Query M
More complex expressions are built from other expressions, called sub-expressions. For
example:
Power Query M
1 + 2
The above expression is actually composed of three expressions. The 1 and 2 literals
are subexpressions of the parent expression 1 + 2 .
A top-level (or root) expression is evaluated within the global environment. The global
environment is provided by the expression evaluator instead of being determined from
the contents of the expression being evaluated. The contents of the global environment
includes the standard library definitions and can be affected by exports from sections
from some set of documents. (For simplicity, the examples in this section will assume an
empty global environment. That is, it is assumed that there is no standard library and
that there are no other section-based definitions.)
Power Query M
[
x = 1, // environment: y, z
y = 2, // environment: x, z
z = x + y // environment: x, y
]
Similarly, the let-expression evaluates the sub-expression for each variable with an
environment containing each of the variables of the let except the one being initialized.
The let-expression evaluates the expression following the in with an environment
containing all the variables:
Power Query M
let
x = 1, // environment: y, z
y = 2, // environment: x, z
z = x + y // environment: x, y
in
x + y + z // environment: x, y, z
(It turns out that both record-initializer-expression and let-expression actually define two
environments, one of which does include the variable being initialized. This is useful for
advanced recursive definitions and is covered in Identifier references .
To form the environments for the sub-expressions, the new variables are "merged" with
the variables in the parent environment. The following example shows the environments
for nested records:
Power Query M
[
a =
[
x = 1, // environment: b, y, z
y = 2, // environment: b, x, z
z = x + y // environment: b, x, y
],
b = 3 // environment: a
]
The following example shows the environments for a record nested within a let:
Power Query M
Let
a =
[
x = 1, // environment: b, y, z
y = 2, // environment: b, x, z
z = x + y // environment: b, x, y
],
b = 3 // environment: a
in
a[z] + b // environment: a, b
Power Query M
[
a =
[
x = 1, // environment: b, x (outer), y, z
y = 2, // environment: b, x (inner), z
z = x + y // environment: b, x (inner), y
],
b = 3, // environment: a, x (outer)
x = 4 // environment: a, b
]
Identifier references
An identifier-reference is used to refer to a variable within an environment.
identifier-expression:
identifier-reference
identifier-reference:
exclusive-identifier-reference
inclusive-identifier-reference
exclusive-identifier-reference:
identifier
inclusive-identifier-reference:
@ identifier
This is useful when defining recursive functions since the name of the function would
normally not be in scope.
Power Query M
[
Factorial = (n) =>
if n <= 1 then
1
else
n * @Factorial(n - 1), // @ is scoping operator
x = Factorial(5)
]
Order of evaluation
Consider the following expression which initializes a record:
Power Query M
[
C = A + B,
A = 1 + 1,
B = 2 + 2
]
Power Query M
[
C = 6,
A = 2,
B = 4
]
The expression states that in order to perform the A + B calculation for field C , the
values of both field A and field B must be known. This is an example of a dependency
ordering of calculations that is provided by an expression. The M evaluator abides by the
dependency ordering provided by expressions, but is free to perform the remaining
calculations in any order it chooses. For example, the computation order could be:
Power Query M
A = 1 + 1
B = 2 + 2
C = A + B
Or it could be:
Power Query M
B = 2 + 2
A = 1 + 1
C = A + B
Or, since A and B do not depend on each other, they can be computed concurrently:
B = 2 + 2 concurrently with A = 1 + 1
C = A + B
Side effects
Allowing an expression evaluator to automatically compute the order of calculations for
cases where there are no explicit dependencies stated by the expression is a simple and
powerful computation model.
It does, however, rely on being able to reorder computations. Since expressions can call
functions, and those functions could observe state external to the expression by issuing
external queries, it is possible to construct a scenario where the order of calculation
does matter, but is not captured in the partial order of the expression. For example, a
function may read the contents of a file. If that function is called repeatedly, then
external changes to that file can be observed and, therefore, reordering can cause
observable differences in program behavior. Depending on such observed evaluation
ordering for the correctness of an M expression causes a dependency on particular
implementation choices that might vary from one evaluator to the next or may even
vary on the same evaluator under varying circumstances.
Immutability
Once a value has been calculated, it is immutable, meaning it can no longer be changed.
This simplifies the model for evaluating an expression and makes it easier to reason
about the result since it is not possible to change a value once it has been used to
evaluate a subsequent part of the expression. For instance, a record field is only
computed when needed. However, once computed, it remains fixed for the lifetime of
the record. Even if the attempt to compute the field raised an error, that same error will
be raised again on every attempt to access that record field.
Also, note that function application is not the same as value construction. Library
functions may expose external state (such as the current time or the results of a query
against a database that evolves over time), rendering them non-deterministic. While
functions defined in M will not, as such, expose any such non-deterministic behavior,
they can if they are defined to invoke other functions that are non-deterministic.
A final source of non-determinism in M are errors. Errors stop evaluations when they
occur (up to the level where they are handled by a try expression). It is not normally
observable whether a + b caused the evaluation of a before b or b before a (ignoring
concurrency here for simplicity). However, if the subexpression that was evaluated first
raises an error, then it can be determined which of the two expressions was evaluated
first.
Feedback
Was this page helpful? ツ Yes ト No
A value is data produced by evaluating an expression. This section describes the kinds of
values in the M language. Each kind of value is associated with a literal syntax, a set of
values that are of that kind, a set of operators defined over that set of values, and an
intrinsic type ascribed to newly constructed values.
Kind Literal
Null null
Time #time(09,15,00)
Date #date(2013,02,26)
Duration #duration(0,1,30,0)
Text "hello"
Binary #binary("AQID")
List {1, 2, 3}
Record [ A = 1, B = 2 ]
Table #table({"X","Y"},{{0,1},{1,0}})
The following sections cover each value kind in detail. Types and type ascription are
defined formally in Types. Function values are defined in Functions. The following
sections list the operators defined for each value kind and give examples. The full
definition of operator semantics follows in Operators.
Null
A null value is used to represent the absence of a value, or a value of indeterminate or
unknown state. A null value is written using the literal null . The following operators are
defined for null values:
Operator Result
x = y Equal
x ?? y Coalesce
The native type of the null value is the intrinsic type null .
Logical
A logical value is used for Boolean operations has the value true or false. A logical value
is written using the literals true and false . The following operators are defined for
logical values:
Operator Result
x = y Equal
x or y Conditional logical OR
x ?? y Coalesce
The native type of both logical values ( true and false ) is the intrinsic type logical .
Number
A number value is used for numeric and arithmetic operations. The following are
examples of number literals:
Power Query M
A number is represented with at least the precision of a Double (but may retain more
precision). The Double representation is congruent with the IEEE 64-bit double precision
standard for binary floating point arithmetic defined in [IEEE 754-2008]. (The Double
representation have an approximate dynamic range from 5.0 x 10324 to 1.7 x 10308 with a
precision of 15-16 digits.)
Positive zero and negative zero. In most situations, positive zero and negative zero
behave identically as the simple value zero, but certain operations distinguish
between the two.
The Not-a-Number value ( #nan ), often abbreviated NaN. NaNs are produced by
invalid floating-point operations, such as dividing zero by zero.
If the result of a mathematical operation is too large for the destination format, the
result of the operation becomes positive infinity or negative infinity.
Operator Result
x = y Equal
x + y Sum
x - y Difference
x * y Product
x / y Quotient
x ?? y Coalesce
+x Unary plus
-x Negation
Time
A time value stores an opaque representation of time of day. A time is encoded as the
number of ticks since midnight, which counts the number of 100-nanosecond ticks that
have elapsed on a 24-hour clock. The maximum number of ticks since midnight
corresponds to 23:59:59.9999999 hours.
Although there is no literal syntax for times, several standard library functions are
provided to construct them. Times may also be constructed using the intrinsic function
#time :
Power Query M
The following must hold or an error with reason code Expression.Error is raised:
0 ≤ hour ≤ 24
0 ≤ minute ≤ 59
0 ≤ second ≤ 59
Operator Result
x = y Equal
x ?? y Coalesce
Date
A date value stores an opaque representation of a specific day. A date is encoded as a
number of days since epoch, starting from January 1, 0001 Common Era on the
Gregorian calendar. The maximum number of days since epoch is 3652058,
corresponding to December 31, 9999.
Although there is no literal syntax for dates, several standard library functions are
provided to construct them. Dates may also be constructed using the intrinsic function
#date :
Power Query M
The following must hold or an error with reason code Expression.Error is raised:
1 ≤ year ≤ 9999
1 ≤ month ≤ 12
1 ≤ day ≤ 31
In addition, the day must be valid for the chosen month and year.
Operator Result
x = y Equal
x ?? y Coalesce
DateTime
A datetime value contains both a date and time.
Although there is no literal syntax for datetimes, several standard library functions are
provided to construct them. Datetimes may also be constructed using the intrinsic
function #datetime :
Power Query M
The following must hold or an error with reason code Expression.Error is raised: 1 ≤ year
≤ 9999
1 ≤ month ≤ 12
1 ≤ day ≤ 31
0 ≤ hour ≤ 23
0 ≤ minute ≤ 59
0 ≤ second ≤ 59
In addition, the day must be valid for the chosen month and year.
x = y Equal
x ?? y Coalesce
DateTimeZone
A datetimezone value contains a datetime and a timezone. A timezone is encoded as a
number of minutes offset from UTC, which counts the number of minutes the time
portion of the datetime should be offset from Universal Coordinated Time (UTC). The
minimum number of minutes offset from UTC is -840, representing a UTC offset of
-14:00, or fourteen hours earlier than UTC. The maximum number of minutes offset from
UTC is 840, corresponding to a UTC offset of 14:00.
Although there is no literal syntax for datetimezones, several standard library functions
are provided to construct them. Datetimezones may also be constructed using the
intrinsic function #datetimezone :
Power Query M
#datetimezone(
year, month, day,
hour, minute, second,
offset-hours, offset-minutes)
The following must hold or an error with reason code Expression.Error is raised:
1 ≤ year ≤ 9999
1 ≤ month ≤ 12
1 ≤ day ≤ 31
0 ≤ hour ≤ 23
0 ≤ minute ≤ 59
0 ≤ second ≤ 59
-14 ≤ offset-hours ≤ 14
-59 ≤ offset-minutes ≤ 59
In addition, the day must be valid for the chosen month and year and, if offset-hours =
14, then offset-minutes <= 0 and, if offset-hours = -14, then offset-minutes >= 0.
Operator Result
x = y Equal
x ?? y Coalesce
Duration
A duration value stores an opaque representation of the distance between two points
on a timeline measured 100-nanosecond ticks. The magnitude of a duration can be
either positive or negative, with positive values denoting progress forwards in time and
negative values denoting progress backwards in time. The minimum value that can be
stored in a duration is -9,223,372,036,854,775,808 ticks, or 10,675,199 days 2 hours 48
minutes 05.4775808 seconds backwards in time. The maximum value that can be stored
in a duration is 9,223,372,036,854,775,807 ticks, or 10,675,199 days 2 hours 48 minutes
05.4775807 seconds forwards in time.
Although there is no literal syntax for durations, several standard library functions are
provided to construct them. Durations may also be constructed using the intrinsic
function #duration :
Power Query M
Operator Result
x = y Equal
x ?? y Coalesce
Text
A text value represents a sequence of Unicode characters. Text values have a literal form
conformant to the following grammar:
_text-literal:
" text-literal-charactersopt "
text-literal-characters:
text-literal-character text-literal-charactersopt
text-literal-character:
single-text-character
character-escape-sequence
double-quote-escape-sequence
single-text-character:
Any character except " ( U+0022 ) or # ( U+0023 ) followed by ( ( U+0028 )
double-quote-escape-sequence:
"" ( U+0022 , U+0022 )
Power Query M
Operator Result
x = y Equal
x & y Concatenation
x ?? y Coalesce
Binary
A binary value represents a sequence of bytes.
Although there is no literal syntax for binary values, several standard library functions
are provided to construct them. Binary values may also be constructed using the
intrinsic function #binary .
Power Query M
Operator Result
x = y Equal
x ?? y Coalesce
List
A list value is a value which produces a sequence of values when enumerated. A value
produced by a list can contain any kind of value, including a list. Lists can be constructed
using the initialization syntax, as follows:
list-expression:
{ item-listopt }
item-list:
item
item , item-list
item:
expression
expression .. expression
The following is an example of a list-expression that defines a list with three text values:
"A" , "B" , and "C" .
Power Query M
The value "A" is the first item in the list, and the value "C" is the last item in the list.
The items of a list are not evaluated until they are accessed.
While list values constructed using the list syntax will produce items in the order
they appear in item-list, in general, lists returned from library functions may
produce a different set or a different number of values each time they are
enumerated.
To include a sequence of whole number in a list, the a..b form can be used:
Power Query M
{ 1, 5..9, 11 } // { 1, 5, 6, 7, 8, 9, 11 }
The number of items in a list, known as the list count, can be determined using the
List.Count function.
Power Query M
List.Count({true, false}) // 2
List.Count({}) // 0
A list may effectively have an infinite number of items; List.Count for such lists is
undefined and may either raise an error or not terminate.
If a list contains no items, it is called an empty list. An empty list is written as:
Power Query M
{} // empty list
Operator Result
x = y Equal
x & y Concatenate
x ?? y Coalesce
For example:
Power Query M
The native type of list values is the intrinsic type list , which specifies an item type of
any .
Record
A record value is an ordered sequence of fields. A field consists of a field name, which is
a text value that uniquely identifies the field within the record, and a field value. The field
value can be any kind of value, including record. Records can be constructed using
initialization syntax, as follows:
record-expression:
[ field-listopt ]
field-list:
field
field , field-list
field:
field-name = expression
field-name:
generalized-identifier
quoted-identifier
The following example constructs a record with a field named x with value 1 , and a
field named y with value 2 .
Power Query M
[ x = 1, y = 2 ]
The following example constructs a record with a field named a with a nested record
value. The nested record has a field named b with value 2 .
Power Query M
[ a = [ b = 2 ] ]
The expression assigned to each field name is used to determine the value of the
associated field.
If the expression assigned to a field name produces a value when evaluated, then
that becomes the value of the field of the resulting record.
If the expression assigned to a field name raises an error when evaluated, then the
fact that an error was raised is recorded with the field along with the error value
that was raised. Subsequent access to that field will cause an error to be re-raised
with the recorded error value.
The expression is evaluated in an environment like the parent environment only
with variables merged in that correspond to the value of every field of the record,
except the one being initialized.
The result of the expression is a record value with an empty metadata record.
The order of the fields within the record is defined by the order that they appear in
the record-initializer-expression.
Every field name that is specified must be unique within the record, or it is an error.
Names are compared using an ordinal comparison.
Power Query M
Power Query M
[] // empty record
Although the order of the fields of a record is not significant when accessing a field or
comparing two records, it is significant in other contexts such as when the fields of a
record are enumerated.
The same two records produce different results when the fields are obtained:
Power Query M
Power Query M
Record.FieldCount([ x = 1, y = 2 }) // 2
Record.FieldCount([]) // 0
In addition to using the record initialization syntax [ ] , records can be constructed from
a list of values, and a list of field names or a record type. For example:
Power Query M
Power Query M
[ a = 1, b = 2 ]
Operator Result
x = y Equal
x & y Merge
x ?? y Coalesce
The following examples illustrate the above operators. Note that record merge uses the
fields from the right operand to override fields from the left operand, should there be an
overlap in field names.
Power Query M
[ a = 1, b = 2 ] & [ c = 3 ] // [ a = 1, b = 2, c = 3 ]
[ a = 1, b = 2 ] & [ a = 3 ] // [ a = 3, b = 2 ]
[ a = 1, b = 2 ] = [ b = 2, a = 1 ] // true
[ a = 1, b = 2, c = 3 ] <> [ a = 1, b = 2 ] // true
The native type of record values is the intrinsic type record , which specifies an open
empty list of fields.
Table
A table value is an ordered sequence of rows. A row is an ordered sequence of column
values. The table's type determines the length of all rows in the table, the names of the
table's columns, the types of the table's columns, and the structure of the table's keys (if
any).
Although there is no literal syntax for tables, several standard library functions are
provided to construct them. Tables may also be constructed using the intrinsic function
#table .
The following example constructs a table from a list of column names and a list of rows.
The resulting table will contain two columns of type any and three rows.
Power Query M
Power Query M
#table(
type table [Digit = number, Name = text],
{{1,"one"}, {2,"two"}, {3,"three"}}
)
Here the new table value has a table type that specifies column names and column
types.
Operator Result
x = y Equal
x & y Concatenation
x ?? y Coalesce
Table concatenation aligns like-named columns and fills in null for columns appearing
in only one of the operand tables. The following example illustrates table concatenation:
Power Query M
#table({"A","B"}, {{1,2}})
& #table({"B","C"}, {{3,4}})
A B C
1 2 null
null 3 4
The native type of table values is a custom table type (derived from the intrinsic type
table ) that lists the column names, specifies all column types to be any, and has no
Function
A function value is a value that maps a set of arguments to a single value. The details of
function values are described in Functions.
Type
A type value is a value that classifies other values. The details of type values are
described in Types.
Feedback
Was this page helpful? ツ Yes ト No
A type value is a value that classifies other values. A value that is classified by a type is
said to conform to that type. The M type system consists of the following kinds of types:
and also include a number of abstract types ( function , table , any , anynonnull
and none )
Record types, which classify record values based on field names and value types
List types, which classify lists using a single item base type
Function types, which classify function values based on the types of their
parameters and return values
Table types, which classify table values based on column names, column types, and
keys
Nullable types, which classifies the value null in addition to all the values classified
by a base type
The set of primitive types includes the types of primitive values, and a number of
abstract types, which are types that do not uniquely classify any values: function , table ,
any , anynonnull and none . All function values conform to the abstract type function , all
table values to the abstract type table , all values to the abstract type any , all non-null
values to the abstract type anynonnull , and no values to the abstract type none . An
expression of type none must raise an error or fail to terminate since no value could be
produced that conforms to type none . Note that the primitive types function and
table are abstract because no function or table is directly of those types, respectively.
The primitive types record and list are non-abstract because they represent an open
record with no defined fields and a list of type any, respectively.
All types that are not members of the closed set of primitive types plus their nullable
counterparts are collectively referred to as custom types. Custom types can be written
using a type-expression :
type-expression:
primary-expression
type primary-type
type:
primary-expression
primary-type
primary-type:
primitive-type
record-type
list-type
function-type
table-type
nullable-type
primitive-type: one of
any anynonnull binary date datetime datetimezone duration function list logical
The primitive-type names are contextual keywords recognized only in a type context. The
use of parentheses in a type context moves the grammar back to a regular expression
context, requiring the use of the type keyword to move back into a type context. For
example, to invoke a function in a type context, parentheses can be used:
Power Query M
Parentheses can also be used to access a variable whose name collides with a primitive-
type name:
Power Query M
Power Query M
type { number }
Similarly, the following example defines a custom type that classifies records with
mandatory fields named X and Y whose values are numbers:
Power Query M
The ascribed type of a value is obtained using the standard library function Value.Type,
as shown in the following examples:
Power Query M
The is operator is used to determine whether a value's type is compatible with a given
type, as shown in the following examples:
Power Query M
1 is number // true
1 is text // false
{2} is list // true
The as operator checks if the value is compatible with the given type, and raises an
error if it is not. Otherwise, it returns the original value.
Power Query M
Note that the is and as operators only accept nullable primitive types as their right
operand. M does not provide means to check values for conformance to custom types.
A type X is compatible with a type Y if and only if all values that conform to X also
conform to Y . All types are compatible with type any and no types (but none itself) are
compatible with type none . The following graph shows the compatibility relation. (Type
compatibility is reflexive and transitive. It forms a lattice with type any as the top and
type none as the bottom value.) The names of abstract types are set in italics.
The following operators are defined for type values:
Operator Result
x = y Equal
x ?? y Coalesce
Primitive Types
Types in the M language form a disjoint hierarchy rooted at type any , which is the type
that classifies all values. Any M value conforms to exactly one primitive subtype of any .
The closed set of primitive types deriving from type any are as follows:
Any Type
The type any is abstract, classifies all values in M, and all types in M are compatible with
any . Variables of type any can be bound to all possible values. Since any is abstract, it
List Types
Any value that is a list conforms to the intrinsic type list , which does not place any
restrictions on the items within a list value.
list-type:
{ item-type }
item-type:
type
The result of evaluating a list-type is a list type value whose base type is list .
The following examples illustrate the syntax for declaring homogeneous list types:
Power Query M
A value conforms to a list type if the value is a list and each item in that list value
conforms to the list type's item type.
The item type of a list type indicates a bound: all items of a conforming list conform to
the item type.
Record Types
Any value that is a record conforms to the intrinsic type record, which does not place
any restrictions on the field names or values within a record value. A record-type value is
used to restrict the set of valid names as well as the types of values that are permitted to
be associated with those names.
record-type:
[ open-record-marker ]
[ field-specification-listopt ]
[ field-specification-list , open-record-marker ]
field-specification-list:
field-specification
field-specification , field-specification-list
field-specification:
optional opt field-name field-type-specificationopt
field-type-specification:
= field-type
field-type:
type
open-record-marker:
...
The result of evaluating a record-type is a type value whose base type is record .
The following examples illustrate the syntax for declaring record types:
Power Query M
Record types are closed by default, meaning that additional fields not present in the
fieldspecification-list are not allowed to be present in conforming values. Including the
openrecord-marker in the record type declares the type to be open, which permits fields
not present in the field specification list. The following two expressions are equivalent:
Power Query M
A field name matching the specification's identifier exists in the record and the
associated value conforms to the specification's type
A conforming value may contain field names not listed in the field specification list if
and only if the record type is open.
Function Types
Any function value conforms to the primitive type function , which does not place any
restrictions on the types of the function's formal parameters or the function's return
value. A custom function-type value is used to place type restrictions on the signatures
of conformant function values.
function-type:
function ( parameter-specification-listopt ) function-return-type
parameter-specification-list:
required-parameter-specification-list
required-parameter-specification-list , optional-parameter-specification-list
optional-parameter-specification-list
required-parameter-specification-list:
required-parameter-specification
required-parameter-specification , required-parameter-specification-list
required-parameter-specification:
parameter-specification
optional-parameter-specification-list:
optional-parameter-specification
optional-parameter-specification , optional-parameter-specification-list
optional-parameter-specification:
optional parameter-specification
parameter-specification:
parameter-name parameter-type
function-return-type:
assertion
assertion:
as nullable-primitive-type
The result of evaluating a function-type is a type value whose base type is function .
The following examples illustrate the syntax for declaring function types:
Power Query M
A function value conforms to a function type if the return type of the function value is
compatible with the function type's return type and each parameter specification of the
function type is compatible to the positionally corresponding formal parameter of the
function. A parameter specification is compatible with a formal parameter if the
specified parameter-type type is compatible with the type of the formal parameter and
the parameter specification is optional if the formal parameter is optional.
Formal parameter names are ignored for the purposes of determining function type
conformance.
Table types
A table-type value is used to define the structure of a table value.
table-type:
table row-type
row-type:
[ field-specification-list ]
The result of evaluating a table-type is a type value whose base type is table .
The row type of a table specifies the column names and column types of the table as a
closed record type. So that all table values conform to the type table , its row type is
type record (the empty open record type). Thus, type table is abstract since no table
value can have type table 's row type (but all table values have a row type that is
compatible with type table 's row type). The following example shows the construction
of a table type:
Power Query M
type table [A = text, B = number, C = binary]
// a table type with three columns named A, B, and C
// of column types text, number, and binary, respectively
A table-type value also carries the definition of a table value's keys. A key is a set of
column names. At most one key can be designated as the table's primary key. (Within M,
table keys have no semantic meaning. However, it is common for external data sources,
such as databases or OData feeds, to define keys over tables. Power Query uses key
information to improve performance of advanced functionality, such as cross-source
join operations.)
Power Query M
Nullable types
For any type T , a nullable variant can be derived by using nullable-type:
nullable-type:
nullable type
The result is an abstract type that allows values of type T or the value null .
Power Query M
Ascription of type nullable T reduces to ascription of type null or type T. (Recall that
nullable types are abstract and no value can be directly of abstract type.)
Power Query M
Type.NonNullable(type any)
type anynonnull
type null
Type.NonNullable(type null)
type none
Type.NonNullable(Type.NonNullable(type T))
Type.NonNullable(type T)
Type.NonNullable(type nullable T)
Type.NonNullable(type T)
type nullable T
A value may be ascribed a type using the library function Value.ReplaceType . This
function either returns a new value with the type ascribed or raises an error if the new
type is incompatible with the value.
When a value is ascribed a type, only a limited conformance check occurs:
The type being ascribed must be non-abstract, non-nullable, and compatible with
the value's intrinsic (native) primitive-type.
When a custom type that defines structure is ascribed, it must match the structure
of the value.
For records: The type must be closed, must define the same number of fields as
the value, and must not contain any optional fields. (The type's field names and
field types will replace those currently associated with the record. However,
existing field values will not be checked against the new field types.)
For tables: The type must define the same number of columns as the value. (The
type's column names and column types will replace those currently associated
with the table. However, existing column values will not be checked against the
new column types.)
For functions: The type must define the same number of required parameters,
as well as the same number of optional parameters, as the value. (The type's
parameter and return assertions, as well as its parameter names, will replace
those associated with the function value's current type. However, the new
assertions will have no effect on the actual behavior of the function.)
For lists: The value must be a list. (However, existing list items will not be
checked against the new item type.)
Library functions may choose to compute and ascribe complex types to results based on
the ascribed types of the input values.
The ascribed type of a value may be obtained using the library function Value.Type . For
example:
Power Query M
Compatibility between a given type and a nullable primitive type can be determined
using the library function Type.Is , which accepts an arbitrary type value as its first and a
nullable primitive type value as its second argument:
Power Query M
The standard library does include a collection of functions to extract the defining
characteristics from a custom type, so specific compatibility tests can be implemented as
M expressions. Below are some examples; consult the M library specification for full
details.
Power Query M
Feedback
Was this page helpful? ツ Yes ト No
Operator precedence
When an expression contains multiple operators, the precedence of the operators
controls the order in which the individual operators are evaluated. For example, the
expression x + y * z is evaluated as x + (y * z) because the * operator has higher
precedence than the binary + operator. The precedence of an operator is established by
the definition of its associated grammar production. For example, an additive-expression
consists of a sequence of multiplicative-expression's separated by + or - operators, thus
giving the + and - operators lower precedence than the * and / operators.
parenthesized-expression:
( expression )
For example:
Power Query M
1 + 2 * 3 // 7
(1 + 2) * 3 // 9
The following table summarizes the M operators, listing the operator categories in order
of precedence from highest to lowest. Operators in the same category have equal
precedence.
x[i] Lookup
Unary +x Identity
-x Negation
x/y Division
x-y Subtraction
A metadata record is just a regular record and can contain any fields and values that a
regular record can, and itself has a metadata record. Associating a metadata record with
a value is "non-intrusive". It does not change the value's behavior in evaluations except
for those that explicitly inspect metadata records.
Every value has a default metadata record, even if one has not been specified. The
default metadata record is empty. The following examples show accessing the metadata
record of a text value using the Value.Metadata standard library function:
Power Query M
Value.Metadata( "Mozart" ) // []
Metadata records are generally not preserved when a value is used with an operator or
function that constructs a new value. For example, if two text values are concatenated
using the & operator, the metadata of the resulting text value is the empty record [] .
The following expressions are equivalent:
Power Query M
The only operator that returns results that carry metadata is the meta operator.
Power Query M
Power Query M
[A=B, B=A]
// [A = Error.Record("Expression.Error",
// "A cyclic reference was encountered during evaluation"),
// B = Error.Record("Expression.Error",
// "A cyclic reference was encountered during evaluation"),
// ]
For non-cyclic values, applying structural recursion yields a finite expansion of the value:
shared nested values will be traversed repeatedly, but the process of recursion always
terminates.
A cyclic value has an infinite expansion when applying structural recursion. The
semantics of M makes no special accommodations for such infinite expansions—an
attempt to compare cyclic values for equality, for instance, will typically run out of
resources and terminate exceptionally.
Item Access
A value may be selected from a list or table based on its zero-based position within that
list or table using an item-access-expression.
item-access-expression:
item-selection
optional-item-selection
item-selection:
primary-expression { item-selector }
optional-item-selection:
primary-expression { item-selector } ?
item-selector:
expression
For a list x and a number y , the item of list x at position y . The first item of a list
is considered to have an ordinal index of zero. If the requested position does not
exist in the list, an error is raised.
For a table x and a number y , the row of table x at position y . The first row of a
table is considered to have an ordinal index of zero. If the requested position does
not exist in the table, an error is raised.
For a table x and a record y , the row of table x that matches the field values of
record y for fields with field names that match corresponding table-column
names. If there is no unique matching row in the table, an error is raised.
For example:
Power Query M
{"a","b","c"}{0} // "a"
{1, [A=2], 3}{1} // [A=2]
{true, false}{2} // error
#table({"A","B"},{{0,1},{2,1}}){0} // [A=0,B=1]
#table({"A","B"},{{0,1},{2,1}}){[A=2]} // [A=2,B=1]
#table({"A","B"},{{0,1},{2,1}}){[B=3]} // error
#table({"A","B"},{{0,1},{2,1}}){[B=1]} // error
The item-access-expression also supports the form x{y}? , which returns null when
position (or match) y does not exist in list or table x . If there are multiple matches for
y , an error is still raised.
For example:
Power Query M
{"a","b","c"}{0}? // "a"
{1, [A=2], 3}{1}? // [A=2]
{true, false}{2}? // null
#table({"A","B"},{{0,1},{2,1}}){0}? // [A=0,B=1]
#table({"A","B"},{{0,1},{2,1}}){[A=2]}? // [A=2,B=1]
#table({"A","B"},{{0,1},{2,1}}){[B=3]}? // null
#table({"A","B"},{{0,1},{2,1}}){[B=1]}? // error
Item access does not force the evaluation of list or table items other than the one being
accessed. For example:
Power Query M
The following holds when the item access operator x{y} is evaluated:
If y produces a number value and the value of y is negative, an error with reason
code "Expression.Error" is raised.
If y produces a number value and the value of y is greater than or equal to the
count of x , an error with reason code "Expression.Error" is raised unless the
optional operator form x{y}? is used, in which case the value null is returned.
If x produces a table value and y produces a record value and there are no
matches for y in x , an error with reason code "Expression.Error" is raised unless
the optional operator form x{y}? is used, in which case the value null is returned.
If x produces a table value and y produces a record value and there are multiple
matches for y in x , an error with reason code "Expression.Error" is raised.
No items in x other than that at position y is evaluated during the process of item
selection. (For streaming lists or tables, the items or rows preceding that at position y
are skipped over, which may cause their evaluation, depending on the source of the list
or table.)
Field Access
The field-access-expression is used to select a value from a record or to project a record
or table to one with fewer fields or columns, respectively.
field-access-expression:
field-selection
implicit-target-field-selection
projection
implicit-target-projection
field-selection:
primary-expression field-selector
field-selector:
required-field-selector
optional-field-selector
required-field-selector:
[ field-name ]
optional-field-selector:
[ field-name ] ?
field-name:
generalized-identifier
quoted-identifier
implicit-target-field-selection:
field-selector
projection:
primary-expression required-projection
primary-expression optional-projection
required-projection:
[ required-selector-list ]
optional-projection:
[ required-selector-list ] ?
required-selector-list:
required-field-selector
required-selector-list , required-field-selector
implicit-target-projection:
required-projection
optional-projection
The simplest form of field access is required field selection. It uses the operator x[y] to
look up a field in a record by field name. If the field y does not exist in x , an error is
raised. The form x[y]? is used to perform optional field selection, and returns null if
the requested field does not exist in the record.
For example:
Power Query M
[A=1,B=2][B] // 2
[A=1,B=2][C] // error
[A=1,B=2][C]? // null
Collective access of multiple fields is supported by the operators for required record
projection and optional record projection. The operator x[[y1],[y2],...] projects the
record to a new record with fewer fields (selected by y1 , y2 , ... ). If a selected field
does not exist, an error is raised. The operator x[[y1],[y2],...] projects the record to a
new record with the fields selected by y1 , y2 , ... ; if a field is missing, null is used
instead. For example:
Power Query M
[A=1,B=2][[B]] // [B=2]
[A=1,B=2][[C]] // error
[A=1,B=2][[B],[C]]? // [B=2,C=null]
The forms [y] and [y]? are supported as a shorthand reference to the identifier _
(underscore). The following two expressions are equivalent:
Power Query M
[A]
_[A]
Power Query M
The form [[y1],[y2],...] and [[y1],[y2],...]? are also supported as a shorthand and
the following two expressions are likewise equivalent:
Power Query M
[[A],[B]]
_[[A],[B]]
The shorthand form is particularly useful in combination with the each shorthand, a way
to introduce a function of a single parameter named _ (for details, see Simplified
declarations. Together, the two shorthands simplify common higher-order functional
expressions:
Power Query M
List.Select( {[a=1, b=1], [a=2, b=4]}, each [a] = [b])
// {[a=1, b=1]}
The above expression is equivalent to the following more cryptic looking longhand:
Power Query M
Field access does not force the evaluation of fields other than the one(s) being accessed.
For example:
Power Query M
The following holds when a field access operator x[y] , x[y]? , x[[y]] , or x[[y]]? is
evaluated:
Errors raised when evaluating field y are permanently associated with field y , then
propagated. Any future access to field y will raise the identical error.
If the identifier y names a field that does not exist in x , an error with reason code
"Expression.Error" is raised unless the optional operator form ...? is used, in
which case the value null is returned.
No fields of x other than that named by y is evaluated during the process of field
access.
Metadata operator
The metadata record for a value is amended using the meta operator ( x meta y ).
metadata-expression:
unary-expression
unary-expression meta unary-expression
The following example constructs a text value with a metadata record using the meta
operator and then accesses the metadata record of the resulting value using
Value.Metadata :
Power Query M
The following holds when applying the metadata combining operator x meta y :
The resulting metadata record is x 's metadata record merged with y . (For the
semantics of record merge, see Record merge.)
The resulting value is the value from the x expression, without its metadata, with
the newly computed metadata record attached.
Power Query M
x meta y
Value.ReplaceMetadata(x, Value.Metadata(x) & y)
Value.RemoveMetadata(x) meta (Value.Metadata(x) & y)
Equality operators
The equality operator = is used to determine if two values are equal. The inequality
operator <> is used to determine if two values are not equal.
equality-expression:
relational-expression
relational-expression = equality-expression
relational-expression <> equality-expression
For example:
Power Query M
1 = 1 // true
1 = 2 // false
1 <> 1 // false
1 <> 2 // true
null = true // false
null = null // true
Power Query M
The following holds when applying the equality operators x = y and x <> y :
The = operator has a result of true if the values are equal, and false otherwise.
The <> operator has a result of false if the values are equal, and true otherwise.
If values produced by evaluating the x and y expressions are not the same kind of
value, then the values are not equal.
If the values produced by evaluating the x and y expression are the same kind of
value, then there are specific rules for determining if they are equal, as defined
below.
Power Query M
(x = y) = not (x <> y)
Power Query M
The logical values true and false are only equal to themselves. For example:
Power Query M
If either number is #nan , then the numbers are not the same.
When neither number is #nan , then the numbers are compared using a bit-wise
comparison of the numeric value.
For example:
Power Query M
1 = 1, // true
1.0 = 1 // true
2 = 1 // false
#nan = #nan // false
#nan <> #nan // true
Two durations are equal if they represent the same number of 100-nanosecond
ticks.
Two times are equal if the magnitudes of their parts (hour, minute, second) are
equal.
Two dates are equal if the magnitudes of their parts (year, month, day) are equal.
Two datetimes are equal if the magnitudes of their parts (year, month, day, hour,
minute, second) are equal.
Two datetimezones are equal if the corresponding UTC datetimes are equal. To
arrive at the corresponding UTC datetime, the hours/minutes offset is subtracted
from the datetime component of the datetimezone.
Two list values are equal if all of the following are true:
The values of each positionally corresponding item in the lists are equal. This
means that not only do the lists need to contain equal items, the items need to
be in the same order.
For example:
Power Query M
Each field name of one record is also present in the other record.
The value of each field of one record is equal to the like-named field in the
other record.
For example:
Power Query M
[ A = 1, B = 2 ] = [ A = 1, B = 2 ] // true
[ B = 2, A = 1 ] = [ A = 1, B = 2 ] // true
[ A = 1, B = 2, C = 3 ] = [ A = 1, B = 2 ] // false
[ A = 1 ] = [ A = 1, B = 2 ] // false
Each column name in one table is also present in the other table.
The number of rows is the same.
For example:
Power Query M
A function value is equal to itself, but may or may not be equal to another function
value. If two function values are considered equal, then they will behave identically
when invoked.
Two given function values will always have the same equality relationship.
A type value is equal to itself, but may or may not be equal to another type value.
If two type values are considered equal, then they will behave identically when
queried for conformance.
Two given type values will always have the same equality relationship.
Relational operators
The < , > , <= , and >= operators are called the relational operators.
relational-expression:
additive-expression
additive-expression < relational-expression
additive-expression > relational-expression
additive-expression <= _relational-expression
additive-expression >= relational-expression
These operators are used to determine the relative ordering relationship between two
values, as shown in the following table:
Operation Result
For example:
Power Query M
0 <= 1 // true
null < 1 // null
null <= null // null
"ab" < "abc" // true
#nan >= #nan // false
#nan <= #nan // false
The following holds when evaluating an expression containing the relational operators:
Both operands must be the same kind of value or null . Otherwise, an error with
reason code "Expression.Error" is raised.
If either or both operands are null , the result is the null value.
Two dates are compared by comparing their year parts and, if equal, their month
parts and, if equal, their day parts.
Two datetimes are compared by comparing their year parts and, if equal, their
month parts and, if equal, their day parts and, if equal, their hour parts and, if
equal, their minute parts and, if equal, their second parts.
Two logicals are compared such that true is considered to be greater than false .
Two numbers x and y are compared according to the rules of the IEEE 754
standard:
If either operand is #nan , the result is false for all relational operators.
When neither operand is #nan , the operators compare the values of the two
floatingpoint operands with respect to the ordering -∞ < -max < ... < -min <
-0.0 = +0.0 < +min < ... < +max < +∞ where min and max are the smallest and
largest positive finite values that can be represented. The M names for -∞ and
+∞ are -#infinity and #infinity .
A -#infinity value is considered less than all other number values, but equal
to another -#infinity .
A #infinity value is considered greater than all other number values, but
equal to another #infinity .
Two times are compared by comparing their hour parts and, if equal, their minute
parts and, if equal, their second parts.
logical-or-expression:
logical-and-expression
logical-and-expression or logical-or-expression
logical-and-expression:
is-expression
is-expression and logical-and-expression
The or operator returns true when at least one of its operands is true . The right
operand is evaluated if and only if the left operand is not true .
The and operator returns false when at least one of its operands is false . The right
operand is evaluated if and only if the left operand is not false .
Truth tables for the or and and operators are shown below, with the result of evaluating
the left operand expression on the vertical axis and the result of evaluating the right
operand expression on the horizontal axis.
The conditional logical operators are defined over the types logical and null . If
the operand values are not of those types, an error with reason code
"Expression.Error" is raised.
In the expression x and y , the expression y will be evaluated if and only if x does
not evaluate to false .
The last two properties give the conditional logical operators their "conditional"
qualification; properties also referred to as "short-circuiting". These properties are useful
to write compact guarded predicates. For example, the following expressions are
equivalent:
Power Query M
d <> 0 and n/d > 1 if d <> 0 then n/d > 1 else false
Arithmetic Operators
The + , - , * and / operators are the arithmetic operators.
additive-expression:
multiplicative-expression
additive-expression + multiplicative-expression
additive-expression - multiplicative-expression
multiplicative-expression:
metadata- expression
multiplicative-expression * metadata-expression
multiplicative-expression / metadata-expression
Precision
Numbers in M are stored using a variety of representations to retain as much
information as possible about numbers coming from a variety of sources. Numbers are
only converted from one representation to another as needed by operators applied to
them. Two precisions are supported in M:
Precision Semantics
Precision.Decimal 128-bit decimal representation with a range of ±1.0 x 10-28 to ±7.9 x 1028
and 28-29 significant digits.
Precision.Double Scientific representation using mantissa and exponent; conforms to the 64-
bit binary double-precision IEEE 754 arithmetic standard IEEE 754-2008 .
The IEEE 754 special value #nan (NaN—Not a Number) is used to cover
arithmetically invalid cases, such as a division of zero by zero.
Addition operator
The interpretation of the addition operator ( x + y ) is dependent on the kind of value of
the evaluated expressions x and y, as follows:
x y Result Interpretation
In the table, type datetime stands for any of type date , type datetime , type
datetimezone , or type time . When adding a duration and a value of some type datetime,
Numeric sum
The sum of two numbers is computed using the addition operator, producing a number.
For example:
Power Query M
1 + 1 // 2
#nan + #infinity // #nan
The addition operator + over numbers uses Double Precision; the standard library
function Value.Add can be used to specify Decimal Precision. The following holds when
computing a sum of numbers:
The sum in Double Precision is computed according to the rules of 64-bit binary
doubleprecision IEEE 754 arithmetic IEEE 754-2008 . The following table lists the
results of all possible combinations of nonzero finite values, zeros, infinities, and
NaN's. In the table, x and y are nonzero finite values, and z is the result of x + y .
If x and y have the same magnitude but opposite signs, z is positive zero. If x +
y is too large to be represented in the destination type, z is an infinity with the
same sign as x + y .
+ y +0 -0 +∞ -∞ NaN
x z x x +∞ -∞ NaN
+0 y +0 +0 +∞ -∞ NaN
-0 y +0 -0 +∞ -∞ NaN
+∞ +∞ +∞ +∞ +∞ NaN NaN
-∞ -∞ -∞ -∞ NaN -∞ NaN
The sum in Decimal Precision is computed without losing precision. The scale of
the result is the larger of the scales of the two operands.
Sum of durations
The sum of two durations is the duration representing the sum of the number of
100nanosecond ticks represented by the durations. For example:
Power Query M
#duration(2,1,0,15.1) + #duration(0,1,30,45.3)
// #duration(2, 2, 31, 0.4)
If the datetime's days since epoch value is specified, construct a new datetime with
the following information elements:
If the datetime's days since epoch value is unspecified, construct a new datetime
with the following information elements specified:
Copy x's values for days since epoch and minutes offset from UTC unchanged.
The following examples show calculating the absolute temporal sum when the datetime
specifies the days since epoch:
Power Query M
#date(2010,05,20) + #duration(0,8,0,0)
//#datetime( 2010, 5, 20, 8, 0, 0 )
//2010-05-20T08:00:00
#date(2010,01,31) + #duration(30,08,0,0)
//#datetime(2010, 3, 2, 8, 0, 0)
//2010-03-02T08:00:00
#datetime(2010,05,20,12,00,00,-08) + #duration(0,04,30,00)
//#datetime(2010, 5, 20, 16, 30, 0, -8, 0)
//2010-05-20T16:30:00-08:00
#datetime(2010,10,10,0,0,0,0) + #duration(1,0,0,0)
//#datetime(2010, 10, 11, 0, 0, 0, 0, 0)
//2010-10-11T00:00:00+00:00
The following example shows calculating the datetime offset by duration for a given
time:
Power Query M
#time(8,0,0) + #duration(30,5,0,0)
//#time(13, 0, 0)
//13:00:00
Subtraction operator
The interpretation of the subtraction operator ( x - y ) is dependent on the kind of the
value of the evaluated expressions x and y , as follows:
x Y Result Interpretation
type datetime type duration type datetime Datetime offset by negated duration
In the table, type datetime stands for any of type date , type datetime , type
datetimezone , or type time . When subtracting a duration from a value of some type
For other combinations of values than those listed in the table, an error with reason
code "Expression.Error" is raised. Each combination is covered in the following
sections.
Numeric difference
The difference between two numbers is computed using the subtraction operator,
producing a number. For example:
Power Query M
1 - 1 // 0
#nan - #infinity // #nan
The subtraction operator - over numbers uses Double Precision; the standard library
function Value.Subtract can be used to specify Decimal Precision. The following holds
when computing a difference of numbers:
- y +0 -0 +∞ -∞ NaN
x z x x -∞ +∞ NaN
+0 -y +0 +0 -∞ +∞ NaN
- y +0 -0 +∞ -∞ NaN
-0 -y -0 +0 -∞ +∞ NaN
+∞ +∞ +∞ +∞ NaN +∞ NaN
-∞ -∞ -∞ -∞ -∞ NaN NaN
The difference in Decimal Precision is computed without losing precision. The scale
of the result is the larger of the scales of the two operands.
Difference of durations
The difference of two durations is the duration representing the difference between the
number of 100-nanosecond ticks represented by each duration. For example:
Power Query M
#duration(1,2,30,0) - #duration(0,0,0,30.45)
// #duration(1, 2, 29, 29.55)
Power Query M
#date(2010,05,20) - #duration(00,08,00,00)
//#datetime(2010, 5, 19, 16, 0, 0)
//2010-05-19T16:00:00
#date(2010,01,31) - #duration( 30,08,00,00)
//#datetime(2009, 12, 31, 16, 0, 0)
//2009-12-31T16:00:00
Power Query M
#date(2010,01,31) - #date(2010,01,15)
// #duration(16,00,00,00)
// 16.00:00:00
#date(2010,01,15)- #date(2010,01,31)
// #duration(-16,00,00,00)
// -16.00:00:00
#datetime(2010,05,20,16,06,00,-08,00) -
#datetime(2008,12,15,04,19,19,03,00)
// #duration(521,22,46,41)
// 521.22:46:41
Power Query M
#time(01,30,00) - #time(08,00,00)
// #duration(0, -6, -30, 0)
u + (t - u) = t
Multiplication operator
The interpretation of the multiplication operator ( x * y ) is dependent on the kind of
value of the evaluated expressions x and y, as follows:
X Y Result Interpretation
For other combinations of values than those listed in the table, an error with reason
code "Expression.Error" is raised. Each combination is covered in the following
sections.
Numeric product
The product of two numbers is computed using the multiplication operator, producing a
number. For example:
Power Query M
2 * 4 // 8
6 * null // null
#nan * #infinity // #nan
The multiplication operator * over numbers uses Double Precision; the standard library
function Value.Multiply can be used to specify Decimal Precision. The following holds
when computing a product of numbers:
* +y -y +0 -0 +∞ -∞ NaN
+x +z -z +0 -0 +∞ -∞ NaN
-x -z +z -0 +0 -∞ +∞ NaN
The product in Decimal Precision is computed without losing precision. The scale
of the result is the larger of the scales of the two operands.
Multiples of durations
The product of a duration and a number is the duration representing the number of
100nanosecond ticks represented by the duration operand times the number operand.
For example:
Power Query M
#duration(2,1,0,15.1) * 2
// #duration(4, 2, 0, 30.2)
Division operator
The interpretation of the division operator ( x / y ) is dependent on the kind of value of
the evaluated expressions x and y , as follows:
X Y Result Interpretation
For other combinations of values than those listed in the table, an error with reason
code "Expression.Error" is raised. Each combination is covered in the following
sections.
Errors raised when evaluating either operand are propagated.
Numeric quotient
The quotient of two numbers is computed using the division operator, producing a
number. For example:
Power Query M
8 / 2 // 4
8 / 0 // #infinity
0 / 0 // #nan
0 / null // null
#nan / #infinity // #nan
The division operator / over numbers uses Double Precision; the standard library
function Value.Divide can be used to specify Decimal Precision. The following holds
when computing a quotient of numbers:
/ +y -y +0 -0 +∞ -∞ NaN
+x +z -z +∞ -∞ +0 -0 NaN
-x -z +z -∞ +∞ -0 +0 NaN
The sum in Decimal Precision is computed without losing precision. The scale of
the result is the larger of the scales of the two operands.
Quotient of durations
The quotient of two durations is the number representing the quotient of the number of
100nanosecond ticks represented by the durations. For example:
Power Query M
#duration(2,0,0,0) / #duration(0,1,30,0)
// 32
Scaled durations
The quotient of a duration x and a number y is the duration representing the quotient
of the number of 100-nanosecond ticks represented by the duration x and the number
y . For example:
Power Query M
#duration(2,0,0,0) / 32
// #duration(0,1,30,0)
Structure Combination
The combination operator ( x & y ) is defined over the following kinds of values:
X Y Result Interpretation
Power Query M
Power Query M
The result of concatenating two text values is a text value that contains the value of
x immediately followed by y. If either of the operands is null and the other is a text
value, the result is null.
The result of concatenating two lists is a list that contains all the items of x
followed by all the items of y .
The result of concatenating two tables is a table that has the union of the two
operand table's columns. The column ordering of x is preserved, followed by the
columns only appearing in y , preserving their relative ordering. For columns
appearing only in one of the operands, null is used to fill in cell values for the
other operand.
Merge
Record merge
Two records can be merged using x & y , producing a record that includes fields from
both x and y .
[ x = 1 ] & [ y = 2 ] // [ x = 1, y = 2 ]
[ x = 1, y = 2 ] & [ x = 3, z = 4 ] // [ x = 3, y = 2, z = 4 ]
The order of the fields in the resulting record is that of x , followed by fields in y
that are not part of x , in the same order that they appear in y .
Date-time merge
A date x can be merged with a time y using x & y , producing a datetime that
combines the parts from both x and y .
Power Query M
Unary operators
The + , - , and not operators are unary operators.
unary-expression:
type-expression
+ unary expression
- unary expression
not unary expression
X Result Interpretation
null `null
The unary plus operator allows a + sign to be applied to a number, datetime, or null
value. The result is that same value. For example:
Power Query M
+ - 1 // -1
+ + 1 // 1
+ #nan // #nan
+ #duration(0,1,30,0) // #duration(0,1,30,0)
If the result of evaluating x is not a number value, then an error with reason code
"Expression.Error" is raised.
X Result Interpretation
null null
The unary minus operator is used to change the sign of a number or duration. For
example:
Power Query M
- (1 + 1) // -2
- - 1 // 1
- - - 1 // -1
- #nan // #nan
- #infinity // -#infinity
- #duration(1,0,0,0) // #duration(-1,0,0,0)
- #duration(0,1,30,0) // #duration(0,-1,-30,0)
If the expression is a number, then the result is the number value from expression
x with its sign changed. If the value is NaN, then the result is also NaN.
X Result Interpretation
null null
This operator computes the logical not operation on a given logical value. For example:
Power Query M
The following holds when evaluating the logical negation operator not x :
Errors raised when evaluating x are propagated.
Type operators
The operators is and as are known as the type operators.
X Y Result
The expression x is y returns true if the ascribed type of x is compatible with y , and
returns false if the ascribed type of x is incompatible with y . y must be a nullable-
primitivetype.
is-expression:
as-expression
is-expression is nullable-primitive-type
nullable-primitive-type:
nullable opt primitive-type
If x is null then it is compatible if y is the type any , the type null , or a nullable
type.
X Y Result
The expression x as y asserts that the value x is compatible with y as per the is
operator. If it is not compatible, an error is raised. y must be a nullable-primitive-type.
as-expression:
equality-expression
as-expression as nullable-primitive-type
Examples:
Power Query M
1 as number // 1
"A" as number // error
null as nullable number // null
Coalesce operator
The coalesce operator ?? returns the result of its left operand if it is not null, otherwise
it will return the result of its right operand. The right operand is evaluated if and only if
the left operand is null.
Feedback
Was this page helpful? ツ Yes ト No
Let expression
A let expression can be used to capture a value from an intermediate calculation in a
variable.
let-expression:
let variable-list in expression
variable-list:
variable
variable , variable-list
variable:
variable-name = expression
variable-name:
identifier
The following example shows intermediate results being calculated and stored in
variables x , y , and z which are then used in a subsequent calculation x + y + z :
Power Query M
let x = 1 + 1,
y = 2 + 2,
z = y + 1
in
x + y + z
Power Query M
11 // (1 + 1) + (2 + 2) + (2 + 2 + 1)
The expressions in the variable list define a new scope containing the identifiers
from the variable-list production and must be present when evaluating the
expressions within the variable-list productions. Expressions within the variable-list
may refer to one-another.
The expressions within the variable-list must be evaluated before the expression in
the let-expression is evaluated.
Unless the expressions in the variable-list are accessed, they must not be
evaluated.
Errors that are raised during the evaluation of the expressions in the let-expression
are propagated.
A let expression can be seen as syntactic sugar over an implicit record expression. The
following expression is equivalent to the example above:
Power Query M
[ x = 1 + 1,
y = 2 + 2,
z = y + 1,
result = x + y + z
][result]
Feedback
Was this page helpful? ツ Yes ト No
The if-expression selects from two expressions based on the value of a logical input
value and evaluates only the selected expression.
if-expression:
if if-condition then true-expression else false-expression
if-condition:
expression
true-expression:
expression
false-expression:
expression
Power Query M
If the value produced by evaluating the if-condition is not a logical value, then an
error with reason code "Expression.Error" is raised.
The true-expression is only evaluated if the if-condition evaluates to the value true .
The result of the if-expression is the value of the true-expression if the if-condition is
true , and the value of the false-expression if the if-condition is false .
Feedback
Was this page helpful? ツ Yes ト No
Get help at Microsoft Q&A
Functions
Article • 07/07/2023
Writing functions
Functions are written using a function-expression:
function-expression:
( parameter-listopt ) function-return-typeopt => function-body
function-body:
expression
parameter-list:
fixed-parameter-list
fixed-parameter-list , optional-parameter-list
optional-parameter-list
fixed-parameter-list:
parameter
parameter , fixed-parameter-list
parameter:
parameter-name parameter-typeopt
parameter-name:
identifier
parameter-type:
assertion
function-return-type:
assertion
assertion:
as nullable-primiitve-type
optional-parameter-list:
optional-parameter
optional-parameter , optional-parameter-list
optional-parameter:
optional parameter
nullable-primitve-type
nullable opt primitive-type
The following is an example of a function that requires exactly two values x and y , and
produces the result of applying the + operator to those values. The x and y are
parameters that are part of the parameter-list of the function, and the x + y is the
function-body:
Power Query M
(x, y) => x + y
Power Query M
Operator Result
x = y Equal
The native type of function values is a custom function type (derived from the intrinsic
type function ) that lists the parameter names and specifies all parameter types and the
return type to be any . (Go to Function types for details on function types.)
Invoking functions
The function-body of a function is executed by invoking the function value using an
invoke-expression. Invoking a function value means the function-body of the function
value is evaluated and a value is returned or an error is raised.
invoke-expression:
primary-expression ( argument-listopt )
argument-list:
expression-list
Each time a function value is invoked, a set of values are specified as an argument-list,
called the arguments to the function.
Power Query M
[
MyFunction = (x, y, z) => x + y + z,
Result1 = MyFunction(1, 2, 3) // 6
]
Parameters.
Parameters
There are two kinds of parameters that may be present in a parameter-list:
Power Query M
[
MyFunction = (x, y) => x + y,
Power Query M
[
MyFunction = (x, optional y) =>
if (y = null) x else x + y,
Result1 = MyFunction(1), // 1
Result2 = MyFunction(1, null), // 1
Result3 = MyFunction(2, 2), // 4
]
The number of arguments that are specified when a function is invoked must be
compatible with the parameter list. Compatibility of a set of arguments A for a function
F is computed as follows:
Let the value N represent the number of arguments A constructed from the
argument-list. For example:
Power Query M
MyFunction() // N = 0
MyFunction(1) // N = 1
MyFunction(null) // N = 1
MyFunction(null, 2) // N = 2
MyFunction(1, 2, 3) // N = 3
MyFunction(1, 2, null) // N = 3
MyFunction(1, 2, {3, 4}) // N = 3
Let the value Required represent the number of fixed parameters of F and
Optional the number of optional parameters of F . For example:
Power Query M
() // Required = 0, Optional = 0
(x) // Required = 1, Optional = 0
(optional x) // Required = 0, Optional = 1
(x, optional y) // Required = 1, Optional = 1
If the function has a declared return type, then the result value of the body of
function F is compatible with F 's return type if the following is true:
The value yielded by evaluating the function body with the supplied arguments
for the function parameters has a type that is compatible with the return type.
If the function body yields a value incompatible with the function's return type, an
error with reason code "Expression.Error" is raised.
Recursive functions
In order to write a function value that is recursive, it is necessary to use the scoping
operator ( @ ) to reference the function within its scope. For example, the following
record contains a field that defines the Factorial function, and another field that
invokes it:
Power Query M
[
Factorial = (x) =>
if x = 0 then 1 else x * @Factorial(x - 1),
Result = Factorial(3) // 6
]
Similarly, mutually recursive functions can be written as long as each function that needs
to be accessed has a name. In the following example, part of the Factorial function has
been refactored into a second Factorial2 function.
Power Query M
[
Factorial = (x) => if x = 0 then 1 else Factorial2(x),
Factorial2 = (x) => x * Factorial(x - 1),
Result = Factorial(3) // 6
]
Closures
A function can return another function as a value. This function can in turn depend on
one or more parameters to the original function. In the following example, the function
associated with the field MyFunction returns a function that returns the parameter
specified to it:
Power Query M
[
MyFunction = (x) => () => x,
MyFunction1 = MyFunction(1),
MyFunction2 = MyFunction(2),
Result = MyFunction1() + MyFunction2() // 3
]
Each time the function is invoked, a new function value will be returned that maintains
the value of the parameter so that when it is invoked, the parameter value will be
returned.
Power Query M
[
A =
[
MyFunction = () => C,
C = 1
],
B = A[MyFunction]() // 1
]
When MyFunction is invoked, it accesses the value of the variable C , even though it is
being invoked from an environment ( B ) that does not contain a variable C .
Simplified declarations
The each-expression is a syntactic shorthand for declaring untyped functions taking a
single parameter named _ (underscore).
each-expression:
each each-expression-body
each-expression-body:
function-body
Power Query M
each _ + 1
(_) => _ + 1
each [A]
(_) => _[A]
Feedback
Was this page helpful? ツ Yes ト No
An error is raised, indicating the process of evaluating the expression could not
produce a value. An error contains a single record value that can be used to
provide additional information about what caused the incomplete evaluation.
Errors can be raised from within an expression, and can be handled from within an
expression.
Raising errors
The syntax for raising an error is as follows:
error-raising-expression:
error expression
Text values can be used as shorthand for error values. For example:
Power Query M
Full error values are records and can be constructed using the Error.Record function:
Power Query M
Power Query M
error [
Reason = "FileNotFound",
Message = "File my.txt not found",
Detail = "my.txt"
]
Raising an error will cause the current expression evaluation to stop, and the expression
evaluation stack will unwind until one of the following occurs:
The top-level expression is reached. In this case, the result of evaluating the top-
level expression is an error instead of a value.
A try expression is reached. In this case, the error is captured and returned as a
value.
Handling errors
An error-handling-expression (informally known as a "try expression") is used to handle
an error:
error-handling-expression:
try protected-expression error-handleropt
protected-expression:
expression
error-handler:
otherwise-clause
catch-clause
otherwise-clause:
otherwise default-expression
default-expression:
expression
catch-clause:
catch catch-function
catch-function:
( parameter-nameopt ) => function-body
Power Query M
If the evaluation of the protected-expression raises an error value e, the result of the
error-handling-expression is a record of the following form:
Power Query M
The error-handler must be evaluated if and only if the evaluation of the protected-
expression raises an error.
Power Query M
let
x = try "A"
in
if x[HasError] then x[Error] else x[Value]
// "A"
The following example shows raising an error and then handling it:
Power Query M
let
x = try error "A"
in
if x[HasError] then x[Error] else x[Value]
// [ Reason = "Expression.Error", Message = "A", Detail = null ]
The preceding example can be rewritten with less syntax by using a catch-clause with a
catch-function that accepts a parameter:
Power Query M
let
x = try error "A" catch (e) => e
in
x
// [ Reason = "Expression.Error", Message = "A", Detail = null ]
Power Query M
Power Query M
If the error-handler also raises an error, then so does the entire try expression:
Power Query M
Power Query M
Power Query M
try error "A" catch (e) => error "B"
// error with message "B"
Power Query M
[
A = error "A",
B = A + 1,
C = let x =
try A in
if not x[HasError] then x[Value]
else x[Error],
D = 1 + 1
]
Power Query M
[
A = // error with message "A"
B = // error with message "A"
C = "A",
D = 2
]
Error handling in M should be performed close to the cause of errors to deal with the
effects of lazy field initialization and deferred closure evaluations. The following example
shows an unsuccessful attempt at handling an error using a try expression:
Power Query M
let
f = (x) => [ a = error "bad", b = x ],
g = try f(42) otherwise 123
in
g[a] // error "bad"
In this example, the definition g was meant to handle the error raised when calling f .
However, the error is raised by a field initializer that only runs when needed and thus
after the record was returned from f and passed through the try expression.
Power Query M
(x, y) =>
if x > y then
x - y
else
error Error.Record("Expression.Error",
"Not Implemented")
not-implemented-expression:
...
Power Query M
Feedback
Was this page helpful? ツ Yes ト No
section-document:
section
section:
literal-attributesopt section section-name ; section-membersopt
section-name:
identifier
section-members:
section-member section-membersopt
section-member:
literal-attributesopt shared opt section-member-name = expression ;
section-member-name:
identifier
Power Query M
section Section1;
A = 1; //1
B = 2; //2
C = A + B; //3
Section member expressions may refer to section members located in other sections by
means of a section-access-expression, which qualifies a section member name with the
name of the containing section.
section-access-expression:
identifier ! identifier
The following example shows a set of two documents containing sections that are
mutually referential:
Power Query M
section Section1;
A = "Hello"; //"Hello"
B = 1 + Section2!A; //3
section Section2;
A = 2; //2
B = Section1!A & " world!"; /"Hello, world"
Section members may optionally be declared as shared , which omits the requirement to
use a section-access-expression when referring to shared members outside of the
containing section. Shared members in external sections may be referred to by their
unqualified member name so long as no member of the same name is declared in the
referring section and no other section has a like-named shared member.
The following example illustrates the behavior of shared members when used across
sections within the same set of documents:
Power Query M
section Section1;
shared A = 1; // 1
section Section2;
B = A + 2; // 3 (refers to shared A from Section1)
section Section3;
A = "Hello"; // "Hello"
B = A + " world"; // "Hello world" (refers to local A)
C = Section1!A + 2; // 3
Defining a shared member with the same name in different sections will produce a valid
global environment, however accessing the shared member will raise an error when
accessed.
Power Query M
section Section1;
shared A = 1;
section Section2;
shared A = "Hello";
section Section3;
B = A; //Error: shared member A has multiple definitions
Shared section members with more than one definition raise an error when the
shared member is accessed.
Document Linking
A set of M section documents can be linked into an opaque record value that has one
field per shared member of the section documents. If shared members have ambiguous
names, an error is raised.
The resulting record value fully closes over the global environment in which the link
process was performed. Such records are, therefore, suitable components to compose M
documents from other (linked) sets of M documents. There are no opportunities for
naming conflicts.
The standard library functions Embedded.Value can be used to retrieve such "embedded"
record values that correspond to reused M components.
Document Introspection
M provides programmatic access to the global environment by means of the #sections
and #shared keywords.
#sections
The #sections intrinsic variable returns all sections within the global environment as a
record. This record is keyed by section name and each value is a record representation
of the corresponding section indexed by section member name.
The following example shows a document consisting of two sections and the record
produced by evaluating the #sections intrinsic variable within the context of that
document:
Power Query M
section Section1;
A = 1;
B = 2;
section Section2;
C = "Hello";
D = "world";
#sections
//[
// Section1 = [ A = 1, B = 2],
// Section2 = [ C = "Hello", D = "world" ]
//]
The #sections intrinsic variable preserves the evaluation state of all section
member expressions within the document.
The #sections intrinsic variable does not force the evaluation of any unevaluated
section members.
#shared
The #shared intrinsic variable returns the contents of the global environment as a
record. (The global environment consists of all shared section members as well as any
identifiers directly included in the global environment by the expression evaluator.) This
record is keyed by identifier name, with each value being the value of the associated
identifier.
The following example shows a document with two shared members and the
corresponding record produced by evaluating the #shared intrinsic variable within the
context of that document:
Power Query M
section Section1;
shared A = 1;
B = 2;
Section Section2;
C = "Hello";
shared D = "world";
//[
// A = 1,
// D = "world"
//]
The #shared intrinsic variable preserves the evaluation state of the global
environment.
The #shared intrinsic variable does not force the evaluation of any unevaluated
value.
Feedback
Was this page helpful? ツ Yes ト No
Lexical grammar
lexical-unit:
lexical-elementsopt
lexical-elements:
lexical-element lexical-elementsopt
lexical-element:
whitespace
token comment
White space
whitespace:
Any character with Unicode class Zs
Horizontal tab character ( U+0009 )
Vertical tab character ( U+000B )
Form feed character ( U+000C )
Carriage return character ( U+000D ) followed by line feed character ( U+000A ) new-
line-character
new-line-character:
Carriage return character ( U+000D )
Line feed character ( U+000A )
Next line character ( U+0085 )
Line separator character ( U+2028 )
Paragraph separator character ( U+2029 )
Comment
comment:
single-line-comment
delimited-comment
single-line-comment:
// single-line-comment-charactersopt
single-line-comment-characters:
single-line-comment-character single-line-comment-charactersopt
single-line-comment-character:
Any Unicode character except a new-line-character
delimited-comment:
/* delimited-comment-textopt asterisks /
delimited-comment-text:
delimited-comment-section delimited-comment-textopt
delimited-comment-section:
/
asterisksopt not-slash-or-asterisk
asterisks:
* asterisksopt
not-slash-or-asterisk:
Any Unicode character except * or /
Tokens
token:
identifier
keyword
literal
operator-or-punctuator
escape-sequence-list:
single-escape-sequence
escape-sequence-list , single-escape-sequence
single-escape-sequence:
long-unicode-escape-sequence
short-unicode-escape-sequence
control-character-escape-sequence
escape-escape
long-unicode-escape-sequence:
hex-digit hex-digit hex-digit hex-digit hex-digit hex-digit hex-digit hex-digit
short-unicode-escape-sequence:
hex-digit hex-digit hex-digit hex-digit
control-character-escape-sequence:
control-character
control-character:
cr
lf
tab
escape-escape:
#
Literals
literal:
logical-literal
number-literal
text-literal
null-literal
verbatim-literal
logical-literal:
true
false
number-literal:
decimal-number-literal
hexadecimal-number-literal
decimal-digits:
decimal-digit decimal-digitsopt
decimal-digit: one of
0 1 2 3 4 5 6 7 8 9
hexadecimal-number-literal:
0x hex-digits
0X hex-digits
hex-digits:
hex-digit hex-digitsopt
hex-digit: one of
0 1 2 3 4 5 6 7 8 9 A B C D E F a b c d e f
decimal-number-literal:
decimal-digits . decimal-digits exponent-partopt
. decimal-digits exponent-partopt
decimal-digits exponent-partopt
exponent-part:
e signopt decimal-digits
E signopt decimal-digits
sign: one of
+ -
text-literal:
" text-literal-charactersopt "
text-literal-characters:
text-literal-character text-literal-charactersopt
text-literal-character:
single-text-character
character-escape-sequence
double-quote-escape-sequence
single-text-character:
Any character except " ( U+0022 ) or # ( U+0023 ) followed by ( ( U+0028 )
double-quote-escape-sequence:
"" ( U+0022 , U+0022 )
null-literal:
null
verbatim-literal:
#!" text-literal-charactersopt "
Identifiers
identifier:
regular-identifier
quoted-identifier
regular-identifier:
available-identifier
available-identifier dot-character regular-identifier
available-identifier:
A keyword-or-identifier that is not a keyword
keyword-or-identifier:
letter-character
underscore-character
identifier-start-character identifier-part-characters
identifier-start-character:
letter-character
underscore-character
identifier-part-characters:
identifier-part-character identifier-part-charactersopt
identifier-part-character:
letter-character
decimal-digit-character
underscore-character
connecting-character
combining-character
formatting-character
generalized-identifier:
generalized-identifier-part
generalized-identifier separated only by blanks ( U+0020 ) generalized-identifier-part
generalized-identifier-part:
generalized-identifier-segment
decimal-digit-character generalized-identifier-segment
generalized-identifier-segment:
keyword-or-identifier
keyword-or-identifier dot-character keyword-or-identifier
dot-character:
. ( U+002E )
underscore-character:
_ ( U+005F )
letter-character:_
A Unicode character of classes Lu, Ll, Lt, Lm, Lo, or Nl
combining-character:
A Unicode character of classes Mn or Mc
decimal-digit-character:
A Unicode character of the class Nd
connecting-character:
A Unicode character of the class Pc
formatting-character:
A Unicode character of the class Cf
quoted-identifier:
#" text-literal-charactersopt "
keyword: one of
and as each else error false if in is let meta not null or otherwise
section shared then true try type #binary #date #datetime
Syntactic grammar
Documents
document:
section-document
expression-document
Section Documents
section-document:
section
section:
literal-attributesopt section section-name ; section-membersopt
section-name:
identifier
section-members:
section-member section-membersopt
section-member:
literal-attributesopt sharedopt section-member-name = expression ;
section-member-name:
identifier
Expression Documents
Expressions
expression-document:
expression
expression:
logical-or-expression
each-expression
function-expression
let-expression
if-expression
error-raising-expression
error-handling-expression
Logical expressions
logical-or-expression:
logical-and-expression
logical-and-expression or logical-or-expression
logical-and-expression:
is-expression
logical-and-expression and is-expression
Is expression
is-expression:
as-expression
is-expression is nullable-primitive-type
nullable-primitive-type:
nullable opt primitive-type
As expression
as-expression:
equality-expression
as-expression as nullable-primitive-type
Equality expression
equality-expression:
relational-expression
relational-expression = equality-expression
relational-expression <> equality-expression
Relational expression
relational-expression:
additive-expression
additive-expression < relational-expression
additive-expression > relational-expression
additive-expression <= relational-expression
additive-expression >= relational-expression
Arithmetic expressions
additive-expression:
multiplicative-expression
multiplicative-expression + additive-expression
multiplicative-expression - additive-expression
multiplicative-expression & _additive-expression
multiplicative-expression:
metadata-expression
metadata-expression * multiplicative-expression
metadata-expression / multiplicative-expression
Metadata expression
metadata-expression:
unary-expression
unary-expression meta unary-expression
Unary expression
unary-expression:
type-expression
+ unary-expression
- unary-expression
not unary-expression
Primary expression
primary-expression:
literal-expression
list-expression
record-expression
identifier-expression
section-access-expression
parenthesized-expression
field-access-expression
item-access-expression
invoke-expression
not-implemented-expression
Literal expression
literal-expression:
literal
Identifier expression
identifier-expression:
identifier-reference
identifier-reference:
exclusive-identifier-reference
inclusive-identifier-reference
exclusive-identifier-reference:
identifier
inclusive-identifier-reference:
@ identifier
Section-access expression
section-access-expression:
identifier ! identifier
Parenthesized expression
parenthesized-expression:
( expression )
Not-implemented expression
not-implemented-expression:
...
Invoke expression
invoke-expression:
primary-expression ( argument-listopt )
argument-list:
expression
expression , argument-list
List expression
list-expression:
{ item-listopt }
item-list:
item
item , item-list
item:
expression
expression .. expression
Record expression
record-expression:
[ field-listopt ]
field-list:
field
field , field-list
field:
field-name = expression
field-name:
generalized-identifier
quoted-identifier
field-name:
generalized-identifier
quoted-identifier
implicit-target-field-selection:
field-selector
projection:
primary-expression required-projection
primary-expression optional-projection
required-projection:
[ required-selector-list ]
optional-projection:
[ required-selector-list ] ?
required-selector-list:
required-field-selector
required-field-selector , required-selector-list
implicit-target-projection:
required-projection
optional-projection
Function expression
function-expression:
( parameter-listopt ) return-typeopt => function-body
function-body:
expression
parameter-list:
fixed-parameter-list
fixed-parameter-list , optional-parameter-list
optional-parameter-list
fixed-parameter-list:
parameter
parameter , fixed-parameter-list
parameter:
parameter-name parameter-typeopt
parameter-name:
identifier
parameter-type:
assertion
return-type:
assertion
assertion:
as nullable-primitive-type
optional-parameter-list:
optional-parameter
optional-parameter , optional-parameter-list
optional-parameter:
optional parameter
Each expression
each-expression:
each each-expression-body
each-expression-body:
function-body
Let expression
let-expression:
let variable-list in expression
variable-list:
variable
variable , variable-list
variable:
variable-name = expression
variable-name:
identifier
If expression
if-expression:
if if-condition then true-expression else false-expression
if-condition:
expression
true-expression:
expression
false-expression:
expression
Type expression
type-expression:
primary-expression
type primary-type
type:
primary-expression
primary-type
primary-type:
primitive-type
record-type
list-type
function-type
table-type
nullable-type
primitive-type: one of
any anynonnull binary date datetime datetimezone duration function
list logical none null number record table text time type
record-type:
[ open-record-marker ]
[ field-specification-listopt ]
[ field-specification-list , open-record-marker ]
field-specification-list:
field-specification
field-specification , field-specification-list
field-specification:
optional opt field-name field-type-specificationopt
field-type-specification:
= field-type
field-type:
type
open-record-marker:
...
list-type:
{ item-type }
item-type:
type
function-type:
function ( parameter-specification-listopt ) return-type
parameter-specification-list:
required-parameter-specification-list
required-parameter-specification-list , optional-parameter-specification-list
optional-parameter-specification-list
required-parameter-specification-list:
required-parameter-specification
required-parameter-specification , required-parameter-specification-list
required-parameter-specification:
parameter-specification
optional-parameter-specification-list:
optional-parameter-specification
optional-parameter-specification , optional-parameter-specification-list
optional-parameter-specification:
optional parameter-specification
parameter-specification:
parameter-name parameter-type
table-type:
table row-type
row-type:
[ field-specification-listopt ]
nullable-type:
nullable type
Error raising expression
error-raising-expression:
error expression_
catch-function:
( parameter-nameopt ) => function-body
Literal Attributes
literal-attributes:
record-literal
record-literal:
[ literal-field-listopt ]
literal-field-list:
literal-field
literal-field , literal-field-list
literal-field:
field-name = any-literal
list-literal:
{ literal-item-listopt }
literal-item-list:
any-literal
any-literal , literal-item-list
any-literal:
record-literal
list-literal
logical-literal
number-literal
text-literal
null-literal
Feedback
Was this page helpful? ツ Yes ト No
The Power Query M Formula Language is a useful and expressive data mashup
language. But it does have some limitations. For example, there is no strong
enforcement of the type system. In some cases, a more rigorous validation is needed.
Fortunately, M provides a built-in library with support for types to make stronger
validation feasible.
By exploring the M type system more carefully, many of these issues can be clarified,
and developers will be empowered to craft the solutions they need.
Knowledge of predicate calculus and naïve set theory should be adequate to understand
the notation used.
PRELIMINARIES
(1) B := { true; false }
B is the typical set of Boolean values
(3) P := ⟨B, T⟩
P is the set of function parameters. Each one is possibly optional, and has a type.
Parameter names are irrelevant.
(5) P* := ⋃0≤i≤∞ Pi
P* is the set of all possible sequences of function parameters, from length 0 on up.
(6) F := ⟨B, N, T⟩
F is the set of all record fields. Each field is possibly optional, has a name, and a type.
(7) Fn := ∏0≤i≤n F
Fn is the set of all sets of n record fields.
(9) C := ⟨N,T⟩
C is the set of column types, for tables. Each column has a name and a type.
M TYPES
(12) TF := ⟨P, P*⟩
A Function Type consists of a return type, and an ordered list of zero-or-more function
parameters.
(13) TL :=〖T〗
A List type is indicated by a given type (called the "item type") wrapped in curly braces.
Since curly braces are used in the metalanguage, 〖 〗 brackets are used in this document.
(17) TT := C*
A Table Type is an ordered sequence of zero-or-more column types, where there are no
name collisions.
(18) TP := { any; none; null; logical; number; time; date; datetime; datetimezone; duration;
text; binary; type; list; record; table; function; anynonnull }
A Primitive Type is one from this list of M keywords.
(19) TN := { tn, u ∈ T | tn = u+null } = nullable t
Any type can additionally be marked as being nullable, by using the "nullable" keyword.
(20) T := TF ∪ TL ∪ TR ∪ TT ∪ TP ∪ TN
The set of all M types is the union of these six sets of types:
Function Types, List Types, Record Types, Table Types, Primitive Types, and Nullable Types.
FUNCTIONS
One function needs to be defined: NonNullable : T ← T
This function takes a type, and returns a type that is equivalent except it does not
conform with the null value.
IDENTITIES
Some identities are needed to define some special cases, and may also help elucidate
the above.
TYPE COMPATIBILITY
As defined elsewhere, an M type is compatable with another M type if and only if all
values that conform to the first type also conform to the second type.
Here is defined a compatibility relation that does not depend on conforming values, and
is based on the properties of the types themselves. It is anticipated that this relation, as
defined in this document, is completely equivalent to the original semantic definition.
(28) t ≤ t
This relation is reflexive.
(29) ta ≤ tb ∧ tb ≤ tc → ta ≤ tc
This relation is transitive.
(32) null ≤ t ∈ TN
The primitive type null is compatible with all nullable types.
(33) t ∉ TN ≤ anynonnull
All nonnullable types are compatible with anynonnull.
(34) NonNullable(t) ≤ t
A NonNullible type is compatible with the nullable equivalent.
(35) t ∈ TF → t ≤ function
All function types are compatible with function.
(36) t ∈ TL → t ≤ list
All list types are compatible with list.
(37) t ∈ TR → t ≤ record
All record types are compatible with record.
(38) t ∈ TT → t ≤ table
All table types are compatible with table.
(39) ta ≤ tb ↔ 〖ta〗≤〖tb〗
A list type is compaible with another list type if the item types are compatible, and vice-
versa.
REFERENCES
Microsoft Corporation (2015 August)
Microsoft Power Query for Excel Formula Language Specification [PDF]
Retrieved from https://msdn.microsoft.com/library/mt807488.aspx
Feedback
Was this page helpful? ツ Yes ト No
A Power Query M formula language query is composed of formula expression steps that
create a mashup query. A formula expression can be evaluated (computed), yielding a
value. The let expression encapsulates a set of values to be computed, assigned names,
and then used in a subsequent expression that follows the in statement. For example, a
let expression could contain a Source variable that equals the value of Text.Proper() and
yields a text value in proper case.
Let expression
Power Query M
let
Source = Text.Proper("hello world")
in
Source
Primitive value
A primitive value is single-part value, such as a number, logical, text, or null. A null value
can be used to indicate the absence of any data.
Date 5/23/2015
Duration 15:35:00
Null null
Type Example value
Text "abc"
Time 12:34:12 PM
Function value
A Function is a value that, when invoked with arguments, produces a new value.
Functions are written by listing the function’s parameters in parentheses, followed by
the goes-to symbol =>, followed by the expression defining the function. For example,
to create a function called “MyFunction” that has two parameters and performs a
calculation on parameter1 and parameter2:
Power Query M
let
MyFunction = (parameter1, parameter2) => (parameter1 + parameter2) / 2
in
MyFunction
Power Query M
let
Source = MyFunction(2, 4)
in
Source
List
Record
Table
Structured data can contain any M value. To see a couple of examples, see
Additional structured data examples.
List
A List is a zero-based ordered sequence of values enclosed in curly brace characters { }.
The curly brace characters { } are also used to retrieve an item from a List by index
position. See [List value](#_List_value).
7 Note
Power Query M supports an infinite list size, but if a list is written as a literal, the list
has a fixed length. For example, {1, 2, 3} has a fixed length of 3.
Value Type
{ List of Records
[CustomerID = 1, Name = "Bob",
Phone = "123-4567"],
[CustomerID = 2, Name = "Jim",
Phone = "987-6543"]
}
{123, true, "A"}{0} Get the value of the first item in a List. This expression
returns the value 123.
{ Get the value of the second item from the first List element.
{1, 2, 3}, This expression returns the value 2.
{4, 5, 6}
}{0}{1}
Record
A Record is a set of fields. A field is a name/value pair where the name is a text value
that is unique within the field’s record. The syntax for record values allows the names to
be written without quotes, a form also referred to as identifiers. An identifier can take
the following two forms:
The following is a record containing fields named "OrderID", "CustomerID", "Item", and
"Price" with values 1, 1, "Fishing rod", and 100.00. Square brace characters [ ] denote the
beginning and end of a record expression, and are used to get a field value from a
record. The follow examples show a record and how to get the Item field value.
Power Query M
let Source =
[
OrderID = 1,
CustomerID = 1,
Item = "Fishing rod",
Price = 100.00
]
in Source
Power Query M
let Source =
[
OrderID = 1,
CustomerID = 1,
Item = "Fishing rod",
Price = 100.00
]
in Source[Item] //equals "Fishing rod"
Table
A Table is a set of values organized into named columns and rows. The column type can
be implicit or explicit. You can use #table to create a list of column names and list of
rows. A Table of values is a List in a List. The curly brace characters { } are also used to
retrieve a row from a Table by index position (go to Example 3 – Get a row from a table
by index position).
Power Query M
let
Source = #table(
{"OrderID", "CustomerID", "Item", "Price"},
{
{1, 1, "Fishing rod", 100.00},
{2, 1, "1 lb. worms", 5.00}
})
in
Source
Power Query M
let
Source = #table(
type table [OrderID = number, CustomerID = number, Item = text, Price =
number],
{
{1, 1, "Fishing rod", 100.00},
{2, 1, "1 lb. worms", 5.00}
}
)
in
Source
Both of the examples above creates a table with the following shape:
Power Query M
let
Source = #table(
type table [OrderID = number, CustomerID = number, Item = text, Price =
number],
{
{1, 1, "Fishing rod", 100.00},
{2, 1, "1 lb. worms", 5.00}
}
)
in
Source{1}
Field Value
OrderID 2
CustomerID 1
Price 5
Power Query M
let
Source =
{
1,
"Bob",
DateTime.ToText(DateTime.LocalNow(), "yyyy-MM-dd"),
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100.0]
}
in
Source
let
Source = [CustomerID = 1, Name = "Bob", Phone = "123-4567", Orders =
{
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price =
100.0],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5.0]
}]
in
Source
If expression
The if expression selects between two expressions based on a logical condition. For
example:
Power Query M
if 2 > 1 then
2 + 2
else
1 + 1
The first expression (2 + 2) is selected if the logical expression (2 > 1) is true, and the
second expression (1 + 1) is selected if it is false. The selected expression (in this case 2
+ 2) is evaluated and becomes the result of the if expression (4).
Feedback
Was this page helpful? ツ Yes ト No
You can add comments to your code with single-line comments // or multi-line
comments that begin with /* and end with */ .
Power Query M
let
//Convert to proper case.
Source = Text.Proper("hello world")
in
Source
Power Query M
/* Capitalize each word in the Item column in the Orders table. Text.Proper
is evaluated for each Item in each table row. */
let
Orders = Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "fishing rod", Price = 100.0],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5.0],
[OrderID = 3, CustomerID = 2, Item = "fishing net", Price =
25.0]}),
#"Capitalized Each Word" = Table.TransformColumns(Orders, {"Item",
Text.Proper})
in
#"Capitalized Each Word"
Feedback
Was this page helpful? ツ Yes ト No
The evaluation model of the Power Query M formula language is modeled after the
evaluation model commonly found in spreadsheets, where the order of calculations can
be determined based on dependencies between the formulas in the cells.
If you have written formulas in a spreadsheet such as Excel, you may recognize the
formulas on the left will result in the values on the right when calculated:
Power Query M
[
A1 = A2 * 2,
A2 = A3 + 1,
A3 = 1
]
Power Query M
[
A1 = 4,
A2 = 2,
A3 = 1
]
Records can be contained within, or nested, within other records. You can use the
lookup operator ([ ]) to access the fields of a record by name. For example, the
following record has a field named Sales containing a record, and a field named Total
that accesses the FirstHalf and SecondHalf fields of the Sales record:
Power Query M
[
Sales = [ FirstHalf = 1000, SecondHalf = 1100 ],
Total = Sales[FirstHalf] + Sales[SecondHalf]
]
Power Query M
[
Sales = [ FirstHalf = 1000, SecondHalf = 1100 ],
Total = 2100
]
You use the positional index operator ({ }) to access an item in a list by its numeric
index. The values within a list are referred to using a zero-based index from the
beginning of the list. For example, the indexes 0 and 1 are used to reference the first
and second items in the list below:
Power Query M
[
Sales =
{
[
Year = 2007,
FirstHalf = 1000,
SecondHalf = 1100,
Total = FirstHalf + SecondHalf // equals 2100
],
[
Year = 2008,
FirstHalf = 1200,
SecondHalf = 1300,
Total = FirstHalf + SecondHalf // equals 2500
]
},
#"Total Sales" = Sales{0}[Total] + Sales{1}[Total] // equals 4600
]
Lazy and eager evaluation
List, Record, and Table member expressions, as well as let expressions (Go to
Expressions, values, and let expression), are evaluated using lazy evaluation. That is, they
are evaluated when needed. All other expressions are evaluated using eager evaluation.
That is, they are evaluated immediately when encountered during the evaluation
process. A good way to think about this is to remember that evaluating a list or record
expression will return a list or record value that knows how its list items or record fields
need to computed, when requested (by lookup or index operators).
Feedback
Was this page helpful? ツ Yes ト No
The Power Query M formula language includes a set of operators that can be used in an
expression. Operators are applied to operands to form symbolic expressions. For
example, in the expression 1 + 2 the numbers 1 and 2 are operands and the operator is
the addition operator (+).
The meaning of an operator can vary depending on the type of operand values. The
language has the following operators:
Expression Equals
Function Equals
List of M operators
Common operators which apply to null, logical, number, time, date, datetime,
datetimezone, duration, text, binary)
Operator Description
= Equal
Operator Description
or Conditional logical OR
Operator Description
+ Sum
- Difference
* Product
/ Quotient
+x Unary plus
-x Negation
Operator Description
& Concatenation
Operator Description
= Equal
& Concatenation
Operator Description
Operator Description
is The expression x is y returns true if the type of x is compatible with y, and returns
false if the type of x is not compatible with y.
as The expression x as y asserts that the value x is compatible with y as per the is
operator.
Date operators
Datetime operators
Datetimezone operators
Operator Left Operand Right Operand Meaning
Duration operators
7 Note
Error example:
Function Equals
Feedback
Was this page helpful? ツ Yes ト No
The Power Query M formula language has formulas to convert between types. The
following is a summary of conversion formulas in M.
Number
Type conversion Description
Int32.From(value as any) as number Returns a 32-bit integer number value from the given
value.
Int64.From(value as any) as number Returns a 64-bit integer number value from the given
value.
Single.From(value as any) as number Returns a Single number value from the given value.
Double.From(value as any) as number Returns a Double number value from the given value.
Decimal.From(value as any) as number Returns a Decimal number value from the given value.
Currency.From(value as any) as number Returns a Currency number value from the given value.
Text
Type conversion Description
Logical
Type conversion Description
Logical.FromText(text as text) as logical Returns a logical value of true or false from a text value.
Type conversion Description
.ToText(date, time, dateTime, or Returns a text value from a date, time, datetime,
dateTimeZone as or datetimezone value.
date, time, datetime, or datetimezone) as text
Feedback
Was this page helpful? ツ Yes ト No
A metadata record value is associated with a value x using the syntax value meta
[record]. For example, the following associates a metadata record with Rating and Tags
fields with the text value "Mozart":
Power Query M
A metadata record can be accessed for a value using the Value.Metadata function. In the
following example, the expression in the ComposerRating field accesses the metadata
record of the value in the Composer field, and then accesses the Rating field of the
metadata record.
Power Query M
[
Composer = "Mozart" meta [ Rating = 5, Tags = {"Classical"} ],
ComposerRating = Value.Metadata(Composer)[Rating] // 5
]
Metadata records are not preserved when a value is used with an operator or function
that constructs a new value. For example, if two text values are concatenated using the
& operator, the metadata of the resulting text value is an empty record [].
Feedback
ツY トN
ツ Yes ト No
Was this page helpful?
Try expression
A try expression converts values and errors into a record value that indicates whether
the try expression handled an error, or not, and either the proper value or the error
record it extracted when handling the error. For example, consider the following
expression that raises an error and then handles it right away:
Power Query M
This expression evaluates to the following nested record value, explaining the
[HasError], [Error] , and [Message] field lookups in the unit-price example before.
Error record
Power Query M
[
HasError = true,
Error =
[
Reason = "Expression.Error",
Message = "negative unit count",
Detail = null
]
]
A common case is to replace errors with default values. The try expression can be used
with an optional otherwise clause to achieve just that in a compact form:
Power Query M
try error "negative unit count" otherwise 42
// equals 42
Error example
Power Query M
let Sales =
[
ProductName = "Fishing rod",
Revenue = 2000,
Units = 1000,
UnitPrice = if Units = 0 then error "No Units"
else Revenue / Units
],
The previous example accesses the Sales[UnitPrice] field and formats the value
producing the result:
Power Query M
If the Units field had been zero, then the UnitPrice field would have raised an error
which would have been handled by the try. The resulting value would then have been:
Power Query M
"No Units"
Feedback
Was this page helpful? ツ Yes ト No
Get help at Microsoft Q&A
Power Query M function reference
Article • 09/21/2022
The Power Query M function reference includes articles for each of the over 700
functions. These reference articles are auto-generated from in-product help. To learn
more about functions and how they work in an expression, go to Understanding Power
Query M functions.
Functions by category
Accessing data functions
Binary functions
Combiner functions
Comparer functions
Date functions
DateTime functions
DateTimeZone functions
Duration functions
Error handling
Expression functions
Function values
List functions
Lines functions
Logical functions
Number functions
Record functions
Replacer functions
Splitter functions
Table functions
Text functions
Time functions
Type functions
Uri functions
Value functions
Feedback
ツ Yes ト No
ツ Yes ト No
Was this page helpful?
In the Power Query M formula language, a function is a mapping from a set of input
values to a single output value. A function is written by first naming the function
parameters, and then providing an expression to compute the result of the function. The
body of the function follows the goes-to (=>) symbol. Optionally, type information can
be included on parameters and the function return value. A function is defined and
invoked in the body of a let statement. Parameters and/or return value can be implicit or
explicit. Implicit parameters and/or return value are of type any. Type any is similar to an
object type in other languages. All types in M derive from type any.
A function is a value just like a number or a text value, and can be included in-line just
like any other expression. The following example shows a function which is the value of
an Add variable which is then invoked, or executed, from several other variables. When a
function is invoked, a set of values are specified which are logically substituted for the
required set of input values within the function body expression.
Power Query M
let
AddOne = (x as number) as number => x + 1,
//additional expression steps
CalcAddOne = AddOne(5)
in
CalcAddOne
Power Query M
let
Add = (x, y) => x + y,
AddResults =
[
OnePlusOne = Add(1, 1), // equals 2
OnePlusTwo = Add(1, 2) // equals 3
]
in
AddResults
Find the first element of a list greater than 5, or null otherwise
Power Query M
let
FirstGreaterThan5 = (list) =>
let
GreaterThan5 = List.Select(list, (n) => n> 5),
First = List.First(GreaterThan5)
in
First,
Results =
[
Found = FirstGreaterThan5({3,7,9}), // equals 7
NotFound = FirstGreaterThan5({1,3,4}) // equals null
]
in
Results
Functions can be used recursively. In order to recursively reference the function, prefix
the identifier with @.
Power Query M
let
fact = (num) => if num = 0 then 1 else num * @fact (num-1)
in
fact(5) // equals 120
Each keyword
The each keyword is used to easily create simple functions. "each ..." is syntactic sugar
for a function signature that takes the _ parameter "(_) => ..."
Each is useful when combined with the lookup operator, which is applied by default to _
For example, each [CustomerID] is the same as each _[CustomerID], which is the same as
(_) => _[CustomerID]
Power Query M
Table.SelectRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"] ,
[CustomerID = 3, Name = "Paul", Phone = "543-7890"] ,
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
each [CustomerID] = 2
)[Name]
// equals "Jim"
Feedback
Was this page helpful? ツ Yes ト No
These functions access data and return table values. Most of these functions return a
table value called a navigation table. Navigation tables are primarily used by the Power
Query user interface to provide a navigation experience over the potentially large
hierarchical data sets returned.
Name Description
OleDb.DataSource Returns a table of SQL tables and views from the OLE
DB data source specified by the connection string.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
AccessControlEntry.ConditionToIdentities(identityProvider as function,
condition as function) as list
About
Using the specified identityProvider , converts the condition into the list of identities
for which condition would return true in all authorization contexts with
identityProvider as the identity provider. An error is raised if it is not possible to
convert condition into a list of identities, for example if condition consults attributes
other than user or group identities to make a decision.
Note that the list of identities represents the identities as they appear in condition and
no normalization (such as group expansion) is performed on them.
Feedback
Was this page helpful? Yes No
Access.Database
Article • 09/11/2023
Syntax
Access.Database(database as binary, optional options as nullable record) as
table
About
Returns a structural representation of an Access database, database . An optional record
parameter, options , may be specified to control the following options:
The record parameter is specified as [option1 = value1, option2 = value2...], for example.
Feedback
Was this page helpful? Yes No
ActiveDirectory.Domains
Article • 09/11/2023
Syntax
ActiveDirectory.Domains(optional forestRootDomainName as nullable text) as
table
About
Returns a list of Active Directory domains in the same forest as the specified domain or
of the current machine's domain if none is specified.
Feedback
Was this page helpful? Yes No
AdobeAnalytics.Cubes
Article • 09/11/2023
Syntax
AdobeAnalytics.Cubes(optional options as nullable record) as table
About
Returns a table of multidimensional packages from Adobe Analytics. An optional record
parameter, options , may be specified to control the following options:
second.
Implementation : Specifies Adobe Analytics API version. Valid values are: "2.0".
Feedback
Was this page helpful? Yes No
AdoDotNet.DataSource
Article • 09/11/2023
Syntax
AdoDotNet.DataSource(providerName as text, connectionString as any, optional
options as nullable record) as table
About
Returns the schema collection for the ADO.NET data source with provider name
providerName and connection string connectionString . connectionString can be text or
a record of property value pairs. Property values can either be text or number. An
optional record parameter, options , may be provided to specify additional properties.
The record can contain the following fields:
CommandTimeout : A duration that controls how long the server-side query is allowed
Feedback
Was this page helpful? Yes No
AdoDotNet.Query
Article • 09/11/2023
Syntax
AdoDotNet.Query(providerName as text, connectionString as any, query as
text, optional options as nullable record) as table
About
Returns the result of running query with the connection string connectionString using
the ADO.NET provider providerName . connectionString can be text or a record of
property value pairs. Property values can either be text or number. An optional record
parameter, options , may be provided to specify additional properties. The record can
contain the following fields:
CommandTimeout : A duration that controls how long the server-side query is allowed
Feedback
Was this page helpful? Yes No
AnalysisServices.Database
Article • 09/11/2023
Syntax
AnalysisServices.Database(server as text, database as text, optional options
as nullable record) as table
About
Returns a table of multidimensional cubes or tabular models from the Analysis Services
database database on server server . An optional record parameter, options , may be
specified to control the following options:
multidimensional or tabular model will be used for the types of the added measure
columns. When set to false, the type "number" will be used for all measure
columns. The default value for this option is false.
Culture : A culture name specifying the culture for the data. This corresponds to
Feedback
Was this page helpful? Yes No
AnalysisServices.Databases
Article • 09/11/2023
Syntax
AnalysisServices.Databases(server as text, optional options as nullable
record) as table
About
Returns databases on an Analysis Services instance, server . An optional record
parameter, options , may be provided to specify additional properties. The record can
contain the following fields:
multidimensional or tabular model will be used for the types of the added measure
columns. When set to false, the type "number" will be used for all measure
columns. The default value for this option is false.
Culture : A culture name specifying the culture for the data. This corresponds to
the 'Locale Identifier' connection string property.
CommandTimeout : A duration that controls how long the server-side query is allowed
Feedback
Was this page helpful? Yes No
AzureStorage.BlobContents
Article • 09/11/2023
Syntax
AzureStorage.BlobContents(url as text, optional options as nullable record)
as binary
About
Returns the content of the blob at the URL, url , from an Azure storage vault. options
may be specified to control the following options:
BlockSize : The number of bytes to read before waiting on the data consumer. The
Feedback
Was this page helpful? Yes No
AzureStorage.Blobs
Article • 09/11/2023
Syntax
AzureStorage.Blobs(account as text, optional options as nullable record) as
table
About
Returns a navigational table containing a row for each container found at the account
URL, account , from an Azure storage vault. Each row contains a link to the container
blobs. options may be specified to control the following options:
BlockSize : The number of bytes to read before waiting on the data consumer. The
Feedback
Was this page helpful? Yes No
AzureStorage.DataLake
Article • 09/11/2023
Syntax
AzureStorage.DataLake(endpoint as text, optional options as nullable record)
as table
About
Returns a navigational table containing the documents found in the specified container
and its subfolders at the account URL, endpoint , from an Azure Data Lake Storage
filesystem. options may be specified to control the following options:
BlockSize : The number of bytes to read before waiting on the data consumer. The
returned in a tree-like directory view or in a flat list. The default value is false.
Feedback
Was this page helpful? Yes No
AzureStorage.DataLakeContents
Article • 09/11/2023
Syntax
AzureStorage.DataLakeContents(url as text, optional options as nullable
record) as binary
About
Returns the content of the file at the URL, url , from an Azure Data Lake Storage
filesystem. options may be specified to control the following options:
BlockSize : The number of bytes to read before waiting on the data consumer. The
Feedback
Was this page helpful? Yes No
AzureStorage.Tables
Article • 09/11/2023
Syntax
AzureStorage.Tables(account as text, optional options as nullable record) as
table
About
Returns a navigational table containing a row for each table found at the account URL,
account , from an Azure storage vault. Each row contains a link to the azure table. An
Timeout : A duration that controls how long to wait before abandoning the request
Feedback
Was this page helpful? Yes No
Cdm.Contents
Article • 09/11/2023
Syntax
Cdm.Contents(table as table) as table
About
This function is unavailable because it requires .NET 4.5.
Feedback
Was this page helpful? Yes No
Csv.Document
Article • 09/11/2023
Syntax
About
Returns the contents of the CSV document as a table.
columns can be null, the number of columns, a list of column names, a table type,
or an options record.
delimiter can be a single character, a list of characters, or the value "" , which
If a record is specified for columns (and delimiter , extraValues , and encoding are null),
the following record fields may be provided:
type. If the number of columns is lower than the number found in the input, the
additional columns will be ignored. If the number of columns is higher than the
number found in the input, the additional columns will be null. When not specified,
the number of columns will be determined by what is found in the input.
Encoding : The text encoding of the file. Default: 65001 (UTF-8).
Example 1
Process CSV text with column headers.
Usage
Power Query M
let
csv = Text.Combine({"OrderID,Item", "1,Fishing rod", "2,1 lb. worms"},
"#(cr)#(lf)")
in
Table.PromoteHeaders(Csv.Document(csv))
Output
Power Query M
Table.FromRecords({
[OrderID = "1", Item = "Fishing rod"],
[OrderID = "2", Item = "1 lb. worms"]
Feedback
Was this page helpful? Yes No
Cube.AddAndExpandDimensionColumn
Article • 09/11/2023
Syntax
Cube.AddAndExpandDimensionColumn(**cube** as table, **dimensionSelector** as
any, **attributeNames** as list, optional **newColumnNames** as any) as
table
About
Merges the specified dimension table, dimensionSelector , into the cube's, cube , filter
context and changes the dimensional granularity by expanding the specified set,
attributeNames , of dimension attributes. The dimension attributes are added to the
tabular view with columns named newColumnNames , or attributeNames if not specified.
Feedback
Was this page helpful? Yes No
Cube.AddMeasureColumn
Article • 09/11/2023
Syntax
Cube.AddMeasureColumn(**cube** as table, **column** as text,
**measureSelector** as any) as table
About
Adds a column with the name column to the cube that contains the results of the
measure measureSelector applied in the row context of each row. Measure application is
affected by changes to dimension granularity and slicing. Measure values will be
adjusted after certain cube operations are performed.
Feedback
Was this page helpful? Yes No
Cube.ApplyParameter
Article • 09/11/2023
Syntax
Cube.ApplyParameter(cube as table, parameter as any, optional arguments as
nullable list) as table
About
Returns a cube after applying parameter with arguments to cube .
Feedback
Was this page helpful? Yes No
Cube.AttributeMemberId
Article • 09/11/2023
Syntax
Cube.AttributeMemberId(attribute as any) as any
About
Returns the unique member identifier from a member property value. attribute .
Returns null for any other values.
Feedback
Was this page helpful? Yes No
Cube.AttributeMemberProperty
Article • 09/11/2023
Syntax
Cube.AttributeMemberProperty(attribute as any, propertyName as text) as any
About
Returns the property propertyName of dimension attribute attribute .
Feedback
Was this page helpful? Yes No
Cube.CollapseAndRemoveColumns
Article • 09/11/2023
Syntax
Cube.CollapseAndRemoveColumns(**cube** as table, **columnNames** as list) as
table
About
Changes the dimensional granularity of the filter context for the cube by collapsing the
attributes mapped to the specified columns columnNames . The columns are also removed
from the tabular view of the cube.
Feedback
Was this page helpful? Yes No
Cube.Dimensions
Article • 09/11/2023
Syntax
Cube.Dimensions(**cube** as table) as table
About
Returns a table containing the set of available dimensions within the cube . Each
dimension is a table containing a set of dimension attributes and each dimension
attribute is represented as a column in the dimension table. Dimensions can be
expanded in the cube using Cube.AddAndExpandDimensionColumn.
Feedback
Was this page helpful? Yes No
Cube.DisplayFolders
Article • 09/11/2023
Syntax
Cube.DisplayFolders(**cube** as table) as table
About
Returns a nested tree of tables representing the display folder hierarchy of the objects
(for example, dimensions and measures) available for use in the cube .
Feedback
Was this page helpful? Yes No
Cube.MeasureProperties
Article • 09/11/2023
Syntax
Cube.MeasureProperties(cube as table) as table
About
Returns a table containing the set of available properties for measures that are
expanded in the cube.
Feedback
Was this page helpful? Yes No
Cube.MeasureProperty
Article • 09/11/2023
Syntax
Cube.MeasureProperty(measure as any, propertyName as text) as any
About
Returns the property propertyName of measure measure .
Feedback
Was this page helpful? Yes No
Cube.Measures
Article • 09/11/2023
Syntax
Cube.Measures(**cube** as any) as table
About
Returns a table containing the set of available measures within the cube . Each measure
is represented as a function. Measures can be applied to the cube using
Cube.AddMeasureColumn.
Feedback
Was this page helpful? Yes No
Cube.Parameters
Article • 09/11/2023
Syntax
Cube.Parameters(cube as table) as table
About
Returns a table containing the set of parameters that can be applied to cube . Each
parameter is a function that can be invoked to get cube with the parameter and its
arguments applied.
Feedback
Was this page helpful? Yes No
Cube.Properties
Article • 09/11/2023
Syntax
Cube.Properties(cube as table) as table
About
Returns a table containing the set of available properties for dimensions that are
expanded in the cube.
Feedback
Was this page helpful? Yes No
Cube.PropertyKey
Article • 09/11/2023
Syntax
Cube.PropertyKey(property as any) as any
About
Returns the key of property property .
Feedback
Was this page helpful? Yes No
Cube.ReplaceDimensions
Article • 09/11/2023
Syntax
Cube.ReplaceDimensions(cube as table, dimensions as table) as table
About
Replaces the set of dimensions returned by Cube.Dimensions . For example, this function
can be used to add an ID column to a dimension attribute, so that the data source can
group on the ID rather than the displayed value.
Feedback
Was this page helpful? Yes No
Cube.Transform
Article • 09/11/2023
Syntax
Cube.Transform(cube as table, transforms as list) as table
About
Applies the list cube functions, transforms , on the cube .
Feedback
Was this page helpful? Yes No
DB2.Database
Article • 09/11/2023
Syntax
DB2.Database(server as text, database as text, optional options as nullable
record) as table
About
Returns a table of SQL tables and views available in a Db2 database on server server in
the database instance named database . The port may be optionally specified with the
server, separated by a colon. An optional record parameter, options , may be specified
to control the following options:
decode Db2 FOR BIT binary data into character strings. Applies to Implementation
= "Microsoft". Set 0 to disable conversion (default). Set 1 to convert based on
database encoding. Set other CCSID number to convert to application encoding.
PackageCollection : Specifies a string value for package collection (default is
Feedback
Was this page helpful? Yes No
DeltaLake.Table
Article • 09/11/2023
Syntax
DeltaLake.Table(directory as table, optional options as nullable record) as
any
About
Returns the contents of the Delta Lake table.
Feedback
Was this page helpful? Yes No
Essbase.Cubes
Article • 09/11/2023
Syntax
Essbase.Cubes(url as text, optional options as nullable record) as table
About
Returns a table of cubes grouped by Essbase server from an Essbase instance at APS
server url . An optional record parameter, options , may be specified to control the
following options:
CommandTimeout : A duration that controls how long the server-side query is allowed
Feedback
Was this page helpful? Yes No
Excel.CurrentWorkbook
Article • 09/11/2023
Syntax
Excel.CurrentWorkbook() as table
About
Returns the contents of the current Excel workbook. It returns tables, named ranges, and
dynamic arrays. Unlike Excel.Workbook, it does not return sheets.
Feedback
Was this page helpful? Yes No
Excel.Workbook
Article • 09/11/2023
Syntax
Excel.Workbook(workbook as binary, optional useHeaders as any, optional
delayTypes as nullable logical) as table
About
Returns the contents of the Excel workbook.
useHeaders can be null, a logical (true/false) value indicating whether the first row
If a record is specified for useHeaders (and delayTypes is null), the following record
fields may be provided:
UseHeaders : Can be null or a logical (true/false) value indicating whether the first
the area of a worksheet that contains data should be inferred by reading the
worksheet itself, rather than by reading the dimensions metadata from the file. This
can be useful in cases where the dimensions metadata is incorrect. Note that this
option is only supported for Open XML Excel files, not for legacy Excel files.
Default: false.
Example 1
Return the contents of Sheet1 from an Excel workbook.
Usage
Power Query M
Excel.Workbook(File.Contents("C:\Book1.xlsx"), null, true){[Item="Sheet1"]}
[Data]
Output
Power Query M
Table.FromRecords({
[Column1 = "ID", Column2 = "Name", Column3 = "Phone"],
[Column1 = 1, Column2 = "Bob", Column3 = "123-4567"],
[Column1 = 3, Column2 = "Pam", Column3 = "543-7890"],
[Column1 = 2, Column2 = "Jim", Column3 = "987-6543"]
})
Feedback
Was this page helpful? Yes No
Exchange.Contents
Article • 09/11/2023
Syntax
Exchange.Contents (optional mailboxAddress as nullable text) as table
About
Returns a table of contents from the Microsoft Exchange account mailboxAddress . If
mailboxAddress is not specified, the default account for the credential will be used.
Feedback
Was this page helpful? Yes No
File.Contents
Article • 09/11/2023
Syntax
File.Contents(path as text, optional options as nullable record) as binary
About
Returns the contents of the file, path , as binary. The options parameter is currently
intended for internal use only.
Feedback
Was this page helpful? Yes No
Folder.Contents
Article • 09/11/2023
Syntax
Folder.Contents(path as text, optional options as nullable record) as table
About
Returns a table containing a row for each folder and file found in the folder path . Each
row contains properties of the folder or file and a link to its content. The options
parameter is currently intended for internal use only.
Feedback
Was this page helpful? Yes No
Folder.Files
Article • 09/11/2023
Syntax
Folder.Files(path as text, optional options as nullable record) as table
About
Returns a table containing a row for each file found in the folder path and all its
subfolders. Each row contains properties of the file and a link to its content. The options
parameter is currently intended for internal use only.
Feedback
Was this page helpful? Yes No
GoogleAnalytics.Accounts
Article • 09/11/2023
Syntax
GoogleAnalytics.Accounts(optional options as nullable record) as table
About
Returns Google Analytics accounts that are accessible from the current credential.
Feedback
Was this page helpful? Yes No
Hdfs.Contents
Article • 09/11/2023
Syntax
Hdfs.Contents(url as text) as table
About
Returns a table containing a row for each folder and file found at the folder URL, url ,
from a Hadoop file system. Each row contains properties of the folder or file and a link
to its content.
Feedback
Was this page helpful? Yes No
Hdfs.Files
Article • 09/11/2023
Syntax
Hdfs.Files(url as text) as table
About
Returns a table containing a row for each file found at the folder URL, url , and
subfolders from a Hadoop file system. Each row contains properties of the file and a link
to its content.
Feedback
Was this page helpful? Yes No
HdInsight.Containers
Article • 09/11/2023
Syntax
HdInsight.Containers(account as text) as table
About
Returns a navigational table containing a row for each container found at the account
URL, account , from an Azure storage vault. Each row contains a link to the container
blobs.
Feedback
Was this page helpful? Yes No
HdInsight.Contents
Article • 09/11/2023
Syntax
HdInsight.Contents(account as text) as table
About
Returns a navigational table containing a row for each container found at the account
URL, account , from an Azure storage vault. Each row contains a link to the container
blobs.
Feedback
Was this page helpful? Yes No
HdInsight.Files
Article • 09/11/2023
Syntax
HdInsight.Files(account as text, containerName as text) as table
About
Returns a table containing a row for each blob file found at the container URL, account ,
from an Azure storage vault. Each row contains properties of the file and a link to its
content.
Feedback
Was this page helpful? Yes No
Html.Table
Article • 09/11/2023
Syntax
Html.Table(html as any, columnNameSelectorPairs as list, optional options as
nullable record) as table
About
Returns a table containing the results of running the specified CSS selectors against the
provided html . An optional record parameter, options , may be provided to specify
additional properties. The record can contain the following fields:
RowSelector
Example 1
Returns a table from a sample html text value.
Usage
Power Query M
Output
Example 2
Extracts all the hrefs from a sample html text value.
Usage
Power Query M
Html.Table("<a href=""/test.html"">Test</a>", {{"Link", "a", each
[Attributes][href]}})
Output
#table({"Link"}, {{"/test.html"}})
Feedback
Was this page helpful? Yes No
Identity.From
Article • 09/11/2023
Syntax
Identity.From(identityProvider as function, value as any) as record
About
Creates an identity.
Feedback
Was this page helpful? Yes No
Identity.IsMemberOf
Article • 09/11/2023
Syntax
Identity.IsMemberOf(identity as record, collection as record) as logical
About
Determines whether an identity is a member of an identity collection.
Feedback
Was this page helpful? Yes No
IdentityProvider.Default
Article • 09/11/2023
Syntax
IdentityProvider.Default() as any
About
The default identity provider for the current host.
Feedback
Was this page helpful? Yes No
Informix.Database
Article • 09/11/2023
Syntax
Informix.Database(server as text, database as text, optional options as
nullable record) as table
About
Returns a table of SQL tables and views available in an Informix database on server
server in the database instance named database . The port may be optionally specified
with the server, separated by a colon. An optional record parameter, options , may be
specified to control the following options:
Feedback
Was this page helpful? Yes No
Json.Document
Article • 09/11/2023
Syntax
Json.Document(jsonText as any, optional encoding as nullable number) as any
About
Returns the content of the JSON document.
Feedback
Was this page helpful? Yes No
Json.FromValue
Article • 09/11/2023
Syntax
Json.FromValue(value as any, optional encoding as nullable number) as binary
About
Produces a JSON representation of a given value value with a text encoding specified
by encoding . If encoding is omitted, UTF8 is used. Values are represented as follows:
Null, text and logical values are represented as the corresponding JSON types
Numbers are represented as numbers in JSON, except that #infinity , -#infinity
and #nan are converted to null
Lists are represented as JSON arrays
Records are represnted as JSON objects
Tables are represented as an array of objects
Dates, times, datetimes, datetimezones and durations are represented as ISO-8601
text
Binary values are represented as base-64 encoded text
Types and functions produce an error
Example 1
Convert a complex value to JSON.
Usage
Power Query M
Output
"{""A"":[1,true,""3""],""B"":""2012-03-25""}"
Feedback
Was this page helpful? Yes No
MySQL.Database
Article • 09/11/2023
Syntax
MySQL.Database(server as text, database as text, optional options as
nullable record) as table
About
Returns a table of SQL tables, views, and stored scalar functions available in a MySQL
database on server server in the database instance named database . The port may be
optionally specified with the server, separated by a colon. An optional record parameter,
options , may be specified to control the following options:
Encoding : A TextEncoding value that specifies the character set used to encode all
binary(16) columns (if true) will be treated as GUIDs. The default value is false.
ReturnSingleDatabase : A logical (true/false) that sets whether to return all tables of
all databases (if false) or to return tables and views of the specified database (if
true). The default value is false.
HierarchicalNavigation : A logical (true/false) that sets whether to view the tables
Feedback
Was this page helpful? Yes No
OData.Feed
Article • 09/11/2023
Syntax
OData.Feed(serviceUri as text, optional headers as nullable record, optional
options as any) as any
About
Returns a table of OData feeds offered by an OData service from a uri serviceUri ,
headers headers . A boolean value specifying whether to use concurrent connections or
an optional record parameter, options , may be specified to control the following
options:
Query : Programmatically add query parameters to the URL without having to worry
about escaping.
Headers : Specifying this value as a record will supply additional headers to an
HTTP request.
ExcludedFromCacheKey : Specifying this value as a list will exclude these HTTP header
used to specify the name (not the value) of the key parameter that must be used in
the URL. The actual key value is provided in the credential.
Timeout : Specifying this value as a duration will change the timeout for an HTTP
made concurrently. When set to false, requests will be made sequentially. When
not specified, the value will be determined by the service’s
AsynchronousRequestsSupported annotation. If the service does not specify
whether AsynchronousRequestsSupported is supported, requests will be made
sequentially.
ODataVersion : A number (3 or 4) that specifies the OData protocol version to use
for this OData service. When not specified, all supported versions will be
requested. The service version will be determined by the OData-Version header
returned by the service.
FunctionOverloads : A logical (true/false) when set to true, function import
overloads will be listed in the navigator as separate entries, when set to false,
function import overloads will be listed as one union function in the navigator.
Default value for V3: false. Default value for V4: true.
MoreColumns : A logical (true/false) when set to true, adds a "More Columns"
column to each entity feed containing open types and polymorphic types. This will
contain the fields not declared in the base type. When false, this field is not
present. Defaults to false.
IncludeAnnotations : A comma separated list of namespace qualified term names
responses. If acknowledged by the service, we will infer those values from the
omitted fields. Options include:
ODataOmitValues.Nulls : Allows the OData service to omit null values.
Example 1
Connect to the TripPin OData service.
Usage
Power Query M
OData.Feed("https://services.odata.org/V4/TripPinService")
Output
table
Feedback
Was this page helpful? Yes No
Odbc.DataSource
Article • 09/11/2023
Syntax
Odbc.DataSource(connectionString as any, optional options as nullable
record) as table
About
Returns a table of SQL tables and views from the ODBC data source specified by the
connection string connectionString . connectionString can be text or a record of
property value pairs. Property values can either be text or number. An optional record
parameter, options , may be provided to specify additional properties. The record can
contain the following fields:
Example 1
Return the SQL tables and views from the provided connection string.
Usage
Power Query M
Odbc.DataSource("dsn=your_dsn")
Output
Power Query M
table
Feedback
Was this page helpful? Yes No
Odbc.InferOptions
Article • 09/11/2023
Syntax
Odbc.InferOptions(connectionString as any) as record
About
Returns the result of trying to infer SQL capbabilities with the connection string
connectionString using ODBC. connectionString can be text or a record of property
Example 1
Return the inferred SQL capabilities for a connection string.
Usage
Power Query M
Odbc.InferOptions("dsn=your_dsn")
Output
Power Query M
record
Feedback
Was this page helpful? Yes No
Odbc.Query
Article • 09/11/2023
Syntax
Odbc.Query(connectionString as any, query as text, optional options as
nullable record) as table
About
Returns the result of running query with the connection string connectionString using
ODBC. connectionString can be text or a record of property value pairs. Property values
can either be text or number. An optional record parameter, options , may be provided
to specify additional properties. The record can contain the following fields:
Example 1
Return the result of running a simple query against the provided connection string.
Usage
Power Query M
Output
Power Query M
table
Feedback
Was this page helpful? Yes No
OleDb.DataSource
Article • 09/11/2023
Syntax
OleDb.DataSource(connectionString as any, optional options as nullable
record) as table
About
Returns a table of SQL tables and views from the OLE DB data source specified by the
connection string connectionString . connectionString can be text or a record of
property value pairs. Property values can either be text or number. An optional record
parameter, options , may be provided to specify additional properties. The record can
contain the following fields:
Syntax
OleDb.Query(connectionString as any, query as text, optional options as
nullable record) as table
About
Returns the result of running query with the connection string connectionString using
OLE DB. connectionString can be text or a record of property value pairs. Property
values can either be text or number. An optional record parameter, options , may be
provided to specify additional properties. The record can contain the following fields:
Feedback
Was this page helpful? Yes No
Oracle.Database
Article • 09/11/2023
Syntax
Oracle.Database(server as text, optional options as nullable record) as
table
About
Returns a table of SQL tables and views from the Oracle database on server server . The
port may be optionally specified with the server, separated by a colon. An optional
record parameter, options , may be specified to control the following options:
Feedback
Was this page helpful? Yes No
Pdf.Tables
Article • 09/11/2023
Syntax
Pdf.Tables(pdf as binary, optional options as nullable record) as table
About
Returns any tables found in pdf . An optional record parameter, options , may be
provided to specify additional properties. The record can contain the following fields:
Implementation : The version of the algorithm to use when identifying tables. Old
versions are available only for backwards compatibility, to prevent old queries from
being broken by algorithm updates. The newest version should always give the
best results. Valid values are "1.3", "1.2", "1.1", or null.
StartPage : Specifies the first page in the range of pages to examine. Default: 1.
EndPage : Specifies the last page in the range of pages to examine. Default: the last
page of the document.
MultiPageTables : Controls whether similar tables on consecutive pages will be
boundaries (when true), or simply used as one hint among many for determining
cell boundaries (when false). Default: false.
Example 1
Returns the tables contained in sample.pdf.
Usage
Power Query M
Pdf.Tables(File.Contents("c:\sample.pdf"))
Output
Power Query M
#table({"Name", "Kind", "Data"}, ...)
Feedback
Was this page helpful? Yes No
PostgreSQL.Database
Article • 09/11/2023
Syntax
PostgreSQL.Database(server as text, database as text, optional options as
nullable record) as table
About
Returns a table of SQL tables and views available in a PostgreSQL database on server
server in the database instance named database . The port may be optionally specified
with the server, separated by a colon. An optional record parameter, options , may be
specified to control the following options:
Feedback
Was this page helpful? Yes No
RData.FromBinary
Article • 09/11/2023
Syntax
RData.FromBinary(stream as binary) as any
About
Returns a record of data frames from the RData file.
Feedback
Was this page helpful? Yes No
Salesforce.Data
Article • 09/11/2023
Syntax
Salesforce.Data(optional loginUrl as any, optional options as nullable
record) as table
About
Returns the objects on the Salesforce account provided in the credentials. The account
will be connected through the provided environment loginUrl . If no environment is
provided then the account will connect to production (https://login.salesforce.com ).
An optional record parameter, options , may be provided to specify additional
properties. The record can contain the following fields:
Feedback
Was this page helpful? Yes No
Salesforce.Reports
Article • 09/11/2023
Syntax
Salesforce.Reports(optional loginUrl as nullable text, optional options as
nullable record) as table
About
Returns the reports on the Salesforce account provided in the credentials. The account
will be connected through the provided environment loginUrl . If no environment is
provided then the account will connect to production (https://login.salesforce.com ).
An optional record parameter, options , may be provided to specify additional
properties. The record can contain the following fields:
ApiVersion : The Salesforce API version to use for this query. When not specified,
Feedback
Was this page helpful? Yes No
SapBusinessWarehouse.Cubes
Article • 09/11/2023
Syntax
SapBusinessWarehouse.Cubes(server as text, systemNumberOrSystemId as text,
clientId as text, optional optionsOrLogonGroup as any, optional options as
nullable record) as table
About
Returns a table of InfoCubes and queries grouped by InfoArea from an SAP Business
Warehouse instance at server server with system number systemNumberOrSystemId and
Client ID clientId . An optional record parameter, optionsOrLogonGroup , may be
specified to control options.
Feedback
Was this page helpful? Yes No
SapHana.Database
Article • 09/11/2023
Syntax
SapHana.Database(**server** as text, optional **options** as nullable
record) as table
About
Returns a table of multidimensional packages from the SAP HANA database server . An
optional record parameter, options , may be specified to control the following options:
Query : A native SQL query used to retrieve data. If the query produces multiple
when fetching data. May potentially improve performance at the cost of slightly
higher memory utilization. The default value is false.
ConnectionTimeout : A duration that controls how long to wait before abandoning
Feedback
Was this page helpful? Yes No
SharePoint.Contents
Article • 09/11/2023
Syntax
SharePoint.Contents(url as text, optional options as nullable record) as
table
About
Returns a table containing a row for each folder and document found at the specified
SharePoint site, url . Each row contains properties of the folder or file and a link to its
content. options may be specified to control the following options:
ApiVersion : A number (14 or 15) or the text "Auto" that specifies the SharePoint
API version to use for this site. When not specified, API version 14 is used. When
Auto is specified, the server version will be automatically discovered if possible,
otherwise version defaults to 14. Non-English SharePoint sites require at least
version 15.
Feedback
Was this page helpful? Yes No
SharePoint.Files
Article • 09/11/2023
Syntax
SharePoint.Files(url as text, optional options as nullable record) as table
About
Returns a table containing a row for each document found at the specified SharePoint
site, url , and subfolders. Each row contains properties of the folder or file and a link to
its content. options may be specified to control the following options:
ApiVersion : A number (14 or 15) or the text "Auto" that specifies the SharePoint
API version to use for this site. When not specified, API version 14 is used. When
Auto is specified, the server version will be automatically discovered if possible,
otherwise version defaults to 14. Non-English SharePoint sites require at least
version 15.
Feedback
Was this page helpful? Yes No
SharePoint.Tables
Article • 09/11/2023
Syntax
SharePoint.Tables(url as text, optional options as nullable record) as table
About
Returns a table containing a row for each List item found at the specified SharePoint list,
url . Each row contains properties of the List. options may be specified to control the
following options:
ApiVersion : A number (14 or 15) or the text "Auto" that specifies the SharePoint
API version to use for this site. When not specified, API version 14 is used. When
Auto is specified, the server version will be automatically discovered if possible,
otherwise version defaults to 14. Non-English SharePoint sites require at least
version 15.
Implementation : Optional. Specifies which version of the SharePoint connector to
use. Accepted values are "2.0" or null. If the value is "2.0", the 2.0 implementation
of the SharePoint connector is used. If the value is null, the original implementation
of the SharePoint connector is used.
ViewMode : Optional. This option is only valid for implementation 2.0. Accepted
values are "All" and "Default". If no value is specified, the value is set to "All". When
"All"; is specified, the view includes all user-created and system-defined columns.
When "Default" is specified, the view will match what the user sees when looking at
the list online in whichever view that user set as Default in their settings. If the user
edits their default view to add or remove either user-created or system-defined
columns, or by creating a new view and setting it as default, these changes will
propagate through the connector.
Feedback
Was this page helpful? Yes No
Soda.Feed
Article • 09/11/2023
Syntax
Soda.Feed(url as text) as table
About
Returns a table from the contents at the specified URL url formatted according to the
SODA 2.0 API. The URL must point to a valid SODA-compliant source that ends in a .csv
extension.
Feedback
Was this page helpful? Yes No
Sql.Database
Article • 09/11/2023
Syntax
Sql.Database(server as text, database as text, optional options as nullable
record) as table
About
Returns a table of SQL tables, views, and stored functions from the SQL Server database
database on server server . The port may be optionally specified with the server,
Query : A native SQL query used to retrieve data. If the query produces multiple
conversions which could fail and cause the entire query to fail. Not recommended
for general use.
ContextInfo : A binary value that is used to set the CONTEXT_INFO before running
each command.
OmitSRID : A logical (true/false) that, if true, omits the SRID when producing Well-
folding across databases on the same server. The default value is false.
Feedback
Was this page helpful? Yes No
Sql.Databases
Article • 09/11/2023
Syntax
Sql.Databases(server as text, optional options as nullable record) as table
About
Returns a table of databases on the specified SQL server, server . An optional record
parameter, options , may be specified to control the following options:
conversions which could fail and cause the entire query to fail. Not recommended
for general use.
ContextInfo : A binary value that is used to set the CONTEXT_INFO before running
each command.
OmitSRID : A logical (true/false) that, if true, omits the SRID when producing Well-
folding across databases on the same server. The default value is false.
The record parameter is specified as [option1 = value1, option2 = value2...] for example.
Does not support setting a SQL query to run on the server. Sql.Database should be used
instead to run a SQL query.
Feedback
Was this page helpful? Yes No
Sybase.Database
Article • 09/11/2023
Syntax
Sybase.Database(server as text, database as text, optional options as
nullable record) as table
About
Returns a table of SQL tables and views available in a Sybase database on server server
in the database instance named database . The port may be optionally specified with the
server, separated by a colon. An optional record parameter, options , may be specified
to control the following options:
Feedback
Was this page helpful? Yes No
Teradata.Database
Article • 09/11/2023
Syntax
Teradata.Database(server as text, optional options as nullable record) as
table
About
Returns a table of SQL tables and views from the Teradata database on server server .
The port may be optionally specified with the server, separated by a colon. An optional
record parameter, options , may be specified to control the following options:
Query : A native SQL query used to retrieve data. If the query produces multiple
result sets, only the first will be returned.
CommandTimeout : A duration that controls how long the server-side query is allowed
Feedback
Was this page helpful? Yes No
WebAction.Request
Article • 09/11/2023
Syntax
WebAction.Request(method as text, url as text, optional options as nullable
record) as action
About
Creates an action that, when executed, will return the results of performing a method
request against url using HTTP as a binary value. An optional record parameter,
options , may be provided to specify additional properties. The record can contain the
following fields:
Query : Programmatically add query parameters to the URL without having to worry
about escaping.
ApiKeyName : If the target site has a notion of an API key, this parameter can be
used to specify the name (not the value) of the key parameter that must be used in
the URL. The actual key value is provided in the credential.
Headers : Specifying this value as a record will supply additional headers to an
HTTP request.
Timeout : Specifying this value as a duration will change the timeout for an HTTP
handling for HTTP requests whose response has one of these status codes.
RelativePath : Specifying this value as text appends it to the base URL before
HTTP request.
Note that this function is disabled in most contexts. Consider using Web.Contents or
Web.Headers instead.
Example 1
Perform a GET request against Bing.
Usage
Power Query M
WebAction.Request(WebMethod.Get, "https://bing.com")
Output
Action
Feedback
Was this page helpful? Yes No
Web.BrowserContents
Article • 09/11/2023
Syntax
Web.BrowserContents(url as text, optional options as nullable record) as
text
About
Returns the HTML for the specified url , as viewed by a web browser. An optional record
parameter, options , may be provided to specify additional properties. The record can
contain the following fields:
ApiKeyName : If the target site has a notion of an API key, this parameter can be
used to specify the name (not the value) of the key parameter that must be used in
the URL. The actual key value is provided in the credential.
WaitFor : Specifies a condition to wait for before downloading the HTML, in
addition to waiting for the page to load (which is always done). Can be a record
containing Timeout and/or Selector fields. If only a Timeout is specified, the
function will wait the amount of time specified before downloading the HTML. If
both a Selector and Timeout are specified, and the Timeout elapses before the
Selector exists on the page, an error will be thrown. If a Selector is specified with
no Timeout, a default Timeout of 30 seconds is applied.
Example 1
Returns the HTML for https://microsoft.com .
Usage
Power Query M
Web.BrowserContents("https://microsoft.com")
Output
Usage
Power Query M
Output
Example 3
Returns the HTML for https://microsoft.com after waiting ten seconds.
Usage
Power Query M
Output
Example 4
Returns the HTML for https://microsoft.com after waiting up to ten seconds for a CSS
selector to exist.
Usage
Power Query M
Output
"<!DOCTYPE html><html xmlns=..."
Feedback
Was this page helpful? Yes No
Web.Contents
Article • 09/11/2023
Syntax
About
Returns the contents downloaded from url as binary. An optional record parameter,
options , may be provided to specify additional properties. The record can contain the
following fields:
Query : Programmatically add query parameters to the URL without having to worry
about escaping.
ApiKeyName : If the target site has a notion of an API key, this parameter can be
used to specify the name (not the value) of the key parameter that must be used in
the URL. The actual key value is provided in the credential.
Headers : Specifying this value as a record will supply additional headers to an
HTTP request.
Timeout : Specifying this value as a duration will change the timeout for an HTTP
handling for HTTP requests whose response has one of these status codes.
RelativePath : Specifying this value as text appends it to the base URL before
The HTTP request is made as either a GET (when no Content is specified) or a POST
(when there is Content). POST requests may only be made anonymously.
The headers of the HTTP response are available as metadata on the binary result.
Outside of a custom data connector context, only a subset of response headers is
available (for security reasons).
Example 1
Retrieve the contents of "https://bing.com/search?q=Power+Query" using the
RelativePath and Query options. These options can be used to dynamically query a
static base URL.
Usage
Power Query M
let
searchText = "Power Query"
in
Web.Contents(
"https://www.bing.com",
[
RelativePath = "search",
Query = [q = searchText]
]
)
Output
binary
Example 2
Perform a POST against a URL, passing a binary JSON payload and parsing the response
as JSON.
Usage
Power Query M
let
url = ...,
headers = [#"Content-Type" = "application/json"],
postData = Json.FromValue([x = 235.7, y = 41.53]),
response = Web.Contents(
url,
[
Headers = headers,
Content = postData
]
),
jsonResponse = Json.Document(response)
in
jsonResponse
Output
table
Example 3
Connect to a secure URL that accepts an authentication key as part of its query string.
Instead of hard-coding the secret key in M (which would pose a security risk), the key
can be provided securely by specifying its name (not its value) in M, choosing Web API
authentication, and entering the key value as part of the Web API credential. When used
in this way, the following example will generate a request to
"https://contoso.com/api/customers/get?api_key=******" .
Usage
Power Query M
Web.Contents("https://contoso.com/api/customers/get",
[ApiKeyName="api_key"])
Output
binary
Feedback
Was this page helpful? Yes No
Web.Headers
Article • 09/11/2023
Syntax
Web.Headers(url as text, optional options as nullable record) as record
About
Returns the headers downloaded from url as a record. An optional record parameter,
options , may be provided to specify additional properties. The record can contain the
following fields:
Query : Programmatically add query parameters to the URL without having to worry
about escaping.
ApiKeyName : If the target site has a notion of an API key, this parameter can be
used to specify the name (not the value) of the key parameter that must be used in
the URL. The actual key value is provided in the credential.
Headers : Specifying this value as a record will supply additional headers to an
HTTP request.
Timeout : Specifying this value as a duration will change the timeout for an HTTP
handling for HTTP requests whose response has one of these status codes.
RelativePath : Specifying this value as text appends it to the base URL before
The HTTP request is made with the HEAD method. Outside of a custom data connector
context, only a subset of response headers is available (for security reasons).
Example 1
Retrieve the HTTP headers for "https://bing.com/search?q=Power+Query" using the
RelativePath and Query options.
Usage
Power Query M
let
searchText = "Power Query"
in
Web.Headers(
"https://www.bing.com",
[
RelativePath = "search",
Query = [q = searchText]
]
)
Output
Power Query M
([
#"Cache-Control" = "private, max-age=0",
#"Content-Encoding" = "gzip",
#"Content-Length" = "0",
#"Content-Type" = "text/html; charset=utf-8",
Date = "Tue, 14 Dec 2021 16:57:25 GMT",
Expires = "Tue, 14 Dec 2021 16:56:25 GMT",
Vary = "Accept-Encoding"
]
meta [
Response.Status = 200
])
Feedback
Was this page helpful? Yes No
Web.Page
Article • 09/11/2023
Syntax
Web.Page(html as any) as table
About
Returns the contents of the HTML document broken into its constituent structures, as
well as a representation of the full document and its text after removing tags.
Feedback
Was this page helpful? Yes No
Xml.Document
Article • 09/11/2023
Syntax
Xml.Document(contents as any, optional encoding as nullable number) as table
About
Returns the contents of the XML document as a hierarchical table.
Feedback
Was this page helpful? Yes No
Xml.Tables
Article • 09/11/2023
Syntax
Xml.Tables(contents as any, optional options as nullable record, optional
encoding as nullable number) as table
About
Returns the contents of the XML document as a nested collection of flattened tables.
Example 1
Retrieve the contents of a local XML file.
Usage
Power Query M
Xml.Tables(File.Contents("C:\invoices.xml"))
Output
table
Feedback
Was this page helpful? Yes No
Binary functions
Article • 02/21/2023
Binary Formats
Reading numbers
Name Description
Name Description
BinaryFormat.ByteOrder Returns a binary format with the byte order specified by a function.
Binary data
Name Description
Binary.Buffer Buffers the binary value in memory. The result of this call is a stable
binary value, which means it will have a deterministic length and
order of bytes.
Binary.InferContentType Returns a record with field Content.Type that contains the inferred
MIME-type.
Binary.Split Splits the specified binary into a list of binaries using the specified
page size.
Binary.View Creates or extends a binary with user-defined handlers for query and
action operations.
Binary.ViewError Creates a modified error record which won't trigger a fallback when
thrown by a handler defined on a view (via Binary.View).
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Binary.ApproximateLength(binary as nullable binary) as nullable number
About
Returns the approximate length of binary , or an error if the data source doesn't support
an approximate length.
Example 1
Get the approximate length of the binary value.
Usage
Power Query M
Binary.ApproximateLength(Binary.FromText("i45WMlSKjQUA",
BinaryEncoding.Base64))
Output
Feedback
Was this page helpful? Yes No
Binary.Buffer
Article • 09/11/2023
Syntax
Binary.Buffer(binary as nullable binary) as nullable binary
About
Buffers the binary value in memory. The result of this call is a stable binary value, which
means it will have a deterministic length and order of bytes.
Example 1
Create a stable version of the binary value.
Usage
Power Query M
Binary.Buffer(Binary.FromList({0..10}))
Output
#binary({0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10})
Feedback
Was this page helpful? Yes No
Binary.Combine
Article • 09/11/2023
Syntax
Binary.Combine(binaries as list) as binary
About
Combines a list of binaries into a single binary.
Feedback
Was this page helpful? Yes No
Binary.Compress
Article • 09/11/2023
Syntax
Binary.Compress(binary as nullable binary, compressionType as number) as
nullable binary
About
Compresses a binary value using the given compression type. The result of this call is a
compressed copy of the input. Compression types include:
Compression.GZip
Compression.Deflate
Example 1
Compress the binary value.
Usage
Power Query M
Binary.Compress(Binary.FromList(List.Repeat({10}, 1000)),
Compression.Deflate)
Output
Feedback
Was this page helpful? Yes No
Binary.Decompress
Article • 09/11/2023
Syntax
Binary.Decompress(binary as nullable binary, compressionType as number) as
nullable binary
About
Decompresses a binary value using the given compression type. The result of this call is
a decompressed copy of the input. Compression types include:
Compression.GZip
Compression.Deflate
Example 1
Decompress the binary value.
Usage
Power Query M
Binary.Decompress(#binary({115, 103, 200, 7, 194, 20, 134, 36, 134, 74, 134,
84, 6, 0}), Compression.Deflate)
Output
Feedback
Was this page helpful? Yes No
Binary.From
Article • 09/11/2023
Syntax
Binary.From(value as any, optional encoding as nullable number) as nullable
binary
About
Returns a binary value from the given value . If the given value is null , Binary.From
returns null . If the given value is binary , value is returned. Values of the following
types can be converted to a binary value:
text : A binary value from the text representation. Refer to Binary.FromText for
details.
Example 1
Get the binary value of "1011" .
Usage
Power Query M
Binary.From("1011")
Output
Binary.FromText("1011", BinaryEncoding.Base64)
Feedback
Was this page helpful? Yes No
Binary.FromList
Article • 09/11/2023
Syntax
Binary.FromList(list as list) as binary
About
Converts a list of numbers into a binary value.
Feedback
Was this page helpful? Yes No
Binary.FromText
Article • 09/11/2023
Syntax
Binary.FromText(text as nullable text, optional encoding as nullable number)
as nullable binary
About
Returns the result of converting text value text to a binary (list of number ). encoding
may be specified to indicate the encoding used in the text value. The following
BinaryEncoding values may be used for encoding .
Example 1
Decode "1011" into binary.
Usage
Power Query M
Binary.FromText("1011")
Output
Power Query M
Binary.FromText("1011", BinaryEncoding.Base64)
Example 2
Decode "1011" into binary with Hex encoding.
Usage
Power Query M
Binary.FromText("1011", BinaryEncoding.Hex)
Output
Power Query M
Binary.FromText("EBE=", BinaryEncoding.Base64)
Feedback
Was this page helpful? Yes No
Binary.InferContentType
Article • 09/11/2023
Syntax
Binary.InferContentType(source as binary) as record
About
Returns a record with field Content.Type that contains the inferred MIME-type. If the
inferred content type is text/*, and an encoding code page is detected, then additionally
returns field Content.Encoding that contains the encoding of the stream. If the inferred
content type is text/csv, and the format is delimited, additionally returns field
Csv.PotentialDelimiter containing a table for analysis of potential delimiters. If the
inferred content type is text/csv, and the format is fixed-width, additionally returns field
Csv.PotentialPositions containing a list for analysis of potential fixed width column
positions.
Feedback
Was this page helpful? Yes No
Binary.Length
Article • 09/11/2023
Syntax
Binary.Length(binary as nullable binary) as nullable number
About
Returns the number of characters.
Feedback
Was this page helpful? Yes No
Binary.Range
Article • 09/11/2023
Syntax
Binary.Range(binary as binary, offset as number, optional count as nullable
number) as binary
About
Returns a subset of the binary value beginning at the offset binary . An optional
parameter, offset , sets the maximum length of the subset.
Example 1
Returns a subset of the binary value starting at offset 6.
Usage
Power Query M
Binary.Range(#binary({0..10}), 6)
Output
#binary({6, 7, 8, 9, 10})
Example 2
Returns a subset of length 2 from offset 6 of the binary value.
Usage
Power Query M
Binary.Range(#binary({0..10}), 6, 2)
Output
#binary({6, 7})
Feedback
Was this page helpful? Yes No
Binary.ToList
Article • 09/11/2023
Syntax
Binary.ToList(binary as binary) as list
About
Converts a binary value into a list of numbers.
Feedback
Was this page helpful? Yes No
Binary.ToText
Article • 09/11/2023
Syntax
Binary.ToText(binary as nullable binary, optional encoding as nullable
number) as nullable text
About
Returns the result of converting a binary list of numbers binary into a text value.
Optionally, encoding may be specified to indicate the encoding to be used in the text
value produced The following BinaryEncoding values may be used for encoding .
Feedback
Was this page helpful? Yes No
Binary.View
Article • 09/11/2023
Syntax
Binary.View(binary as nullable binary, handlers as record) as binary
About
Returns a view of binary where the functions specified in handlers are used in lieu of
the default behavior of an operation when the operation is applied to the view.
If binary is provided, all handler functions are optional. If binary isn't provided, the
GetStream handler function is required. If a handler function isn't specified for an
operation, the default behavior of the operation is applied to binary instead (except in
the case of GetExpression ).
Handler functions must return a value that is semantically equivalent to the result of
applying the operation against binary (or the resulting view in the case of
GetExpression ).
If a handler function raises an error, the default behavior of the operation is applied to
the view.
Refer to the published Power Query custom connector documentation for a more
complete description of Binary.View.
Example 1
Create a basic view that doesn't require accessing the data in order to determine the
length.
Usage
Power Query M
Binary.View(
null,
[
GetLength = () => 12,
GetStream = () => Text.ToBinary("hello world!")
]
)
Output
Power Query M
Text.ToBinary("hello world!")
Feedback
Was this page helpful? Yes No
Binary.ViewError
Article • 09/11/2023
Syntax
Binary.ViewError(errorRecord as record) as record
About
Creates a modified error record from errorRecord which won't trigger a fallback when
thrown by a handler defined on a view (via Binary.View).
Feedback
Was this page helpful? Yes No
Binary.ViewFunction
Article • 09/11/2023
Syntax
Binary.ViewFunction(function as function) as function
About
Creates a view function based on function that can be handled in a view created by
Binary.View.
The OnInvoke handler of Binary.View can be used to define a handler for the view
function.
Refer to the published Power Query custom connector documentation for a more
complete description of Binary.View and custom view functions.
Feedback
Was this page helpful? Yes No
BinaryFormat.7BitEncodedSignedIntege
r
Article • 09/11/2023
Syntax
BinaryFormat.7BitEncodedSignedInteger(binary as binary) as any
About
A binary format that reads a 64-bit signed integer that was encoded using a 7-bit
variable-length encoding.
Feedback
Was this page helpful? Yes No
BinaryFormat.7BitEncodedUnsignedInte
ger
Article • 09/11/2023
Syntax
BinaryFormat.7BitEncodedUnsignedInteger(binary as binary) as any
About
A binary format that reads a 64-bit unsigned integer that was encoded using a 7-bit
variable-length encoding.
Feedback
Was this page helpful? Yes No
BinaryFormat.Binary
Article • 09/11/2023
Syntax
BinaryFormat.Binary(optional length as any) as function
About
Returns a binary format that reads a binary value. If length is specified, the binary value
will contain that many bytes. If length is not specified, the binary value will contain the
remaining bytes. The length can be specified either as a number, or as a binary format
of the length that precedes the binary data.
Feedback
Was this page helpful? Yes No
BinaryFormat.Byte
Article • 09/11/2023
Syntax
BinaryFormat.Byte(binary as binary) as any
About
A binary format that reads an 8-bit unsigned integer.
Feedback
Was this page helpful? Yes No
BinaryFormat.ByteOrder
Article • 09/11/2023
Syntax
BinaryFormat.ByteOrder(binaryFormat as function, byteOrder as number) as
function
About
Returns a binary format with the byte order specified by binaryFormat . The default byte
order is ByteOrder.BigEndian .
Feedback
Was this page helpful? Yes No
BinaryFormat.Choice
Article • 09/11/2023
Syntax
BinaryFormat.Choice(binaryFormat as function, chooseFunction as function,
optional type as nullable type, optional combineFunction as nullable
function) as function
About
Returns a binary format that chooses the next binary format based on a value that has
already been read. The binary format value produced by this function works in stages:
The binary format specified by the binaryFormat parameter is used to read a value.
The value is passed to the choice function specified by the chooseFunction
parameter.
The choice function inspects the value and returns a second binary format.
The second binary format is used to read a second value.
If the combine function is specified, then the first and second values are passed to
the combine function, and the resulting value is returned.
If the combine function is not specified, the second value is returned.
The second value is returned.
The optional type parameter indicates the type of binary format that will be returned by
the choice function. Either type any , type list , or type binary may be specified. If the
type parameter is not specified, then type any is used. If type list or type binary is
used, then the system may be able to return a streaming binary or list value instead
of a buffered one, which may reduce the amount of memory necessary to read the
format.
Example 1
Read a list of bytes where the number of elements is determined by the first byte.
Usage
Power Query M
let
binaryData = #binary({2, 3, 4, 5}),
listFormat = BinaryFormat.Choice(
BinaryFormat.Byte,
(length) => BinaryFormat.List(BinaryFormat.Byte, length)
)
in
listFormat(binaryData)
Output
{3,4}
Example 2
Read a list of bytes where the number of elements is determined by the first byte, and
preserve the first byte read.
Usage
Power Query M
let
binaryData = #binary({2, 3, 4, 5}),
listFormat = BinaryFormat.Choice(
BinaryFormat.Byte,
(length) => BinaryFormat.Record([
length = length,
list = BinaryFormat.List(BinaryFormat.Byte, length)
])
)
in
listFormat(binaryData)
Output
Example 3
Read a list of bytes where the number of elements is determined by the first byte using
a streaming list.
Usage
Power Query M
let
binaryData = #binary({2, 3, 4, 5}),
listFormat = BinaryFormat.Choice(
BinaryFormat.Byte,
(length) => BinaryFormat.List(BinaryFormat.Byte, length),
type list
)
in
listFormat(binaryData)
Output
{3, 4}
Feedback
Was this page helpful? Yes No
BinaryFormat.Decimal
Article • 09/11/2023
Syntax
BinaryFormat.Decimal(binary as binary) as any
About
A binary format that reads a .NET 16-byte decimal value.
Feedback
Was this page helpful? Yes No
BinaryFormat.Double
Article • 09/11/2023
Syntax
BinaryFormat.Double(binary as binary) as any
About
A binary format that reads an 8-byte IEEE double-precision floating point value.
Feedback
Was this page helpful? Yes No
BinaryFormat.Group
Article • 09/11/2023
Syntax
BinaryFormat.Group(binaryFormat as function, group as list, optional extra
as nullable function, optional lastKey as any) as function
About
The parameters are as follows:
The binaryFormat parameter specifies the binary format of the key value.
The group parameter provides information about the group of known items.
The optional extra parameter can be used to specify a function that will return a
binary format value for the value following any key that was unexpected. If the
extra parameter is not specified, then an error will be raised if there are
The group parameter specifies a list of item definitions. Each item definition is a list,
containing 3-5 values, as follows:
Key value. The value of the key that corresponds to the item. This must be unique
within the set of items.
Item format. The binary format corresponding to the value of the item. This allows
each item to have a different format.
Item occurrence. The BinaryOccurrence.Type value for how many times the item is
expected to appear in the group. Required items that are not present cause an
error. Required or optional duplicate items are handled like unexpected key values.
Default item value (optional). If the default item value appears in the item
definition list and is not null, then it will be used instead of the default. The default
for repeating or optional items is null, and the default for repeating values is an
empty list { }.
Item value transform (optional). If the item value transform function is present in
the item definition list and is not null, then it will be called to transform the item
value before it is returned. The transform function is only called if the item appears
in the input (it will never be called with the default value).
Example 1
The following assumes a key value that is a single byte, with 4 expected items in the
group, all of which have a byte of data following the key. The items appear in the input
as follows:
Usage
Power Query M
let
b = #binary({
1, 11,
2, 22,
2, 22,
5, 55,
1, 11
}),
f = BinaryFormat.Group(
BinaryFormat.Byte,
{
{1, BinaryFormat.Byte, BinaryOccurrence.Required},
{2, BinaryFormat.Byte, BinaryOccurrence.Repeating},
{3, BinaryFormat.Byte, BinaryOccurrence.Optional},
{4, BinaryFormat.Byte, BinaryOccurrence.Repeating}
},
(extra) => BinaryFormat.Byte
)
in
f(b)
Output
Example 2
The following example illustrates the item value transform and default item value. The
repeating item with key 1 sums the list of values read using List.Sum. The optional item
with key 2 has a default value of 123 instead of null.
Usage
Power Query M
let
b = #binary({
1, 101,
1, 102
}),
f = BinaryFormat.Group(
BinaryFormat.Byte,
{
{1, BinaryFormat.Byte, BinaryOccurrence.Repeating,
0, (list) => List.Sum(list)},
{2, BinaryFormat.Byte, BinaryOccurrence.Optional, 123}
}
)
in
f(b)
Output
{203, 123}
Feedback
Was this page helpful? Yes No
BinaryFormat.Length
Article • 09/11/2023
Syntax
BinaryFormat.Length(binaryFormat as function, length as any) as function
About
Returns a binary format that limits the amount of data that can be read. Both
BinaryFormat.List and BinaryFormat.Binary can be used to read until end of the data.
BinaryFormat.Length can be used to limit the number of bytes that are read. The
binaryFormat parameter specifies the binary format to limit. The length parameter
specifies the number of bytes to read. The length parameter may either be a number
value, or a binary format value that specifies the format of the length value that appears
that precedes the value being read.
Example 1
Limit the number of bytes read to 2 when reading a list of bytes.
Usage
Power Query M
let
binaryData = #binary({1, 2, 3}),
listFormat = BinaryFormat.Length(
BinaryFormat.List(BinaryFormat.Byte),
2
)
in
listFormat(binaryData)
Output
{1, 2}
Example 2
Limit the number of byte read when reading a list of bytes to the byte value preceding
the list.
Usage
Power Query M
let
binaryData = #binary({1, 2, 3}),
listFormat = BinaryFormat.Length(
BinaryFormat.List(BinaryFormat.Byte),
BinaryFormat.Byte
)
in
listFormat(binaryData)
Output
{2}
Feedback
Was this page helpful? Yes No
BinaryFormat.List
Article • 09/11/2023
Syntax
BinaryFormat.List(binaryFormat as function, optional countOrCondition as
any) as function
About
Returns a binary format that reads a sequence of items and returns a list . The
binaryFormat parameter specifies the binary format of each item. There are three ways
If the countOrCondition is not specified, then the binary format will read until there
are no more items.
If the countOrCondition is a number, then the binary format will read that many
items.
If the countOrCondition is a function, then that function will be invoked for each
item read. The function returns true to continue, and false to stop reading items.
The final item is included in the list.
If the countOrCondition is a binary format, then the count of items is expected to
precede the list, and the specified format is used to read the count.
Example 1
Read bytes until the end of the data.
Usage
Power Query M
let
binaryData = #binary({1, 2, 3}),
listFormat = BinaryFormat.List(BinaryFormat.Byte)
in
listFormat(binaryData)
Output
{1, 2, 3}
Example 2
Read two bytes.
Usage
Power Query M
let
binaryData = #binary({1, 2, 3}),
listFormat = BinaryFormat.List(BinaryFormat.Byte, 2)
in
listFormat(binaryData)
Output
{1, 2}
Example 3
Read bytes until the byte value is greater than or equal to two.
Usage
Power Query M
let
binaryData = #binary({1, 2, 3}),
listFormat = BinaryFormat.List(BinaryFormat.Byte, (x) => x < 2)
in
listFormat(binaryData)
Output
{1, 2}
Feedback
Was this page helpful? Yes No
BinaryFormat.Null
Article • 09/11/2023
Syntax
BinaryFormat.Null(binary as binary) as any
About
A binary format that reads zero bytes and returns null.
Feedback
Was this page helpful? Yes No
BinaryFormat.Record
Article • 09/11/2023
Syntax
BinaryFormat.Record(record as record) as function
About
Returns a binary format that reads a record. The record parameter specifies the format
of the record. Each field in the record can have a different binary format. If a field
contains a value that is not a binary format value, then no data is read for that field, and
the field value is echoed to the result.
Example 1
Read a record containing one 16-bit integer and one 32-bit integer.
Usage
Power Query M
let
binaryData = #binary({
0x00, 0x01,
0x00, 0x00, 0x00, 0x02
}),
recordFormat = BinaryFormat.Record([
A = BinaryFormat.UnsignedInteger16,
B = BinaryFormat.UnsignedInteger32
])
in
recordFormat(binaryData)
Output
[A = 1, B = 2]
Feedback
Was this page helpful? Yes No
BinaryFormat.SignedInteger16
Article • 09/11/2023
Syntax
BinaryFormat.SignedInteger16(binary as binary) as any
About
A binary format that reads a 16-bit signed integer.
Feedback
Was this page helpful? Yes No
BinaryFormat.SignedInteger32
Article • 09/11/2023
Syntax
BinaryFormat.SignedInteger32(binary as binary) as any
About
A binary format that reads a 32-bit signed integer.
Feedback
Was this page helpful? Yes No
BinaryFormat.SignedInteger64
Article • 09/11/2023
Syntax
BinaryFormat.SignedInteger64(binary as binary) as any
About
A binary format that reads a 64-bit signed integer.
Feedback
Was this page helpful? Yes No
BinaryFormat.Single
Article • 09/11/2023
Syntax
BinaryFormat.Single(binary as binary) as any
About
A binary format that reads a 4-byte IEEE single-precision floating point value.
Feedback
Was this page helpful? Yes No
BinaryFormat.Text
Article • 09/11/2023
Syntax
BinaryFormat.Text(length as any, optional encoding as nullable number) as
function
About
Returns a binary format that reads a text value. The length specifies the number of
bytes to decode, or the binary format of the length that precedes the text. The optional
encoding value specifies the encoding of the text. If the encoding is not specified, then
the encoding is determined from the Unicode byte order marks. If no byte order marks
are present, then TextEncoding.Utf8 is used.
Example 1
Decode two bytes as ASCII text.
Usage
Power Query M
let
binaryData = #binary({65, 66, 67}),
textFormat = BinaryFormat.Text(2, TextEncoding.Ascii)
in
textFormat(binaryData)
Output
"AB"
Example 2
Decode ASCII text where the length of the text in bytes appears before the text as a
byte.
Usage
Power Query M
let
binaryData = #binary({2, 65, 66}),
textFormat = BinaryFormat.Text(
BinaryFormat.Byte,
TextEncoding.Ascii
)
in
textFormat(binaryData)
Output
"AB"
Feedback
Was this page helpful? Yes No
BinaryFormat.Transform
Article • 09/11/2023
Syntax
BinaryFormat.Transform(binaryFormat as function, function as function) as
function
About
Returns a binary format that will transform the values read by another binary format.
The binaryFormat parameter specifies the binary format that will be used to read the
value. The function is invoked with the value read, and returns the transformed value.
Example 1
Read a byte and add one to it.
Usage
Power Query M
let
binaryData = #binary({1}),
transformFormat = BinaryFormat.Transform(
BinaryFormat.Byte,
(x) => x + 1
)
in
transformFormat(binaryData)
Output
Feedback
Was this page helpful? Yes No
BinaryFormat.UnsignedInteger16
Article • 09/11/2023
Syntax
BinaryFormat.UnsignedInteger16(binary as binary) as any
About
A binary format that reads a 16-bit unsigned integer.
Feedback
Was this page helpful? Yes No
BinaryFormat.UnsignedInteger32
Article • 09/11/2023
Syntax
BinaryFormat.UnsignedInteger32(binary as binary) as any
About
A binary format that reads a 32-bit unsigned integer.
Feedback
Was this page helpful? Yes No
BinaryFormat.UnsignedInteger64
Article • 09/11/2023
Syntax
BinaryFormat.UnsignedInteger64(binary as binary) as any
About
A binary format that reads a 64-bit unsigned integer.
Feedback
Was this page helpful? Yes No
#binary
Article • 09/11/2023
Syntax
#binary(value as any) as any
About
Creates a binary value from a list of numbers or a base 64 encoded text value.
Example 1
Create a binary value from a list of numbers.
Usage
Power Query M
Output
Text.ToBinary("012")
Example 2
Create a binary value from a base 64 encoded text value.
Usage
Power Query M
#binary("1011")
Output
Binary.FromText("1011", BinaryEncoding.Base64)
Feedback
Was this page helpful? Yes No
Combiner functions
Article • 06/15/2023
These functions are used by other library functions that merge values. For example,
Table.ToList and Table.CombineColumns apply a combiner function to each row in a
Name Description
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Combiner.CombineTextByDelimiter(delimiter as text, optional quoteStyle as
nullable number) as function
About
Returns a function that combines a list of text values into a single text value using the
specified delimiter.
Example 1
Combine a list of text values using a semicolon delimiter.
Usage
Power Query M
Output
"a;b;c"
Example 2
Combine the text of two columns using a comma delimiter and CSV-style quoting.
Usage
Power Query M
let
Source = #table(
type table [Column1 = text, Column2 = text],
{{"a", "b"}, {"c", "d,e,f"}}
),
Merged = Table.CombineColumns(
Source,
{"Column1", "Column2"},
Combiner.CombineTextByDelimiter(",", QuoteStyle.Csv),
"Merged"
)
in
Merged
Output
Power Query M
#table(
type table [Merged = text],
{{"a,b"}, {"c,""d,e,f"""}}
)
Feedback
Was this page helpful? Yes No
Combiner.CombineTextByEachDelimiter
Article • 09/11/2023
Syntax
Combiner.CombineTextByEachDelimiter(delimiters as list, optional quoteStyle
as nullable number) as function
About
Returns a function that combines a list of text into a single text using each specified
delimiter in sequence.
Feedback
Was this page helpful? Yes No
Combiner.CombineTextByLengths
Article • 09/11/2023
Syntax
Combiner.CombineTextByLengths(lengths as list, optional template as nullable
text) as function
About
Returns a function that combines a list of text into a single text using the specified
lengths.
Feedback
Was this page helpful? Yes No
Combiner.CombineTextByPositions
Article • 09/11/2023
Syntax
Combiner.CombineTextByPositions(positions as list, optional template as
nullable text) as function
About
Returns a function that combines a list of text into a single text using the specified
positions.
Feedback
Was this page helpful? Yes No
Combiner.CombineTextByRanges
Article • 09/11/2023
Syntax
Combiner.CombineTextByRanges(ranges as list, optional template as nullable
text) as function
About
Returns a function that combines a list of text into a single text using the specified
positions and lengths. A null length indicates that the entire text value should be
included.
Feedback
Was this page helpful? Yes No
Comparer functions
Article • 09/25/2023
Name Description
Comparer.Equals Returns a logical value based on the equality check over the two
given values.
Feedback
Was this page helpful? Yes No
Comparer.Equals
Article • 09/25/2023
Syntax
Comparer.Equals(comparer as function, x as any, y as any) as logical
About
Returns a logical value based on the equality check over the two given values, x and
y , using the provided comparer .
function that accepts two arguments and returns -1, 0, or 1 based on whether the first
value is less than, equal to, or greater than the second. Comparers can be used to
provide case-insensitive or culture and locale-aware comparisons.
Example 1
Compare "1" and "A" using "en-US" locale to determine if the values are equal.
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
Comparer.FromCulture
Article • 09/25/2023
Syntax
Comparer.FromCulture(culture as text, optional ignoreCase as nullable
logical) as function
About
Returns a comparer function that uses the culture and the case-sensitivity specified by
ignoreCase to perform comparisons.
A comparer function accepts two arguments and returns -1, 0, or 1 based on whether
the first value is less than, equal to, or greater than the second.
The default value for ignoreCase is false. The culture should be one of the locales
supported by the .NET framework (for example, "en-US").
Example 1
Compare "a" and "A" using "en-US" locale to determine if the values are equal.
Usage
Power Query M
Comparer.FromCulture("en-US")("a", "A")
Output
-1
Example 2
Compare "a" and "A" using "en-US" locale ignoring the case to determine if the values
are equal.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Comparer.Ordinal
Article • 09/25/2023
Syntax
Comparer.Ordinal(x as any, y as any) as number
About
Returns a comparer function which uses Ordinal rules to compare the provided values x
and y .
Example 1
Using Ordinal rules, compare if "encyclopædia" and "encyclopaedia" are equivalent.
Note these are equivalent using Comparer.FromCulture("en-US") .
A comparer function accepts two arguments and returns -1, 0, or 1 based on whether
the first value is less than, equal to, or greater than the second.
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
Comparer.OrdinalIgnoreCase
Article • 09/25/2023
Syntax
Comparer.OrdinalIgnoreCase(x as any, y as any) as number
About
Returns a case-insensitive comparer function which uses Ordinal rules to compare the
provided values x and y .
A comparer function accepts two arguments and returns -1, 0, or 1 based on whether
the first value is less than, equal to, or greater than the second.
Example 1
Using case-insensitive Ordinal rules, compare "Abc" with "abc". Note "Abc" is less than
"abc" using Comparer.Ordinal .
Usage
Power Query M
Comparer.OrdinalIgnoreCase("Abc", "abc")
Output
Feedback
Was this page helpful? Yes No
Date functions
Article • 11/15/2022
These functions create and manipulate the date component of date, datetime, and
datetimezone values.
Name Description
Date.DayOfYear Returns a number that represents the day of the year from a
DateTime value.
Date.DaysInMonth Returns the number of days in the month from a DateTime value.
Date.FromText Creates a Date from local, universal, and custom Date formats.
Date.IsInCurrentDay Indicates whether the given datetime value dateTime occurs during
the current day, as determined by the current date and time on the
system.
Date.IsInNextDay Indicates whether the given datetime value dateTime occurs during
the next day, as determined by the current date and time on the
system.
Date.IsInNextNDays Indicates whether the given datetime value dateTime occurs during
the next number of days, as determined by the current date and
time on the system.
Date.IsInNextNMonths Indicates whether the given datetime value dateTime occurs during
the next number of months, as determined by the current date and
time on the system.
Date.IsInNextNQuarters Indicates whether the given datetime value dateTime occurs during
the next number of quarters, as determined by the current date and
time on the system.
Date.IsInNextNWeeks Indicates whether the given datetime value dateTime occurs during
the next number of weeks, as determined by the current date and
time on the system.
Name Description
Date.IsInNextNYears Indicates whether the given datetime value dateTime occurs during
the next number of years, as determined by the current date and
time on the system.
Date.IsInPreviousDay Indicates whether the given datetime value dateTime occurs during
the previous day, as determined by the current date and time on
the system.
Date.IsInPreviousNDays Indicates whether the given datetime value dateTime occurs during
the previous number of days, as determined by the current date
and time on the system.
Date.IsInPreviousNMonths Indicates whether the given datetime value dateTime occurs during
the previous number of months, as determined by the current date
and time on the system.
Date.IsInPreviousNQuarters Indicates whether the given datetime value dateTime occurs during
the previous number of quarters, as determined by the current date
and time on the system.
Date.IsInPreviousNWeeks Indicates whether the given datetime value dateTime occurs during
the previous number of weeks, as determined by the current date
and time on the system.
Date.IsInPreviousNYears Indicates whether the given datetime value dateTime occurs during
the previous number of years, as determined by the current date
and time on the system.
Date.QuarterOfYear Returns a number between 1 and 4 for the quarter of the year from
a DateTime value.
Date.WeekOfMonth Returns a number for the count of week in the current month.
Date.WeekOfYear Returns a number for the count of week in the current year.
Feedback
ツ ト
ツ Yes ト No
Was this page helpful?
Syntax
Date.AddDays(dateTime as any, numberOfDays as number) as any
About
Returns the date , datetime , or datetimezone result from adding numberOfDays days to
the datetime value dateTime .
dateTime : The date , datetime , or datetimezone value to which days are being
added.
numberOfDays : The number of days to add.
Example 1
Add 5 days to the date , datetime , or datetimezone value representing the date
5/14/2011.
Usage
Power Query M
Date.AddDays(#date(2011, 5, 14), 5)
Output
#date(2011, 5, 19)
Feedback
Was this page helpful? Yes No
Date.AddMonths
Article • 09/11/2023
Syntax
Date.AddMonths(dateTime as any, numberOfMonths as number) as any
About
Returns the date , datetime , or datetimezone result from adding numberOfMonths months
to the datetime value dateTime .
dateTime : The date , datetime , or datetimezone value to which months are being
added.
numberOfMonths : The number of months to add.
Example 1
Add 5 months to the date , datetime , or datetimezone value representing the date
5/14/2011.
Usage
Power Query M
Date.AddMonths(#date(2011, 5, 14), 5)
Output
Example 2
Add 18 months to the date , datetime , or datetimezone value representing the date and
time of 5/14/2011 08:15:22 AM.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Date.AddQuarters
Article • 09/11/2023
Syntax
Date.AddQuarters(dateTime as any, numberOfQuarters as number) as any
About
Returns the date , datetime , or datetimezone result from adding numberOfQuarters
quarters to the datetime value dateTime .
dateTime : The date , datetime , or datetimezone value to which quarters are being
added.
numberOfQuarters : The number of quarters to add.
Example 1
Add 1 quarter to the date , datetime , or datetimezone value representing the date
5/14/2011.
Usage
Power Query M
Date.AddQuarters(#date(2011, 5, 14), 1)
Output
#date(2011, 8, 14)
Feedback
Was this page helpful? Yes No
Date.AddWeeks
Article • 09/11/2023
Syntax
Date.AddWeeks(dateTime as any, numberOfWeeks as number) as any
About
Returns the date , datetime , or datetimezone result from adding numberOfWeeks weeks
to the datetime value dateTime .
dateTime : The date , datetime , or datetimezone value to which weeks are being
added.
numberOfWeeks : The number of weeks to add.
Example 1
Add 2 weeks to the date , datetime , or datetimezone value representing the date
5/14/2011.
Usage
Power Query M
Date.AddWeeks(#date(2011, 5, 14), 2)
Output
#date(2011, 5, 28)
Feedback
Was this page helpful? Yes No
Date.AddYears
Article • 09/11/2023
Syntax
Date.AddYears(dateTime as any, numberOfYears as number) as any
About
Returns the date , datetime , or datetimezone result of adding numberOfYears to a
datetime value dateTime .
dateTime : The date , datetime , or datetimezone value to which years are added.
numberOfYears : The number of years to add.
Example 1
Add 4 years to the date , datetime , or datetimezone value representing the date
5/14/2011.
Usage
Power Query M
Date.AddYears(#date(2011, 5, 14), 4)
Output
#date(2015, 5, 14)
Example 2
Add 10 years to the date , datetime , or datetimezone value representing the date and
time of 5/14/2011 08:15:22 AM.
Usage
Power Query M
Date.AddYears(#datetime(2011, 5, 14, 8, 15, 22), 10)
Output
Feedback
Was this page helpful? Yes No
Date.Day
Article • 09/11/2023
Syntax
Date.Day(dateTime as any) as nullable number
About
Returns the day component of a date , datetime , or datetimezone value.
component is extracted.
Example 1
Get the day component of a date , datetime , or datetimezone value representing the
date and time of 5/14/2011 05:00:00 PM.
Usage
Power Query M
Output
14
Feedback
Was this page helpful? Yes No
Date.DayOfWeek
Article • 09/11/2023
Syntax
About
Returns a number (from 0 to 6) indicating the day of the week of the provided dateTime .
firstDayOfWeek : A Day value indicating which day should be considered the first
day of the week. Allowed values are Day.Sunday, Day.Monday, Day.Tuesday,
Day.Wednesday, Day.Thursday, Day.Friday, or Day.Saturday. If unspecified, a
culture-dependent default is used.
Example 1
Get the day of the week represented by Monday, February 21st, 2011, treating Sunday
as the first day of the week.
Usage
Power Query M
Output
Example 2
Get the day of the week represented by Monday, February 21st, 2011, treating Monday
as the first day of the week.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Date.DayOfWeekName
Article • 09/11/2023
Syntax
Date.DayOfWeekName(date as any, optional culture as nullable text)
About
Returns the day of the week name for the provided date . An optional culture may also
be provided (for example, "en-US").
Example 1
Get the day of the week name.
Usage
Power Query M
Output
"Saturday"
Feedback
Was this page helpful? Yes No
Date.DayOfYear
Article • 09/11/2023
Syntax
Date.DayOfYear(dateTime as any) as nullable number
About
Returns a number representing the day of the year in the provided date , datetime , or
datetimezone value, dateTime .
Example 1
The day of the year for March 1st, 2011.
Usage
Power Query M
Output
60
Feedback
Was this page helpful? Yes No
Date.DaysInMonth
Article • 09/11/2023
Syntax
Date.DaysInMonth(dateTime as any) as nullable number
About
Returns the number of days in the month in the date , datetime , or datetimezone value
dateTime .
dateTime : A date , datetime , or datetimezone value for which the number of days
Example 1
Number of days in the month December as represented by #date(2011, 12, 01) .
Usage
Power Query M
Output
31
Feedback
Was this page helpful? Yes No
Date.EndOfDay
Article • 09/11/2023
About
Returns the end of the day represented by dateTime . Time zone information is
preserved.
dateTime : A date , datetime , or datetimezone value from from which the end of
Example 1
Get the end of the day for 5/14/2011 05:00:00 PM.
Usage
Power Query M
Output
Example 2
Get the end of the day for 5/17/2011 05:00:00 PM -7:00.
Usage
Power Query M
Output
Syntax
Date.EndOfMonth(dateTime as any) as any
About
Returns the end of the month that contains dateTime .
dateTime : A date , datetime , or datetimezone value from which the end of the
month is calculated.
Example 1
Get the end of the month for 5/14/2011.
Usage
Power Query M
Date.EndOfMonth(#date(2011, 5, 14))
Output
#date(2011, 5, 31)
Example 2
Get the end of the month for 5/17/2011 05:00:00 PM -7:00.
Usage
Power Query M
Output
#datetimezone(2011, 5, 31, 23, 59, 59.9999999, -7, 0)
Feedback
Was this page helpful? Yes No
Date.EndOfQuarter
Article • 09/11/2023
Syntax
Date.EndOfQuarter(dateTime as any) as any
About
Returns the end of the quarter that contains dateTime . Time zone information is
preserved.
dateTime : A date , datetime , or datetimezone value from which the end of the
quarter is calculated.
Example 1
Find the end of the quarter for October 10th, 2011, 8:00AM.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Date.EndOfWeek
Article • 09/11/2023
Syntax
Date.EndOfWeek(dateTime as any, optional firstDayOfWeek as nullable number)
as any
About
Returns the end of the week that contains dateTime . This function takes an optional Day ,
firstDayOfWeek , to set as the first day of the week for this relative calculation. The
dateTime : A date , datetime , or datetimezone value from which the last day of the
week is calculated
firstDayOfWeek : [Optional] A Day.Type value representing the first day of the week.
Example 1
Get the end of the week for 5/14/2011.
Usage
Power Query M
Date.EndOfWeek(#date(2011, 5, 14))
Output
#date(2011, 5, 14)
Example 2
Get the end of the week for 5/17/2011 05:00:00 PM -7:00, with Sunday as the first day of
the week.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Date.EndOfYear
Article • 09/11/2023
Syntax
Date.EndOfYear(dateTime as any) as any
About
Returns the end of the year that contains dateTime , including fractional seconds. Time
zone information is preserved.
dateTime : A date , datetime , or datetimezone value from which the end of the year
is calculated.
Example 1
Get the end of the year for 5/14/2011 05:00:00 PM.
Usage
Power Query M
Output
Example 2
Get the end of hour for 5/17/2011 05:00:00 PM -7:00.
Usage
Power Query M
Feedback
Was this page helpful? Yes No
Date.From
Article • 09/11/2023
Syntax
Date.From(value as any, optional culture as nullable text) as nullable date
About
Returns a date value from the given value . An optional culture > may also be provided
(for example, "en-US"). If the given value is null , Date.From returns null . If the given
value is date , value is returned. Values of the following types can be converted to a
date value:
text : A date value from textual representation. Refer to Date.FromText for details.
datetime : The date component of the value .
number : The date component of the datetime equivalent of the OLE Automation
Date expressed by value .
Example 1
Convert 43910 to a date value.
Usage
Power Query M
Date.From(43910)
Output
#date(2020, 3, 20)
Example 2
Convert #datetime(1899, 12, 30, 06, 45, 12) to a date value.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Date.FromText
Article • 09/11/2023
Syntax
Date.FromText(text as nullable text, optional options as any) as nullable
date
About
Creates a date value from a textual representation, text . An optional record
parameter, options , may be provided to specify additional properties. The record can
contain the following fields:
Format : A text value indicating the format to use. For more details, go to
https://go.microsoft.com/fwlink/?linkid=2180104 and
https://go.microsoft.com/fwlink/?linkid=2180105 . Omitting this field or
providing null will result in parsing the date using a best effort.
Culture : When Format is not null, Culture controls some format specifiers. For
example, in "en-US" "MMM" is "Jan", "Feb", "Mar", ... , while in "ru-RU" "MMM" is
"янв", "фев", "мар", ... . When Format is null , Culture controls the default
To support legacy workflows, options may also be a text value. This has the same
behavior as if options = [Format = null, Culture = options] .
Example 1
Convert "2010-12-31" into a date value.
Usage
Power Query M
Date.FromText("2010-12-31")
Output
#date(2010, 12, 31)
Example 2
Convert using a custom format and the German culture.
Usage
Power Query M
Output
Example 3
Find the date in the Gregorian calendar that corresponds to the beginning of 1400 in
the Hijri calendar.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Date.IsInCurrentDay
Article • 09/11/2023
Syntax
Date.IsInCurrentDay(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the current day, as
determined by the current date and time on the system.
Example
Determine if the current system time is in the current day.
Usage
Power Query M
Date.IsInCurrentDay(DateTime.FixedLocalNow())
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInCurrentMonth
Article • 09/11/2023
Syntax
Date.IsInCurrentMonth(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the current month,
as determined by the current date and time on the system.
Example 1
Determine if the current system time is in the current month.
Usage
Power Query M
Date.IsInCurrentMonth(DateTime.FixedLocalNow())
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInCurrentQuarter
Article • 09/11/2023
Syntax
Date.IsInCurrentQuarter(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the current quarter,
as determined by the current date and time on the system.
Example 1
Determine if the current system time is in the current quarter.
Usage
Power Query M
Date.IsInCurrentQuarter(DateTime.FixedLocalNow())
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInCurrentWeek
Article • 09/11/2023
Syntax
Date.IsInCurrentWeek(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the current week, as
determined by the current date and time on the system.
Example 1
Determine if the current system time is in the current week.
Usage
Power Query M
Date.IsInCurrentWeek(DateTime.FixedLocalNow())
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInCurrentYear
Article • 09/11/2023
Syntax
Date.IsInCurrentYear(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the current year, as
determined by the current date and time on the system.
Example 1
Determine if the current system time is in the current year.
Usage
Power Query M
Date.IsInCurrentYear(DateTime.FixedLocalNow())
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextDay
Article • 09/11/2023
Syntax
Date.IsInNextDay(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next day, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current day.
Example 1
Determine if the day after the current system time is in the next day.
Usage
Power Query M
Date.IsInNextDay(Date.AddDays(DateTime.FixedLocalNow(), 1))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextMonth
Article • 09/11/2023
Syntax
Date.IsInNextMonth(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next month, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current month.
Example 1
Determine if the month after the current system time is in the next month.
Usage
Power Query M
Date.IsInNextMonth(Date.AddMonths(DateTime.FixedLocalNow(), 1))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextNDays
Article • 09/11/2023
Syntax
Date.IsInNextNDays(dateTime as any, days as number) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next number of
days, as determined by the current date and time on the system. Note that this function
will return false when passed a value that occurs within the current day.
Example 1
Determine if the day after the current system time is in the next two days.
Usage
Power Query M
Date.IsInNextNDays(Date.AddDays(DateTime.FixedLocalNow(), 1), 2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextNMonths
Article • 09/11/2023
About
Indicates whether the given datetime value dateTime occurs during the next number of
months, as determined by the current date and time on the system. Note that this
function will return false when passed a value that occurs within the current month.
Example 1
Determine if the month after the current system time is in the next two months.
Usage
Power Query M
Date.IsInNextNMonths(Date.AddMonths(DateTime.FixedLocalNow(), 1), 2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextNQuarters
Article • 09/11/2023
Syntax
Date.IsInNextNQuarters(dateTime as any, quarters as number) as nullable
logical
About
Indicates whether the given datetime value dateTime occurs during the next number of
quarters, as determined by the current date and time on the system. Note that this
function will return false when passed a value that occurs within the current quarter.
Example 1
Determine if the quarter after the current system time is in the next two quarters.
Usage
Power Query M
Date.IsInNextNQuarters(Date.AddQuarters(DateTime.FixedLocalNow(), 1), 2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextNWeeks
Article • 09/11/2023
Syntax
Date.IsInNextNWeeks(dateTime as any, weeks as number) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next number of
weeks, as determined by the current date and time on the system. Note that this
function will return false when passed a value that occurs within the current week.
Example 1
Determine if the week after the current system time is in the next two weeks.
Usage
Power Query M
Date.IsInNextNWeeks(Date.AddDays(DateTime.FixedLocalNow(), 7), 2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextNYears
Article • 09/11/2023
Syntax
Date.IsInNextNYears(dateTime as any, years as number) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next number of
years, as determined by the current date and time on the system. Note that this function
will return false when passed a value that occurs within the current year.
Example 1
Determine if the year after the current system time is in the next two years.
Usage
Power Query M
Date.IsInNextNYears(Date.AddYears(DateTime.FixedLocalNow(), 1), 2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextQuarter
Article • 09/11/2023
Syntax
Date.IsInNextQuarter(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next quarter, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current quarter.
Example 1
Determine if the quarter after the current system time is in the next quarter.
Usage
Power Query M
Date.IsInNextQuarter(Date.AddQuarters(DateTime.FixedLocalNow(), 1))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextWeek
Article • 09/11/2023
Syntax
Date.IsInNextWeek(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next week, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current week.
Example 1
Determine if the week after the current system time is in the next week.
Usage
Power Query M
Date.IsInNextWeek(Date.AddDays(DateTime.FixedLocalNow(), 7))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInNextYear
Article • 09/11/2023
Syntax
Date.IsInNextYear(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next year, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current year.
Example 1
Determine if the year after the current system time is in the next year.
Usage
Power Query M
Date.IsInNextYear(Date.AddYears(DateTime.FixedLocalNow(), 1))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousDay
Article • 09/11/2023
Syntax
Date.IsInPreviousDay(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous day, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current day.
Example 1
Determine if the day before the current system time is in the previous day.
Usage
Power Query M
Date.IsInPreviousDay(Date.AddDays(DateTime.FixedLocalNow(), -1))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousMonth
Article • 09/11/2023
Syntax
Date.IsInPreviousMonth(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous month,
as determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current month.
Example 1
Determine if the month before the current system time is in the previous month.
Usage
Power Query M
Date.IsInPreviousMonth(Date.AddMonths(DateTime.FixedLocalNow(), -1))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousNDays
Article • 09/11/2023
Syntax
Date.IsInPreviousNDays(dateTime as any, days as number) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous
number of days, as determined by the current date and time on the system. Note that
this function will return false when passed a value that occurs within the current day.
Example 1
Determine if the day before the current system time is in the previous two days.
Usage
Power Query M
Date.IsInPreviousNDays(Date.AddDays(DateTime.FixedLocalNow(), -1), 2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousNMonths
Article • 09/11/2023
Syntax
Date.IsInPreviousNMonths(dateTime as any, months as number) as nullable
logical
About
Indicates whether the given datetime value dateTime occurs during the previous
number of months, as determined by the current date and time on the system. Note
that this function will return false when passed a value that occurs within the current
month.
Example 1
Determine if the month before the current system time is in the previous two months.
Usage
Power Query M
Date.IsInPreviousNMonths(Date.AddMonths(DateTime.FixedLocalNow(), -1), 2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousNQuarters
Article • 09/11/2023
Syntax
Date.IsInPreviousNQuarters(dateTime as any, quarters as number) as nullable
logical
About
Indicates whether the given datetime value dateTime occurs during the previous
number of quarters, as determined by the current date and time on the system. Note
that this function will return false when passed a value that occurs within the current
quarter.
Example 1
Determine if the quarter before the current system time is in the previous two quarters.
Usage
Power Query M
Date.IsInPreviousNQuarters(Date.AddQuarters(DateTime.FixedLocalNow(), -1),
2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousNWeeks
Article • 09/11/2023
Syntax
Date.IsInPreviousNWeeks(dateTime as any, weeks as number) as nullable
logical
About
Indicates whether the given datetime value dateTime occurs during the previous
number of weeks, as determined by the current date and time on the system. Note that
this function will return false when passed a value that occurs within the current week.
Example 1
Determine if the week before the current system time is in the previous two weeks.
Usage
Power Query M
Date.IsInPreviousNWeeks(Date.AddDays(DateTime.FixedLocalNow(), -7), 2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousNYears
Article • 09/11/2023
Syntax
Date.IsInPreviousNYears(dateTime as any, years as number) as nullable
logical
About
Indicates whether the given datetime value dateTime occurs during the previous
number of years, as determined by the current date and time on the system. Note that
this function will return false when passed a value that occurs within the current year.
Example 1
Determine if the year before the current system time is in the previous two years.
Usage
Power Query M
Date.IsInPreviousNYears(Date.AddYears(DateTime.FixedLocalNow(), -1), 2)
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousQuarter
Article • 09/11/2023
Syntax
Date.IsInPreviousQuarter(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous
quarter, as determined by the current date and time on the system. Note that this
function will return false when passed a value that occurs within the current quarter.
Example 1
Determine if the quarter before the current system time is in the previous quarter.
Usage
Power Query M
Date.IsInPreviousQuarter(Date.AddQuarters(DateTime.FixedLocalNow(), -1))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousWeek
Article • 09/11/2023
Syntax
Date.IsInPreviousWeek(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous week,
as determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current week.
Example 1
Determine if the week before the current system time is in the previous week.
Usage
Power Query M
Date.IsInPreviousWeek(Date.AddDays(DateTime.FixedLocalNow(), -7))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInPreviousYear
Article • 09/11/2023
Syntax
Date.IsInPreviousYear(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous year, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current year.
Example 1
Determine if the year before the current system time is in the previous year.
Usage
Power Query M
Date.IsInPreviousYear(Date.AddYears(DateTime.FixedLocalNow(), -1))
Output
true
Feedback
Was this page helpful? Yes No
Date.IsInYearToDate
Article • 09/11/2023
Syntax
Date.IsInYearToDate(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the current year and
is on or before the current day, as determined by the current date and time on the
system.
Example 1
Determine if the current system time is in the year to date.
Usage
Power Query M
Date.IsInYearToDate(DateTime.FixedLocalNow())
Output
true
Feedback
Was this page helpful? Yes No
Date.IsLeapYear
Article • 09/11/2023
Syntax
About
Indicates whether the given datetime value dateTime falls in is a leap year.
Example 1
Determine if the year 2012, as represented by #date(2012, 01, 01) is a leap year.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
Date.Month
Article • 09/11/2023
Syntax
Date.Month(dateTime as any) as nullable number
About
Returns the month component of the provided datetime value, dateTime .
Example 1
Find the month in #datetime(2011, 12, 31, 9, 15, 36).
Usage
Power Query M
Output
12
Feedback
Was this page helpful? Yes No
Date.MonthName
Article • 09/11/2023
Syntax
Date.MonthName(date as any, optional culture as nullable text) as nullable
text
About
Returns the name of the month component for the provided date . An optional culture
may also be provided (for example, "en-US").
Example 1
Get the month name.
Usage
Power Query M
Output
"December"
Feedback
Was this page helpful? Yes No
Date.QuarterOfYear
Article • 09/11/2023
Syntax
Date.QuarterOfYear(dateTime as any) as nullable number
About
Returns a number from 1 to 4 indicating which quarter of the year the date dateTime
falls in. dateTime can be a date , datetime , or datetimezone value.
Example 1
Find which quarter of the year the date #date(2011, 12, 31) falls in.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Date.StartOfDay
Article • 09/11/2023
Syntax
About
Returns the start of the day represented by dateTime . dateTime must be a date ,
datetime , or datetimezone value.
Example 1
Find the start of the day for October 10th, 2011, 8:00AM.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Date.StartOfMonth
Article • 09/11/2023
Syntax
Date.StartOfMonth(dateTime as any) as any
About
Returns the start of the month that contains dateTime . dateTime must be a date or
datetime value.
Example 1
Find the start of the month for October 10th, 2011, 8:10:32AM.
Usage
Power Query M
Output
#datetime(2011, 10, 1, 0, 0, 0)
Feedback
Was this page helpful? Yes No
Date.StartOfQuarter
Article • 09/11/2023
Syntax
Date.StartOfQuarter(dateTime as any) as any
About
Returns the start of the quarter that contains dateTime . dateTime must be a date ,
datetime , or datetimezone value.
Example 1
Find the start of the quarter for October 10th, 2011, 8:00AM.
Usage
Power Query M
Output
#datetime(2011, 10, 1, 0, 0, 0)
Feedback
Was this page helpful? Yes No
Date.StartOfWeek
Article • 09/11/2023
Syntax
Date.StartOfWeek(dateTime as any, optional firstDayOfWeek as nullable
number) as any
About
Returns the start of the week that contains dateTime . dateTime must be a date ,
datetime , or datetimezone value.
Example 1
Find the start of the week for Tuesday, October 11th, 2011.
Usage
Power Query M
Output
Power Query M
Example 2
Find the start of the week for Tuesday, October 11th, 2011, using Monday as the start of
the week.
Usage
Power Query M
Date.StartOfWeek(#datetime(2011, 10, 11, 8, 10, 32), Day.Monday)
Output
Power Query M
Feedback
Was this page helpful? Yes No
Date.StartOfYear
Article • 09/11/2023
Syntax
Date.StartOfYear(dateTime as any) as any
About
Returns the start of the year that contains dateTime . dateTime must be a date ,
datetime , or datetimezone value.
Example 1
Find the start of the year for October 10th, 2011, 8:10:32AM.
Usage
Power Query M
Output
#datetime(2011, 1, 1, 0, 0, 0)
Feedback
Was this page helpful? Yes No
Date.ToRecord
Article • 09/11/2023
Syntax
Date.ToRecord(date as date) as record
About
Returns a record containing the parts of the given date value, date .
date : A date value for from which the record of its parts is to be calculated.
Example 1
Convert the #date(2011, 12, 31) value into a record containing parts from the date
value.
Usage
Power Query M
Output
Power Query M
[
Year = 2011,
Month = 12,
Day = 31
]
Feedback
Was this page helpful? Yes No
Date.ToText
Article • 09/11/2023
Syntax
Date.ToText(date as nullable date, optional options as any, optional culture
as nullable text) as nullable text
About
Returns a textual representation of date . An optional record parameter, options , may
be provided to specify additional properties. culture is only used for legacy workflows.
The record can contain the following fields:
Format : A text value indicating the format to use. For more details, go to
https://go.microsoft.com/fwlink/?linkid=2180104 and
https://go.microsoft.com/fwlink/?linkid=2180105 . Omitting this field or
providing null will result in formatting the date using the default defined by
Culture .
Culture : When Format is not null, Culture controls some format specifiers. For
example, in "en-US" "MMM" is "Jan", "Feb", "Mar", ... , while in "ru-RU" "MMM" is
"янв", "фев", "мар", ... . When Format is null , Culture controls the default
To support legacy workflows, options and culture may also be text values. This has the
same behavior as if options = [Format = options, Culture = culture] .
Example 1
Convert #date(2010, 12, 31) into a text value. Result output may vary depending on
current culture.
Usage
Power Query M
"12/31/2010"
Example 2
Convert using a custom format and the German culture.
Usage
Power Query M
Output
Example 3
Find the year in the Hijri calendar that corresponds to January 1st, 2000 in the Gregorian
calendar.
Usage
Power Query M
Output
"1420"
Feedback
Was this page helpful? Yes No
Date.WeekOfMonth
Article • 09/11/2023
Syntax
Date.WeekOfMonth(dateTime as any, optional firstDayOfWeek as nullable
number) as nullable number
About
Returns a number from 1 to 6 indicating which week of the month the date dateTime
falls in.
Example 1
Determine which week of March the 15th falls on in 2011.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Date.WeekOfYear
Article • 09/11/2023
Syntax
Date.WeekOfYear(dateTime as any, optional firstDayOfWeek as nullable number)
as nullable number
About
Returns a number from 1 to 54 indicating which week of the year the date, dateTime ,
falls in.
Example 1
Determine which week of the year contains March 27th, 2011.
Usage
Power Query M
Output
14
Example 2
Determine which week of the year contains March 27th, 2011, using Monday as the start
of the week.
Usage
Power Query M
Output
13
Feedback
Was this page helpful? Yes No
Date.Year
Article • 09/11/2023
About
Returns the year component of the provided datetime value, dateTime .
Example 1
Find the year in #datetime(2011, 12, 31, 9, 15, 36).
Usage
Power Query M
Output
2011
Feedback
Was this page helpful? Yes No
#date
Article • 09/11/2023
Syntax
#date(year as number, month as number, day as number) as date
About
Creates a date value from whole numbers representing the year, month, and day. Raises
an error if these conditions are not true:
1 ≤ year ≤ 9999
1 ≤ month ≤ 12
1 ≤ day ≤ 31
Feedback
Was this page helpful? Yes No
DateTime functions
Article • 01/23/2023
Name Description
DateTime.FixedLocalNow Returns a DateTime value set to the current date and time on
the system.
DateTime.IsInCurrentHour Indicates whether the given datetime value occurs during the
current hour, as determined by the current date and time on
the system.
DateTime.IsInCurrentMinute Indicates whether the given datetime value occurs during the
current minute, as determined by the current date and time on
the system.
DateTime.IsInCurrentSecond Indicates whether the given datetime value occurs during the
current second, as determined by the current date and time on
the system.
DateTime.IsInNextHour Indicates whether the given datetime value occurs during the
next hour, as determined by the current date and time on the
system.
DateTime.IsInNextMinute Indicates whether the given datetime value occurs during the
next minute, as determined by the current date and time on
the system.
DateTime.IsInNextNHours Indicates whether the given datetime value occurs during the
next number of hours, as determined by the current date and
time on the system.
DateTime.IsInNextNMinutes Indicates whether the given datetime value occurs during the
next number of minutes, as determined by the current date
and time on the system.
Name Description
DateTime.IsInNextNSeconds Indicates whether the given datetime value occurs during the
next number of seconds, as determined by the current date
and time on the system.
DateTime.IsInNextSecond Indicates whether the given datetime value occurs during the
next second, as determined by the current date and time on
the system.
DateTime.IsInPreviousHour Indicates whether the given datetime value occurs during the
previous hour, as determined by the current date and time on
the system.
DateTime.IsInPreviousMinute Indicates whether the given datetime value occurs during the
previous minute, as determined by the current date and time
on the system.
DateTime.IsInPreviousNHours Indicates whether the given datetime value occurs during the
previous number of hours, as determined by the current date
and time on the system.
DateTime.IsInPreviousNMinutes Indicates whether the given datetime value occurs during the
previous number of minutes, as determined by the current date
and time on the system.
DateTime.IsInPreviousNSeconds Indicates whether the given datetime value occurs during the
previous number of seconds, as determined by the current
date and time on the system.
DateTime.IsInPreviousSecond Indicates whether the given datetime value occurs during the
previous second, as determined by the current date and time
on the system.
DateTime.LocalNow Returns a datetime value set to the current date and time on
the system.
#datetime Creates a datetime value from year, month, day, hour, minute,
and second.
Feedback
ツ ト
ツ Yes ト No
Was this page helpful?
Syntax
DateTime.AddZone(dateTime as nullable datetime, timezoneHours as number,
optional timezoneMinutes as nullable number) as nullable datetimezone
About
Adds timezone information to the dateTime value. The timezone information includes
timezoneHours and optionally timezoneMinutes , which specify the desired offset from
UTC time.
Example 1
Set the timezone to UTC+7:30 (7 hours and 30 minutes past UTC).
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
DateTime.Date
Article • 09/11/2023
Syntax
DateTime.Date(dateTime as any) as nullable date
About
Returns the date component of dateTime , the given date , datetime , or datetimezone
value.
Example 1
Find date value of #datetime(2010, 12, 31, 11, 56, 02).
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
DateTime.FixedLocalNow
Article • 09/11/2023
Syntax
DateTime.FixedLocalNow() as datetime
About
Returns a datetime value set to the current date and time on the system. This value is
fixed and will not change with successive calls, unlike DateTime.LocalNow, which may
return different values over the course of execution of an expression.
Feedback
Was this page helpful? Yes No
DateTime.From
Article • 09/11/2023
Syntax
DateTime.From(value as any, optional culture as nullable text) as nullable
datetime
About
Returns a datetime value from the given value . An optional culture may also be
provided (for example, "en-US"). If the given value is null , DateTime.From returns
null . If the given value is datetime , value is returned. Values of the following types
for details.
date : A datetime with value as the date component and 12:00:00 AM as the time
component.
datetimezone : The local datetime equivalent of value .
time : A datetime with the date equivalent of the OLE Automation Date of 0 as the
Example 1
Convert #time(06, 45, 12) to a datetime value.
Usage
Power Query M
Output
#datetime(1899, 12, 30, 06, 45, 12)
Example 2
Convert #date(1975, 4, 4) to a datetime value.
Usage
Power Query M
DateTime.From(#date(1975, 4, 4))
Output
#datetime(1975, 4, 4, 0, 0, 0)
Feedback
Was this page helpful? Yes No
DateTime.FromFileTime
Article • 09/11/2023
Syntax
DateTime.FromFileTime(fileTime as nullable number) as nullable datetime
About
Creates a datetime value from the fileTime value and converts it to the local time zone.
The filetime is a Windows file time value that represents the number of 100-nanosecond
intervals that have elapsed since 12:00 midnight, January 1, 1601 A.D. (C.E.) Coordinated
Universal Time (UTC).
Example 1
Convert 129876402529842245 into a datetime value.
Usage
Power Query M
DateTime.FromFileTime(129876402529842245)
Output
Feedback
Was this page helpful? Yes No
DateTime.FromText
Article • 09/11/2023
Syntax
DateTime.FromText(text as nullable text, optional options as any) as
nullable datetime
About
Creates a datetime value from a textual representation, text . An optional record
parameter, options , may be provided to specify additional properties. The record can
contain the following fields:
Format : A text value indicating the format to use. For more details, go to
https://go.microsoft.com/fwlink/?linkid=2180104 and
https://go.microsoft.com/fwlink/?linkid=2180105 . Omitting this field or
providing null will result in parsing the date using a best effort.
Culture : When Format is not null, Culture controls some format specifiers. For
example, in "en-US" "MMM" is "Jan", "Feb", "Mar", ... , while in "ru-RU" "MMM" is
"янв", "фев", "мар", ... . When Format is null , Culture controls the default
To support legacy workflows, options may also be a text value. This has the same
behavior as if options = [Format = null, Culture = options] .
Example 1
Convert "2010-12-31T01:30:00" into a datetime value.
Usage
Power Query M
DateTime.FromText("2010-12-31T01:30:25")
Output
#datetime(2010, 12, 31, 1, 30, 25)
Example 2
Convert "2010-12-31T01:30:00.121212" into a datetime value.
Usage
Power Query M
Output
Example 3
Convert "2010-12-31T01:30:00" into a datetime value.
Usage
Power Query M
DateTime.FromText("2000-02-08T03:45:12Z", [Format="yyyy-MM-
dd'T'HH:mm:ss'Z'", Culture="en-US"])
Output
Example 4
Convert "20101231T013000" into a datetime value.
Usage
Power Query M
DateTime.FromText("20101231T013000", [Format="yyyyMMdd'T'HHmmss",
Culture="en-US"])
Output
Feedback
Was this page helpful? Yes No
DateTime.IsInCurrentHour
Article • 09/11/2023
Syntax
DateTime.IsInCurrentHour(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the current hour, as
determined by the current date and time on the system.
Example 1
Determine if the current system time is in the current hour.
Usage
Power Query M
DateTime.IsInCurrentHour(DateTime.FixedLocalNow())
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInCurrentMinute
Article • 09/11/2023
Syntax
DateTime.IsInCurrentMinute(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the current minute,
as determined by the current date and time on the system.
Example 1
Determine if the current system time is in the current minute.
Usage
Power Query M
DateTime.IsInCurrentMinute(DateTime.FixedLocalNow())
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInCurrentSecond
Article • 09/11/2023
Syntax
DateTime.IsInCurrentSecond(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the current second,
as determined by the current date and time on the system.
Example 1
Determine if the current system time is in the current second.
Usage
Power Query M
DateTime.IsInCurrentSecond(DateTime.FixedLocalNow())
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInNextHour
Article • 09/11/2023
Syntax
DateTime.IsInNextHour(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next hour, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current hour.
Example 1
Determine if the hour after the current system time is in the next hour.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInNextMinute
Article • 09/11/2023
Syntax
DateTime.IsInNextMinute(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next minute, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current minute.
Example 1
Determine if the minute after the current system time is in the next minute.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInNextNHours
Article • 09/11/2023
Syntax
DateTime.IsInNextNHours(dateTime as any, hours as number) as nullable
logical
About
Indicates whether the given datetime value dateTime occurs during the next number of
hours, as determined by the current date and time on the system. Note that this
function will return false when passed a value that occurs within the current hour.
Example 1
Determine if the hour after the current system time is in the next two hours.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInNextNMinutes
Article • 09/11/2023
Syntax
DateTime.IsInNextNMinutes(dateTime as any, minutes as number) as nullable
logical
About
Indicates whether the given datetime value dateTime occurs during the next number of
minutes, as determined by the current date and time on the system. Note that this
function will return false when passed a value that occurs within the current minute.
Example 1
Determine if the minute after the current system time is in the next two minutes.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInNextNSeconds
Article • 09/11/2023
Syntax
DateTime.IsInNextNSeconds(dateTime as any, seconds as number) as nullable
logical
About
Indicates whether the given datetime value dateTime occurs during the next number of
seconds, as determined by the current date and time on the system. Note that this
function will return false when passed a value that occurs within the current second.
Example 1
Determine if the second after the current system time is in the next two seconds.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInNextSecond
Article • 09/11/2023
Syntax
DateTime.IsInNextSecond(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the next second, as
determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current second.
Example 1
Determine if the second after the current system time is in the next second.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInPreviousHour
Article • 09/11/2023
Syntax
DateTime.IsInPreviousHour(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous hour,
as determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current hour.
Example 1
Determine if the hour before the current system time is in the previous hour.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInPreviousMinute
Article • 09/11/2023
Syntax
DateTime.IsInPreviousMinute(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous minute,
as determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current minute.
Example 1
Determine if the minute before the current system time is in the previous minute.
Usage
Power Query M
DateTime.IsInPreviousMinute(DateTime.FixedLocalNow() - #duration(0, 0, 1,
0))
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInPreviousNHours
Article • 09/11/2023
Syntax
DateTime.IsInPreviousNHours(dateTime as any, hours as number) as nullable
logical
About
Indicates whether the given datetime value dateTime occurs during the previous
number of hours, as determined by the current date and time on the system. Note that
this function will return false when passed a value that occurs within the current hour.
Example 1
Determine if the hour before the current system time is in the previous two hours.
Usage
Power Query M
DateTime.IsInPreviousNHours(DateTime.FixedLocalNow() - #duration(0, 2, 0,
0), 2)
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInPreviousNMinutes
Article • 09/11/2023
Syntax
DateTime.IsInPreviousNMinutes(dateTime as any, minutes as number) as
nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous
number of minutes, as determined by the current date and time on the system. Note
that this function will return false when passed a value that occurs within the current
minute.
Example 1
Determine if the minute before the current system time is in the previous two minutes.
Usage
Power Query M
DateTime.IsInPreviousNMinutes(DateTime.FixedLocalNow() - #duration(0, 0, 2,
0), 2)
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInPreviousNSeconds
Article • 09/11/2023
Syntax
DateTime.IsInPreviousNSeconds(dateTime as any, seconds as number) as
nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous
number of seconds, as determined by the current date and time on the system. Note
that this function will return false when passed a value that occurs within the current
second.
Example 1
Determine if the second before the current system time is in the previous two seconds.
Usage
Power Query M
DateTime.IsInPreviousNSeconds(DateTime.FixedLocalNow() - #duration(0, 0, 0,
2), 2)
Output
true
Feedback
Was this page helpful? Yes No
DateTime.IsInPreviousSecond
Article • 09/11/2023
Syntax
DateTime.IsInPreviousSecond(dateTime as any) as nullable logical
About
Indicates whether the given datetime value dateTime occurs during the previous second,
as determined by the current date and time on the system. Note that this function will
return false when passed a value that occurs within the current second.
Example 1
Determine if the second before the current system time is in the previous second.
Usage
Power Query M
DateTime.IsInPreviousSecond(DateTime.FixedLocalNow() - #duration(0, 0, 0,
1))
Output
true
Feedback
Was this page helpful? Yes No
DateTime.LocalNow
Article • 09/11/2023
Syntax
DateTime.LocalNow() as datetime
About
Returns a datetime value set to the current date and time on the system.
Feedback
Was this page helpful? Yes No
DateTime.Time
Article • 09/11/2023
Syntax
DateTime.Time(dateTime as any) as nullable time
About
Returns the time part of the given datetime value, dateTime .
Example 1
Find the time value of #datetime(2010, 12, 31, 11, 56, 02).
Usage
Power Query M
Output
#time(11, 56, 2)
Feedback
Was this page helpful? Yes No
DateTime.ToRecord
Article • 09/11/2023
Syntax
DateTime.ToRecord(dateTime as datetime) as record
About
Returns a record containing the parts of the given datetime value, dateTime .
dateTime : A datetime value for from which the record of its parts is to be
calculated.
Example 1
Convert the #datetime(2011, 12, 31, 11, 56, 2) value into a record containing Date
and Time values.
Usage
Power Query M
Output
Power Query M
[
Year = 2011,
Month = 12,
Day = 31,
Hour = 11,
Minute = 56,
Second = 2
]
Feedback
Was this page helpful? Yes No
DateTime.ToText
Article • 09/11/2023
Syntax
DateTime.ToText(dateTime as nullable datetime, optional options as any,
optional culture as nullable text) as nullable text
About
Returns a textual representation of dateTime . An optional record parameter, options ,
may be provided to specify additional properties. culture is only used for legacy
workflows. The record can contain the following fields:
Format : A text value indicating the format to use. For more details, go to
https://go.microsoft.com/fwlink/?linkid=2180104 and
https://go.microsoft.com/fwlink/?linkid=2180105 . Omitting this field or
providing null will result in formatting the date using the default defined by
Culture .
Culture : When Format is not null, Culture controls some format specifiers. For
example, in "en-US" "MMM" is "Jan", "Feb", "Mar", ... , while in "ru-RU" "MMM" is
"янв", "фев", "мар", ... . When Format is null , Culture controls the default
To support legacy workflows, options and culture may also be text values. This has the
same behavior as if options = [Format = options, Culture = culture] .
Example 1
Convert #datetime(2010, 12, 31, 01, 30, 25) into a text value. Result output may vary
depending on current culture.
Usage
Power Query M
Example 2
Convert using a custom format and the German culture.
Usage
Power Query M
Output
Example 3
Convert using the ISO 8601 pattern.
Usage
Power Query M
Output
"2000-02-08T03:45:12Z"
Feedback
Was this page helpful? Yes No
#datetime
Article • 09/11/2023
Syntax
#datetime(year as number, month as number, day as number, hour as number,
minute as number, second as number) as datetime
About
Creates a datetime value from numbers representing the year, month, day, hour, minute,
and (fractional) second. Raises an error if these conditions are not true:
1 ≤ year ≤ 9999
1 ≤ month ≤ 12
1 ≤ day ≤ 31
0 ≤ hour ≤ 23
0 ≤ minute ≤ 59
0 ≤ second < 60
Feedback
Was this page helpful? Yes No
DateTimeZone functions
Article • 08/04/2022
Name Description
DateTimeZone.FixedLocalNow Returns a DateTimeZone value set to the current date, time, and
timezone offset on the system.
DateTimeZone.FixedUtcNow Returns the current date and time in UTC (the GMT timezone).
DateTimeZone.LocalNow Returns a DateTime value set to the current system date and
time.
DateTimeZone.UtcNow Returns a DateTime value set to the current system date and
time in the Utc timezone.
Feedback
ツ
ツ Yes ト No
Was this page helpful?
Syntax
DateTimeZone.FixedLocalNow() as datetimezone
About
Returns a datetime value set to the current date and time on the system. The returned
value contains timezone information representing the local timezone. This value is fixed
and will not change with successive calls, unlike DateTimeZone.LocalNow, which may
return different values over the course of execution of an expression.
Feedback
Was this page helpful? Yes No
DateTimeZone.FixedUtcNow
Article • 09/11/2023
Syntax
DateTimeZone.FixedUtcNow() as datetimezone
About
Returns the current date and time in UTC (the GMT timezone). This value is fixed and will
not change with successive calls.
Feedback
Was this page helpful? Yes No
DateTimeZone.From
Article • 09/11/2023
Syntax
DateTimeZone.From(value as any, optional culture as nullable text) as
nullable datetimezone
About
Returns a datetimezone value from the given value . An optional culture may also be
provided (for example, "en-US"). If the given value is null , DateTimeZone.From returns
null . If the given value is datetimezone , value is returned. Values of the following
as the date component, value as the time component, and the offset
corresponding the local time zone.
number : A datetimezone with the datetime equivalent to the OLE Automation Date
expressed by value and the offset corresponding the local time zone.
Example 1
Convert "2020-10-30T01:30:00-08:00" to a datetimezone value.
Usage
Power Query M
DateTimeZone.From("2020-10-30T01:30:00-08:00")
Output
Feedback
Was this page helpful? Yes No
DateTimeZone.FromFileTime
Article • 09/11/2023
Syntax
DateTimeZone.FromFileTime(fileTime as nullable number) as nullable
datetimezone
About
Creates a datetimezone value from the fileTime value and converts it to the local time
zone. The filetime is a Windows file time value that represents the number of 100-
nanosecond intervals that have elapsed since 12:00 midnight, January 1, 1601 A.D. (C.E.)
Coordinated Universal Time (UTC).
Example 1
Convert 129876402529842245 into a datetimezone value.
Usage
Power Query M
DateTimeZone.FromFileTime(129876402529842245)
Output
Feedback
Was this page helpful? Yes No
DateTimeZone.FromText
Article • 09/11/2023
Syntax
DateTimeZone.FromText(text as nullable text, optional options as any) as
nullable datetimezone
About
Creates a datetimezone value from a textual representation, text . An optional record
parameter, options , may be provided to specify additional properties. The record can
contain the following fields:
Format : A text value indicating the format to use. For more details, go to
https://go.microsoft.com/fwlink/?linkid=2180104 and
https://go.microsoft.com/fwlink/?linkid=2180105 . Omitting this field or
providing null will result in parsing the date using a best effort.
Culture : When Format is not null, Culture controls some format specifiers. For
example, in "en-US" "MMM" is "Jan", "Feb", "Mar", ... , while in "ru-RU" "MMM" is
"янв", "фев", "мар", ... . When Format is null , Culture controls the default
To support legacy workflows, options may also be a text value. This has the same
behavior as if options = [Format = null, Culture = options] .
Example 1
Convert "2010-12-31T01:30:00-08:00" into a datetimezone value.
Usage
Power Query M
DateTimeZone.FromText("2010-12-31T01:30:00-08:00")
Output
#datetimezone(2010, 12, 31, 1, 30, 0, -8, 0)
Example 2
Convert using a custom format and the German culture.
Usage
Power Query M
Output
Example 3
Convert using ISO 8601.
Usage
Power Query M
DateTimeZone.FromText("2009-06-15T13:45:30.0000000-07:00", [Format="O",
Culture="en-US"])
Output
Feedback
Was this page helpful? Yes No
DateTimeZone.LocalNow
Article • 09/11/2023
Syntax
DateTimeZone.LocalNow() as datetimezone
About
Returns a datetimezone value set to the current date and time on the system. The
returned value contains timezone information representing the local timezone.
Feedback
Was this page helpful? Yes No
DateTimeZone.RemoveZone
Article • 09/11/2023
Syntax
DateTimeZone.RemoveZone(dateTimeZone as nullable datetimezone) as nullable
datetime
About
Returns a #datetime value from dateTimeZone with timezone information removed.
Example 1
Remove timezone information from the value #datetimezone(2011, 12, 31, 9, 15, 36, -7,
0).
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
DateTimeZone.SwitchZone
Article • 09/11/2023
Syntax
DateTimeZone.SwitchZone(dateTimeZone as nullable datetimezone, timezoneHours
as number, optional timezoneMinutes as nullable number) as nullable
datetimezone
About
Changes timezone information to on the datetimezone value dateTimeZone to the new
timezone information provided by timezoneHours and optionally timezoneMinutes . If
dateTimeZone does not have a timezone component, an exception is thrown.
Example 1
Change timezone information for #datetimezone(2010, 12, 31, 11, 56, 02, 7, 30) to 8
hours.
Usage
Power Query M
Output
Example 2
Change timezone information for #datetimezone(2010, 12, 31, 11, 56, 02, 7, 30) to -30
minutes.
Usage
Power Query M
DateTimeZone.SwitchZone(#datetimezone(2010, 12, 31, 11, 56, 02, 7, 30), 0,
-30)
Output
Feedback
Was this page helpful? Yes No
DateTimeZone.ToLocal
Article • 09/11/2023
Syntax
DateTimeZone.ToLocal(dateTimeZone as nullable datetimezone) as nullable
datetimezone
About
Changes timezone information of the datetimezone value dateTimeZone to the local
timezone information. If dateTimeZone does not have a timezone component, the local
timezone information is added.
Example 1
Change timezone information for #datetimezone(2010, 12, 31, 11, 56, 02, 7, 30) to local
timezone (assuming PST).
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
DateTimeZone.ToRecord
Article • 09/11/2023
Syntax
DateTimeZone.ToRecord(dateTimeZone as datetimezone) as record
About
Returns a record containing the parts of the given datetimezone value, dateTimeZone .
dateTimeZone : A datetimezone value for from which the record of its parts is to be
calculated.
Example 1
Convert the #datetimezone(2011, 12, 31, 11, 56, 2, 8, 0) value into a record
containing Date, Time, and Zone values.
Usage
Power Query M
Output
Power Query M
[
Year = 2011,
Month = 12,
Day = 31,
Hour = 11,
Minute = 56,
Second = 2,
ZoneHours = 8,
ZoneMinutes = 0
]
Feedback
Was this page helpful? Yes No
DateTimeZone.ToText
Article • 09/11/2023
Syntax
DateTimeZone.ToText(dateTimeZone as nullable datetimezone, optional options
as any, optional culture as nullable text) as nullable text
About
Returns a textual representation of dateTimeZone . An optional record parameter,
options , may be provided to specify additional properties. culture is only used for
Format : A text value indicating the format to use. For more details, go to
https://go.microsoft.com/fwlink/?linkid=2180104 and
https://go.microsoft.com/fwlink/?linkid=2180105 . Omitting this field or
providing null will result in formatting the date using the default defined by
Culture .
Culture : When Format is not null, Culture controls some format specifiers. For
example, in "en-US" "MMM" is "Jan", "Feb", "Mar", ... , while in "ru-RU" "MMM" is
"янв", "фев", "мар", ... . When Format is null , Culture controls the default
To support legacy workflows, options and culture may also be text values. This has the
same behavior as if options = [Format = options, Culture = culture] .
Example 1
Convert #datetimezone(2010, 12, 31, 01, 30, 25, 2, 0) into a text value. Result
output may vary depending on current culture.
Usage
Power Query M
Example 2
Convert using a custom format and the German culture.
Usage
Power Query M
Output
Example 3
Convert using the ISO 8601 pattern.
Usage
Power Query M
Output
"2000-02-08T03:45:12.0000000+02:00"
Feedback
Was this page helpful? Yes No
DateTimeZone.ToUtc
Article • 09/11/2023
Syntax
DateTimeZone.ToUtc(dateTimeZone as nullable datetimezone) as nullable
datetimezone
About
Changes timezone information of the datetime value dateTimeZone to the UTC or
Universal Time timezone information. If dateTimeZone does not have a timezone
component, the UTC timezone information is added.
Example 1
Change timezone information for #datetimezone(2010, 12, 31, 11, 56, 02, 7, 30) to UTC
timezone.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
DateTimeZone.UtcNow
Article • 09/11/2023
Syntax
DateTimeZone.UtcNow() as datetimezone
About
Returns the current date and time in UTC (the GMT timezone).
Example 1
Get the current date & time in UTC.
Usage
Power Query M
DateTimeZone.UtcNow()
Output
Feedback
Was this page helpful? Yes No
DateTimeZone.ZoneHours
Article • 09/11/2023
Syntax
DateTimeZone.ZoneHours(dateTimeZone as nullable datetimezone) as nullable
number
About
Changes the timezone of the value.
Feedback
Was this page helpful? Yes No
DateTimeZone.ZoneMinutes
Article • 09/11/2023
Syntax
DateTimeZone.ZoneMinutes(dateTimeZone as nullable datetimezone) as nullable
number
About
Changes the timezone of the value.
Feedback
Was this page helpful? Yes No
#datetimezone
Article • 09/11/2023
Syntax
#datetimezone(year as number, month as number, day as number, hour as
number, minute as number, second as number, offsetHours as number,
offsetMinutes as number) as datetimezone
About
Creates a datetimezone value from numbers representing the year, month, day, hour,
minute, (fractional) second, (fractional) offset-hours, and offset-minutes. Raises an error
if these conditions are not true:
1 ≤ year ≤ 9999
1 ≤ month ≤ 12
1 ≤ day ≤ 31
0 ≤ hour ≤ 23
0 ≤ minute ≤ 59
0 ≤ second < 60
-14 ≤ offset-hours + offset-minutes / 60 ≤ 14
Feedback
Was this page helpful? Yes No
Duration functions
Article • 08/04/2022
Name Description
#duration Creates a duration value from days, hours, minutes, and seconds.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Duration.Days(duration as nullable duration) as nullable number
About
Returns the days portion of duration .
Example 1
Extract the number of days between two dates.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Duration.From
Article • 09/11/2023
Syntax
Duration.From(value as any) as nullable duration
About
Returns a duration value from the given value . If the given value is null ,
Duration.From returns null . If the given value is duration , value is returned. Values of
the following types can be converted to a duration value:
text : A duration value from textual elapsed time forms (d.h:m:s). Refer to
expressed by value .
Example 1
Convert 2.525 into a duration value.
Usage
Power Query M
Duration.From(2.525)
Output
Feedback
Was this page helpful? Yes No
Duration.FromText
Article • 09/11/2023
Syntax
Duration.FromText(text as nullable text) as nullable duration
About
Returns a duration value from the specified text, text . The following formats can be
parsed by this function:
(-)hh:mm(:ss(.ff))
(-)ddd(.hh:mm(:ss(.ff)))
Example 1
Convert "2.05:55:20" into a duration value.
Usage
Power Query M
Duration.FromText("2.05:55:20")
Output
Feedback
Was this page helpful? Yes No
Duration.Hours
Article • 09/11/2023
Syntax
Duration.Hours(duration as nullable duration) as nullable number
About
Returns the hours portion of duration .
Example 1
Extract the hours from a duration value.
Usage
Power Query M
Duration.Hours(#duration(5, 4, 3, 2))
Output
Feedback
Was this page helpful? Yes No
Duration.Minutes
Article • 09/11/2023
Syntax
Duration.Minutes(duration as nullable duration) as nullable number
About
Returns the minutes portion of duration .
Example 1
Extract the minutes from a duration value.
Usage
Power Query M
Duration.Minutes(#duration(5, 4, 3, 2))
Output
Feedback
Was this page helpful? Yes No
Duration.Seconds
Article • 09/11/2023
Syntax
Duration.Seconds(duration as nullable duration) as nullable number
About
Returns the seconds portion of duration .
Example 1
Extract the seconds from a duration value.
Usage
Power Query M
Duration.Seconds(#duration(5, 4, 3, 2))
Output
Feedback
Was this page helpful? Yes No
Duration.ToRecord
Article • 09/11/2023
Syntax
Duration.ToRecord(duration as duration) as record
About
Returns a record containing the parts the duration value, duration .
Example 1
Convert #duration(2, 5, 55, 20) into a record of its parts including days, hours,
minutes, and seconds if applicable.
Usage
Power Query M
Output
Power Query M
[
Days = 2,
Hours = 5,
Minutes = 55,
Seconds = 20
]
Feedback
Was this page helpful? Yes No
Duration.TotalDays
Article • 09/11/2023
Syntax
Duration.TotalDays(duration as nullable duration) as nullable number
About
Returns the total days spanned by duration .
Example 1
Find the total days spanned by a duration value.
Usage
Power Query M
Duration.TotalDays(#duration(5, 4, 3, 2))
Output
5.1687731481481478
Feedback
Was this page helpful? Yes No
Duration.TotalHours
Article • 09/11/2023
Syntax
Duration.TotalHours(duration as nullable duration) as nullable number
About
Returns the total hours spanned by duration .
Example 1
Find the total hours spanned by a duration value.
Usage
Power Query M
Duration.TotalHours(#duration(5, 4, 3, 2))
Output
124.05055555555555
Feedback
Was this page helpful? Yes No
Duration.TotalMinutes
Article • 09/11/2023
Syntax
Duration.TotalMinutes(duration as nullable duration) as nullable number
About
Returns the total minutes spanned by duration .
Example 1
Find the total minutes spanned by a duration value.
Usage
Power Query M
Duration.TotalMinutes(#duration(5, 4, 3, 2))
Output
7443.0333333333338
Feedback
Was this page helpful? Yes No
Duration.TotalSeconds
Article • 09/11/2023
Syntax
Duration.TotalSeconds(duration as nullable duration) as nullable number
About
Returns the total seconds spanned by duration .
Example 1
Find the total seconds spanned by a duration value.
Usage
Power Query M
Duration.TotalSeconds(#duration(5, 4, 3, 2))
Output
446582
Feedback
Was this page helpful? Yes No
Duration.ToText
Article • 09/11/2023
Syntax
Duration.ToText(duration as nullable duration, optional format as nullable
text) as nullable text
About
Returns a textual representation in the form "day.hour:mins:sec" of the given duration
value, duration .
Example 1
Convert #duration(2, 5, 55, 20) into a text value.
Usage
Power Query M
Output
"2.05:55:20"
Feedback
Was this page helpful? Yes No
#duration
Article • 09/11/2023
Syntax
#duration(days as number, hours as number, minutes as number, seconds as
number) as duration
About
Creates a duration value from numbers representing days, hours, minutes, and
(fractional) seconds.
Feedback
Was this page helpful? Yes No
Error handling functions
Article • 08/04/2022
Name Description
Error.Record Returns a record containing fields Reason, Message, and Detail set to the
provided values. The record can be used to raise or throw an error.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Diagnostics.ActivityId() as nullable text
About
Returns an opaque identifier for the currently-running evaluation.
Feedback
Was this page helpful? Yes No
Diagnostics.Trace
Article • 09/11/2023
Syntax
Diagnostics.Trace(traceLevel as number, message as anynonnull, value as any,
optional delayed as nullable logical) as any
About
Writes a trace message , if tracing is enabled, and returns value . An optional parameter
delayed specifies whether to delay the evaluation of value until the message is traced.
TraceLevel.Critical
TraceLevel.Error
TraceLevel.Warning
TraceLevel.Information
TraceLevel.Verbose
Example 1
Trace the message before invoking Text.From function and return the result.
Usage
Power Query M
Output
"123"
Feedback
Was this page helpful? Yes No
Error.Record
Article • 09/11/2023
Syntax
Error.Record(reason as text, optional message as nullable text, optional
detail as any, optional parameters as nullable list) as record
About
Returns an error record from the provided text values for reason, message and detail.
Feedback
Was this page helpful? Yes No
Expression functions
Article • 09/21/2022
Name Description
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Expression.Constant(value as any) as text
About
Returns the M source code representation of a constant value.
Example 1
Get the M source code representation of a number value.
Usage
Power Query M
Expression.Constant(123)
Output
"123"
Example 2
Get the M source code representation of a date value.
Usage
Power Query M
Output
"#date(2035, 1, 2)"
Example 3
Get the M source code representation of a text value.
Usage
Power Query M
Expression.Constant("abc")
Output
"""abc"""
Feedback
Was this page helpful? Yes No
Expression.Evaluate
Article • 09/11/2023
Syntax
Expression.Evaluate(document as text, optional environment as nullable
record) as any
About
Returns the result of evaluating an M expression document , with the available identifiers
that can be referenced defined by environment .
Example 1
Evaluate a simple sum.
Usage
Power Query M
Expression.Evaluate("1 + 1")
Output
Example 2
Evaluate a more complex sum.
Usage
Power Query M
Output
6
Example 3
Evaluate the concatenation of a text value with an identifier.
Usage
Power Query M
Output
"""abcdef"""
Feedback
Was this page helpful? Yes No
Expression.Identifier
Article • 09/11/2023
Syntax
Expression.Identifier(name as text) as text
About
Returns the M source code representation of an identifier name .
Example 1
Get the M source code representation of an identifier.
Usage
Power Query M
Expression.Identifier("MyIdentifier")
Output
"MyIdentifier"
Example 2
Get the M source code representation of an identifier that contains a space.
Usage
Power Query M
Expression.Identifier("My Identifier")
Output
"#""My Identifier"""
Feedback
Was this page helpful? Yes No
Function values
Article • 02/21/2023
Name Description
Function.From Takes a unary function function and creates a new function with the
type functionType that constructs a list out of its arguments and passes
it to function .
Function.Invoke Invokes the given function using the specified and returns the result.
Function.InvokeAfter Returns the result of invoking function after duration delay has passed.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Function.From(functionType as type, function as function) as function
About
Takes a unary function function and creates a new function with the type functionType
that constructs a list out of its arguments and passes it to function .
Example 1
Converts List.Sum into a two-argument function whose arguments are added together.
Usage
Power Query M
Output
Example 2
Converts a function taking a list into a two-argument function.
Usage
Power Query M
Output
"21"
Feedback
Was this page helpful? Yes No
Function.Invoke
Article • 09/11/2023
Syntax
Function.Invoke(function as function, args as list) as any
About
Invokes the given function using the specified list of arguments and returns the result.
Example 1
Invokes Record.FieldNames with one argument [A=1,B=2]
Usage
Power Query M
Output
{"A", "B"}
Feedback
Was this page helpful? Yes No
Function.InvokeAfter
Article • 09/11/2023
Syntax
Function.InvokeAfter(function as function, delay as duration) as any
About
Returns the result of invoking function after duration delay has passed.
Feedback
Was this page helpful? Yes No
Function.IsDataSource
Article • 09/11/2023
Syntax
Function.IsDataSource(function as function) as logical
About
Returns whether or not function is considered a data source.
Feedback
Was this page helpful? Yes No
Function.ScalarVector
Article • 09/11/2023
Syntax
Function.ScalarVector(scalarFunctionType as type, vectorFunction as
function) as function
About
Returns a scalar function of type scalarFunctionType that invokes vectorFunction with a
single row of arguments and returns its single output. Additionally, when the scalar
function is repeatedly applied for each row of a table of inputs, such as in
Table.AddColumn, instead vectorFunction will be applied once for all inputs.
vectorFunction will be passed a table whose columns match in name and position the
parameters of scalarFunctionType . Each row of this table contains the arguments for
one call to the scalar function, with the columns corresponding to the parameters of
scalarFunctionType .
vectorFunction must return a list of the same length as the input table, whose item at
each position must be the same result as evaluating the scalar function on the input row
of the same position.
Feedback
Was this page helpful? Yes No
Lines functions
Article • 08/04/2022
These functions convert lists of text to and from binary and single text values.
Name Description
Lines.FromBinary Converts a binary value to a list of text values split at lines breaks.
Lines.FromText Converts a text value to a list of text values split at lines breaks.
Lines.ToBinary Converts a list of text into a binary value using the specified encoding and
lineSeparator.The specified lineSeparator is appended to each line. If not
specified then the carriage return and line feed characters are used.
Lines.ToText Converts a list of text into a single text. The specified lineSeparator is
appended to each line. If not specified then the carriage return and line feed
characters are used.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Lines.FromBinary(binary as binary, optional quoteStyle as nullable number,
optional includeLineSeparators as nullable logical, optional encoding as
nullable number) as list
About
Converts a binary value to a list of text values split at lines breaks. If a quote style is
specified, then line breaks may appear within quotes. If includeLineSeparators is true,
then the line break characters are included in the text.
Feedback
Was this page helpful? Yes No
Lines.FromText
Article • 09/11/2023
Syntax
Lines.FromText(text as text, optional quoteStyle as nullable number,
optional includeLineSeparators as nullable logical) as list
About
Converts a text value to a list of text values split at lines breaks. If includeLineSeparators
is true, then the line break characters are included in the text.
demarcate such regions, and a pair of double quote characters is used to indicate
a single double quote character within such a region.
Feedback
Was this page helpful? Yes No
Lines.ToBinary
Article • 09/11/2023
Syntax
Lines.ToBinary(lines as list, optional lineSeparator as nullable text,
optional encoding as nullable number, optional includeByteOrderMark as
nullable logical) as binary
About
Converts a list of text into a binary value using the specified encoding and
lineSeparator.The specified lineSeparator is appended to each line. If not specified then
the carriage return and line feed characters are used.
Feedback
Was this page helpful? Yes No
Lines.ToText
Article • 09/11/2023
Syntax
Lines.ToText(lines as list, optional lineSeparator as nullable text) as text
About
Converts a list of text into a single text. The specified lineSeparator is appended to each
line. If not specified then the carriage return and line feed characters are used.
Feedback
Was this page helpful? Yes No
List functions
Article • 10/10/2022
Information
Name Description
Selection
Name Description
List.Alternate Returns a list with the items alternated from the original list based on a
count, optional repeatInterval, and an optional offset.
List.Buffer Buffers the list in memory. The result of this call is a stable list, which means
it will have a determinimic count, and order of items.
List.FindText Searches a list of values, including record fields, for a text value.
List.First Returns the first value of the list or the specified default if empty. Returns
the first item in the list, or the optional default value, if the list is empty. If
the list is empty and a default value is not specified, the function returns.
List.FirstN Returns the first set of items in the list by specifying how many items to
return or a qualifying condition provided by countOrCondition .
List.InsertRange Inserts items from values at the given index in the input list.
List.Last Returns the last set of items in the list by specifying how many items to
return or a qualifying condition provided by countOrCondition .
Name Description
List.LastN Returns the last set of items in a list by specifying how many items to return
or a qualifying condition.
List.Single Returns the single item of the list or throws an Expression.Error if the list
has more than one item.
List.Skip Skips the first item of the list. Given an empty list, it returns an empty list.
This function takes an optional parameter countOrCondition to support
skipping multiple values.
Transformation functions
Name Description
List.Accumulate Accumulates a result from the list. Starting from the initial value
seed this function applies the accumulator function and returns the
final result.
List.RemoveRange Returns a list that removes count items starting at offset. The default
count is 1.
List.RemoveFirstN Returns a list with the specified number of elements removed from
the list starting at the first element. The number of elements
removed depends on the optional countOrCondition parameter.
List.RemoveItems Removes items from list1 that are present in list2 , and returns a
new list.
List.RemoveLastN Returns a list with the specified number of elements removed from
the list starting at the last element. The number of elements
removed depends on the optional countOrCondition parameter.
Name Description
List.Repeat Returns a list that repeats the contents of an input list count times.
List.ReplaceRange Returns a list that replaces count values in a list with a replaceWith
list starting at an index.
List.ReplaceMatchingItems Replaces occurrences of existing values in the list with new values
using the provided equationCriteria . Old and new values are
provided by the replacements parameters. An optional equation
criteria value can be specified to control equality comparisons. For
details of replacement operations and equation criteria, go to
Parameter values.
List.ReplaceValue Searches a list of values for the value and replaces each occurrence
with the replacement value.
List.Split Splits the specified list into a list of lists using the specified page
size.
List.Transform Performs the function on each item in the list and returns the new
list.
List.TransformMany Returns a list whose elements are projected from the input list.
Membership functions
Since all values can be tested for equality, these functions can operate over
heterogeneous lists.
Name Description
List.PositionOf Finds the first occurrence of a value in a list and returns its position.
Name Description
List.PositionOfAny Finds the first occurrence of any value in values and returns its position.
Set operations
Name Description
List.Difference Returns the items in list 1 that do not appear in list 2. Duplicate values are
supported.
List.Intersect Returns a list from a list of lists and intersects common items in individual lists.
Duplicate values are supported.
List.Union Returns a list from a list of lists and unions the items in the individual lists. The
returned list contains all items in any input lists. Duplicate values are matched as
part of the Union.
Ordering
Ordering functions perform comparisons. All values that are compared must be
comparable with each other. This means they must all come from the same datatype (or
include null, which always compares smallest). Otherwise, an Expression.Error is
thrown.
Number
Duration
DateTime
Text
Logical
Null
Name Description
List.Max Returns the maximum item in a list, or the optional default value if the list is
empty.
List.MaxN Returns the maximum values in the list. The number of values to return or a
filtering condition must be specified.
List.Min Returns the minimum item in a list, or the optional default value if the list is
empty.
List.MinN Returns the minimum values in a list. The number of values to return or a filtering
condition may be specified.
List.Percentile Returns one or more sample percentiles corresponding to the given probabilities.
Averages
These functions operate over homogeneous lists of Numbers, DateTimes, and Durations.
Name Description
List.Average Returns an average value from a list in the datatype of the values in the
list.
List.Modes Returns all items that appear with the same maximum frequency.
Addition
These functions work over homogeneous lists of Numbers or Durations.
Name Description
Numerics
These functions only work over numbers.
Name Description
Generators
These functions generate list of values.
Name Description
List.Dates Returns a list of date values from size count, starting at start and adds an
increment to every value.
List.DateTimes Returns a list of datetime values from size count, starting at start and adds
an increment to every value.
List.DateTimeZones Returns a list of of datetimezone values from size count, starting at start
and adds an increment to every value.
List.Durations Returns a list of durations values from size count, starting at start and adds
an increment to every value.
List.Numbers Returns a list of numbers from size count starting at initial, and adds an
increment. The increment defaults to 1.
List.Random Returns a list of count random numbers, with an optional seed parameter.
Parameter values
Occurrence specification
Occurrence.First = 0;
Occurrence.Last = 1;
Occurrence.All = 2;
Sort order
Order.Ascending = 0;
Order.Descending = 1;
Equation criteria
Equation criteria for list values can be specified as either:
Comparison criteria
Comparison criterion can be provided as either of the following values:
A number value to specify a sort order. For more information, go to Sort order.
To compute a key to be used for sorting, a function of one argument can be used.
To both select a key and control order, comparison criterion can be a list
containing the key and order.
To completely control the comparison, a function of two arguments can be used
that returns -1, 0, or 1 given the relationship between the left and right inputs.
Value.Compare is a method that can be used to delegate this logic.
Replacement operations
Replacement operations are specified by a list value. Each item of this list must be:
Feedback
Was this page helpful? ツ Yes ト No
Get help at Microsoft Q&A
List.Accumulate
Article • 09/11/2023
Syntax
List.Accumulate(list as list, seed as any, accumulator as function) as any
About
Accumulates a summary value from the items in the list list , using accumulator . An
optional seed parameter, seed , may be set.
Example 1
Accumulates the summary value from the items in the list {1, 2, 3, 4, 5} using ((state,
current) => state + current ).
Usage
Power Query M
Output
15
Feedback
Was this page helpful? Yes No
List.AllTrue
Article • 09/11/2023
Syntax
List.AllTrue(list as list) as logical
About
Returns true if all expressions in the list list are true.
Example 1
Determine if all the expressions in the list {true, true, 2 > 0} are true.
Usage
Power Query M
Output
true
Example 2
Determine if all the expressions in the list {true, true, 2 < 0} are true.
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
List.Alternate
Article • 09/11/2023
Syntax
List.Alternate(list as list, count as number, optional repeatInterval as
nullable number, optional offset as nullable number) as list
About
Returns a list comprised of all the odd numbered offset elements in a list. Alternates
between taking and skipping values from the list list depending on the parameters.
offset.
Example 1
Create a list from {1..10} that skips the first number.
Usage
Power Query M
List.Alternate({1..10}, 1)
Output
{2, 3, 4, 5, 6, 7, 8, 9, 10}
Example 2
Create a list from {1..10} that skips every other number.
Usage
Power Query M
List.Alternate({1..10}, 1, 1)
Output
{2, 4, 6, 8, 10}
Example 3
Create a list from {1..10} that starts at 1 and skips every other number.
Usage
Power Query M
List.Alternate({1..10}, 1, 1, 1)
Output
{1, 3, 5, 7, 9}
Example 4
Create a list from {1..10} that starts at 1, skips one value, keeps two values, and so on.
Usage
Power Query M
List.Alternate({1..10}, 1, 2, 1)
Output
{1, 3, 4, 6, 7, 9, 10}
Feedback
Was this page helpful? Yes No
List.AnyTrue
Article • 09/11/2023
Syntax
List.AnyTrue(list as list) as logical
About
Returns true if any expression in the list list is true.
Example 1
Determine if any of the expressions in the list {true, false, 2 > 0} are true.
Usage
Power Query M
Output
true
Example 2
Determine if any of the expressions in the list {2 = 0, false, 2 < 0} are true.
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
List.Average
Article • 09/11/2023
Syntax
List.Average(list as list, optional precision as nullable number) as any
About
Returns the average value for the items in the list, list . The result is given in the same
datatype as the values in the list. Only works with number, date, time, datetime,
datetimezone and duration values. If the list is empty null is returned.
Example 1
Find the average of the list of numbers, {3, 4, 6} .
Usage
Power Query M
List.Average({3, 4, 6})
Output
4.333333333333333
Example 2
Find the average of the date values January 1, 2011, January 2, 2011 and January 3,
2011.
Usage
Power Query M
#date(2011, 1, 2)
Feedback
Was this page helpful? Yes No
List.Buffer
Article • 09/11/2023
Syntax
List.Buffer(list as list) as list
About
Buffers the list list in memory. The result of this call is a stable list.
Example 1
Create a stable copy of the list {1..10}.
Usage
Power Query M
List.Buffer({1..10})
Output
{1, 2, 3, 4, 5, 6, 7, 8, 9, 10}
Feedback
Was this page helpful? Yes No
List.Combine
Article • 09/11/2023
Syntax
List.Combine(lists as list) as list
About
Takes a list of lists, lists , and merges them into a single new list.
Example 1
Combine the two simple lists {1, 2} and {3, 4}.
Usage
Power Query M
Output
Power Query M
{
1,
2,
3,
4
}
Example 2
Combine the two lists, {1, 2} and {3, {4, 5}}, one of which contains a nested list.
Usage
Power Query M
List.Combine({{1, 2}, {3, {4, 5}}})
Output
Power Query M
{
1,
2,
3,
{4, 5}
}
Feedback
Was this page helpful? Yes No
List.ConformToPageReader
Article • 09/11/2023
Syntax
List.ConformToPageReader(list as list, optional options as nullable record)
as table
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
List.Contains
Article • 09/11/2023
Syntax
List.Contains(list as list, value as any, optional equationCriteria as any)
as logical
About
Indicates whether the list list contains the value value . Returns true if value is found in
the list, false otherwise. An optional equation criteria value, equationCriteria , can be
specified to control equality testing.
Example 1
Find if the list {1, 2, 3, 4, 5} contains 3.
Usage
Power Query M
List.Contains({1, 2, 3, 4, 5}, 3)
Output
true
Example 2
Find if the list {1, 2, 3, 4, 5} contains 6.
Usage
Power Query M
List.Contains({1, 2, 3, 4, 5}, 6)
Output
false
Feedback
Was this page helpful? Yes No
List.ContainsAll
Article • 09/11/2023
Syntax
List.ContainsAll(list as list, values as list, optional equationCriteria as
any) as logical
About
Indicates whether the list list includes all the values in another list, values . Returns
true if value is found in the list, false otherwise. An optional equation criteria value,
equationCriteria , can be specified to control equality testing.
Example 1
Find out if the list {1, 2, 3, 4, 5} contains 3 and 4.
Usage
Power Query M
Output
true
Example 2
Find out if the list {1, 2, 3, 4, 5} contains 5 and 6.
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
List.ContainsAny
Article • 09/11/2023
Syntax
List.ContainsAny(list as list, values as list, optional equationCriteria as
any) as logical
About
Indicates whether the list list includes any of the values in another list, values . Returns
true if value is found in the list, false otherwise. An optional equation criteria value,
equationCriteria , can be specified to control equality testing.
Example 1
Find out if the list {1, 2, 3, 4, 5} contains 3 or 9.
Usage
Power Query M
Output
true
Example 2
Find out if the list {1, 2, 3, 4, 5} contains 6 or 7.
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
List.Count
Article • 09/11/2023
Syntax
List.Count(list as list) as number
About
Returns the number of items in the list list .
Example 1
Find the number of values in the list {1, 2, 3}.
Usage
Power Query M
List.Count({1, 2, 3})
Output
Feedback
Was this page helpful? Yes No
List.Covariance
Article • 09/11/2023
Syntax
List.Covariance(numberList1 as list, numberList2 as list) as nullable number
About
Returns the covariance between two lists, numberList1 and numberList2 . numberList1
and numberList2 must contain the same number of number values.
Example 1
Calculate the covariance between two lists.
Usage
Power Query M
Output
0.66666666666666607
Feedback
Was this page helpful? Yes No
List.Dates
Article • 09/11/2023
Syntax
List.Dates(start as date, count as number, step as duration) as list
About
Returns a list of date values of size count , starting at start . The given increment, step ,
is a duration value that is added to every value.
Example 1
Create a list of 5 values starting from New Year's Eve (#date(2011, 12, 31)) incrementing
by 1 day(#duration(1, 0, 0, 0)).
Usage
Power Query M
Output
Power Query M
{
#date(2011, 12, 31),
#date(2012, 1, 1),
#date(2012, 1, 2),
#date(2012, 1, 3),
#date(2012, 1, 4)
}
Feedback
Was this page helpful? Yes No
List.DateTimes
Article • 09/11/2023
Syntax
List.DateTimes(start as datetime, count as number, step as duration) as list
About
Returns a list of datetime values of size count , starting at start . The given increment,
step , is a duration value that is added to every value.
Example
Create a list of 10 values starting from 5 minutes before New Year's Day
(#datetime(2011, 12, 31, 23, 55, 0)) incrementing by 1 minute (#duration(0, 0, 1, 0)).
Usage
Power Query M
Output
Power Query M
{
#datetime(2011, 12, 31, 23, 55, 0),
#datetime(2011, 12, 31, 23, 56, 0),
#datetime(2011, 12, 31, 23, 57, 0),
#datetime(2011, 12, 31, 23, 58, 0),
#datetime(2011, 12, 31, 23, 59, 0),
#datetime(2012, 1, 1, 0, 0, 0),
#datetime(2012, 1, 1, 0, 1, 0),
#datetime(2012, 1, 1, 0, 2, 0),
#datetime(2012, 1, 1, 0, 3, 0),
#datetime(2012, 1, 1, 0, 4, 0)
}
Feedback
Was this page helpful? Yes No
List.DateTimeZones
Article • 09/11/2023
Syntax
List.DateTimeZones(start as datetimezone, count as number, step as duration)
as list
About
Returns a list of datetimezone values of size count , starting at start . The given
increment, step , is a duration value that is added to every value.
Example 1
Create a list of 10 values starting from 5 minutes before New Year's Day
(#datetimezone(2011, 12, 31, 23, 55, 0, -8, 0)) incrementing by 1 minute (#duration(0, 0,
1, 0)).
Usage
Power Query M
Output
Power Query M
{
#datetimezone(2011, 12, 31, 23, 55, 0, -8, 0),
#datetimezone(2011, 12, 31, 23, 56, 0, -8, 0),
#datetimezone(2011, 12, 31, 23, 57, 0, -8, 0),
#datetimezone(2011, 12, 31, 23, 58, 0, -8, 0),
#datetimezone(2011, 12, 31, 23, 59, 0, -8, 0),
#datetimezone(2012, 1, 1, 0, 0, 0, -8, 0),
#datetimezone(2012, 1, 1, 0, 1, 0, -8, 0),
#datetimezone(2012, 1, 1, 0, 2, 0, -8, 0),
#datetimezone(2012, 1, 1, 0, 3, 0, -8, 0),
#datetimezone(2012, 1, 1, 0, 4, 0, -8, 0)
}
Feedback
Was this page helpful? Yes No
List.Difference
Article • 09/11/2023
About
Returns the items in list list1 that do not appear in list list2 . Duplicate values are
supported. An optional equation criteria value, equationCriteria , can be specified to
control equality testing.
Example 1
Find the items in list {1, 2, 3, 4, 5} that do not appear in {4, 5, 3}.
Usage
Power Query M
Output
{1, 2}
Example 2
Find the items in the list {1, 2} that do not appear in {1, 2, 3}.
Usage
Power Query M
Output
{}
Feedback
Was this page helpful? Yes No
List.Distinct
Article • 09/11/2023
Syntax
List.Distinct(list as list, optional equationCriteria as any) as list
About
Returns a list that contains all the values in list list with duplicates removed. If the list
is empty, the result is an empty list.
Example 1
Remove the duplicates from the list {1, 1, 2, 3, 3, 3}.
Usage
Power Query M
List.Distinct({1, 1, 2, 3, 3, 3})
Output
{1, 2, 3}
Feedback
Was this page helpful? Yes No
List.Durations
Article • 09/11/2023
Syntax
List.Durations(start as duration, count as number, step as duration) as list
About
Returns a list of count duration values, starting at start and incremented by the given
duration step .
Example 1
Create a list of 5 values starting 1 hour and incrementing by an hour.
Usage
Power Query M
Output
Power Query M
{
#duration(0, 1, 0, 0),
#duration(0, 2, 0, 0),
#duration(0, 3, 0, 0),
#duration(0, 4, 0, 0),
#duration(0, 5, 0, 0)
}
Feedback
Was this page helpful? Yes No
List.FindText
Article • 09/11/2023
Syntax
List.FindText(list as list, text as text) as list
About
Returns a list of the values from the list list which contained the value text .
Example 1
Find the text values in the list {"a", "b", "ab"} that match "a".
Usage
Power Query M
Output
{"a", "ab"}
Feedback
Was this page helpful? Yes No
List.First
Article • 09/11/2023
Syntax
List.First(list as list, optional defaultValue as any) as any
About
Returns the first item in the list list , or the optional default value, defaultValue , if the
list is empty. If the list is empty and a default value is not specified, the function returns
null .
Example 1
Find the first value in the list {1, 2, 3}.
Usage
Power Query M
List.First({1, 2, 3})
Output
Example 2
Find the first value in the list {}. If the list is empty, return -1.
Usage
Power Query M
List.First({}, -1)
Output
-1
Feedback
Was this page helpful? Yes No
List.FirstN
Article • 09/11/2023
Syntax
List.FirstN(list as list, countOrCondition as any) as any
About
If a number is specified, up to that many items are returned.
If a condition is specified, all items are returned that initially meet the condition.
Once an item fails the condition, no further items are considered.
Example 1
Find the intial values in the list {3, 4, 5, -1, 7, 8, 2} that are greater than 0.
Usage
Power Query M
Output
{3, 4, 5}
Feedback
Was this page helpful? Yes No
List.Generate
Article • 09/11/2023
Syntax
List.Generate(initial as function, condition as function, next as function,
optional selector as nullable function) as list
About
Generates a list of values using the provided functions. The initial function generates
a starting candidate value, which is then tested against condition . If the candidate value
is approved, then it's returned as part of the resulting list, and the next candidate value
is generated by passing the newly approved value to next . Once a candidate value fails
to match condition , the list generation process stops. An optional parameter, selector ,
may also be provided to transform the items in the resulting list.
Example 1
Create a list by starting at ten, repeatedly decrementing by one, and ensuring each item
is greater than zero.
Usage
Power Query M
Output
{10, 9, 8, 7, 6, 5, 4, 3, 2, 1}
Example 2
Generate a list of records containing x and y, where x is a value and y is a list. x should
remain less than 10 and represent the number of items in the list y. After the list is
generated, return only the x values.
Usage
Power Query M
List.Generate(
() => [x = 1, y = {}],
each [x] < 10,
each [x = List.Count([y]), y = [y] & {x}],
each [x]
)
Output
{1, 0, 1, 2, 3, 4, 5, 6, 7, 8, 9}
Feedback
Was this page helpful? Yes No
List.InsertRange
Article • 09/11/2023
Syntax
List.InsertRange(list as list, index as number, values as list) as list
About
Returns a new list produced by inserting the values in values into list at index . The
first position in the list is at index 0.
Example 1
Insert the list ({3, 4}) into the target list ({1, 2, 5}) at index 2.
Usage
Power Query M
Output
Power Query M
{
1,
2,
3,
4,
5
}
Example 2
Insert a list with a nested list ({1, {1.1, 1.2}}) into a target list ({2, 3, 4}) at index 0.
Usage
Power Query M
Output
Power Query M
{
1,
{
1.1,
1.2
},
2,
3,
4
}
Feedback
Was this page helpful? Yes No
List.Intersect
Article • 09/11/2023
Syntax
List.Intersect(lists as list, optional equationCriteria as any) as list
About
Returns the intersection of the list values found in the input list lists . An optional
parameter, equationCriteria , can be specified.
Example 1
Find the intersection of the lists {1..5}, {2..6}, {3..7}.
Usage
Power Query M
Output
{3, 4, 5}
Feedback
Was this page helpful? Yes No
List.IsDistinct
Article • 09/11/2023
Syntax
List.IsDistinct(list as list, optional equationCriteria as any) as logical
About
Returns a logical value whether there are duplicates in the list list ; true if the list is
distinct, false if there are duplicate values.
Example 1
Find if the list {1, 2, 3} is distinct (i.e. no duplicates).
Usage
Power Query M
List.IsDistinct({1, 2, 3})
Output
true
Example 2
Find if the list {1, 2, 3, 3} is distinct (i.e. no duplicates).
Usage
Power Query M
List.IsDistinct({1, 2, 3, 3})
Output
false
Feedback
Was this page helpful? Yes No
List.IsEmpty
Article • 09/11/2023
Syntax
List.IsEmpty(list as list) as logical
About
Returns true if the list, list , contains no values (length 0). If the list contains values
(length > 0), returns false .
Example 1
Find if the list {} is empty.
Usage
Power Query M
List.IsEmpty({})
Output
true
Example 2
Find if the list {1, 2} is empty.
Usage
Power Query M
List.IsEmpty({1, 2})
Output
false
Feedback
Was this page helpful? Yes No
List.Last
Article • 09/11/2023
Syntax
List.Last(list as list, optional defaultValue as any) as any
About
Returns the last item in the list list , or the optional default value, defaultValue , if the
list is empty. If the list is empty and a default value is not specified, the function returns
null .
Example 1
Find the last value in the list {1, 2, 3}.
Usage
Power Query M
List.Last({1, 2, 3})
Output
Example 2
Find the last value in the list {} or -1 if it empty.
Usage
Power Query M
List.Last({}, -1)
Output
-1
Feedback
Was this page helpful? Yes No
List.LastN
Article • 09/11/2023
Syntax
List.LastN(list as list, optional countOrCondition as any) as any
About
Returns the last item of the list list . If the list is empty, an exception is thrown. This
function takes an optional parameter, countOrCondition , to support gathering multiple
items or filtering items. countOrCondition can be specified in three ways:
Example 1
Find the last value in the list {3, 4, 5, -1, 7, 8, 2}.
Usage
Power Query M
Output
{2}
Example 2
Find the last values in the list {3, 4, 5, -1, 7, 8, 2} that are greater than 0.
Usage
Power Query M
Output
{7, 8, 2}
Feedback
Was this page helpful? Yes No
List.MatchesAll
Article • 09/11/2023
Syntax
List.MatchesAll(list as list, condition as function) as logical
About
Returns true if the condition function, condition , is satisfied by all values in the list
list , otherwise returns false .
Example 1
Determine if all the values in the list {11, 12, 13} are greater than 10.
Usage
Power Query M
Output
true
Example 2
Determine if all the values in the list {1, 2, 3} are greater than 10.
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
List.MatchesAny
Article • 09/11/2023
Syntax
List.MatchesAny(list as list, condition as function) as logical
About
Returns true if the condition function, condition , is satisfied by any of values in the list
list , otherwise returns false .
Example 1
Find if any of the values in the list {9, 10, 11} are greater than 10.
Usage
Power Query M
Output
true
Example 2
Find if any of the values in the list {1, 2, 3} are greater than 10.
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
List.Max
Article • 09/11/2023
Syntax
List.Max(list as list, optional default as any, optional comparisonCriteria
as any, optional includeNulls as nullable logical) as any
About
Returns the maximum item in the list list , or the optional default value default if the
list is empty. An optional comparisonCriteria value, comparisonCriteria , may be
specified to determine how to compare the items in the list. If this parameter is null, the
default comparer is used.
Example 1
Find the max in the list {1, 4, 7, 3, -2, 5}.
Usage
Power Query M
Output
Example 2
Find the max in the list {} or return -1 if it is empty.
Usage
Power Query M
List.Max({}, -1)
Output
-1
Feedback
Was this page helpful? Yes No
List.MaxN
Article • 09/11/2023
Syntax
List.MaxN(list as list, countOrCondition as any, optional comparisonCriteria
as any, optional includeNulls as nullable logical) as list
About
Returns the maximum value(s) in the list, list . After the rows are sorted, optional
parameters may be specified to further filter the result. The optional parameter
countOrCondition specifies the number of values to return or a filtering condition. The
specified to determine how to compare the items in the list. If this parameter is
null, the default comparer is used.
Feedback
Was this page helpful? Yes No
List.Median
Article • 09/11/2023
Syntax
List.Median(list as list, optional comparisonCriteria as any) as any
About
Returns the median item of the list list . This function returns null if the list contains
no non- null values. If there is an even number of items, the function chooses the
smaller of the two median items unless the list is comprised entirely of datetimes,
durations, numbers or times, in which case it returns the average of the two items.
Example 1
Find the median of the list {5, 3, 1, 7, 9} .
Usage
Power Query M
powerquery-mList.Median({5, 3, 1, 7, 9})
Output
Feedback
Was this page helpful? Yes No
List.Min
Article • 09/11/2023
Syntax
List.Min(list as list, optional default as any, optional comparisonCriteria
as any, optional includeNulls as nullable logical) as any
About
Returns the minimum item in the list list , or the optional default value default if the
list is empty. An optional comparisonCriteria value, comparisonCriteria , may be
specified to determine how to compare the items in the list. If this parameter is null, the
default comparer is used.
Example 1
Find the min in the list {1, 4, 7, 3, -2, 5}.
Usage
Power Query M
Output
-2
Example 2
Find the min in the list {} or return -1 if it is empty.
Usage
Power Query M
List.Min({}, -1)
Output
-1
Feedback
Was this page helpful? Yes No
List.MinN
Article • 09/11/2023
Syntax
List.MinN(list as list, countOrCondition as any, optional comparisonCriteria
as any, optional includeNulls as nullable logical) as list
About
Returns the minimum value(s) in the list, list . The parameter, countOrCondition ,
specifies the number of values to return or a filtering condition. The optional parameter,
comparisonCriteria , specifies how to compare values in the list.
specified to determine how to compare the items in the list. If this parameter is
null, the default comparer is used.
Example 1
Find the 5 smallest values in the list {3, 4, 5, -1, 7, 8, 2} .
Usage
Power Query M
Output
{-1, 2, 3, 4, 5}
Feedback
Was this page helpful? Yes No
List.Mode
Article • 09/11/2023
Syntax
List.Mode(list as list, optional equationCriteria as any) as any
About
Returns the item that appears most frequently in list . If the list is empty an exception
is thrown. If multiple items appear with the same maximum frequency, the last one is
chosen. An optional comparison criteria value, equationCriteria , can be specified to
control equality testing.
Example 1
Find the item that appears most frequently in the list {"A", 1, 2, 3, 3, 4, 5} .
Usage
Power Query M
List.Mode({"A", 1, 2, 3, 3, 4, 5})
Output
Example 2
Find the item that appears most frequently in the list {"A", 1, 2, 3, 3, 4, 5, 5} .
Usage
Power Query M
List.Mode({"A", 1, 2, 3, 3, 4, 5, 5})
Output
Feedback
Was this page helpful? Yes No
List.Modes
Article • 09/11/2023
Syntax
List.Modes(list as list, optional equationCriteria as any) as list
About
Returns the items that appear most frequently in list . If the list is empty an exception
is thrown. If multiple items appear with the same maximum frequency, all of them are
returned. An optional comparison criteria value, equationCriteria , can be specified to
control equality testing.
Example 1
Find the items that appears most frequently in the list {"A", 1, 2, 3, 3, 4, 5, 5} .
Usage
Power Query M
List.Modes({"A", 1, 2, 3, 3, 4, 5, 5})
Output
{3, 5}
Feedback
Was this page helpful? Yes No
List.NonNullCount
Article • 09/11/2023
Syntax
List.NonNullCount(list as list) as number
About
Returns the number of non-null items in the list list .
Feedback
Was this page helpful? Yes No
List.Numbers
Article • 09/11/2023
Syntax
List.Numbers(start as number, count as number, optional increment as
nullable number) as list
About
Returns a list of numbers given an initial value, count, and optional increment value. The
default increment value is 1.
`increment: [Optional] The value to increment by. If omitted values are incremented
by 1.
Example 1
Generate a list of 10 consecutive numbers starting at 1.
Usage
Power Query M
List.Numbers(1, 10)
Output
Power Query M
{
1,
2,
3,
4,
5,
6,
7,
8,
9,
10
}
Example 2
Generate a list of 10 numbers starting at 1, with an increment of 2 for each subsequent
number.
Usage
Power Query M
List.Numbers(1, 10, 2)
Output
Power Query M
{
1,
3,
5,
7,
9,
11,
13,
15,
17,
19
}
Feedback
Was this page helpful? Yes No
List.Percentile
Article • 09/11/2023
Syntax
List.Percentile(list as list, percentiles as any, optional options as
nullable record) as any
About
Returns one or more sample percentiles of the list list . If the value percentiles is a
number between 0.0 and 1.0, it will be treated as a percentile and the result will be a
single value corresponding to that probability. If the value percentiles is a list of
numbers with values between 0.0 and 1.0, the result will be a list of percentiles
corresponding to the input probability.
The PercentileMode option in options can be used by advanced users to pick a more-
specific interpolation method but is not recommended for most uses. Predefined
symbols PercentileMode.ExcelInc and PercentileMode.ExcelExc match the interpolation
methods used by the Excel functions PERCENTILE.INC and PERCENTILE.EXC . The default
behavior matches PercentileMode.ExcelInc. The symbols PercentileMode.SqlCont and
PercentileMode.SqlDisc match the SQL Server behavior for PERCENTILE_CONT and
PERCENTILE_DISC , respectively.
Example 1
Find the first quartile of the list {5, 3, 1, 7, 9} .
Usage
Power Query M
Output
3
Example 2
Find the quartiles of the list {5, 3, 1, 7, 9} using an interpolation method matching
Excel's PERCENTILE.EXC .
Usage
Power Query M
Output
{2, 5, 8}
Feedback
Was this page helpful? Yes No
List.PositionOf
Article • 09/11/2023
Syntax
List.PositionOf(list as list, value as any, optional occurrence as nullable
number, optional equationCriteria as any) as any
About
Returns the offset at which the value value appears in the list list . Returns -1 if the
value doesn't appear. An optional occurrence parameter occurrence can be specified.
Example 1
Find the position in the list {1, 2, 3} at which the value 3 appears.
Usage
Power Query M
List.PositionOf({1, 2, 3}, 3)
Output
Feedback
Was this page helpful? Yes No
List.PositionOfAny
Article • 09/11/2023
Syntax
List.PositionOfAny(list as list, values as list, optional occurrence as
nullable number, optional equationCriteria as any) as any
About
Returns the offset in list list of the first occurrence of a value in a list values . Returns
-1 if no occurrence is found. An optional occurrence parameter occurrence can be
specified.
Example 1
Find the first position in the list {1, 2, 3} at which the value 2 or 3 appears.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
List.Positions
Article • 09/11/2023
Syntax
List.Positions(list as list) as list
About
Returns a list of offsets for the input list list . When using List.Transform to change a
list, the list of positions can be used to give the transform access to the position.
Example 1
Find the offsets of values in the list {1, 2, 3, 4, null, 5}.
Usage
Power Query M
Output
{0, 1, 2, 3, 4, 5}
Feedback
Was this page helpful? Yes No
List.Product
Article • 09/11/2023
Syntax
List.Product(numbersList as list, optional precision as nullable number) as
nullable number
About
Returns the product of the non-null numbers in the list, numbersList . Returns null if
there are no non-null values in the list.
Example 1
Find the product of the numbers in the list {1, 2, 3, 3, 4, 5, 5} .
Usage
Power Query M
List.Product({1, 2, 3, 3, 4, 5, 5})
Output
1800
Feedback
Was this page helpful? Yes No
List.Random
Article • 09/11/2023
Syntax
List.Random(count as number, optional seed as nullable number) as list
About
Returns a list of random numbers between 0 and 1, given the number of values to
generate and an optional seed value.
omitted a unique list of random numbers is generated each time you call the
function. If you specify the seed value with a number every call to the function
generates the same list of random numbers.
Example 1
Create a list of 3 random numbers.
Usage
Power Query M
List.Random(3)
Output
Example 2
Create a list of 3 random numbers, specifying seed value.
Usage
Power Query M
List.Random(3, 2)
Output
Feedback
Was this page helpful? Yes No
List.Range
Article • 09/11/2023
Syntax
List.Range(list as list, offset as number, optional count as nullable
number) as list
About
Returns a subset of the list beginning at the offset list . An optional parameter, offset ,
sets the maximum number of items in the subset.
Example 1
Find the subset starting at offset 6 of the list of numbers 1 through 10.
Usage
Power Query M
List.Range({1..10}, 6)
Output
{7, 8, 9, 10}
Example 2
Find the subset of length 2 from offset 6, from the list of numbers 1 through 10.
Usage
Power Query M
List.Range({1..10}, 6, 2)
Output
{7, 8}
Feedback
Was this page helpful? Yes No
List.RemoveFirstN
Article • 09/11/2023
Syntax
List.RemoveFirstN(list as list, optional countOrCondition as any) as list
About
Returns a list that removes the first element of list list . If list is an empty list an
empty list is returned. This function takes an optional parameter, countOrCondition , to
support removing multiple values as listed below.
Example 1
Create a list from {1, 2, 3, 4, 5} without the first 3 numbers.
Usage
Power Query M
List.RemoveFirstN({1, 2, 3, 4, 5}, 3)
Output
{4, 5}
Example 2
Create a list from {5, 4, 2, 6, 1} that starts with a number less than 3.
Usage
Power Query M
Output
{2, 6, 1}
Feedback
Was this page helpful? Yes No
List.RemoveItems
Article • 09/11/2023
Syntax
List.RemoveItems(list1 as list, list2 as list) as list
About
Removes all occurrences of the given values in the list2 from list1 . If the values in
list2 don't exist in list1 , the original list is returned.
Example 1
Remove the items in the list {2, 4, 6} from the list {1, 2, 3, 4, 2, 5, 5}.
Usage
Power Query M
Output
{1, 3, 5, 5}
Feedback
Was this page helpful? Yes No
List.RemoveLastN
Article • 09/11/2023
Syntax
List.RemoveLastN(list as list, optional countOrCondition as any) as list
About
Returns a list that removes the last countOrCondition elements from the end of list list .
If list has less than countOrCondition elements, an empty list is returned.
Example 1
Create a list from {1, 2, 3, 4, 5} without the last 3 numbers.
Usage
Power Query M
List.RemoveLastN({1, 2, 3, 4, 5}, 3)
Output
{1, 2}
Example 2
Create a list from {5, 4, 2, 6, 4} that ends with a number less than 3.
Usage
Power Query M
Output
{5, 4, 2}
Feedback
Was this page helpful? Yes No
List.RemoveMatchingItems
Article • 09/11/2023
Syntax
List.RemoveMatchingItems(list1 as list, list2 as list, optional
equationCriteria as any) as list
About
Removes all occurrences of the given values in list2 from the list list1 . If the values in
list2 don't exist in list1 , the original list is returned. An optional equation criteria
Example 1
Create a list from {1, 2, 3, 4, 5, 5} without {1, 5}.
Usage
Power Query M
Output
{2, 3, 4}
Feedback
Was this page helpful? Yes No
List.RemoveNulls
Article • 09/11/2023
Syntax
List.RemoveNulls(list as list) as list
About
Removes all occurrences of "null" values in the list . If there are no 'null' values in the
list, the original list is returned.
Example 1
Remove the "null" values from the list {1, 2, 3, null, 4, 5, null, 6}.
Usage
Power Query M
Output
{1, 2, 3, 4, 5, 6}
Feedback
Was this page helpful? Yes No
List.RemoveRange
Article • 09/11/2023
Syntax
List.RemoveRange(list as list, index as number, optional count as nullable
number) as list
About
Removes count values in the list starting at the specified position, index .
Example 1
Remove 3 values in the list {1, 2, 3, 4, -6, -2, -1, 5} starting at index 4.
Usage
Power Query M
Output
{1, 2, 3, 4, 5}
Feedback
Was this page helpful? Yes No
List.Repeat
Article • 09/11/2023
Syntax
List.Repeat(list as list, count as number) as list
About
Returns a list that is count repetitions of the original list, list .
Example 1
Create a list that has {1, 2} repeated 3 times.
Usage
Power Query M
List.Repeat({1, 2}, 3)
Output
{1, 2, 1, 2, 1, 2}
Feedback
Was this page helpful? Yes No
List.ReplaceMatchingItems
Article • 09/11/2023
Syntax
List.ReplaceMatchingItems(list as list, replacements as list, optional
equationCriteria as any) as list
About
Performs the given replacements to the list list . A replacement operation
replacements consists of a list of two values, the old value and new value, provided in a
Example 1
Create a list from {1, 2, 3, 4, 5} replacing the value 5 with -5, and the value 1 with -1.
Usage
Power Query M
Output
{-1, 2, 3, 4, -5}
Feedback
Was this page helpful? Yes No
List.ReplaceRange
Article • 09/11/2023
Syntax
List.ReplaceRange(list as list, index as number, count as number,
replaceWith as list) as list
About
Replaces count values in the list with the list replaceWith , starting at specified
position, index .
Example 1
Replace {7, 8, 9} in the list {1, 2, 7, 8, 9, 5} with {3, 4}.
Usage
Power Query M
Output
{1, 2, 3, 4, 5}
Feedback
Was this page helpful? Yes No
List.ReplaceValue
Article • 09/11/2023
Syntax
List.ReplaceValue(list as list, oldValue as any, newValue as any, replacer
as function) as list
About
Searches a list of values, list , for the value oldValue and replaces each occurrence with
the replacement value newValue .
Example 1
Replace all the "a" values in the list {"a", "B", "a", "a"} with "A".
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
List.Reverse
Article • 09/11/2023
Syntax
List.Reverse(list as list) as list
About
Returns a list with the values in the list list in reversed order.
Example 1
Create a list from {1..10} in reverse order.
Usage
Power Query M
List.Reverse({1..10})
Output
{10, 9, 8, 7, 6, 5, 4, 3, 2, 1}
Feedback
Was this page helpful? Yes No
List.Select
Article • 09/11/2023
Syntax
List.Select(list as list, selection as function) as list
About
Returns a list of values from the list list , that match the selection condition selection .
Example 1
Find the values in the list {1, -3, 4, 9, -2} that are greater than 0.
Usage
Power Query M
Output
{1, 4, 9}
Feedback
Was this page helpful? Yes No
List.Single
Article • 09/11/2023
Syntax
List.Single(list as list) as any
About
If there is only one item in the list list , returns that item. If there is more than one item
or the list is empty, the function throws an exception.
Example 1
Find the single value in the list {1}.
Usage
Power Query M
List.Single({1})
Output
Example 2
Find the single value in the list {1, 2, 3}.
Usage
Power Query M
List.Single({1, 2, 3})
Output
[Expression.Error] There were too many elements in the enumeration to complete the
operation.
Feedback
Was this page helpful? Yes No
List.SingleOrDefault
Article • 09/11/2023
Syntax
List.SingleOrDefault(list as list, optional default as any) as any
About
If there is only one item in the list list , returns that item. If the list is empty, the
function returns null unless an optional default is specified. If there is more than one
item in the list, the function returns an error.
Example 1
Find the single value in the list {1}.
Usage
Power Query M
List.SingleOrDefault({1})
Output
Example 2
Find the single value in the list {}.
Usage
Power Query M
List.SingleOrDefault({})
Output
null
Example 3
Find the single value in the list {}. If is empty, return -1.
Usage
Power Query M
List.SingleOrDefault({}, -1)
Output
-1
Feedback
Was this page helpful? Yes No
List.Skip
Article • 09/11/2023
Syntax
List.Skip(list as list, optional countOrCondition as any) as list
About
Returns a list that skips the first element of list list . If list is an empty list an empty
list is returned. This function takes an optional parameter, countOrCondition , to support
skipping multiple values as listed below.
Example 1
Create a list from {1, 2, 3, 4, 5} without the first 3 numbers.
Usage
Power Query M
List.Skip({1, 2, 3, 4, 5}, 3)
Output
{4, 5}
Example 2
Create a list from {5, 4, 2, 6, 1} that starts with a number less than 3.
Usage
Power Query M
Output
{2, 6, 1}
Feedback
Was this page helpful? Yes No
List.Sort
Article • 09/11/2023
Syntax
List.Sort(list as list, optional comparisonCriteria as any) as list
About
Sorts a list of data, list , according to the optional criteria specified. An optional
parameter, comparisonCriteria , can be specified as the comparison criterion. This can
take the following values:
To control the order, the comparison criterion can be an Order enum value.
(Order.Descending, Order.Ascending).
To both select a key and control order, comparison criterion can be a list
containing the key and order ( {each 1 / _, Order.Descending} ).
Example 1
Sort the list {2, 3, 1}.
Usage
Power Query M
List.Sort({2, 3, 1})
Output
{1, 2, 3}
Example 2
Sort the list {2, 3, 1} in descending order.
Usage
Power Query M
Output
{3, 2, 1}
Example 3
Sort the list {2, 3, 1} in descending order using the Value.Compare method.
Usage
Power Query M
Output
{3, 2, 1}
Feedback
Was this page helpful? Yes No
List.Split
Article • 09/11/2023
Syntax
List.Split(list as list, pageSize as number) as list
About
Splits list into a list of lists where the first element of the output list is a list containing
the first pageSize elements from the source list, the next element of the output list is a
list containing the next pageSize elements from the source list, and so on.
Feedback
Was this page helpful? Yes No
List.StandardDeviation
Article • 09/11/2023
Syntax
List.StandardDeviation(numbersList as list) as nullable number
About
Returns a sample based estimate of the standard deviation of the values in the list,
numbersList . If numbersList is a list of numbers, a number is returned. An exception is
Example 1
Find the standard deviation of the numbers 1 through 5.
Usage
Power Query M
List.StandardDeviation({1..5})
Outut
1.5811388300841898
Feedback
Was this page helpful? Yes No
List.Sum
Article • 09/11/2023
Syntax
List.Sum(list as list, optional precision as nullable number) as any
About
Returns the sum of the non-null values in the list, list . Returns null if there are no non-
null values in the list.
Example 1
Find the sum of the numbers in the list {1, 2, 3} .
Usage
Power Query M
List.Sum({1, 2, 3})
Output
Feedback
Was this page helpful? Yes No
List.Times
Article • 09/11/2023
Syntax
List.Times(start as time, count as number, step as duration) as list
About
Returns a list of time values of size count , starting at start . The given increment, step ,
is a duration value that is added to every value.
Example 1
Create a list of 4 values starting from noon (#time(12, 0, 0)) incrementing by one hour
(#duration(0, 1, 0, 0)).
Usage
Power Query M
Output
Power Query M
{
#time(12, 0, 0),
#time(13, 0, 0),
#time(14, 0, 0),
#time(15, 0, 0)
}
Feedback
Was this page helpful? Yes No
List.Transform
Article • 09/11/2023
Syntax
List.Transform(list as list, transform as function) as list
About
Returns a new list of values by applying the transform function transform to the list,
list .
Example 1
Add 1 to each value in the list {1, 2}.
Usage
Power Query M
Output
{2, 3}
Feedback
Was this page helpful? Yes No
List.TransformMany
Article • 09/11/2023
Syntax
List.TransformMany(list as list, collectionTransform as function,
resultTransform as function) as list
About
Returns a list whose elements are projected from the input list.
The collectionTransform function has the signature (x as any) as list => ... , where
x is an element in list . The resultTransform function projects the shape of the result
and has the signature (x as any, y as any) as any => ... , where x is an element in
list and y is an element from the list generated by passing x to collectionTransform .
Example 1
Flatten a list of people and their pets.
Usage
Power Query M
List.TransformMany(
{
[Name = "Alice", Pets = {"Scruffy", "Sam"}],
[Name = "Bob", Pets = {"Walker"}]
},
each [Pets],
(person, pet) => [Name = person[Name], Pet = pet]
)
Output
Power Query M
{
[Name = "Alice", Pet = "Scruffy"],
[Name = "Alice", Pet = "Sam"],
[Name = "Bob", Pet = "Walker"]
}
Feedback
Was this page helpful? Yes No
List.Union
Article • 09/11/2023
Syntax
List.Union(lists as list, optional equationCriteria as any) as list
About
Takes a list of lists lists , unions the items in the individual lists and returns them in the
output list. As a result, the returned list contains all items in any input lists. This
operation maintains traditional bag semantics, so duplicate values are matched as part
of the Union. An optional equation criteria value, equationCriteria , can be specified to
control equality testing.
Example 1
Create a union of the list {1..5}, {2..6}, {3..7}.
Usage
Power Query M
Output
{1, 2, 3, 4, 5, 6, 7}
Feedback
Was this page helpful? Yes No
List.Zip
Article • 09/11/2023
Syntax
List.Zip(lists as list) as list
About
Takes a list of lists, lists , and returns a list of lists combining items at the same
position.
Example 1
Zips the two simple lists {1, 2} and {3, 4}.
Usage
Power Query M
Output
Power Query M
{
{1, 3},
{2, 4}
}
Example 2
Zips the two simple lists of different lengths {1, 2} and {3}.
Usage
Power Query M
List.Zip({{1, 2}, {3}})
Output
Power Query M
{
{1, 3},
{2, null}
}
Feedback
Was this page helpful? Yes No
Logical functions
Article • 09/21/2022
These functions create and manipulate logical (that is, true/false) values.
Name Description
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Logical.From(value as any) as nullable logical
About
Returns a logical value from the given value . If the given value is null , Logical.From
returns null . If the given value is logical , value is returned.
text : A logical value from the text value, either "true" or "false" . Refer to
Example 1
Convert 2 to a logical value.
Usage
Power Query M
Logical.From(2)
Output
true
Feedback
Was this page helpful?
Yes No
Logical.FromText
Article • 09/11/2023
Syntax
About
Creates a logical value from the text value text , either "true" or "false". If text contains
a different string, an exception is thrown. The text value text is case insensitive.
Example 1
Create a logical value from the text string "true".
Usage
Power Query M
Logical.FromText("true")
Output
true
Example 2
Create a logical value from the text string "a".
Usage
Power Query M
Logical.FromText("a")
Output
[Expression.Error] Could not convert to a logical.
Feedback
Was this page helpful? Yes No
Logical.ToText
Article • 09/11/2023
Syntax
Logical.ToText(logicalValue as nullable logical) as nullable text
About
Creates a text value from the logical value logicalValue , either true or false . If
logicalValue is not a logical value, an exception is thrown.
Example 1
Create a text value from the logical true .
Usage
Power Query M
Logical.ToText(true)
Output
"true"
Feedback
Was this page helpful? Yes No
Number functions
Article • 07/18/2023
Information
Name Description
Byte.From Returns an 8-bit integer number value from the given value.
Int8.From Returns a signed 8-bit integer number value from the given value.
Int16.From Returns a 16-bit integer number value from the given value.
Int32.From Returns a 32-bit integer number value from the given value.
Int64.From Returns a 64-bit integer number value from the given value.
Number.RoundDown Returns the largest integer less than or equal to a number value.
Operations
Name Description
Number.Combinations Returns the number of combinations of a given number of items for the
optional combination size.
Number.IntegerDivide Divides two numbers and returns the whole part of the resulting
number.
Number.Mod Divides two numbers and returns the remainder of the resulting number.
Number.Permutations Returns the number of total permutations of a given number of items for
the optional permutation size.
Number.Sign Returns 1 for positive numbers, -1 for negative numbers or 0 for zero.
Number.RandomBetween Returns a random number between the two given number values.
Trigonometry
Name Description
Bytes
Name Description
Number.BitwiseShiftLeft Returns the result of a bitwise shift left operation on the operands.
Name Description
Number.BitwiseShiftRight Returns the result of a bitwise shift right operation on the operands.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Byte.From(value as any, optional culture as nullable text, optional
roundingMode as nullable number) as nullable number
About
Returns an 8-bit integer number value from the given value . If the given value is null ,
Byte.From returns null . If the given value is a number within the range of an 8-bit
integer without a fractional part, value is returned. If it has fractional part, then the
number is rounded with the rounding mode specified. The default rounding mode is
RoundingMode.ToEven. If value is of any other type, it will first be converted to a
number using Number.FromText. Refer to Number.Round for the available rounding
Example 1
Get the 8-bit integer number value of "4" .
Usage
Power Query M
Byte.From("4")
Output
Example 2
Get the 8-bit integer number value of "4.5" using RoundingMode.AwayFromZero.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Currency.From
Article • 09/11/2023
Syntax
About
Returns a currency value from the given value . If the given value is null ,
Currency.From returns null . If the given value is number within the range of currency,
fractional part of the value is rounded to 4 decimal digits and returned. If value is of
any other type, it will first be converted to a number using Number.FromText. Valid range
for currency is -922,337,203,685,477.5808 to 922,337,203,685,477.5807 . Refer to
Number.Round for the available rounding modes. The default is RoundingMode.ToEven.
An optional culture may also be provided (for example, "en-US").
Example 1
Get the currency value of "1.23455" .
Usage
Power Query M
Currency.From("1.23455")
Output
1.2346
Example 2
Get the currency value of "1.23455" using RoundingMode.Down .
Usage
Power Query M
Output
1.2345
Feedback
Was this page helpful? Yes No
Decimal.From
Article • 09/11/2023
Syntax
Decimal.From(value as any, optional culture as nullable text) as nullable
number
About
Returns a Decimal number value from the given value . If the given value is null ,
Decimal.From returns null . If the given value is number within the range of Decimal,
value is returned, otherwise an error is returned. If value is of any other type, it will first
Example 1
Get the Decimal number value of "4.5" .
Usage
Power Query M
Decimal.From("4.5")
Output
4.5
Feedback
Was this page helpful? Yes No
Double.From
Article • 09/11/2023
Syntax
Double.From(value as any, optional culture as nullable text) as nullable
number
About
Returns a Double number value from the given value . If the given value is null ,
Double.From returns null . If the given value is number within the range of Double,
value is returned, otherwise an error is returned. If value is of any other type, it will first
Example 1
Get the Double number value of "4" .
Usage
Power Query M
Double.From("4.5")
Output
4.5
Feedback
Was this page helpful? Yes No
Int8.From
Article • 09/11/2023
Syntax
Int8.From(value as any, optional culture as nullable text, optional
roundingMode as nullable number) as nullable number
About
Returns a signed 8-bit integer number value from the given value . If the given value is
null , Int8.From returns null . If the given value is number within the range of signed 8-
bit integer without a fractional part, value is returned. If it has fractional part, then the
number is rounded with the rounding mode specified. The default rounding mode is
RoundingMode.ToEven. If value is of any other type, it will first be converted to a
number using Number.FromText. Refer to Number.Round for the available rounding
Example 1
Get the signed 8-bit integer number value of "4" .
Usage
Power Query M
Int8.From("4")
Output
Example 2
Get the signed 8-bit integer number value of "4.5" using
RoundingMode.AwayFromZero.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Int16.From
Article • 09/11/2023
Syntax
Int16.From(value as any, optional culture as nullable text, optional
roundingMode as nullable number) as nullable number
About
Returns a 16-bit integer number value from the given value . If the given value is null ,
Int16.From returns null . If the given value is number within the range of 16-bit integer
without a fractional part, value is returned. If it has fractional part, then the number is
rounded with the rounding mode specified. The default rounding mode is
RoundingMode.ToEven. If value is of any other type, it will first be converted to a
number using Number.FromText. Refer to Number.Round for the available rounding
Example 1
Get the 16-bit integer number value of "4" .
Usage
Power Query M
Int64.From("4")
Output
Example 2
Get the 16-bit integer number value of "4.5" using RoundingMode.AwayFromZero .
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Int32.From
Article • 09/11/2023
Syntax
Int32.From(value as any, optional culture as nullable text, optional
roundingMode as nullable number) as nullable number
About
Returns a 32-bit integer number value from the given value . If the given value is null ,
Int32.From returns null . If the given value is number within the range of 32-bit integer
without a fractional part, value is returned. If it has fractional part, then the number is
rounded with the rounding mode specified. The default rounding mode is
RoundingMode.ToEven. If value is of any other type, it will first be converted to a
number using Number.FromText. Refer to Number.Round for the available rounding
Example 1
Get the 32-bit integer number value of "4" .
Usage
Power Query M
Int32.From("4")
Output
Example 2
Get the 32-bit integer number value of "4.5" using RoundingMode.AwayFromZero .
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Int64.From
Article • 09/11/2023
Syntax
Int64.From(value as any, optional culture as nullable text, optional
roundingMode as nullable number) as nullable number
About
Returns a 64-bit integer number value from the given value . If the given value is null ,
Int64.From returns null . If the given value is number within the range of 64-bit integer
without a fractional part, value is returned. If it has fractional part, then the number is
rounded with the rounding mode specified. The default rounding mode is
RoundingMode.ToEven. If value is of any other type, it will first be converted to a
number using Number.FromText. Refer to Number.Round for the available rounding
Example 1
Get the 64-bit integer number value of "4" .
Usage
Power Query M
Int64.From("4")
Output
Example 2
Get the 64-bit integer number value of "4.5" using RoundingMode.AwayFromZero .
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Number.Abs
Article • 09/11/2023
Syntax
Number.Abs(number as nullable number) as nullable number
About
Returns the absolute value of number . If number is null, Number.Abs returns null.
Example 1
Absolute value of -3.
Usage
Power Query M
Number.Abs(-3)
Output
Feedback
Was this page helpful? Yes No
Number.Acos
Article • 09/11/2023
Syntax
Number.Acos(number as nullable number) as nullable number
About
Returns the arccosine of number .
Feedback
Was this page helpful? Yes No
Number.Asin
Article • 09/11/2023
Syntax
Number.Asin(number as nullable number) as nullable number
About
Returns the arcsine of number .
Feedback
Was this page helpful? Yes No
Number.Atan
Article • 09/11/2023
Syntax
Number.Atan(number as nullable number) as nullable number
About
Returns the arctangent of number .
Feedback
Was this page helpful? Yes No
Number.Atan2
Article • 09/11/2023
Syntax
Number.Atan2(y as nullable number, x as nullable number) as nullable number
About
Returns the angle, in radians, whose tangent is the quotient y / x of the two numbers y
and x .
Feedback
Was this page helpful? Yes No
Number.BitwiseAnd
Article • 09/11/2023
Syntax
Number.BitwiseAnd(number1 as nullable number, number2 as nullable number) as
nullable number
About
Returns the result of performing a bitwise "And" operation between number1 and
number2 .
Feedback
Was this page helpful? Yes No
Number.BitwiseNot
Article • 09/11/2023
Syntax
Number.BitwiseNot(number as any) as any
About
Returns the result of performing a bitwise "Not" operation on number .
Feedback
Was this page helpful? Yes No
Number.BitwiseOr
Article • 09/11/2023
Syntax
Number.BitwiseOr(number1 as nullable number, number2 as nullable number) as
nullable number
About
Returns the result of performing a bitwise "Or" between number1 and number2 .
Feedback
Was this page helpful? Yes No
Number.BitwiseShiftLeft
Article • 09/11/2023
Syntax
Number.BitwiseShiftLeft(number1 as nullable number, number2 as nullable
number) as nullable number
About
Returns the result of performing a bitwise shift to the left on number1 , by the specified
number of bits number2 .
Feedback
Was this page helpful? Yes No
Number.BitwiseShiftRight
Article • 09/11/2023
Syntax
Number.BitwiseShiftRight(number1 as nullable number, number2 as nullable
number) as nullable number
About
Returns the result of performing a bitwise shift to the right on number1 , by the specified
number of bits number2 .
Feedback
Was this page helpful? Yes No
Number.BitwiseXor
Article • 09/11/2023
Syntax
Number.BitwiseXor(number1 as nullable number, number2 as nullable number) as
nullable number
About
Returns the result of performing a bitwise "XOR" (Exclusive-OR) between number1 and
number2 .
Feedback
Was this page helpful? Yes No
Number.Combinations
Article • 09/11/2023
Syntax
Number.Combinations(setSize as nullable number, combinationSize as nullable
number) as nullable number
About
Returns the number of unique combinations from a list of items, setSize with specified
combination size, combinationSize .
Example 1
Find the number of combinations from a total of 5 items when each combination is a
group of 3.
Usage
Power Query M
Number.Combinations(5, 3)
Output
10
Feedback
Was this page helpful? Yes No
Number.Cos
Article • 09/11/2023
Syntax
Number.Cos(number as nullable number) as nullable number
About
Returns the cosine of number .
Example 1
Find the cosine of the angle 0.
Usage
Power Query M
Number.Cos(0)
Output
Feedback
Was this page helpful? Yes No
Number.Cosh
Article • 09/11/2023
Syntax
Number.Cosh(number as nullable number) as nullable number
About
Returns the hyperbolic cosine of number .
Feedback
Was this page helpful? Yes No
Number.Exp
Article • 09/11/2023
Syntax
Number.Exp(number as nullable number) as nullable number
About
Returns the result of raising e to the power of number (exponential function).
Example 1
Raise e to the power of 3.
Usage
Power Query M
Number.Exp(3)
Output
20.085536923187668
Feedback
Was this page helpful? Yes No
Number.Factorial
Article • 09/11/2023
Syntax
Number.Factorial(number as nullable number) as nullable number
About
Returns the factorial of the number number .
Example 1
Find the factorial of 10.
Usage
Power Query M
Number.Factorial(10)
Output
3628800
Feedback
Was this page helpful? Yes No
Number.From
Article • 09/11/2023
Syntax
Number.From(value as any, optional culture as nullable text) as nullable
number
About
Returns a number value from the given value . An optional culture may also be
provided (for example, "en-US"). If the given value is null , Number.From returns null .
If the given value is number , value is returned. Values of the following types can be
converted to a number value:
text : A number value from textual representation. Common text formats are
date equivalent.
time : Expressed in fractional days.
Example 1
Get the number value of "4" .
Usage
Power Query M
Number.From("4")
Output
Example 2
Get the number value of #datetime(2020, 3, 20, 6, 0, 0) .
Usage
Power Query M
Output
43910.25
Example 3
Get the number value of "12.3%" .
Usage
Power Query M
Number.From("12.3%")
Output
0.123
Feedback
Was this page helpful? Yes No
Number.FromText
Article • 09/11/2023
Syntax
Number.FromText(text as nullable text, optional culture as nullable text) as
nullable number
About
Returns a number value from the given text value, text .
"en-US").
Example 1
Get the number value of "4" .
Usage
Power Query M
Number.FromText("4")
Output
Example 2
Get the number value of "5.0e-10" .
Usage
Power Query M
Number.FromText("5.0e-10")
Output
5E-10
Feedback
Was this page helpful? Yes No
Number.IntegerDivide
Article • 09/11/2023
Syntax
Number.IntegerDivide(number1 as nullable number, number2 as nullable number,
optional precision as nullable number) as nullable number
About
Returns the integer portion of the result from dividing a number, number1 , by another
number, number2 . If number1 or number2 are null, Number.IntegerDivide returns null.
Example 1
Divide 6 by 4.
Usage
Power Query M
Number.IntegerDivide(6, 4)
Output
Example 2
Divide 8.3 by 3.
Usage
Power Query M
Number.IntegerDivide(8.3, 3)
Output
Feedback
Was this page helpful? Yes No
Number.IsEven
Article • 09/11/2023
Syntax
Number.IsEven(number as number) as logical
About
Indicates if the value, number , is even by returning true if it is even, false otherwise.
Example 1
Check if 625 is an even number.
Usage
Power Query M
Number.IsEven(625)
Output
false
Example 2
Check if 82 is an even number.
Usage
Power Query M
Number.IsEven(82)
Output
true
Feedback
Was this page helpful? Yes No
Number.IsNaN
Article • 09/11/2023
Syntax
Number.IsNaN(number as number) as logical
About
Indicates if the value is NaN (Not a number). Returns true if number is equivalent to
Number.IsNaN, false otherwise.
Example 1
Check if 0 divided by 0 is NaN.
Usage
Power Query M
Number.IsNaN(0/0)
Output
true
Example 2
Check if 1 divided by 0 is NaN.
Usage
Power Query M
Number.IsNaN(1/0)
Output
false
Feedback
Was this page helpful? Yes No
Number.IsOdd
Article • 09/11/2023
Syntax
Number.IsOdd(number as number) as logical
About
Indicates if the value is odd. Returns true if number is an odd number, false otherwise.
Example 1
Check if 625 is an odd number.
Usage
Power Query M
Number.IsOdd(625)
Output
true
Example 2
Check if 82 is an odd number.
Usage
Power Query M
Number.IsOdd(82)
Output
false
Feedback
Was this page helpful? Yes No
Number.Ln
Article • 09/11/2023
Syntax
Number.Ln(number as nullable number) as nullable number
About
Returns the natural logarithm of a number, number . If number is null Number.Ln returns
null.
Example 1
Get the natural logarithm of 15.
Usage
Power Query M
Number.Ln(15)
Output
2.70805020110221
Feedback
Was this page helpful? Yes No
Number.Log
Article • 09/11/2023
Syntax
Number.Log(number as nullable number, optional base as nullable number) as
nullable number
About
Returns the logarithm of a number, number , to the specified base base. If base is not
specified, the default value is Number.E. If number is null Number.Log returns null.
Example 1
Get the base 10 logarithm of 2.
Usage
Power Query M
Number.Log(2, 10)
Output
0.3010299956639812
Example 2
Get the base e logarithm of 2.
Usage
Power Query M
Number.Log(2)
Output
0.69314718055994529
Feedback
Was this page helpful? Yes No
Number.Log10
Article • 09/11/2023
Syntax
Number.Log10(number as nullable number) as nullable number
About
Returns the base 10 logarithm of a number, number . If number is null Number.Log10
returns null.
Example 1
Get the base 10 logarithm of 2.
Usage
Power Query M
Number.Log10(2)
Output
0.3010299956639812
Feedback
Was this page helpful? Yes No
Number.Mod
Article • 09/11/2023
Syntax
Number.Mod(number as nullable number, divisor as nullable number, optional
precision as nullable number) as nullable number
About
Returns the remainder resulting from the integer division of number by divisor . If
number or divisor are null, Number.Mod returns null.
Example 1
Find the remainder when you divide 5 by 3.
Usage
Power Query M
Number.Mod(5, 3)
Output
Feedback
Was this page helpful? Yes No
Number.Permutations
Article • 09/11/2023
Syntax
Number.Permutations(setSize as nullable number, permutationSize as nullable
number) as nullable number
About
Returns the number of permutations that can be generated from a number of items,
setSize , with a specified permutation size, permutationSize .
Example 1
Find the number of permutations from a total of 5 items in groups of 3.
Usage
Power Query M
Number.Permutations(5, 3)
Output
60
Feedback
Was this page helpful? Yes No
Number.Power
Article • 09/11/2023
Syntax
Number.Power(number as nullable number, power as nullable number) as
nullable number
About
Returns the result of raising number to the power of power . If number or power are null,
Number.Power returns null.
Example 1
Find the value of 5 raised to the power of 3 (5 cubed).
Usage
Power Query M
Number.Power(5, 3)
Output
125
Feedback
Was this page helpful? Yes No
Number.Random
Article • 09/11/2023
Syntax
Number.Random() as number
About
Returns a random number between 0 and 1.
Example 1
Get a random number.
Usage
Power Query M
Number.Random()
Output
0.919303
Feedback
Was this page helpful? Yes No
Number.RandomBetween
Article • 09/11/2023
Syntax
Number.RandomBetween(bottom as number, top as number) as number
About
Returns a random number between bottom and top .
Example 1
Get a random number between 1 and 5.
Usage
Power Query M
Number.RandomBetween(1, 5)
Output
2.546797
Feedback
Was this page helpful? Yes No
Number.Round
Article • 09/11/2023
Syntax
Number.Round(number as nullable number, optional digits as nullable number,
optional roundingMode as nullable number) as nullable number
About
Returns the result of rounding number to the nearest number. If number is null,
Number.Round returns null.
By default, number is rounded to the nearest integer, and ties are broken by rounding to
the nearest even number (using RoundingMode.ToEven, also known as "banker's
rounding").
However, these defaults can be overridden via the following optional parameters.
Example 1
Round 1.234 to the nearest integer.
Usage
Power Query M
Number.Round(1.234)
Output
1
Example 2
Round 1.56 to the nearest integer.
Usage
Power Query M
Number.Round(1.56)
Output
Example 3
Round 1.2345 to two decimal places.
Usage
Power Query M
Number.Round(1.2345, 2)
Output
1.23
Example 4
Round 1.2345 to three decimal places (Rounding up).
Usage
Power Query M
Number.Round(1.2345, 3, RoundingMode.Up)
Output
1.235
Example 5
Round 1.2345 to three decimal places (Rounding down).
Usage
Power Query M
Number.Round(1.2345, 3, RoundingMode.Down)
Output
1.234
Feedback
Was this page helpful? Yes No
Number.RoundAwayFromZero
Article • 09/11/2023
Syntax
Number.RoundAwayFromZero(number as nullable number, optional digits as
nullable number) as nullable number
About
Returns the result of rounding number based on the sign of the number. This function
will round positive numbers up and negative numbers down. If digits is specified,
number is rounded to the digits number of decimal digits.
Example 1
Round the number -1.2 away from zero.
Usage
Power Query M
Number.RoundAwayFromZero(-1.2)
Output
-2
Example 2
Round the number 1.2 away from zero.
Usage
Power Query M
Number.RoundAwayFromZero(1.2)
Output
Example 3
Round the number -1.234 to two decimal places away from zero.
Usage
Power Query M
Number.RoundAwayFromZero(-1.234, 2)
Output
-1.24
Feedback
Was this page helpful? Yes No
Number.RoundDown
Article • 09/11/2023
Syntax
Number.RoundDown(number as nullable number, optional digits as nullable
number) as nullable number
About
Returns the result of rounding number down to the previous highest integer. If number is
null, this function returns null. If digits is provided, number is rounded to the specified
number of decimal digits.
Example 1
Round down 1.234 to integer.
Usage
Power Query M
Number.RoundDown(1.234)
Output
Example 2
Round down 1.999 to integer.
Usage
Power Query M
Number.RoundDown(1.999)
Output
1
Example 3
Round down 1.999 to two decimal places.
Usage
Power Query M
Number.RoundDown(1.999, 2)
Output
1.99
Feedback
Was this page helpful? Yes No
Number.RoundTowardZero
Article • 09/11/2023
Syntax
Number.RoundTowardZero(number as nullable number, optional digits as
nullable number) as nullable number
About
Returns the result of rounding number based on the sign of the number. This function
will round positive numbers down and negative numbers up. If digits is specified,
number is rounded to the digits number of decimal digits.
Example 1
Round the number -1.2 toward zero.
Usage
Power Query M
Number.RoundTowardZero(-1.2)
Output
-1
Example 2
Round the number 1.2 toward zero.
Usage
Power Query M
Number.RoundTowardZero(1.2)
Output
Example 3
Round the number -1.234 to two decimal places toward zero.
Usage
Power Query M
Number.RoundTowardZero(-1.234, 2)
Output
-1.23
Feedback
Was this page helpful? Yes No
Number.RoundUp
Article • 09/11/2023
Syntax
Number.RoundUp(number as nullable number, optional digits as nullable
number) as nullable number
About
Returns the result of rounding number up to the next highest integer. If number is null,
this function returns null. If digits is provided, number is rounded to the specified
number of decimal digits.
Example 1
Round up 1.234 to integer.
Usage
Power Query M
Number.RoundUp(1.234)
Output
Example 2
Round up 1.999 to integer.
Usage
Power Query M
Number.RoundUp(1.999)
Output
2
Example 3
Round up 1.234 to two decimal places.
Usage
Power Query M
Number.RoundUp(1.234, 2)
Output
1.24
Feedback
Was this page helpful? Yes No
Number.Sign
Article • 09/11/2023
Syntax
Number.Sign(number as nullable number) as nullable number
About
Returns 1 for if number is a positive number, -1 if it is a negative number, and 0 if it is
zero. If number is null, Number.Sign returns null.
Example 1
Determine the sign of 182.
Usage
Power Query M
Number.Sign(182)
Output
Example 2
Determine the sign of -182.
Usage
Power Query M
Number.Sign(-182)
Output
-1
Example 3
Determine the sign of 0.
Usage
Power Query M
Number.Sign(0)
Output
Feedback
Was this page helpful? Yes No
Number.Sin
Article • 09/11/2023
Syntax
Number.Sin(number as nullable number) as nullable number
About
Returns the sine of number .
Example 1
Find the sine of the angle 0.
Usage
Power Query M
Number.Sin(0)
Output
Feedback
Was this page helpful? Yes No
Number.Sinh
Article • 09/11/2023
Syntax
Number.Sinh(number as nullable number) as nullable number
About
Returns the hyperbolic sine of number .
Feedback
Was this page helpful? Yes No
Number.Sqrt
Article • 09/11/2023
Syntax
Number.Sqrt(number as nullable number) as nullable number
About
Returns the square root of number . If number is null, Number.Sqrt returns null. If it is a
negative value, Number.NaN is returned (Not a number).
Example 1
Find the square root of 625.
Usage
Power Query M
Number.Sqrt(625)
Output
25
Example 2
Find the square root of 85.
Usage
Power Query M
Number.Sqrt(85)
Output
9.2195444572928871
Feedback
Was this page helpful? Yes No
Number.Tan
Article • 09/11/2023
Syntax
Number.Tan(number as nullable number) as nullable number
About
Returns the tangent of number .
Example 1
Find the tangent of the angle 1.
Usage
Power Query M
Number.Tan(1)
Output
1.5574077246549023
Feedback
Was this page helpful? Yes No
Number.Tanh
Article • 09/11/2023
Syntax
Number.Tanh(number as nullable number) as nullable number
About
Returns the hyperbolic tangent of number .
Feedback
Was this page helpful? Yes No
Number.ToText
Article • 09/11/2023
Syntax
Number.ToText(number as nullable number, optional format as nullable text,
optional culture as nullable text) as nullable text
About
Converts the numeric value number to a text value according to the format specified by
format .
The format is a text value indicating how the number should be converted. For more
details on the supported format values, go to https://go.microsoft.com/fwlink/?
linkid=2241210 and https://go.microsoft.com/fwlink/?linkid=2240884 .
An optional culture may also be provided (for example, "en-US") to control the culture-
dependent behavior of format .
Example 1
Convert a number to text without specifying a format.
Usage
Power Query M
Number.ToText(4)
Output
"4"
Example 2
Convert a number to exponential format.
Usage
Power Query M
Number.ToText(4, "e")
Output
"4.000000e+000"
Example 3
Convert a number to percentage format with only one decimal place.
Usage
Power Query M
Number.ToText(-0.1234, "P1")
Output
"-12.3 %"
Feedback
Was this page helpful? Yes No
Percentage.From
Article • 09/11/2023
Syntax
Percentage.From(value as any, optional culture as nullable text) as nullable
number
About
Returns a percentage value from the given value . If the given value is null ,
Percentage.From returns null . If the given value is text with a trailing percent symbol,
then the converted decimal number will be returned. Otherwise, the value will be
converted to a number using Number.From. An optional culture may also be provided
(for example, "en-US").
Example 1
Get the percentage value of "12.3%" .
Usage
Power Query M
Percentage.From("12.3%")
Output
0.123
Feedback
Was this page helpful? Yes No
Single.From
Article • 09/11/2023
Syntax
Single.From(value as any, optional culture as nullable text) as nullable
number
About
Returns a Single number value from the given value . If the given value is null ,
Single.From returns null . If the given value is number within the range of Single, value
is returned, otherwise an error is returned. If value is of any other type, it will first be
converted to a number using Number.FromText. An optional culture may also be
provided (for example, "en-US").
Example 1
Get the Single number value of "1.5" .
Usage
Power Query M
Single.From("1.5")
Output
1.5
Feedback
Was this page helpful? Yes No
Record functions
Article • 08/04/2022
Information
Name Description
Record.HasFields Returns true if the field name or field names are present in a record.
Transformations
Name Description
Record.RemoveFields Returns a new record that reorders the given fields with respect
to each other. Any fields not specified remain in their original
locations.
Record.RenameFields Returns a new record that renames the fields specified. The
resultant fields will retain their original order. This function
supports swapping and chaining field names. However, all
target names plus remaining field names must constitute a
unique set or an error will occur.
Name Description
Record.ReorderFields Returns a new record that reorders fields relative to each other.
Any fields not specified remain in their original locations.
Requires two or more fields.
Selection
Name Description
Record.Field Returns the value of the given field. This function can be used to
dynamically create field lookup syntax for a given record. In that way it is
a dynamic version of the record[field] syntax.
Record.FieldOrDefault Returns the value of a field from a record, or the default value if the field
does not exist.
Record.SelectFields Returns a new record that contains the fields selected from the input
record. The original order of the fields is maintained.
Serialization
Name Description
Record.FromList Returns a record given a list of field values and a set of fields.
Record.FromTable Returns a record from a table of records containing field names and values.
Record.ToList Returns a list of values containing the field values of the input record.
Record.ToTable Returns a table of records containing field names and values from an input
record.
Parameter Values
The following type definitions are used to describe the parameter values that are
referenced in the Record functions above.
Type Description
Definition
• A list of transformations can be provided by providing a list value, and each item
being the list value of 2 items as described above.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Geography.FromWellKnownText(input as nullable text) as nullable record
About
Translates text representing a geographic value in Well-Known Text (WKT) format into a
structured record. WKT is a standard format defined by the Open Geospatial Consortium
(OGC) and is the typical serialization format used by databases including SQL Server.
Feedback
Was this page helpful? Yes No
Geography.ToWellKnownText
Article • 09/11/2023
Syntax
Geography.ToWellKnownText(input as nullable record, optional omitSRID as
nullable logical) as nullable text
About
Translates a structured geographic point value into its Well-Known Text (WKT)
representation as defined by the Open Geospatial Consortium (OGC), also the
serialization format used by many databases including SQL Server.
Feedback
Was this page helpful? Yes No
GeographyPoint.From
Article • 09/11/2023
Syntax
GeographyPoint.From(longitude as number, latitude as number, optional z as
nullable number, optional m as nullable number, optional srid as nullable
number) as record
About
Creates a record representing a geographic point from its constituent parts, such as
longitude, latitude, and if present, elevation (Z) and measure (M). An optional spatial
reference identifier (SRID) can be given if different from the default value (4326).
Feedback
Was this page helpful? Yes No
Geometry.FromWellKnownText
Article • 09/11/2023
Syntax
Geometry.FromWellKnownText(input as nullable text) as nullable record
About
Translates text representing a geometric value in Well-Known Text (WKT) format into a
structured record. WKT is a standard format defined by the Open Geospatial Consortium
(OGC) and is the typical serialization format used by databases including SQL Server.
Feedback
Was this page helpful? Yes No
Geometry.ToWellKnownText
Article • 09/11/2023
Syntax
Geometry.ToWellKnownText(input as nullable record, optional omitSRID as
nullable logical) as nullable text
About
Translates a structured geometric point value into its Well-Known Text (WKT)
representation as defined by the Open Geospatial Consortium (OGC), also the
serialization format used by many databases including SQL Server.
Feedback
Was this page helpful? Yes No
GeometryPoint.From
Article • 09/11/2023
Syntax
GeometryPoint.From(x as number, y as number, optional z as nullable number,
optional m as nullable number, optional srid as nullable number) as record
About
Creates a record representing a geometric point from its constituent parts, such as X
coordinate, Y coordinate, and if present, Z coordinate and measure (M). An optional
spatial reference identifier (SRID) can be given if different from the default value (0).
Feedback
Was this page helpful? Yes No
Record.AddField
Article • 09/11/2023
Syntax
Record.AddField(record as record, fieldName as text, value as any, optional
delayed as nullable logical) as record
About
Adds a field to a record record , given the name of the field fieldName and the value
value .
Example 1
Add the field Address to the record.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Record.Combine
Article • 09/11/2023
Syntax
Record.Combine(records as list) as record
About
Combines the records in the given records . If the records contains non-record values,
an error is returned.
Example 1
Create a combined record from the records.
Usage
Power Query M
Record.Combine({
[CustomerID = 1, Name = "Bob"],
[Phone = "123-4567"]
})
Output
Feedback
Was this page helpful? Yes No
Record.Field
Article • 09/11/2023
Syntax
Record.Field(record as record, field as text) as any
About
Returns the value of the specified field in the record . If the field is not found, an
exception is thrown.
Example 1
Find the value of field "CustomerID" in the record.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Record.FieldCount
Article • 09/11/2023
Syntax
Record.FieldCount(record as record) as number
About
Returns the number of fields in the record record .
Example 1
Find the number of fields in the record.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Record.FieldNames
Article • 09/11/2023
Syntax
Record.FieldNames(record as record) as list
About
Returns the names of the fields in the record record as text.
Example 1
Find the names of the fields in the record.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Record.FieldOrDefault
Article • 09/11/2023
Syntax
Record.FieldOrDefault(record as nullable record, field as text, optional
defaultValue as any) as any
About
Returns the value of the specified field field in the record record . If the field is not
found, the optional defaultValue is returned.
Example 1
Find the value of field "Phone" in the record, or return null if it doesn't exist.
Usage
Power Query M
Output
null
Example 2
Find the value of field "Phone" in the record, or return the default if it doesn't exist.
Usage
Power Query M
Output
"123-4567"
Feedback
Was this page helpful? Yes No
Record.FieldValues
Article • 09/11/2023
Syntax
Record.FieldValues(record as record) as list
About
Returns a list of the field values in record record .
Example 1
Find the field values in the record.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Record.FromList
Article • 09/11/2023
Syntax
Record.FromList(list as list, fields as any) as record
About
Returns a record given a list of field values and a set of fields. The fields can be
specified either by a list of text values, or a record type. An error is thrown if the fields
are not unique.
Example 1
Build a record from a list of field values and a list of field names.
Usage
Power Query M
Output
Example 2
Build a record from a list of field values and a record type.
Usage
Power Query M
Output
[CustomerID = 1, Name = "Bob", Phone = "123-4567"]
Feedback
Was this page helpful? Yes No
Record.FromTable
Article • 09/11/2023
Syntax
Record.FromTable(table as table) as record
About
Returns a record from a table of records table containing field names and value names
{[Name = name, Value = value]} . An exception is thrown if the field names are not
unique.
Example 1
Create a record from the table of the form Table.FromRecords({[Name = "CustomerID",
Value = 1], [Name = "Name", Value = "Bob"], [Name = "Phone", Value = "123-4567"]}).
Usage
Power Query M
Record.FromTable(
Table.FromRecords({
[Name = "CustomerID", Value = 1],
[Name = "Name", Value = "Bob"],
[Name = "Phone", Value = "123-4567"]
})
)
Output
Feedback
Was this page helpful? Yes No
Record.HasFields
Article • 09/11/2023
Syntax
Record.HasFields(record as record, fields as any) as logical
About
Indicates whether the record record has the fields specified in fields , by returning a
logical value (true or false). Multiple field values can be specified using a list.
Example 1
Check if the record has the field "CustomerID".
Usage
Power Query M
Output
true
Example 2
Check if the record has the field "CustomerID" and "Address".
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
Record.RemoveFields
Article • 09/11/2023
Syntax
Record.RemoveFields(record as record, fields as any, optional missingField
as nullable number) as record
About
Returns a record that removes all the fields specified in list fields from the input
record . If the field specified does not exist, an exception is thrown.
Example 1
Remove the field "Price" from the record.
Usage
Power Query M
Output
Example 2
Remove the fields "Price" and "Item" from the record.
Usage
Power Query M
[CustomerID = 1]
Feedback
Was this page helpful? Yes No
Record.RenameFields
Article • 09/11/2023
Syntax
Record.RenameFields(record as record, renames as list, optional missingField
as nullable number) as record
About
Returns a record after renaming fields in the input record to the new field names
specified in list renames . For multiple renames, a nested list can be used ({ {old1, new1},
{old2, new2} }.
Example 1
Rename the field "UnitPrice" to "Price" from the record.
Usage
Power Query M
Record.RenameFields(
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", UnitPrice = 100.0],
{"UnitPrice", "Price"}
)
Output
Example 2
Rename the fields "UnitPrice" to "Price" and "OrderNum" to "OrderID" from the record.
Usage
Power Query M
Record.RenameFields(
[OrderNum = 1, CustomerID = 1, Item = "Fishing rod", UnitPrice = 100.0],
{
{"UnitPrice", "Price"},
{"OrderNum", "OrderID"}
}
)
Output
Feedback
Was this page helpful? Yes No
Record.ReorderFields
Article • 09/11/2023
Syntax
Record.ReorderFields(record as record, fieldOrder as list, optional
missingField as nullable number) as record
About
Returns a record after reordering the fields in record in the order of fields specified in
list fieldOrder . Field values are maintained and fields not listed in fieldOrder are left in
their original position.
Example 1
Reorder some of the fields in the record.
Usage
Power Query M
Record.ReorderFields(
[CustomerID = 1, OrderID = 1, Item = "Fishing rod", Price = 100.0],
{"OrderID", "CustomerID"}
)
Output
Feedback
Was this page helpful? Yes No
Record.SelectFields
Article • 09/11/2023
Syntax
Record.SelectFields(record as record, fields as any, optional missingField
as nullable number) as record
About
Returns a record which includes only the fields specified in list fields from the input
record .
Example 1
Select the fields "Item" and "Price" in the record.
Usage
Power Query M
Record.SelectFields(
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100.0],
{"Item", "Price"}
)
Output
Feedback
Was this page helpful? Yes No
Record.ToList
Article • 09/11/2023
Syntax
Record.ToList(record as record) as list
About
Returns a list of values containing the field values from the input record .
Example 1
Extract the field values from a record.
Usage
Power Query M
Record.ToList([A = 1, B = 2, C = 3])
Output
{1, 2, 3}
Feedback
Was this page helpful? Yes No
Record.ToTable
Article • 09/11/2023
Syntax
Record.ToTable(record as record) as table
About
Returns a table containing the columns Name and Value with a row for each field in
record .
Example 1
Return the table from the record.
Usage
Power Query M
Output
Power Query M
Table.FromRecords({
[Name = "OrderID", Value = 1],
[Name = "CustomerID", Value = 1],
[Name = "Item", Value = "Fishing rod"],
[Name = "Price", Value = 100]
})
Feedback
Was this page helpful? Yes No
Record.TransformFields
Article • 09/11/2023
Syntax
Record.TransformFields(record as record, transformOperations as list,
optional missingField as nullable number) as record
About
Returns a record after applying transformations specified in list transformOperations to
record . One or more fields may be transformed at a given time.
Example 1
Convert "Price" field to number.
Usage
Power Query M
Record.TransformFields(
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = "100.0"],
{"Price", Number.FromText}
)
Output
Usage
Power Query M
Record.TransformFields(
[OrderID = "1", CustomerID = 1, Item = "Fishing rod", Price = "100.0"],
{{"OrderID", Number.FromText}, {"Price", Number.FromText}}
)
Output
Feedback
Was this page helpful? Yes No
Replacer functions
Article • 08/04/2022
These functions are used by other functions in the library to replace a given value.
Name Description
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Replacer.ReplaceText(text as nullable text, old as text, new as text) as
nullable text
About
Replaces the old text in the original text with the new text. This replacer function can
be used in List.ReplaceValue and Table.ReplaceValue .
Example 1
Replace the text "hE" with "He" in the string "hEllo world".
Usage
Power Query M
Output
"Hello world"
Feedback
Was this page helpful? Yes No
Replacer.ReplaceValue
Article • 09/11/2023
Syntax
Replacer.ReplaceValue(value as any, old as any, new as any) as any
About
Replaces the old value in the original value with the new value. This replacer function
can be used in List.ReplaceValue and Table.ReplaceValue .
Example 1
Replace the value 11 with the value 10.
Usage
Power Query M
Output
10
Feedback
Was this page helpful? Yes No
Splitter functions
Article • 08/04/2022
Name Description
Splitter.SplitTextByRepeatedLengths Returns a function that splits text into a list of text after
the specified length repeatedly.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Splitter.SplitByNothing() as function
About
Returns a function that does no splitting, returning its argument as a single element list.
Feedback
Was this page helpful? Yes No
Splitter.SplitTextByAnyDelimiter
Article • 09/11/2023
Syntax
Splitter.SplitTextByAnyDelimiter(delimiters as list, optional quoteStyle as
nullable number, optional startAtEnd as nullable logical) as function
About
Returns a function that splits text into a list of text at any of the specified delimiters.
Example 1
Split the input by comma or semicolon, ignoring quotes and quoted delimiters and
starting from the beginning of the input.
Usage
Power Query M
Output
Example 2
Split the input by comma or semicolon, ignoring quotes and quoted delimiters and
starting from the end of the input.
Usage
Power Query M
let
startAtEnd = true
in
Splitter.SplitTextByAnyDelimiter({",", ";"}, QuoteStyle.Csv, startAtEnd)
("a,""b;c,d")
Output
Feedback
Was this page helpful? Yes No
Splitter.SplitTextByCharacterTransition
Article • 09/11/2023
Syntax
Splitter.SplitTextByCharacterTransition(before as anynonnull, after as
anynonnull) as function
About
Returns a function that splits text into a list of text according to a transition from one
kind of character to another. The before and after parameters can either be a list of
characters, or a function that takes a character and returns true/false.
Example 1
Split the input whenever an upper or lowercase letter is followed by a digit.
Usage
Power Query M
Output
{"Abc", "123"}
Feedback
Was this page helpful? Yes No
Splitter.SplitTextByDelimiter
Article • 09/11/2023
Syntax
Splitter.SplitTextByDelimiter(delimiter as text, optional quoteStyle as
nullable number) as function
About
Returns a function that splits text into a list of text according to the specified delimiter.
Example 1
Split the input by comma, ignoring quoted commas.
Usage
Power Query M
Splitter.SplitTextByDelimiter(",", QuoteStyle.Csv)("a,""b,c"",d")
Output
Feedback
Was this page helpful? Yes No
Splitter.SplitTextByEachDelimiter
Article • 09/11/2023
Syntax
Splitter.SplitTextByEachDelimiter(delimiters as list, optional quoteStyle as
nullable number, optional startAtEnd as nullable logical) as function
About
Returns a function that splits text into a list of text at each specified delimiter in
sequence.
Example 1
Split the input by comma, then semicolon, starting from the beginning of the input.
Usage
Power Query M
Splitter.SplitTextByEachDelimiter({",", ";"})("a,b;c,d")
Output
Example 2
Split the input by comma, then semicolon, treating quotes like any other character and
starting from the end of the input.
Usage
Power Query M
let
startAtEnd = true
in
Splitter.SplitTextByEachDelimiter({",", ";"}, QuoteStyle.None,
startAtEnd)("a,""b;c"",d")
Output
Feedback
Was this page helpful? Yes No
Splitter.SplitTextByLengths
Article • 09/11/2023
Syntax
Splitter.SplitTextByLengths(lengths as list, optional startAtEnd as nullable
logical) as function
About
Returns a function that splits text into a list of text by each specified length.
Example 1
Split the input into the first two characters followed by the next three, starting from the
beginning of the input.
Usage
Power Query M
Splitter.SplitTextByLengths({2, 3})("AB123")
Output
{"AB", "123"}
Example 2
Split the input into the first three characters followed by the next two, starting from the
end of the input.
Usage
Power Query M
let
startAtEnd = true
in
Splitter.SplitTextByLengths({5, 2}, startAtEnd)("RedmondWA98052")
{"WA", "98052"}
Feedback
Was this page helpful? Yes No
Splitter.SplitTextByPositions
Article • 09/11/2023
Syntax
About
Returns a function that splits text into a list of text at each specified position.
Example 1
Split the input at the specified positions, starting from the beginning of the input.
Usage
Power Query M
Splitter.SplitTextByPositions({0, 3, 4})("ABC|12345")
Output
Example 2
Split the input at the specified positions, starting from the end of the input.
Usage
Power Query M
let
startAtEnd = true
in
Splitter.SplitTextByPositions({0, 5}, startAtEnd)("Redmond98052")
Output
{"Redmond", "98052"}
Feedback
Was this page helpful? Yes No
Splitter.SplitTextByRanges
Article • 09/11/2023
Syntax
Splitter.SplitTextByRanges(ranges as list, optional startAtEnd as nullable
logical) as function
About
Returns a function that splits text into a list of text according to the specified offsets and
lengths. A null length indicates that all remaining input should be included.
Example 1
Split the input by the specified position and length pairs, starting from the beginning of
the input. Note that the ranges in this example overlap.
Usage
Power Query M
Output
{"code", "delimiter"}
Example 2
Split the input by the specified position and length pairs, starting from the end of the
input.
Usage
Power Query M
let
startAtEnd = true
in
Splitter.SplitTextByRanges({{0, 5}, {6, 2}}, startAtEnd)("RedmondWA?
98052")
Output
{"WA", "98052"}
Feedback
Was this page helpful? Yes No
Splitter.SplitTextByRepeatedLengths
Article • 09/11/2023
Syntax
Splitter.SplitTextByRepeatedLengths(length as number, optional startAtEnd as
nullable logical) as function
About
Returns a function that splits text into a list of text after the specified length repeatedly.
Example 1
Repeatedly split the input into chunks of three characters, starting from the beginning of
the input.
Usage
Power Query M
Splitter.SplitTextByRepeatedLengths(3)("12345678")
Output
Example 2
Repeatedly split the input into chunks of three characters, starting from the end of the
input.
Usage
Power Query M
let
startAtEnd = true
in
Splitter.SplitTextByRepeatedLengths(3, startAtEnd)("87654321")
Output
Feedback
Was this page helpful? Yes No
Splitter.SplitTextByWhitespace
Article • 09/11/2023
Syntax
Splitter.SplitTextByWhitespace(optional quoteStyle as nullable number) as
function
About
Returns a function that splits text into a list of text at whitespace.
Example 1
Split the input by whitespace characters, treating quotes like any other character.
Usage
Power Query M
Splitter.SplitTextByWhitespace(QuoteStyle.None)("a b#(tab)c")
Output
Feedback
Was this page helpful? Yes No
Table functions
Article • 10/22/2022
Table construction
Name Description
ItemExpression.From Returns the abstract syntax tree (AST) for the body of a function.
ItemExpression.Item An abstract syntax tree (AST) node representing the item in an item
expression.
RowExpression.Column Returns an abstract syntax tree (AST) that represents access to a column
within a row expression.
RowExpression.From Returns the abstract syntax tree (AST) for the body of a function.
RowExpression.Row An abstract syntax tree (AST) node representing the row in a row
expression.
Table.FromColumns Returns a table from a list containing nested lists with the column
names and values.
Table.FromList Converts a list into a table by applying the specified splitting function to
each item in the list.
Table.FromRows Creates a table from the list where each element of the list is a list that
contains the column values for a single row.
Table.FromValue Returns a table with a column containing the provided value or list of
values.
Table.FuzzyGroup Groups the rows of a table by fuzzily matching values in the specified
column for each row.
Table.FuzzyJoin Joins the rows from the two tables that fuzzy match based on the given
keys.
Table.FuzzyNestedJoin Performs a fuzzy join between tables on supplied columns and produces
the join result in a new column.
Table.Split Splits the specified table into a list of tables using the specified page
size.
Name Description
Table.View Creates or extends a table with user-defined handlers for query and
action operations.
Table.ViewError Creates a modified error record which won't trigger a fallback when
thrown by a handler defined on a view (via Table.View).
Conversions
Name Description
Table.ToColumns Returns a list of nested lists each representing a column of values in the input
table.
Table.ToList Returns a table into a list by applying the specified combining function to each
row of values in a table.
Information
Name Description
Table.IsEmpty Returns true if the table does not contain any rows.
Row operations
Name Description
Table.Combine Returns a table that is the result of merging a list of tables. The
tables must all have the same row type structure.
Table.FindText Returns a table containing only the rows that have the specified
text within one of their cells or any part thereof.
Table.FirstValue Returns the first column of the first row of the table or a specified
default value.
Table.InsertRows Returns a table with the list of rows inserted into the table at an
index. Each row to insert must match the row type of the table..
Table.Partition Partitions the table into a list of groups number of tables, based
on the value of the column of each row and a hash function. The
hash function is applied to the value of the column of a row to
obtain a hash value for the row. The hash value modulo groups
determines in which of the returned tables the row will be placed.
Table.RemoveFirstN Returns a table with the specified number of rows removed from
the table starting at the first row. The number of rows removed
depends on the optional countOrCondition parameter.
Name Description
Table.RemoveLastN Returns a table with the specified number of rows removed from
the table starting at the last row. The number of rows removed
depends on the optional countOrCondition parameter.
Table.RemoveRows Returns a table with the specified number of rows removed from
the table starting at an offset.
Table.RemoveRowsWithErrors Returns a table with all rows removed from the table that contain
an error in at least one of the cells in a row.
Table.Repeat Returns a table containing the rows of the table repeated the
count number of times.
Table.SelectRows Returns a table containing only the rows that match a condition.
Table.SelectRowsWithErrors Returns a table with only the rows from table that contain an error
in at least one of the cells in a row.
Table.Skip Returns a table that does not contain the first row or rows of the
table.
Table.SplitAt Returns a list containing the first count rows specified and the
remaining rows.
Column operations
Name Description
Table.ColumnsOfType Returns a list with the names of the columns that match the
specified types.
Table.DemoteHeaders Demotes the header row down into the first row of a table.
Table.DuplicateColumn Duplicates a column with the specified name. Values and type
are copied from the source column.
Table.PrefixColumns Returns a table where the columns have all been prefixed with a
text value.
Table.PromoteHeaders Promotes the first row of the table into its header or column
names.
Table.UnpivotOtherColumns Translates all columns other than a specified set into attribute-
value pairs, combined with the rest of the values in each row.
Transformation
Name Description
Table.AddIndexColumn Returns a table with a new column with a specific name that,
for each row, contains an index of the row in the table.
Table.FillUp Returns a table from the table specified where the value of
the next cell is propagated to the null values cells above in the
column specified.
Table.Group Groups table rows by the values of key columns for each row.
Table.Join Joins the rows of table1 with the rows of table2 based on the
equality of the values of the key columns selected by table1,
key1 and table2, key2.
Table.NestedJoin Joins the rows of the tables based on the equality of the keys.
The results are entered into a new column.
Table.ReplaceErrorValues Replaces the error values in the specified columns with the
corresponding specified value.
Membership
Name Description
Table.Distinct Removes duplicate rows from a table, ensuring that all remaining
rows are distinct.
Table.ReplaceMatchingRows Replaces specific rows from a table with the new rows.
Ordering
Name Description
Name Description
Table.Max Returns the largest row or rows from a table using a comparisonCriteria.
Table.MaxN Returns the largest N rows from a table. After the rows are sorted, the
countOrCondition parameter must be specified to further filter the result.
Table.MinN Returns the smallest N rows in the given table. After the rows are sorted,
the countOrCondition parameter must be specified to further filter the
result.
Table.AddRankColumn Appends a column with the ranking of one or more other columns.
Other
Name Description
Table.Buffer Buffers a table into memory, isolating it from external changes during evaluation.
Parameter Values
Comparison criteria
Comparison criterion can be provided as either of the following values:
To compute a key to be used for sorting, a function of one argument can be used.
To both select a key and control order, comparison criterion can be a list
containing the key and order.
To completely control the comparison, a function of two arguments can be used
that returns -1, 0, or 1 given the relationship between the left and right inputs.
Value.Compare can be used to delegate this logic.
A number indicates how many values to return inline with the appropriate
function.
If a condition is specified, the rows containing values that initially meet the
condition is returned. Once a value fails the condition, no further values are
considered.
Sort Order
Sort ordering is used to indicate how the results should be sorted. This parameter is
specified as a number, which maps to the following options:
Order.Ascending = 0 Order.Descending = 1
Equation criteria
Equation criteria for tables can be specified as either:
A key selector that determines the column in the table to apply the equality
criteria.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
ItemExpression.From(function as function) as record
About
Returns the abstract syntax tree (AST) for the body of function , normalized into an item
expression:
Invocation
Unary
Binary
If
FieldAccess
An error is raised if an item expression AST cannot be returned for the body of
function .
Example 1
Returns the AST for the body of the function each _ <> null .
Usage
Power Query M
Output
Power Query M
[
Kind = "Binary",
Operator = "NotEquals",
Left = ItemExpression.Item,
Right =
[
Kind = "Constant",
Value = null
]
]
Feedback
Was this page helpful? Yes No
ItemExpression.Item
Article • 09/11/2023
About
An abstract syntax tree (AST) node representing the item in an item expression.
Feedback
Was this page helpful? Yes No
RowExpression.Column
Article • 09/11/2023
Syntax
RowExpression.Column(columnName as text) as record
About
Returns an abstract syntax tree (AST) that represents access to column columnName of
the row within a row expression.
Example 1
Creates an AST representing access of column "CustomerName".
Usage
Power Query M
RowExpression.Column("CustomerName")
Output
Power Query M
[
Kind = "FieldAccess",
Expression = RowExpression.Row,
MemberName = "CustomerName"
]
Feedback
Was this page helpful? Yes No
RowExpression.From
Article • 09/11/2023
Syntax
RowExpression.From(function as function) as record
About
Returns the abstract syntax tree (AST) for the body of function , normalized into a row
expression:
Invocation
Unary
Binary
If
FieldAccess
An error is raised if a row expression AST cannot be returned for the body of function .
Example 1
Returns the AST for the body of the function each [CustomerID] = "ALFKI" .
Usage
Power Query M
Output
Power Query M
[
Kind = "Binary",
Operator = "Equals",
Left = RowExpression.Column("CustomerName"),
Right =
[
Kind = "Constant",
Value = "ALFKI"
]
]
Feedback
Was this page helpful? Yes No
RowExpression.Row
Article • 09/11/2023
About
An abstract syntax tree (AST) node representing the row in a row expression.
Feedback
Was this page helpful? Yes No
Table.AddColumn
Article • 09/11/2023
Syntax
Table.AddColumn(table as table, newColumnName as text, columnGenerator as
function, optional columnType as nullable type) as table
About
Adds a column named newColumnName to the table table . The values for the column are
computed using the specified selection function columnGenerator with each row taken
as an input.
Example 1
Add a number column named "TotalPrice" to the table, with each value being the sum of
the [Price] and [Shipping] columns.
Usage
Power Query M
Table.AddColumn(
Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100.0,
Shipping = 10.00],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5.0,
Shipping = 15.00],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25.0,
Shipping = 10.00]
}),
"TotalPrice",
each [Price] + [Shipping],
type number
)
Output
Power Query M
Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100,
Shipping = 10, TotalPrice = 110],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5, Shipping
= 15, TotalPrice = 20],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25, Shipping
= 10, TotalPrice = 35]
})
Feedback
Was this page helpful? Yes No
Table.AddFuzzyClusterColumn
Article • 09/11/2023
Syntax
Table.AddFuzzyClusterColumn(table as table, columnName as text,
newColumnName as text, optional options as nullable record) as table
About
Adds a new column newColumnName to table with representative values of columnName .
The representatives are obtained by fuzzily matching values in columnName , for each row.
An optional set of options may be included to specify how to compare the key
columns. Options include:
valid culture name. For example, a Culture option of "ja-JP" groups records based
on the Japanese culture. The default value is "", which groups based on the
Invariant English culture.
IgnoreCase : A logical (true/false) value that allows case-insensitive key grouping.
For example, when true, "Grapes" is grouped with "grapes". The default value is
true.
IgnoreSpace : A logical (true/false) value that allows combining of text parts in
order to find groups. For example, when true, "Gra pes" is grouped with "Grapes".
The default value is true.
SimilarityColumnName : A name for the column that shows the similarity between
an input value and the representative value for that input. The default value is null,
in which case a new column for similarities will not be added.
Threshold : A number between 0.00 and 1.00 that specifies the similarity score at
which two values will be grouped. For example, "Grapes" and "Graes" (missing the
"p") are grouped together only if this option is set to less than 0.90. A threshold of
1.00 only allows exact matches. (Note that a fuzzy "exact match" might ignore
differences like casing, word order, and punctuation.) The default value is 0.80.
TransformationTable : A table that allows grouping records based on custom value
mappings. It should contain "From" and "To" columns. For example, "Grapes" is
grouped with "Raisins" if a transformation table is provided with the "From"
column containing "Grapes" and the "To" column containing "Raisins". Note that
the transformation will be applied to all occurrences of the text in the
transformation table. With the above transformation table, "Grapes are sweet" will
also be grouped with "Raisins are sweet".
Example 1
Find the representative values for the location of the employees.
Usage
Power Query M
Table.AddFuzzyClusterColumn(
Table.FromRecords(
{
[EmployeeID = 1, Location = "Seattle"],
[EmployeeID = 2, Location = "seattl"],
[EmployeeID = 3, Location = "Vancouver"],
[EmployeeID = 4, Location = "Seatle"],
[EmployeeID = 5, Location = "vancover"],
[EmployeeID = 6, Location = "Seattle"],
[EmployeeID = 7, Location = "Vancouver"]
},
type table [EmployeeID = nullable number, Location = nullable text]
),
"Location",
"Location_Cleaned",
[IgnoreCase = true, IgnoreSpace = true]
)
Output
Power Query M
Table.FromRecords(
{
[EmployeeID = 1, Location = "Seattle", Location_Cleaned =
"Seattle"],
[EmployeeID = 2, Location = "seattl", Location_Cleaned = "Seattle"],
[EmployeeID = 3, Location = "Vancouver", Location_Cleaned =
"Vancouver"],
[EmployeeID = 4, Location = "Seatle", Location_Cleaned = "Seattle"],
[EmployeeID = 5, Location = "vancover", Location_Cleaned =
"Vancouver"],
[EmployeeID = 6, Location = "Seattle", Location_Cleaned =
"Seattle"],
[EmployeeID = 7, Location = "Vancouver", Location_Cleaned =
"Vancouver"]
},
type table [EmployeeID = nullable number, Location = nullable text,
Location_Cleaned = nullable text]
)
Feedback
Was this page helpful? Yes No
Table.AddIndexColumn
Article • 09/11/2023
Syntax
Table.AddIndexColumn(table as table, newColumnName as text, optional
initialValue as nullable number, optional increment as nullable number,
optional columnType as nullable type) as table
About
Appends a column named newColumnName to the table with explicit position values. An
optional value, initialValue , the initial index value. An optional value, increment ,
specifies how much to increment each index value.
Example 1
Add an index column named "Index" to the table.
Usage
Power Query M
Table.AddIndexColumn(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
"Index"
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567", Index = 0],
[CustomerID = 2, Name = "Jim", Phone = "987-6543", Index = 1],
[CustomerID = 3, Name = "Paul", Phone = "543-7890", Index = 2],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550", Index = 3]
})
Example 2
Add an index column named "index", starting at value 10 and incrementing by 5, to the
table.
Usage
Power Query M
Table.AddIndexColumn(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
"Index",
10,
5
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567", Index = 10],
[CustomerID = 2, Name = "Jim", Phone = "987-6543", Index = 15],
[CustomerID = 3, Name = "Paul", Phone = "543-7890", Index = 20],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550", Index = 25]
})
Feedback
Was this page helpful? Yes No
Table.AddJoinColumn
Article • 09/11/2023
Syntax
Table.AddJoinColumn(table1 as table, key1 as any, table2 as function, key2
as any, newColumnName as text) as table
About
Joins the rows of table1 with the rows of table2 based on the equality of the values of
the key columns selected by key1 (for table1 ) and key2 (for table2 ). The results are
entered into the column named newColumnName . This function behaves similarly to
Table.Join with a JoinKind of LeftOuter except that the join results are presented in a
nested rather than flattened fashion.
Example 1
Add a join column to ({[saleID = 1, item = "Shirt"], [saleID = 2, item = "Hat"]}) named
"price/stock" from the table ({[saleID = 1, price = 20], [saleID = 2, price = 10]}) joined on
[saleID].
Usage
Power Query M
Table.AddJoinColumn(
Table.FromRecords({
[saleID = 1, item = "Shirt"],
[saleID = 2, item = "Hat"]
}),
"saleID",
() => Table.FromRecords({
[saleID = 1, price = 20, stock = 1234],
[saleID = 2, price = 10, stock = 5643]
}),
"saleID",
"price"
)
Output
Power Query M
Table.FromRecords({
[
saleID = 1,
item = "Shirt",
price = Table.FromRecords({[saleID = 1, price = 20, stock = 1234]})
],
[
saleID = 2,
item = "Hat",
price = Table.FromRecords({[saleID = 2, price = 10, stock = 5643]})
]
})
Feedback
Was this page helpful? Yes No
Table.AddKey
Article • 09/11/2023
Syntax
Table.AddKey(table as table, columns as list, isPrimary as logical) as table
About
Adds a key to table , where columns is the list of column names that define the key, and
isPrimary specifies whether the key is primary.
Example 1
Add a single-column primary key to a table.
Usage
Power Query M
let
table = Table.FromRecords({
[Id = 1, Name = "Hello There"],
[Id = 2, Name = "Good Bye"]
}),
resultTable = Table.AddKey(table, {"Id"}, true)
in
resultTable
Output
Power Query M
Table.FromRecords({
[Id = 1, Name = "Hello There"],
[Id = 2, Name = "Good Bye"]
})
Feedback
Was this page helpful? Yes No
Table.AddRankColumn
Article • 09/11/2023
Syntax
Table.AddRankColumn(table as table, newColumnName as text,
comparisonCriteria as any, optional options as nullable record) as table
About
Appends a column named newColumnName to the table with the ranking of one or more
other columns described by comparisonCriteria . The RankKind option in options can
be used by advanced users to pick a more-specific ranking method.
Example 1
Add a column named RevenueRank to the table which ranks the Revenue column from
highest to lowest.
Usage
Power Query M
Table.AddRankColumn(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Revenue = 200],
[CustomerID = 2, Name = "Jim", Revenue = 100],
[CustomerID = 3, Name = "Paul", Revenue = 200],
[CustomerID = 4, Name = "Ringo", Revenue = 50]
}),
"RevenueRank",
{"Revenue", Order.Descending},
[RankKind = RankKind.Competition]
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Revenue = 200, RevenueRank = 1],
[CustomerID = 3, Name = "Paul", Revenue = 200, RevenueRank = 1],
[CustomerID = 2, Name = "Jim", Revenue = 100, RevenueRank = 3],
[CustomerID = 4, Name = "Ringo", Revenue = 50, RevenueRank = 4]
})
Feedback
Was this page helpful? Yes No
Table.AggregateTableColumn
Article • 09/11/2023
Syntax
Table.AggregateTableColumn(table as table, column as text, aggregations as
list) as table
About
Aggregates tables in table [ column ] into multiple columns containing aggregate values
for the tables. aggregations is used to specify the columns containing the tables to
aggregate, the aggregation functions to apply to the tables to generate their values, and
the names of the aggregate columns to create.
Example 1
Aggregate table columns in [t] in the table {[t = {[a=1, b=2, c=3], [a=2,b=4,c=6]},
b = 2]} into the sum of [t.a] , the min and max of [t.b] , and the count of values in
[t.a] .
Usage
Power Query M
Table.AggregateTableColumn(
Table.FromRecords(
{
[
t = Table.FromRecords({
[a = 1, b = 2, c = 3],
[a = 2, b = 4, c = 6]
}),
b = 2
]
},
type table [t = table [a = number, b = number, c = number], b =
number]
),
"t",
{
{"a", List.Sum, "sum of t.a"},
{"b", List.Min, "min of t.b"},
{"b", List.Max, "max of t.b"},
{"a", List.Count, "count of t.a"}
}
)
Output
Feedback
Was this page helpful? Yes No
Table.AlternateRows
Article • 09/11/2023
Syntax
Table.AlternateRows(table as table, offset as number, skip as number, take
as number) as table
About
Keeps the initial offset then alternates taking and skipping the following rows.
Example 1
Return a table from the table that, starting at the first row, skips 1 value and then keeps
1 value.
Usage
Power Query M
Table.AlternateRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
}),
1,
1,
1
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
Feedback
Was this page helpful? Yes No
Table.ApproximateRowCount
Article • 09/11/2023
Syntax
Table.ApproximateRowCount(table as table) as number
About
Returns the approximate number of rows in the table , or an error if the data source
doesn't support approximation.
Example 1
Estimate the number of distinct combinations of city and state in a large table, which
can be used as a cardinality estimate for the columns. Cardinality estimates are
important enough that various data sources (such as SQL Server) support this particular
approximation, often using an algorithm called HyperLogLog.
Usage
Power Query M
Table.ApproximateRowCount(Table.Distinct(Table.SelectColumns(sqlTable,
{"city", "state"})))
Output
number
Feedback
Was this page helpful? Yes No
Table.Buffer
Article • 09/11/2023
Syntax
Table.Buffer(table as table, optional options as nullable record) as table
About
Buffers a table in memory, isolating it from external changes during evaluation.
Buffering is shallow. It forces the evaluation of any scalar cell values, but leaves non-
scalar values (records, lists, tables, and so on) as-is.
Note that using this function might or might not make your queries run faster. In some
cases, it can make your queries run more slowly due to the added cost of reading all the
data and storing it in memory, as well as the fact that buffering prevents downstream
folding. If the data doesn't need to be buffered but you just want to prevent
downstream folding, use Table.StopFolding instead.
Example 1
Load all the rows of a SQL table into memory, so that any downstream operations will
no longer be able to query the SQL server.
Usage
Power Query M
let
Source = Sql.Database("SomeSQLServer", "MyDb"),
MyTable = Source{[Item="MyTable"]}[Data],
BufferMyTable = Table.Buffer(dbo_MyTable)
in
BufferMyTable
Output
Power Query M
table
Feedback
Was this page helpful? Yes No
Table.Column
Article • 09/11/2023
Syntax
Table.Column(table as table, column as text) as list
About
Returns the column of data specified by column from the table table as a list.
Example 1
Returns the values from the [Name] column in the table.
Usage
Power Query M
Table.Column(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
"Name"
)
Output
Feedback
Was this page helpful? Yes No
Table.ColumnCount
Article • 09/11/2023
Syntax
Table.ColumnCount(table as table) as number
About
Returns the number of columns in the table table .
Example 1
Find the number of columns in the table.
Usage
Power Query M
Table.ColumnCount(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
)
Output
Feedback
Was this page helpful? Yes No
Table.ColumnNames
Article • 09/11/2023
Syntax
Table.ColumnNames(table as table) as list
About
Returns the column names in the table table as a list of text.
Example 1
Find the column names of the table.
Usage
Power Query M
Table.ColumnNames(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
)
Output
Feedback
Was this page helpful? Yes No
Table.ColumnsOfType
Article • 09/11/2023
Syntax
Table.ColumnsOfType(table as table, listOfTypes as list) as list
About
Returns a list with the names of the columns from table table that match the types
specified in listOfTypes .
Example 1
Return the names of columns of type Number.Type from the table.
Usage
Power Query M
Table.ColumnsOfType(
Table.FromRecords(
{[a = 1, b = "hello"]},
type table[a = Number.Type, b = Text.Type]
),
{type number}
)
Output
{"a"}
Feedback
Was this page helpful? Yes No
Table.Combine
Article • 09/11/2023
Syntax
Table.Combine(tables as list, optional columns as any) as table
About
Returns a table that is the result of merging a list of tables, tables . The resulting table
will have a row type structure defined by columns or by a union of the input types if
columns is not specified.
Example 1
Merge the three tables together.
Usage
Power Query M
Table.Combine({
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
Table.FromRecords({[CustomerID = 2, Name = "Jim", Phone = "987-6543"]}),
Table.FromRecords({[CustomerID = 3, Name = "Paul", Phone = "543-7890"]})
})
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
Example 2
Merge three tables with different structures.
Usage
Power Query M
Table.Combine({
Table.FromRecords({[Name = "Bob", Phone = "123-4567"]}),
Table.FromRecords({[Fax = "987-6543", Phone = "838-7171"]}),
Table.FromRecords({[Cell = "543-7890"]})
})
Output
Power Query M
Table.FromRecords({
[Name = "Bob", Phone = "123-4567", Fax = null, Cell = null],
[Name = null, Phone = "838-7171", Fax = "987-6543", Cell = null],
[Name = null, Phone = null, Fax = null, Cell = "543-7890"]
})
Example 3
Merge two tables and project onto the given type.
Usage
Power Query M
Table.Combine(
{
Table.FromRecords({[Name = "Bob", Phone = "123-4567"]}),
Table.FromRecords({[Fax = "987-6543", Phone = "838-7171"]}),
Table.FromRecords({[Cell = "543-7890"]})
},
{"CustomerID", "Name"}
)
Output
Power Query M
Table.FromRecords({
[CustomerID = null, Name = "Bob"],
[CustomerID = null, Name = null],
[CustomerID = null, Name = null]
})
Feedback
Was this page helpful? Yes No
Table.CombineColumns
Article • 09/11/2023
Syntax
Table.CombineColumns(table as table, sourceColumns as list, combiner as
function, column as text) as table
About
Combines the specified columns into a new column using the specified combiner
function.
Example 1
Combine the last and first names into a new column, separated by a comma.
Usage
Power Query M
Table.CombineColumns(
Table.FromRecords({[FirstName = "Bob", LastName = "Smith"]}),
{"LastName", "FirstName"},
Combiner.CombineTextByDelimiter(",", QuoteStyle.None),
"FullName"
)
Output
Power Query M
Table.FromRecords({[FullName = "Smith,Bob"]})
Feedback
Was this page helpful? Yes No
Table.CombineColumnsToRecord
Article • 09/11/2023
Syntax
Table.CombineColumnsToRecord(table as table, newColumnName as text,
sourceColumns as list, optional options as nullable record) as table
About
Combines the specified columns of table into a new record-valued column named
newColumnName where each record has field names and values corresponding to the
column names and values of the columns that were combined. If a record is specified for
options , the following options may be provided:
DisplayNameColumn : When specified as text, indicates that the given column name
should be treated as the display name of the record. This need not be one of the
columns in the record itself.
TypeName : When specified as text, supplies a logical type name for the resulting
record which can be used during data load to drive behavior by the loading
environment.
Feedback
Was this page helpful? Yes No
Table.ConformToPageReader
Article • 09/11/2023
Syntax
Table.ConformToPageReader(table as table, shapingFunction as function) as
table
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Table.Contains
Article • 09/11/2023
Syntax
Table.Contains(table as table, row as record, optional equationCriteria as
any) as logical
About
Indicates whether the specified record, row , appears as a row in the table . An optional
parameter equationCriteria may be specified to control comparison between the rows
of the table.
Example 1
Determine if the table contains the row.
Usage
Power Query M
Table.Contains(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
[Name = "Bob"]
)
Output
true
Example 2
Determine if the table contains the row.
Usage
Power Query M
Table.Contains(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
[Name = "Ted"]
)
Output
false
Example 3
Determine if the table contains the row comparing only the column [Name].
Usage
Power Query M
Table.Contains(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
[CustomerID = 4, Name = "Bob"],
"Name"
)
Output
true
Feedback
Was this page helpful? Yes No
Table.ContainsAll
Article • 09/11/2023
Syntax
Table.ContainsAll(table as table, rows as list, optional equationCriteria as
any) as logical
About
Indicates whether all the specified records in the list of records rows , appear as rows in
the table . An optional parameter equationCriteria may be specified to control
comparison between the rows of the table.
Example 1
Determine if the table contains all the rows, comparing only the column [CustomerID].
Usage
Power Query M
Table.ContainsAll(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
{
[CustomerID = 1, Name = "Bill"],
[CustomerID = 2, Name = "Fred"]
},
"CustomerID"
)
Output
true
Example 2
Determine if the table contains all the rows.
Usage
Power Query M
Table.ContainsAll(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
{
[CustomerID = 1, Name = "Bill"],
[CustomerID = 2, Name = "Fred"]
}
)
Output
false
Feedback
Was this page helpful? Yes No
Table.ContainsAny
Article • 09/11/2023
Syntax
Table.ContainsAny(table as table, rows as list, optional equationCriteria as
any) as logical
About
Indicates whether any the specified records in the list of records rows , appear as rows in
the table . An optional parameter equationCriteria may be specified to control
comparison between the rows of the table.
Example 1
Determine if the table ({[a = 1, b = 2], [a = 3, b = 4]}) contains the rows [a = 1, b
= 2] or [a = 3, b = 5] .
Usage
Power Query M
Table.ContainsAny(
Table.FromRecords({
[a = 1, b = 2],
[a = 3, b = 4]
}),
{
[a = 1, b = 2],
[a = 3, b = 5]
}
)
Output
true
Example 2
Determine if the table ({[a = 1, b = 2], [a = 3, b = 4]}) contains the rows [a = 1, b
= 3] or [a = 3, b = 5] .
Usage
Power Query M
Table.ContainsAny(
Table.FromRecords({
[a = 1, b = 2],
[a = 3, b = 4]
}),
{
[a = 1, b = 3],
[a = 3, b = 5]
}
)
Output
false
Example 3
Determine if the table (Table.FromRecords({[a = 1, b = 2], [a = 3, b = 4]})) contains
the rows [a = 1, b = 3] or [a = 3, b = 5] comparing only the column [a].
Usage
Power Query M
Table.ContainsAny(
Table.FromRecords({
[a = 1, b = 2],
[a = 3, b = 4]
}),
{
[a = 1, b = 3],
[a = 3, b = 5]
},
"a"
)
Output
true
Feedback
Was this page helpful? Yes No
Table.DemoteHeaders
Article • 09/11/2023
Syntax
Table.DemoteHeaders(table as table) as table
About
Demotes the column headers (i.e. column names) to the first row of values. The default
column names are "Column1", "Column2" and so on.
Example 1
Demote the first row of values in the table.
Usage
Power Query M
Table.DemoteHeaders(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"]
})
)
Output
Power Query M
Table.FromRecords({
[Column1 = "CustomerID", Column2 = "Name", Column3 = "Phone"],
[Column1 = 1, Column2 = "Bob", Column3 = "123-4567"],
[Column1 = 2, Column2 = "Jim", Column3 = "987-6543"]
})
Feedback
Was this page helpful? Yes No
Table.Distinct
Article • 09/11/2023
Syntax
Table.Distinct(table as table, optional equationCriteria as any) as table
About
Removes duplicate rows from the table. An optional parameter, equationCriteria ,
specifies which columns of the table are tested for duplication. If equationCriteria is
not specified, all columns are tested.
Because Power Query sometimes offloads certain operations to backend data sources
(known as folding), and also sometimes optimizes queries by skipping operations that
aren't strictly necessary, in general there's no guarantee which specific duplicate will be
preserved. For example, you can't assume that the first row with a unique set of column
values will remain, and rows further down in the table will be removed. If you want the
duplicate removal to behave predictably, first buffer the table using Table.Buffer.
Example 1
Remove the duplicate rows from the table.
Usage
Power Query M
Table.Distinct(
Table.FromRecords({
[a = "A", b = "a"],
[a = "B", b = "b"],
[a = "A", b = "a"]
})
)
Output
Power Query M
Table.FromRecords({
[a = "A", b = "a"],
[a = "B", b = "b"]
})
Example 2
Remove the duplicate rows from column [b] in the table ({[a = "A", b = "a"], [a =
"B", b = "a"], [a = "A", b = "b"]}) .
Usage
Power Query M
Table.Distinct(
Table.FromRecords({
[a = "A", b = "a"],
[a = "B", b = "a"],
[a = "A", b = "b"]
}),
"b"
)
Output
Power Query M
Table.FromRecords({
[a = "A", b = "a"],
[a = "A", b = "b"]
})
Feedback
Was this page helpful? Yes No
Table.DuplicateColumn
Article • 09/11/2023
Syntax
Table.DuplicateColumn(table as table, columnName as text, newColumnName as
text, optional columnType as nullable type) as table
About
Duplicate the column named columnName to the table table . The values and type for the
column newColumnName are copied from column columnName .
Example
Duplicate the column "a" to a column named "copied column" in the table ({[a = 1, b
= 2], [a = 3, b = 4]}) .
Usage
Power Query M
Table.DuplicateColumn(
Table.FromRecords({
[a = 1, b = 2],
[a = 3, b = 4]
}),
"a",
"copied column"
)
Output
Power Query M
Table.FromRecords({
[a = 1, b = 2, #"copied column" = 1],
[a = 3, b = 4, #"copied column" = 3]
})
Feedback
Was this page helpful? Yes No
Table.ExpandListColumn
Article • 09/11/2023
Syntax
Table.ExpandListColumn(table as table, column as text) as table
About
Given a table , where a column is a list of values, splits the list into a row for each value.
Values in the other columns are duplicated in each new row created.
Example 1
Split the list column [Name] in the table.
Usage
Power Query M
Table.ExpandListColumn(
Table.FromRecords({[Name = {"Bob", "Jim", "Paul"}, Discount = .15]}),
"Name"
)
Output
Power Query M
Table.FromRecords({
[Name = "Bob", Discount = 0.15],
[Name = "Jim", Discount = 0.15],
[Name = "Paul", Discount = 0.15]
})
Feedback
Was this page helpful?
Yes No
Table.ExpandRecordColumn
Article • 09/11/2023
Syntax
Table.ExpandRecordColumn(table as table, column as text, fieldNames as list,
optional newColumnNames as nullable list) as table
About
Given the column of records in the input table , creates a table with a column for each
field in the record. Optionally, newColumnNames may be specified to ensure unique names
for the columns in the new table.
newColumnNames : The list of column names to give the new columns. The new
Example 1
Expand column [a] in the table ({[a = [aa = 1, bb = 2, cc = 3], b = 2]}) into 3
columns "aa", "bb" and "cc".
Usage
Power Query M
Table.ExpandRecordColumn(
Table.FromRecords({
[
a = [aa = 1, bb = 2, cc = 3],
b = 2
]
}),
"a",
{"aa", "bb", "cc"}
)
Output
Table.FromRecords({[aa = 1, bb = 2, cc = 3, b = 2]})
Feedback
Was this page helpful? Yes No
Table.ExpandTableColumn
Article • 09/11/2023
Syntax
Table.ExpandTableColumn(table as table, column as text, columnNames as list,
optional newColumnNames as nullable list) as table
About
Expands tables in table [ column ] into multiple rows and columns. columnNames is used to
select the columns to expand from the inner table. Specify newColumnNames to avoid
conflicts between existing columns and new columns.
Example 1
Expand table columns in [a] in the table ({[t = {[a=1, b=2, c=3], [a=2,b=4,c=6]}, b
= 2]}) into 3 columns [t.a] , [t.b] and [t.c] .
Usage
Power Query M
Table.ExpandTableColumn(
Table.FromRecords({
[
t = Table.FromRecords({
[a = 1, b = 2, c = 3],
[a = 2, b = 4, c = 6]
}),
b = 2
]
}),
"t",
{"a", "b", "c"},
{"t.a", "t.b", "t.c"}
)
Output
Power Query M
Table.FromRecords({
[t.a = 1, t.b = 2, t.c = 3, b = 2],
[t.a = 2, t.b = 4, t.c = 6, b = 2]
})
Feedback
Was this page helpful? Yes No
Table.FillDown
Article • 09/11/2023
Syntax
Table.FillDown(table as table, columns as list) as table
About
Returns a table from the table specified where the value of a previous cell is
propagated to the null-valued cells below in the columns specified.
Example 1
Return a table with the null values in column [Place] filled with the value above them
from the table.
Usage
Power Query M
Table.FillDown(
Table.FromRecords({
[Place = 1, Name = "Bob"],
[Place = null, Name = "John"],
[Place = 2, Name = "Brad"],
[Place = 3, Name = "Mark"],
[Place = null, Name = "Tom"],
[Place = null, Name = "Adam"]
}),
{"Place"}
)
Output
Power Query M
Table.FromRecords({
[Place = 1, Name = "Bob"],
[Place = 1, Name = "John"],
[Place = 2, Name = "Brad"],
[Place = 3, Name = "Mark"],
[Place = 3, Name = "Tom"],
[Place = 3, Name = "Adam"]
})
Feedback
Was this page helpful? Yes No
Table.FillUp
Article • 09/11/2023
Syntax
Table.FillUp(table as table, columns as list) as table
About
Returns a table from the table specified where the value of the next cell is propagated
to the null-valued cells above in the columns specified.
Example 1
Return a table with the null values in column [Column2] filled with the value below them
from the table.
Usage
Power Query M
Table.FillUp(
Table.FromRecords({
[Column1 = 1, Column2 = 2],
[Column1 = 3, Column2 = null],
[Column1 = 5, Column2 = 3]
}),
{"Column2"}
)
Output
Power Query M
Table.FromRecords({
[Column1 = 1, Column2 = 2],
[Column1 = 3, Column2 = 3],
[Column1 = 5, Column2 = 3]
})
Feedback
Was this page helpful? Yes No
Table.FilterWithDataTable
Article • 09/11/2023
Syntax
Table.FilterWithDataTable(table as table, dataTableIdentifier as text) as
any
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Table.FindText
Article • 09/11/2023
Syntax
Table.FindText(table as table, text as text) as table
About
Returns the rows in the table table that contain the text text . If the text is not found,
an empty table is returned.
Example 1
Find the rows in the table that contain "Bob".
Usage
Power Query M
Table.FindText(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
"Bob"
)
Output
Feedback
Was this page helpful? Yes No
Table.First
Article • 09/11/2023
Syntax
Table.First(table as table, optional default as any) as any
About
Returns the first row of the table or an optional default value, default , if the table is
empty.
Example 1
Find the first row of the table.
Usage
Power Query M
Table.First(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
)
Output
Example 2
Find the first row of the table ({}) or return [a = 0, b = 0] if empty.
Usage
Power Query M
Table.First(Table.FromRecords({}), [a = 0, b = 0])
Output
[a = 0, b = 0]
Feedback
Was this page helpful? Yes No
Table.FirstN
Article • 09/11/2023
Syntax
Table.FirstN(table as table, countOrCondition as any) as table
About
Returns the first row(s) of the table table , depending on the value of countOrCondition :
Example 1
Find the first two rows of the table.
Usage
Power Query M
Table.FirstN(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
}),
2
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"]
})
Example 2
Find the first rows where [a] > 0 in the table.
Usage
Power Query M
Table.FirstN(
Table.FromRecords({
[a = 1, b = 2],
[a = 3, b = 4],
[a = -5, b = -6]
}),
each [a] > 0
)
Output
Power Query M
Table.FromRecords({
[a = 1, b = 2],
[a = 3, b = 4]
})
Feedback
Was this page helpful? Yes No
Table.FirstValue
Article • 09/11/2023
Syntax
Table.FirstValue(table as table, optional default as any) as any
About
Returns the first column of the first row of the table table or a specified default value.
Feedback
Was this page helpful? Yes No
Table.FromColumns
Article • 09/11/2023
Syntax
Table.FromColumns(lists as list, optional columns as any) as table
About
Creates a table of type columns from a list lists containing nested lists with the column
names and values. If some columns have more values then others, the missing values
will be filled with the default value, 'null', if the columns are nullable.
Example 1
Return a table from a list of customer names in a list. Each value in the customer list
item becomes a row value, and each list becomes a column.
Usage
Power Query M
Table.FromColumns({
{1, "Bob", "123-4567"},
{2, "Jim", "987-6543"},
{3, "Paul", "543-7890"}
})
Output
Power Query M
Table.FromRecords({
[Column1 = 1, Column2 = 2, Column3 = 3],
[Column1 = "Bob", Column2 = "Jim", Column3 = "Paul"],
[Column1 = "123-4567", Column2 = "987-6543", Column3 = "543-7890"]
})
Example 2
Create a table from a given list of columns and a list of column names.
Usage
Power Query M
Table.FromColumns(
{
{1, "Bob", "123-4567"},
{2, "Jim", "987-6543"},
{3, "Paul", "543-7890"}
},
{"CustomerID", "Name", "Phone"}
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = 2, Phone = 3],
[CustomerID = "Bob", Name = "Jim", Phone = "Paul"],
[CustomerID = "123-4567", Name = "987-6543", Phone = "543-7890"]
})
Example 3
Create a table with different number of columns per row. The missing row value is null.
Usage
Power Query M
Table.FromColumns(
{
{1, 2, 3},
{4, 5},
{6, 7, 8, 9}
},
{"column1", "column2", "column3"}
)
Output
Power Query M
Table.FromRecords({
[column1 = 1, column2 = 4, column3 = 6],
[column1 = 2, column2 = 5, column3 = 7],
[column1 = 3, column2 = null, column3 = 8],
[column1 = null, column2 = null, column3 = 9]
})
Feedback
Was this page helpful? Yes No
Table.FromList
Article • 09/25/2023
Syntax
Table.FromList(list as list, optional splitter as nullable function,
optional columns as any, optional default as any, optional extraValues as
nullable number) as table
About
Converts a list, list into a table by applying the optional splitting function, splitter , to
each item in the list. By default, the list is assumed to be a list of text values that is split
by commas. Optional columns may be the number of columns, a list of columns or a
TableType. Optional default and extraValues may also be specified.
Example 1
Create a table from a list using the default splitter.
Usage
Power Query M
Output
Power Query M
Table.FromRecords({
[Letter = "a", "Example Word" = "apple"],
[Letter = "b", "Example Word" = "ball"],
[Letter = "c", "Example Word" = "cookie"],
[Letter = "d", "Example Word" = "door"]
})
Example 2
Create a table from a list using a custom splitter.
Usage
Power Query M
Output
Power Query M
Table.FromRecords({
["Letter and Example Word" = "a,apple"],
["Letter and Example Word" = "b,ball"],
["Letter and Example Word" = "c,cookie"],
["Letter and Example Word" = "d,door"]
})
Example 3
Create a table from a list using the Record.FieldValues splitter.
Usage
Power Query M
Table.FromList(
{
[CustomerID = 1, Name = "Bob"],
[CustomerID = 2, Name = "Jim"]
},
Record.FieldValues,
{"CustomerID", "Name"}
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob"],
[CustomerID = 2, Name = "Jim"]
})
Feedback
Was this page helpful? Yes No
Table.FromPartitions
Article • 09/11/2023
Syntax
Table.FromPartitions(partitionColumn as text, partitions as list, optional
partitionColumnType as nullable type) as table
About
Returns a table that is the result of combining a set of partitioned tables, partitions .
partitionColumn is the name of the column to add. The type of the column defaults to
Example 1
Find item type from the list {number} .
Usage
Power Query M
Table.FromPartitions(
"Year",
{
{
1994,
Table.FromPartitions(
"Month",
{
{
"Jan",
Table.FromPartitions(
"Day",
{
{1, #table({"Foo"}, {{"Bar"}})},
{2, #table({"Foo"}, {{"Bar"}})}
}
)
},
{
"Feb",
Table.FromPartitions(
"Day",
{
{3, #table({"Foo"}, {{"Bar"}})},
{4, #table({"Foo"}, {{"Bar"}})}
}
)
}
}
)
}
}
)
Output
Power Query M
Table.FromRecords({
[
Foo = "Bar",
Day = 1,
Month = "Jan",
Year = 1994
],
[
Foo = "Bar",
Day = 2,
Month = "Jan",
Year = 1994
],
[
Foo = "Bar",
Day = 3,
Month = "Feb",
Year = 1994
],
[
Foo = "Bar",
Day = 4,
Month = "Feb",
Year = 1994
]
})
Feedback
Was this page helpful? Yes No
Table.FromRecords
Article • 09/11/2023
Syntax
Table.FromRecords(records as list, optional columns as any, optional
missingField as nullable number) as table
About
Converts records , a list of records, into a table.
Example 1
Create a table from records, using record field names as column names.
Usage
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
Example 2
Create a table from records with typed columns and select the number columns.
Usage
Power Query M
Table.ColumnsOfType(
Table.FromRecords(
{[CustomerID = 1, Name = "Bob"]},
type table[CustomerID = Number.Type, Name = Text.Type]
),
{type number}
)
Output
{"CustomerID"}
Feedback
Was this page helpful? Yes No
Table.FromRows
Article • 09/11/2023
Syntax
Table.FromRows(rows as list, optional columns as any) as table
About
Creates a table from the list rows where each element of the list is an inner list that
contains the column values for a single row. An optional list of column names, a table
type, or a number of columns could be provided for columns .
Example 1
Return a table with column [CustomerID] with values {1, 2}, column [Name] with values
{"Bob", "Jim"}, and column [Phone] with values {"123-4567", "987-6543"}.
Usage
Power Query M
Table.FromRows(
{
{1, "Bob", "123-4567"},
{2, "Jim", "987-6543"}
},
{"CustomerID", "Name", "Phone"}
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"]
})
Example 2
Return a table with column [CustomerID] with values {1, 2}, column [Name] with values
{"Bob", "Jim"}, and column [Phone] with values {"123-4567", "987-6543"}, where
[CustomerID] is number type, and [Name] and [Phone] are text types.
Usage
Power Query M
Table.FromRows(
{
{1, "Bob", "123-4567"},
{2, "Jim", "987-6543"}
},
type table [CustomerID = number, Name = text, Phone = text]
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"]
})
Feedback
Was this page helpful? Yes No
Table.FromValue
Article • 09/11/2023
Syntax
Table.FromValue(value as any, optional options as nullable record) as table
About
Creates a table with a column containing the provided value or list of values, value . An
optional record parameter, options , may be specified to control the following options:
DefaultColumnName : The column name used when constructing a table from a list or
scalar value.
Example 1
Create a table from the value 1.
Usage
Power Query M
Table.FromValue(1)
Output
Table.FromRecords({[Value = 1]})
Example 2
Create a table from the list.
Usage
Power Query M
Power Query M
Table.FromRecords({
[Value = 1],
[Value = "Bob"],
[Value = "123-4567"]
})
Example 3
Create a table from the value 1, with a custom column name.
Usage
Power Query M
Output
Table.FromRecords({[MyValue = 1]})
Feedback
Was this page helpful? Yes No
Table.FuzzyGroup
Article • 09/11/2023
Syntax
Table.FuzzyGroup(table as table, key as any, aggregatedColumns as list,
optional options as nullable record) as table
About
Groups the rows of table by fuzzily matching values in the specified column, key , for
each row. For each group, a record is constructed containing the key columns (and their
values) along with any aggregated columns specified by aggregatedColumns . This
function cannot guarantee to return a fixed order of rows.
An optional set of options may be included to specify how to compare the key
columns. Options include:
valid culture name. For example, a Culture option of "ja-JP" groups records based
on the Japanese culture. The default value is "", which groups based on the
Invariant English culture.
IgnoreCase : A logical (true/false) value that allows case-insensitive key grouping.
For example, when true, "Grapes" is grouped with "grapes". The default value is
true.
IgnoreSpace : A logical (true/false) value that allows combining of text parts in
order to find groups. For example, when true, "Gra pes" is grouped with "Grapes".
The default value is true.
SimilarityColumnName : A name for the column that shows the similarity between
an input value and the representative value for that input. The default value is null,
in which case a new column for similarities will not be added.
Threshold : A number between 0.00 and 1.00 that specifies the similarity score at
which two values will be grouped. For example, "Grapes" and "Graes" (missing the
"p") are grouped together only if this option is set to less than 0.90. A threshold of
1.00 only allows exact matches. (Note that a fuzzy "exact match" might ignore
differences like casing, word order, and punctuation.) The default value is 0.80.
TransformationTable : A table that allows grouping records based on custom value
mappings. It should contain "From" and "To" columns. For example, "Grapes" is
grouped with "Raisins" if a transformation table is provided with the "From"
column containing "Grapes" and the "To" column containing "Raisins". Note that
the transformation will be applied to all occurrences of the text in the
transformation table. With the above transformation table, "Grapes are sweet" will
also be grouped with "Raisins are sweet".
Example 1
Group the table adding an aggregate column [Count] that contains the number of
employees in each location ( each Table.RowCount(_) ).
Usage
Power Query M
Table.FuzzyGroup(
Table.FromRecords(
{
[EmployeeID = 1, Location = "Seattle"],
[EmployeeID = 2, Location = "seattl"],
[EmployeeID = 3, Location = "Vancouver"],
[EmployeeID = 4, Location = "Seatle"],
[EmployeeID = 5, Location = "vancover"],
[EmployeeID = 6, Location = "Seattle"],
[EmployeeID = 7, Location = "Vancouver"]
},
type table [EmployeeID = nullable number, Location = nullable text]
),
"Location",
{"Count", each Table.RowCount(_)},
[IgnoreCase = true, IgnoreSpace = true]
)
Output
Power Query M
Table.FromRecords({
[Location = "Seattle", Count = 4],
[Location = "Vancouver", Count = 3]
})
Feedback
Was this page helpful? Yes No
Table.FuzzyJoin
Article • 09/11/2023
Syntax
Table.FuzzyJoin(table1 as table, key1 as any, table2 as table, key2 as any,
optional joinKind as nullable number, optional joinOptions as nullable
record) as table
About
Joins the rows of table1 with the rows of table2 based on a fuzzy matching of the
values of the key columns selected by key1 (for table1 ) and key2 (for table2 ).
Fuzzy matching is a comparison based on similarity of text rather than equality of text.
JoinKind.Inner
JoinKind.LeftOuter
JoinKind.RightOuter
JoinKind.FullOuter
JoinKind.LeftAnti
JoinKind.RightAnti
An optional set of joinOptions may be included to specify how to compare the key
columns. Options include:
valid culture name. For example, a Culture option of "ja-JP" matches records based
on the Japanese culture. The default value is "", which matches based on the
Invariant English culture.
IgnoreCase : A logical (true/false) value that allows case-insensitive key matching.
For example, when true, "Grapes" is matched with "grapes". The default value is
true.
IgnoreSpace : A logical (true/false) value that allows combining of text parts in
order to find matches. For example, when true, "Gra pes" is matched with "Grapes".
The default value is true.
NumberOfMatches : A whole number that specifies the maximum number of
matching rows that can be returned for every input row. For example, a value of 1
will return at most one matching row for each input row. If this option is not
provided, all matching rows are returned.
SimilarityColumnName : A name for the column that shows the similarity between
an input value and the representative value for that input. The default value is null,
in which case a new column for similarities will not be added.
Threshold : A number between 0.00 and 1.00 that specifies the similarity score at
which two values will be matched. For example, "Grapes" and "Graes" (missing the
"p") are matched only if this option is set to less than 0.90. A threshold of 1.00 only
allows exact matches. (Note that a fuzzy "exact match" might ignore differences
like casing, word order, and punctuation.) The default value is 0.80.
TransformationTable : A table that allows matching records based on custom value
mappings. It should contain "From" and "To" columns. For example, "Grapes" is
matched with "Raisins" if a transformation table is provided with the "From"
column containing "Grapes" and the "To" column containing "Raisins". Note that
the transformation will be applied to all occurrences of the text in the
transformation table. With the above transformation table, "Grapes are sweet" will
also be matched with "Raisins are sweet".
Example 1
Left inner fuzzy join of two tables based on [FirstName]
Usage
Power Query M
Table.FuzzyJoin(
Table.FromRecords(
{
[CustomerID = 1, FirstName1 = "Bob", Phone = "555-1234"],
[CustomerID = 2, FirstName1 = "Robert", Phone = "555-4567"]
},
type table [CustomerID = nullable number, FirstName1 = nullable
text, Phone = nullable text]
),
{"FirstName1"},
Table.FromRecords(
{
[CustomerStateID = 1, FirstName2 = "Bob", State = "TX"],
[CustomerStateID = 2, FirstName2 = "bOB", State = "CA"]
},
type table [CustomerStateID = nullable number, FirstName2 = nullable
text, State = nullable text]
),
{"FirstName2"},
JoinKind.LeftOuter,
[IgnoreCase = true, IgnoreSpace = false]
)
Output
Power Query M
Table.FromRecords({
[
CustomerID = 1,
FirstName1 = "Bob",
Phone = "555-1234",
CustomerStateID = 1,
FirstName2 = "Bob",
State = "TX"
],
[
CustomerID = 1,
FirstName1 = "Bob",
Phone = "555-1234",
CustomerStateID = 2,
FirstName2 = "bOB",
State = "CA"
],
[
CustomerID = 2,
FirstName1 = "Robert",
Phone = "555-4567",
CustomerStateID = null,
FirstName2 = null,
State = null
]
})
Feedback
Was this page helpful? Yes No
Table.FuzzyNestedJoin
Article • 09/11/2023
Syntax
Table.FuzzyNestedJoin(table1 as table, key1 as any, table2 as table, key2 as
any, newColumnName as text, optional joinKind as nullable number, optional
joinOptions as nullable record) as table
About
Joins the rows of table1 with the rows of table2 based on a fuzzy matching of the
values of the key columns selected by key1 (for table1 ) and key2 (for table2 ). The
results are returned in a new column named newColumnName .
Fuzzy matching is a comparison based on similarity of text rather than equality of text.
The optional joinKind specifies the kind of join to perform. By default, a left outer join is
performed if a joinKind is not specified. Options include:
JoinKind.Inner
JoinKind.LeftOuter
JoinKind.RightOuter
JoinKind.FullOuter
JoinKind.LeftAnti
JoinKind.RightAnti
An optional set of joinOptions may be included to specify how to compare the key
columns. Options include:
valid culture name. For example, a Culture option of "ja-JP" matches records based
on the Japanese culture. The default value is "", which matches based on the
Invariant English culture.
IgnoreCase : A logical (true/false) value that allows case-insensitive key matching.
For example, when true, "Grapes" is matched with "grapes". The default value is
true.
IgnoreSpace : A logical (true/false) value that allows combining of text parts in
order to find matches. For example, when true, "Gra pes" is matched with "Grapes".
The default value is true.
NumberOfMatches : A whole number that specifies the maximum number of
matching rows that can be returned for every input row. For example, a value of 1
will return at most one matching row for each input row. If this option is not
provided, all matching rows are returned.
SimilarityColumnName : A name for the column that shows the similarity between
an input value and the representative value for that input. The default value is null,
in which case a new column for similarities will not be added.
Threshold : A number between 0.00 and 1.00 that specifies the similarity score at
which two values will be matched. For example, "Grapes" and "Graes" (missing the
"p") are matched only if this option is set to less than 0.90. A threshold of 1.00 only
allows exact matches. (Note that a fuzzy "exact match" might ignore differences
like casing, word order, and punctuation.) The default value is 0.80.
TransformationTable : A table that allows matching records based on custom value
mappings. It should contain "From" and "To" columns. For example, "Grapes" is
matched with "Raisins" if a transformation table is provided with the "From"
column containing "Grapes" and the "To" column containing "Raisins". Note that
the transformation will be applied to all occurrences of the text in the
transformation table. With the above transformation table, "Grapes are sweet" will
also be matched with "Raisins are sweet".
Example 1
Left inner fuzzy join of two tables based on [FirstName]
Usage
Power Query M
Table.FuzzyNestedJoin(
Table.FromRecords(
{
[CustomerID = 1, FirstName1 = "Bob", Phone = "555-1234"],
[CustomerID = 2, FirstName1 = "Robert", Phone = "555-4567"]
},
type table [CustomerID = nullable number, FirstName1 = nullable
text, Phone = nullable text]
),
{"FirstName1"},
Table.FromRecords(
{
[CustomerStateID = 1, FirstName2 = "Bob", State = "TX"],
[CustomerStateID = 2, FirstName2 = "bOB", State = "CA"]
},
type table [CustomerStateID = nullable number, FirstName2 = nullable
text, State = nullable text]
),
{"FirstName2"},
"NestedTable",
JoinKind.LeftOuter,
[IgnoreCase = true, IgnoreSpace = false]
)
Output
Power Query M
Table.FromRecords({
[
CustomerID = 1,
FirstName1 = "Bob",
Phone = "555-1234",
NestedTable = Table.FromRecords({
[
CustomerStateID = 1,
FirstName2 = "Bob",
State = "TX"
],
[
CustomerStateID = 2,
FirstName2 = "bOB",
State = "CA"
]
})
],
[
CustomerID = 2,
FirstName1 = "Robert",
Phone = "555-4567",
NestedTable = Table.FromRecords({})
]
})
Feedback
Was this page helpful? Yes No
Table.Group
Article • 09/11/2023
Syntax
Table.Group(table as table, key as any, aggregatedColumns as list, optional
groupKind as nullable number, optional comparer as nullable function) as
table
About
Groups the rows of table by the key columns defined by key . The key can either be a
single column name, or a list of column names. For each group, a record is constructed
containing the key columns (and their values), along with any aggregated columns
specified by aggregatedColumns . Optionally, groupKind and comparer may also be
specified.
If the data is already sorted by the key columns, then a groupKind of GroupKind.Local
can be provided. This may improve the performance of grouping in certain cases, since
all the rows with a given set of key values are assumed to be contiguous.
When passing a comparer , note that if it treats differing keys as equal, a row may be
placed in a group whose keys differ from its own.
This function does not guarantee the ordering of the rows it returns.
Example 1
Group the table adding an aggregate column [total] which contains the sum of prices
("each List.Sum([price])").
Usage
Power Query M
Table.Group(
Table.FromRecords({
[CustomerID = 1, price = 20],
[CustomerID = 2, price = 10],
[CustomerID = 2, price = 20],
[CustomerID = 1, price = 10],
[CustomerID = 3, price = 20],
[CustomerID = 3, price = 5]
}),
"CustomerID",
{"total", each List.Sum([price])}
)
Output
Power Query M
Table.FromRecords(
{
[CustomerID = 1, total = 30],
[CustomerID = 2, total = 30],
[CustomerID = 3, total = 25]
},
{"CustomerID", "total"}
)
Feedback
Was this page helpful? Yes No
Table.HasColumns
Article • 09/11/2023
Syntax
Table.HasColumns(table as table, columns as any) as logical
About
Indicates whether the table contains the specified column(s), columns . Returns true if
the table contains the column(s), false otherwise.
Example 1
Determine if the table has the column [Name].
Usage
Power Query M
TTable.HasColumns(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
"Name"
)
Output
true
Example 2
Find if the table has the column [Name] and [PhoneNumber].
Usage
Power Query M
Table.HasColumns(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
{"Name", "PhoneNumber"}
)
Output
false
Feedback
Was this page helpful? Yes No
Table.InsertRows
Article • 09/11/2023
Syntax
Table.InsertRows(table as table, offset as number, rows as list) as table
About
Returns a table with the list of rows, rows , inserted into the table at the given position,
offset . Each column in the row to insert must match the column types of the table.
Example 1
Insert the row into the table at position 1.
Usage
Power Query M
Table.InsertRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"]
}),
1,
{[CustomerID = 3, Name = "Paul", Phone = "543-7890"]}
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"]
})
Example 2
Insert two rows into the table at position 1.
Usage
Power Query M
Table.InsertRows(
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
1,
{
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
}
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
Feedback
Was this page helpful? Yes No
Table.IsDistinct
Article • 09/11/2023
Syntax
Table.IsDistinct(table as table, optional comparisonCriteria as any) as
logical
About
Indicates whether the table contains only distinct rows (no duplicates). Returns true if
the rows are distinct, false otherwise. An optional parameter, comparisonCriteria ,
specifies which columns of the table are tested for duplication. If comparisonCriteria is
not specified, all columns are tested.
Example 1
Determine if the table is distinct.
Usage
Power Query M
Table.IsDistinct(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
)
Output
true
Example 2
Determine if the table is distinct in column.
Usage
Power Query M
Table.IsDistinct(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 5, Name = "Bob", Phone = "232-1550"]
}),
"Name"
)
Output
false
Feedback
Was this page helpful? Yes No
Table.IsEmpty
Article • 09/11/2023
Syntax
Table.IsEmpty(table as table) as logical
About
Indicates whether the table contains any rows. Returns true if there are no rows (i.e.
the table is empty), false otherwise.
Example 1
Determine if the table is empty.
Usage
Power Query M
Table.IsEmpty(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
)
Output
false
Example 2
Determine if the table ({}) is empty.
Usage
Power Query M
Table.IsEmpty(Table.FromRecords({}))
Output
true
Feedback
Was this page helpful? Yes No
Table.Join
Article • 09/25/2023
Syntax
Table.Join(table1 as table, key1 as any, table2 as table, key2 as any,
optional joinKind as nullable number, optional joinAlgorithm as nullable
number, optional keyEqualityComparers as nullable list) as table
About
Joins the rows of table1 with the rows of table2 based on the equality of the values of
the key columns selected by key1 (for table1 ) and key2 (for table2 ).
JoinKind.Inner
JoinKind.LeftOuter
JoinKind.RightOuter
JoinKind.FullOuter
JoinKind.LeftAnti
JoinKind.RightAnti
Example 1
Join two tables using a single key column.
Usage
Power Query M
Table.Join(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
"CustomerID",
Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100.0],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5.0],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25.0],
[OrderID = 4, CustomerID = 3, Item = "Fish tazer", Price = 200.0],
[OrderID = 5, CustomerID = 3, Item = "Bandaids", Price = 2.0],
[OrderID = 6, CustomerID = 1, Item = "Tackle box", Price = 20.0],
[OrderID = 7, CustomerID = 5, Item = "Bait", Price = 3.25]
}),
"CustomerID"
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567", OrderID = 1, Item =
"Fishing rod", Price = 100],
[CustomerID = 1, Name = "Bob", Phone = "123-4567", OrderID = 2, Item =
"1 lb. worms", Price = 5],
[CustomerID = 2, Name = "Jim", Phone = "987-6543", OrderID = 3, Item =
"Fishing net", Price = 25],
[CustomerID = 3, Name = "Paul", Phone = "543-7890", OrderID = 4, Item =
"Fish tazer", Price = 200],
[CustomerID = 3, Name = "Paul", Phone = "543-7890", OrderID = 5, Item =
"Bandaids", Price = 2],
[CustomerID = 1, Name = "Bob", Phone = "123-4567", OrderID = 6, Item =
"Tackle box", Price = 20]
})
Example 2
Join two tables that have conflicting column names, using multiple key columns.
Usage
Power Query M
let
customers = Table.FromRecords({
[TenantID = 1, CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[TenantID = 1, CustomerID = 2, Name = "Jim", Phone = "987-6543"]
}),
orders = Table.FromRecords({
[TenantID = 1, OrderID = 1, CustomerID = 1, Name = "Fishing rod",
Price = 100.0],
[TenantID = 1, OrderID = 2, CustomerID = 1, Name = "1 lb. worms",
Price = 5.0],
[TenantID = 1, OrderID = 3, CustomerID = 2, Name = "Fishing net",
Price = 25.0]
})
in
Table.Join(
customers,
{"TenantID", "CustomerID"},
Table.PrefixColumns(orders, "Order"),
{"Order.TenantID", "Order.CustomerID"}
)
Power Query M
Table.FromRecords({
[TenantID = 1, CustomerID = 1, Name = "Bob", Phone = "123-4567",
Order.TenantID = 1, Order.OrderID = 1, Order.CustomerID = 1, Order.Name =
"Fishing rod", Order.Price = 100],
[TenantID = 1, CustomerID = 1, Name = "Bob", Phone = "123-4567",
Order.TenantID = 1, Order.OrderID = 2, Order.CustomerID = 1, Order.Name = "1
lb. worms", Order.Price = 5],
[TenantID = 1, CustomerID = 2, Name = "Jim", Phone = "987-6543",
Order.TenantID = 1, Order.OrderID = 3, Order.CustomerID = 2, Order.Name =
"Fishing net", Order.Price = 25]
})
Feedback
Was this page helpful? Yes No
Table.Keys
Article • 09/11/2023
Syntax
About
Returns the keys of the specified table.
Example 1
Get the list of keys for a table.
Usage
Power Query M
let
table = Table.FromRecords({
[Id = 1, Name = "Hello There"],
[Id = 2, Name = "Good Bye"]
}),
tableWithKeys = Table.AddKey(table, {"Id"}, true),
keys = Table.Keys(tableWithKeys)
in
keys
Output
Feedback
Was this page helpful? Yes No
Table.Last
Article • 09/11/2023
Syntax
Table.Last(table as table, optional default as any) as any
About
Returns the last row of the table or an optional default value, default , if the table is
empty.
Example 1
Find the last row of the table.
Usage
Power Query M
Table.Last(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
)
Output
Example 2
Find the last row of the table ({}) or return [a = 0, b = 0] if empty.
Usage
Power Query M
Table.Last(Table.FromRecords({}), [a = 0, b = 0])
Output
[a = 0, b = 0]
Feedback
Was this page helpful? Yes No
Table.LastN
Article • 09/11/2023
Syntax
Table.LastN(table as table, countOrCondition as any) as table
About
Returns the last row(s) from the table, table , depending on the value of
countOrCondition :
Example 1
Find the last two rows of the table.
Usage
Power Query M
Table.LastN(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
}),
2
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
Example 2
Find the last rows where [a] > 0 in the table.
Usage
Power Query M
Table.LastN(
Table.FromRecords({
[a = -1, b = -2],
[a = 3, b = 4],
[a = 5, b = 6]
}),
each _ [a] > 0
Output
Power Query M
Table.FromRecords({
[a = 3, b = 4],
[a = 5, b = 6]
})
Feedback
Was this page helpful? Yes No
Table.MatchesAllRows
Article • 09/11/2023
Syntax
Table.MatchesAllRows(table as table, condition as function) as logical
About
Indicates whether all the rows in the table match the given condition . Returns true if
all of the rows match, false otherwise.
Example 1
Determine whether all of the row values in column [a] are even in the table.
Usage
Power Query M
Table.MatchesAllRows(
Table.FromRecords({
[a = 2, b = 4],
[a = 6, b = 8]
}),
each Number.Mod([a], 2) = 0
)
Output
true
Example 2
Find if all of the row values are [a = 1, b = 2], in the table ({[a = 1, b = 2], [a = 3, b =
4]}) .
Usage
Power Query M
Table.MatchesAllRows(
Table.FromRecords({
[a = 1, b = 2],
[a = -3, b = 4]
}),
each _ = [a = 1, b = 2]
)
Output
false
Feedback
Was this page helpful? Yes No
Table.MatchesAnyRows
Article • 09/11/2023
Syntax
Table.MatchesAnyRows(table as table, condition as function) as logical
About
Indicates whether any the rows in the table match the given condition . Returns true if
any of the rows match, false otherwise.
Example 1
Determine whether any of the row values in column [a] are even in the table ({[a = 2,
b = 4], [a = 6, b = 8]}) .
Usage
Power Query M
Table.MatchesAnyRows(
Table.FromRecords({
[a = 1, b = 4],
[a = 3, b = 8]
}),
each Number.Mod([a], 2) = 0
)
Output
false
Example 2
Determine whether any of the row values are [a = 1, b = 2], in the table ({[a = 1, b =
2], [a = 3, b = 4]}) .
Usage
Power Query M
Table.MatchesAnyRows(
Table.FromRecords({
[a = 1, b = 2],
[a = -3, b = 4]
}),
each _ = [a = 1, b = 2]
)
Output
true
Feedback
Was this page helpful? Yes No
Table.Max
Article • 09/11/2023
Syntax
About
Returns the largest row in the table , given the comparisonCriteria . If the table is
empty, the optional default value is returned.
Example 1
Find the row with the largest value in column [a] in the table ({[a = 2, b = 4], [a = 6,
b = 8]}) .
Usage
Power Query M
Table.Max(
Table.FromRecords({
[a = 2, b = 4],
[a = 6, b = 8]
}),
"a"
)
Output
[a = 6, b = 8]
Example 2
Find the row with the largest value in column [a] in the table ({}) . Return -1 if empty.
Usage
Power Query M
Output
-1
Feedback
Was this page helpful? Yes No
Table.MaxN
Article • 09/11/2023
Syntax
Table.MaxN(table as table, comparisonCriteria as any, countOrCondition as
any) as table
About
Returns the largest row(s) in the table , given the comparisonCriteria . After the rows are
sorted, the countOrCondition parameter must be specified to further filter the result.
Note the sorting algorithm cannot guarantee a fixed sorted result. The
countOrCondition parameter can take multiple forms:
Example 1
Find the row with the largest value in column [a] with the condition [a] > 0, in the table.
The rows are sorted before the filter is applied.
Usage
Power Query M
Table.MaxN(
Table.FromRecords({
[a = 2, b = 4],
[a = 0, b = 0],
[a = 6, b = 2]
}),
"a",
each [a] > 0
)
Output
Power Query M
Table.FromRecords({
[a = 6, b = 2],
[a = 2, b = 4]
})
Example 2
Find the row with the largest value in column [a] with the condition [b] > 0, in the table.
The rows are sorted before the filter is applied.
Usage
Power Query M
Table.MaxN(
Table.FromRecords({
[a = 2, b = 4],
[a = 8, b = 0],
[a = 6, b = 2]
}),
"a",
each [b] > 0
)
Output
Table.FromRecords({})
Feedback
Was this page helpful? Yes No
Table.Min
Article • 09/11/2023
Syntax
Table.Min(table as table, comparisonCriteria as any, optional default as
any) as any
About
Returns the smallest row in the table , given the comparisonCriteria . If the table is
empty, the optional default value is returned.
Example 1
Find the row with the smallest value in column [a] in the table.
Usage
Power Query M
Table.Min(
Table.FromRecords({
[a = 2, b = 4],
[a = 6, b = 8]
}),
"a"
)
Output
[a = 2, b = 4]
Example 2
Find the row with the smallest value in column [a] in the table. Return -1 if empty.
Usage
Power Query M
Table.Min(#table({"a"}, {}), "a", -1)
Output
-1
Feedback
Was this page helpful? Yes No
Table.MinN
Article • 09/11/2023
Syntax
Table.MinN(table as table, comparisonCriteria as any, countOrCondition as
any) as table
About
Returns the smallest row(s) in the table , given the comparisonCriteria . After the rows
are sorted, the countOrCondition parameter must be specified to further filter the result.
Note the sorting algorithm cannot guarantee a fixed sorted result. The
countOrCondition parameter can take multiple forms:
Example 1
Find the row with the smallest value in column [a] with the condition [a] < 3, in the table.
The rows are sorted before the filter is applied.
Usage
Power Query M
Table.MinN(
Table.FromRecords({
[a = 2, b = 4],
[a = 0, b = 0],
[a = 6, b = 4]
}),
"a",
each [a] < 3
)
Output
Power Query M
Table.FromRecords({
[a = 0, b = 0],
[a = 2, b = 4]
})
Example 2
Find the row with the smallest value in column [a] with the condition [b] < 0, in the
table. The rows are sorted before the filter is applied.
Usage
Power Query M
Table.MinN(
Table.FromRecords({
[a = 2, b = 4],
[a = 8, b = 0],
[a = 6, b = 2]
}),
"a",
each [b] < 0
)
Output
Table.FromRecords({})
Feedback
Was this page helpful? Yes No
Table.NestedJoin
Article • 09/11/2023
Syntax
Table.NestedJoin(table1 as table, key1 as any, table2 as any, key2 as any,
newColumnName as text, optional joinKind as nullable number, optional
keyEqualityComparers as nullable list) as table
About
Joins the rows of table1 with the rows of table2 based on the equality of the values of
the key columns selected by key1 (for table1 ) and key2 (for table2 ). The results are
entered into the column named newColumnName .
The optional joinKind specifies the kind of join to perform. By default, a left outer join is
performed if a joinKind is not specified.
Example 1
Join two tables using a single key column.
Usage
Power Query M
Table.NestedJoin(
Table.FromRecords({
[CustomerToCall = 1],
[CustomerToCall = 3]
}),
{"CustomerToCall"},
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
{"CustomerID"},
"CustomerDetails"
)
Output
Power Query M
Table.FromRecords({
[CustomerToCall = 1, CustomerDetails = Table.FromRecords({[CustomerID =
1, Name = "Bob", Phone = "123-4567"]})],
[CustomerToCall = 3, CustomerDetails = Table.FromRecords({[CustomerID =
3, Name = "Paul", Phone = "543-7890"]})]
})
Feedback
Was this page helpful? Yes No
Table.OnError
Article • 09/25/2023
Syntax
Table.OnError(table as table, handler as function) as table
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Table.Partition
Article • 09/11/2023
Syntax
About
Partitions the table into a list of groups number of tables, based on the value of the
column and a hash function. The hash function is applied to the value of the column row
to obtain a hash value for the row. The hash value modulo groups determines in which
of the returned tables the row will be placed.
groups : The number of tables the input table will be partitioned into.
Example 1
Partition the table ({[a = 2, b = 4], [a = 6, b = 8], [a = 2, b = 4], [a = 1, b =
4]}) into 2 tables on column [a], using the value of the columns as the hash function.
Usage
Power Query M
Table.Partition(
Table.FromRecords({
[a = 2, b = 4],
[a = 1, b = 4],
[a = 2, b = 4],
[a = 1, b = 4]
}),
"a",
2,
each _
)
Output
Power Query M
{
Table.FromRecords({
[a = 2, b = 4],
[a = 2, b = 4]
}),
Table.FromRecords({
[a = 1, b = 4],
[a = 1, b = 4]
})
}
Feedback
Was this page helpful? Yes No
Table.PartitionValues
Article • 09/11/2023
Syntax
Table.PartitionValues(table as table) as table
About
Returns information about how a table is partitioned. A table is returned where each
column is a partition column in the original table, and each row corresponds to a
partition in the original table.
Feedback
Was this page helpful? Yes No
Table.Pivot
Article • 09/11/2023
Syntax
Table.Pivot(table as table, pivotValues as list, attributeColumn as text,
valueColumn as text, optional aggregationFunction as nullable function) as
table
About
Given a pair of columns representing attribute-value pairs, rotates the data in the
attribute column into a column headings.
Example 1
Take the values "a", "b", and "c" in the attribute column of table ({ [ key = "x",
attribute = "a", value = 1 ], [ key = "x", attribute = "c", value = 3 ], [ key =
"y", attribute = "a", value = 2 ], [ key = "y", attribute = "b", value = 4 ] })
Usage
Power Query M
Table.Pivot(
Table.FromRecords({
[key = "x", attribute = "a", value = 1],
[key = "x", attribute = "c", value = 3],
[key = "y", attribute = "a", value = 2],
[key = "y", attribute = "b", value = 4]
}),
{"a", "b", "c"},
"attribute",
"value"
)
Output
Power Query M
Table.FromRecords({
[key = "x", a = 1, b = null, c = 3],
[key = "y", a = 2, b = 4, c = null]
})
Example 2
Take the values "a", "b", and "c" in the attribute column of table ({ [ key = "x",
attribute = "a", value = 1 ], [ key = "x", attribute = "c", value = 3 ], [ key =
"x", attribute = "c", value = 5 ], [ key = "y", attribute = "a", value = 2 ], [ key
= "y", attribute = "b", value = 4 ] }) and pivot them into their own column. The
attribute "c" for key "x" has multiple values associated with it, so use the function
List.Max to resolve the conflict.
Usage
Power Query M
Table.Pivot(
Table.FromRecords({
[key = "x", attribute = "a", value = 1],
[key = "x", attribute = "c", value = 3],
[key = "x", attribute = "c", value = 5],
[key = "y", attribute = "a", value = 2],
[key = "y", attribute = "b", value = 4]
}),
{"a", "b", "c"},
"attribute",
"value",
List.Max
)
Output
Power Query M
Table.FromRecords({
[key = "x", a = 1, b = null, c = 5],
[key = "y", a = 2, b = 4, c = null]
})
Feedback
Was this page helpful? Yes No
Table.PositionOf
Article • 09/11/2023
Syntax
Table.PositionOf(table as table, row as record, optional occurrence as any,
optional equationCriteria as any) as any
About
Returns the row position of the first occurrence of the row in the table specified.
Returns -1 if no occurrence is found.
Example 1
Find the position of the first occurrence of [a = 2, b = 4] in the table ({[a = 2, b = 4],
[a = 6, b = 8], [a = 2, b = 4], [a = 1, b = 4]}) .
Usage
Power Query M
Table.PositionOf(
Table.FromRecords({
[a = 2, b = 4],
[a = 1, b = 4],
[a = 2, b = 4],
[a = 1, b = 4]
}),
[a = 2, b = 4]
)
Output
0
Example 2
Find the position of the second occurrence of [a = 2, b = 4] in the table ({[a = 2, b =
4], [a = 6, b = 8], [a = 2, b = 4], [a = 1, b = 4]}) .
Usage
Power Query M
Table.PositionOf(
Table.FromRecords({
[a = 2, b = 4],
[a = 1, b = 4],
[a = 2, b = 4],
[a = 1, b = 4]
}),
[a = 2, b = 4],
1
)
Output
Example 3
Find the position of all the occurrences of [a = 2, b = 4] in the table ({[a = 2, b = 4],
[a = 6, b = 8], [a = 2, b = 4], [a = 1, b = 4]}) .
Usage
Power Query M
Table.PositionOf(
Table.FromRecords({
[a = 2, b = 4],
[a = 1, b = 4],
[a = 2, b = 4],
[a = 1, b = 4]
}),
[a = 2, b = 4],
Occurrence.All
)
Output
{0, 2}
Feedback
Was this page helpful? Yes No
Table.PositionOfAny
Article • 09/11/2023
Syntax
About
Returns the row(s) position(s) from the table of the first occurrence of the list of rows .
Returns -1 if no occurrence is found.
Example 1
Find the position of the first occurrence of [a = 2, b = 4] or [a = 6, b = 8] in the table
({[a = 2, b = 4], [a = 6, b = 8], [a = 2, b = 4], [a = 1, b = 4]}) .
Usage
Power Query M
Table.PositionOfAny(
Table.FromRecords({
[a = 2, b = 4],
[a = 1, b = 4],
[a = 2, b = 4],
[a = 1, b = 4]
}),
{
[a = 2, b = 4],
[a = 6, b = 8]
}
)
Output
Example 2
Find the position of all the occurrences of [a = 2, b = 4] or [a = 6, b = 8] in the table
({[a = 2, b = 4], [a = 6, b = 8], [a = 2, b = 4], [a = 1, b = 4]} .
Usage
Power Query M
Table.PositionOfAny(
Table.FromRecords({
[a = 2, b = 4],
[a = 6, b = 8],
[a = 2, b = 4],
[a = 1, b = 4]
}),
{
[a = 2, b = 4],
[a = 6, b = 8]
},
Occurrence.All
)
Output
{0, 1, 2}
Feedback
Was this page helpful? Yes No
Table.PrefixColumns
Article • 09/11/2023
Syntax
Table.PrefixColumns(table as table, prefix as text) as table
About
Returns a table where all the column names from the table provided are prefixed with
the given text, prefix , plus a period in the form prefix .ColumnName .
Example 1
Prefix the columns with "MyTable" in the table.
Usage
Power Query M
Table.PrefixColumns(
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
"MyTable"
)
Output
Feedback
Was this page helpful? Yes No
Table.Profile
Article • 09/11/2023
Syntax
Table.Profile(table as table, optional additionalAggregates as nullable
list) as table
About
Returns a profile for the columns in table .
minimum
maximum
average
standard deviation
count
null count
distinct count
Feedback
Was this page helpful? Yes No
Table.PromoteHeaders
Article • 09/11/2023
Syntax
Table.PromoteHeaders(table as table, optional options as nullable record) as
table
About
Promotes the first row of values as the new column headers (i.e. column names). By
default, only text or number values are promoted to headers. Valid options:
PromoteAllScalars : If set to true , all the scalar values in the first row are promoted
to headers using the Culture , if specified (or current document locale). For values
that cannot be converted to text, a default column name will be used.
Culture : A culture name specifying the culture for the data.
Example 1
Promote the first row of values in the table.
Usage
Power Query M
Table.PromoteHeaders(
Table.FromRecords({
[Column1 = "CustomerID", Column2 = "Name", Column3 = #date(1980, 1,
1)],
[Column1 = 1, Column2 = "Bob", Column3 = #date(1980, 1, 1)]
})
)
Output
Example 2
Promote all the scalars in the first row of the table to headers.
Usage
Power Query M
Table.PromoteHeaders(
Table.FromRecords({
[Rank = 1, Name = "Name", Date = #date(1980, 1, 1)],
[Rank = 1, Name = "Bob", Date = #date(1980, 1, 1)]}
),
[PromoteAllScalars = true, Culture = "en-US"]
)
Output
Feedback
Was this page helpful? Yes No
Table.Range
Article • 09/11/2023
Syntax
Table.Range(table as table, offset as number, optional count as nullable
number) as table
About
Returns the rows from the table starting at the specified offset . An optional
parameter, count , specifies how many rows to return. By default, all the rows after the
offset are returned.
Example 1
Return all the rows starting at offset 1 in the table.
Usage
Power Query M
Table.Range(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
1
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Example 2
Return one row starting at offset 1 in the table.
Usage
Power Query M
Table.Range(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
1,
1
)
Output
Feedback
Was this page helpful? Yes No
Table.RemoveColumns
Article • 09/11/2023
Syntax
Table.RemoveColumns(table as table, columns as any, optional missingField as
nullable number) as table
About
Removes the specified columns from the table provided. If the specified column
doesn't exist, an error is raised unless the optional parameter missingField specifies an
alternative behavior (for example, MissingField.UseNull or MissingField.Ignore ).
Example 1
Remove column [Phone] from the table.
Usage
Power Query M
Table.RemoveColumns(
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
"Phone"
)
Output
Example 2
Try to remove a non-existent column from the table.
Usage
Power Query M
Table.RemoveColumns(
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
"Address"
)
Output
Feedback
Was this page helpful? Yes No
Table.RemoveFirstN
Article • 09/11/2023
Syntax
Table.RemoveFirstN(table as table, optional countOrCondition as any) as
table
About
Returns a table that does not contain the first specified number of rows,
countOrCondition , of the table table . The number of rows removed depends on the
Example 1
Remove the first row of the table.
Usage
Power Query M
Table.RemoveFirstN(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
1
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Example 2
Remove the first two rows of the table.
Usage
Power Query M
Table.RemoveFirstN(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
2
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Example 3
Remove the first rows where [CustomerID] <=2 of the table.
Usage
Power Query M
Table.RemoveFirstN(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"] ,
[CustomerID = 3, Name = "Paul", Phone = "543-7890"] ,
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
each [CustomerID] <= 2
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Feedback
Was this page helpful? Yes No
Table.RemoveLastN
Article • 09/11/2023
Syntax
Table.RemoveLastN(table as table, optional countOrCondition as any) as table
About
Returns a table that does not contain the last countOrCondition rows of the table table .
The number of rows removed depends on the optional parameter countOrCondition .
Example 1
Remove the last row of the table.
Usage
Power Query M
Table.RemoveLastN(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
1
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
Example 2
Remove the last rows where [CustomerID] > 2 of the table.
Usage
Power Query M
Table.RemoveLastN(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
each [CustomerID] >= 2
)
Output
Feedback
Was this page helpful? Yes No
Table.RemoveMatchingRows
Article • 09/11/2023
Syntax
Table.RemoveMatchingRows(table as table, rows as list, optional
equationCriteria as any) as table
About
Removes all occurrences of the specified rows from the table . An optional parameter
equationCriteria may be specified to control the comparison between the rows of the
table.
Example 1
Remove any rows where [a = 1] from the table ({[a = 1, b = 2], [a = 3, b = 4], [a =
1, b = 6]}) .
Usage
Power Query M
Table.RemoveMatchingRows(
Table.FromRecords({
[a = 1, b = 2],
[a = 3, b = 4],
[a = 1, b = 6]
}),
{[a = 1]},
"a"
)
Output
Table.FromRecords({[a = 3, b = 4]})
Feedback
Was this page helpful? Yes No
Table.RemoveRows
Article • 09/11/2023
Syntax
Table.RemoveRows(table as table, offset as number, optional count as
nullable number) as table
About
Removes count of rows from the beginning of the table , starting at the offset
specified. A default count of 1 is used if the count parameter isn't provided.
Example 1
Remove the first row from the table.
Usage
Power Query M
Table.RemoveRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
0
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Example 2
Remove the row at position 1 from the table.
Usage
Power Query M
Table.RemoveRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
1
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Example 3
Remove two rows starting at position 1 from the table.
Usage
Power Query M
Table.RemoveRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
1,
2
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Feedback
Was this page helpful? Yes No
Table.RemoveRowsWithErrors
Article • 09/11/2023
Syntax
Table.RemoveRowsWithErrors(table as table, optional columns as nullable
list) as table
About
Returns a table with the rows removed from the input table that contain an error in at
least one of the cells. If a columns list is specified, then only the cells in the specified
columns are inspected for errors.
Example 1
Remove error value from first row.
Usage
Power Query M
Table.RemoveRowsWithErrors(
Table.FromRecords({
[Column1 = ...],
[Column1 = 2],
[Column1 = 3]
})
)
Output
Power Query M
Table.FromRecords({
[Column1 = 2],
[Column1 = 3]
})
Feedback
Was this page helpful? Yes No
Table.RenameColumns
Article • 09/11/2023
Syntax
Table.RenameColumns(table as table, renames as list, optional missingField
as nullable number) as table
About
Performs the given renames to the columns in table table . A replacement operation
renames consists of a list of two values, the old column name and new column name,
provided in a list. If the column doesn't exist, an exception is thrown unless the optional
parameter missingField specifies an alternative (eg. MissingField.UseNull or
MissingField.Ignore ).
Example 1
Replace the column name "CustomerNum" with "CustomerID" in the table.
Usage
Power Query M
Table.RenameColumns(
Table.FromRecords({[CustomerNum = 1, Name = "Bob", Phone = "123-
4567"]}),
{"CustomerNum", "CustomerID"}
)
Output
Example 2
Replace the column name "CustomerNum" with "CustomerID" and "PhoneNum" with
"Phone" in the table.
Usage
Power Query M
Table.RenameColumns(
Table.FromRecords({[CustomerNum = 1, Name = "Bob", PhoneNum = "123-
4567"]}),
{
{"CustomerNum", "CustomerID"},
{"PhoneNum", "Phone"}
}
)
Output
Example 3
Replace the column name "NewCol" with "NewColumn" in the table, and ignore if the
column doesn't exist.
Usage
Power Query M
Table.RenameColumns(
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
{"NewCol", "NewColumn"},
MissingField.Ignore
)
Output
Feedback
Was this page helpful? Yes No
Table.ReorderColumns
Article • 09/11/2023
Syntax
Table.ReorderColumns(table as table, columnOrder as list, optional
missingField as nullable number) as table
About
Returns a table from the input table , with the columns in the order specified by
columnOrder . Columns that are not specified in the list will not be reordered. If the
MissingField.Ignore ).
Example 1
Switch the order of the columns [Phone] and [Name] in the table.
Usage
Power Query M
Table.ReorderColumns(
Table.FromRecords({[CustomerID = 1, Phone = "123-4567", Name = "Bob"]}),
{"Name", "Phone"}
)
Output
Example 2
Switch the order of the columns [Phone] and [Address] or use "MissingField.Ignore" in
the table. It doesn't change the table because column [Address] doesn't exist.
Usage
Power Query M
Table.ReorderColumns(
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
{"Phone", "Address"},
MissingField.Ignore
)
Output
Feedback
Was this page helpful? Yes No
Table.Repeat
Article • 09/11/2023
Syntax
Table.Repeat(table as table, count as number) as table
About
Returns a table with the rows from the input table repeated the specified count times.
Example 1
Repeat the rows in the table two times.
Usage
Power Query M
Table.Repeat(
Table.FromRecords({
[a = 1, b = "hello"],
[a = 3, b = "world"]
}),
2
Output
Power Query M
Table.FromRecords({
[a = 1, b = "hello"],
[a = 3, b = "world"],
[a = 1, b = "hello"],
[a = 3, b = "world"]
})
Feedback
Was this page helpful? Yes No
Table.ReplaceErrorValues
Article • 09/11/2023
Syntax
Table.ReplaceErrorValues(table as table, errorReplacement as list) as table
About
Replaces the error values in the specified columns of the table with the new values in
the errorReplacement list. The format of the list is {{column1, value1}, ...}. There may only
be one replacement value per column, specifying the column more than once will result
in an error.
Example 1
Replace the error value with the text "world" in the table.
Usage
Power Query M
Table.ReplaceErrorValues(
Table.FromRows({{1, "hello"}, {3, ...}}, {"A", "B"}),
{"B", "world"}
)
Output
Power Query M
Table.FromRecords({
[A = 1, B = "hello"],
[A = 3, B = "world"]
})
Example 2
Replace the error value in column A with the text "hello" and in column B with the text
"world" in the table.
Usage
Power Query M
Table.ReplaceErrorValues(
Table.FromRows({{..., ...}, {1, 2}}, {"A", "B"}),
{{"A", "hello"}, {"B", "world"}}
)
Output
Power Query M
Table.FromRecords({
[A = "hello", B = "world"],
[A = 1, B = 2]
})
Feedback
Was this page helpful? Yes No
Table.ReplaceKeys
Article • 09/11/2023
Syntax
Table.ReplaceKeys(table as table, keys as list) as table
About
Replaces the keys of the specified table.
Example 1
Replace the existing keys of a table.
Usage
Power Query M
let
table = Table.FromRecords({
[Id = 1, Name = "Hello There"],
[Id = 2, Name = "Good Bye"]
}),
tableWithKeys = Table.AddKey(table, {"Id"}, true),
resultTable = Table.ReplaceKeys(tableWithKeys, {[Columns = {"Id"},
Primary = false]})
in
resultTable
Output
Power Query M
Table.FromRecords({
[Id = 1, Name = "Hello There"],
[Id = 2, Name = "Good Bye"]
})
Feedback
Was this page helpful? Yes No
Table.ReplaceMatchingRows
Article • 09/11/2023
Syntax
Table.ReplaceMatchingRows(table as table, replacements as list, optional
equationCriteria as any) as table
About
Replaces all the specified rows in the table with the provided ones. The rows to replace
and the replacements are specified in replacements , using {old, new} formatting. An
optional equationCriteria parameter may be specified to control comparison between
the rows of the table.
Example 1
Replace the rows [a = 1, b = 2] and [a = 2, b = 3] with [a = -1, b = -2],[a = -2, b = -3] in
the table.
Usage
Power Query M
Table.ReplaceMatchingRows(
Table.FromRecords({
[a = 1, b = 2],
[a = 2, b = 3],
[a = 3, b = 4],
[a = 1, b = 2]
}),
{
{[a = 1, b = 2], [a = -1, b = -2]},
{[a = 2, b = 3], [a = -2, b = -3]}
}
)
Output
Power Query M
Table.FromRecords({
[a = -1, b = -2],
[a = -2, b = -3],
[a = 3, b = 4],
[a = -1, b = -2]
})
Feedback
Was this page helpful? Yes No
Table.ReplaceRelationshipIdentity
Article • 09/11/2023
Syntax
Table.ReplaceRelationshipIdentity(value as any, identity as text) as any
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Table.ReplaceRows
Article • 09/11/2023
Syntax
Table.ReplaceRows(table as table, offset as number, count as number, rows as
list) as table
About
Replaces a specified number of rows, count , in the input table with the specified rows ,
beginning after the offset . The rows parameter is a list of records.
the offset .
Example 1
Starting at position 1, replace 3 rows.
Usage
Power Query M
Table.ReplaceRows(
Table.FromRecords({
[Column1 = 1],
[Column1 = 2],
[Column1 = 3],
[Column1 = 4],
[Column1 = 5]
}),
1,
3,
{[Column1 = 6], [Column1 = 7]}
)
Output
Power Query M
Table.FromRecords({
[Column1 = 1],
[Column1 = 6],
[Column1 = 7],
[Column1 = 5]
})
Feedback
Was this page helpful? Yes No
Table.ReplaceValue
Article • 09/11/2023
Syntax
Table.ReplaceValue(table as table, oldValue as any, newValue as any,
replacer as function, columnsToSearch as list) as table
About
Replaces oldValue with newValue in the specified columns of the table .
Example 1
Replace the text "goodbye" with "world" in column B, matching only the entire value.
Usage
Power Query M
Table.ReplaceValue(
Table.FromRecords({
[A = 1, B = "hello"],
[A = 2, B = "goodbye"],
[A = 3, B = "goodbyes"]
}),
"goodbye",
"world",
Replacer.ReplaceValue,
{"B"}
)
Output
Power Query M
Table.FromRecords({
[A = 1, B = "hello"],
[A = 2, B = "world"],
[A = 3, B = "goodbyes"]
})
Example 2
Replace the text "ur" with "or" in column B, matching any part of the value.
Usage
Power Query M
Table.ReplaceValue(
Table.FromRecords({
[A = 1, B = "hello"],
[A = 2, B = "wurld"]
}),
"ur",
"or",
Replacer.ReplaceText,
{"B"}
)
Output
Power Query M
Table.FromRecords({
[A = 1, B = "hello"],
[A = 2, B = "world"]
})
Example 3
Anonymize the names of US employees.
Usage
Power Query M
Table.ReplaceValue(
Table.FromRecords({
[Name = "Cindy", Country = "US"],
[Name = "Bob", Country = "CA"]
}),
each if [Country] = "US" then [Name] else false,
each Text.Repeat("*", Text.Length([Name])),
Replacer.ReplaceValue,
{"Name"}
)
Output
Power Query M
Table.FromRecords({
[Name = "*****", Country = "US"],
[Name = "Bob", Country = "CA"]
})
Example 4
Anonymize all columns of US employees.
Usage
Power Query M
Table.ReplaceValue(
Table.FromRecords({
[Name = "Cindy", Country = "US"],
[Name = "Bob", Country = "CA"]
}),
each [Country] = "US",
"?",
(currentValue, isUS, replacementValue) =>
if isUS then
Text.Repeat(replacementValue, Text.Length(currentValue))
else
currentValue,
{"Name", "Country"}
)
Output
Power Query M
Table.FromRecords({
[Name = "?????", Country = "??"],
[Name = "Bob", Country = "CA"]
})
Feedback
Was this page helpful? Yes No
Table.ReverseRows
Article • 09/11/2023
Syntax
Table.ReverseRows(table as table) as table
About
Returns a table with the rows from the input table in reverse order.
Example 1
Reverse the rows in the table.
Usage
Power Query M
Table.ReverseRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 1, Name = "Bob", Phone = "123-4567"]
})
Feedback
Was this page helpful? Yes No
Table.RowCount
Article • 09/11/2023
Syntax
Table.RowCount(table as table) as number
About
Returns the number of rows in the table .
Example 1
Find the number of rows in the table.
Usage
Power Query M
Table.RowCount(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
)
Output
Feedback
Was this page helpful? Yes No
Table.Schema
Article • 09/11/2023
Syntax
Table.Schema(table as table) as table
About
Returns a table describing the columns of table .
IsVariableLength Indicates whether this column can vary in length (up to MaxLength ) or
if it is of fixed size.
NativeTypeName The name of the type of the column in the native type system of the
source (for example, nvarchar for SQL Server).
NativeDefaultExpression The default expression for a value of this column in the native
expression language of the source (for example, 42 or newid() for
SQL Server).
Feedback
Was this page helpful? Yes No
Table.SelectColumns
Article • 09/11/2023
Syntax
Table.SelectColumns(table as table, columns as any, optional missingField as
nullable number) as table
About
Returns the table with only the specified columns .
columns : The list of columns from the table table to return. Columns in the
Example 1
Only include column [Name].
Usage
Power Query M
Table.SelectColumns(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
"Name"
)
Output
Power Query M
Table.FromRecords({
[Name = "Bob"],
[Name = "Jim"],
[Name = "Paul"],
[Name = "Ringo"]
})
Example 2
Only include columns [CustomerID] and [Name].
Usage
Power Query M
Table.SelectColumns(
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
{"CustomerID", "Name"}
)
Output
Example 3
If the included column does not exist, the default result is an error.
Usage
Power Query M
Table.SelectColumns(
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
"NewColumn"
)
Output
Example 4
If the included column does not exist, option MissingField.UseNull creates a column of
null values.
Usage
Power Query M
Table.SelectColumns(
Table.FromRecords({[CustomerID = 1, Name = "Bob", Phone = "123-4567"]}),
{"CustomerID", "NewColumn"},
MissingField.UseNull
)
Output
Feedback
Was this page helpful? Yes No
Table.SelectRows
Article • 09/11/2023
Syntax
Table.SelectRows(table as table, condition as function) as table
About
Returns a table of rows from the table , that matches the selection condition .
Example 1
Select the rows in the table where the values in [CustomerID] column are greater than 2.
Usage
Power Query M
Table.SelectRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
each [CustomerID] > 2
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Example 2
Select the rows in the table where the names do not contain a "B".
Usage
Power Query M
Table.SelectRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
each not Text.Contains([Name], "B")
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Feedback
Was this page helpful? Yes No
Table.SelectRowsWithErrors
Article • 09/11/2023
Syntax
Table.SelectRowsWithErrors(table as table, optional columns as nullable
list) as table
About
Returns a table with only those rows of the input table that contain an error in at least
one of the cells. If a columns list is specified, then only the cells in the specified columns
are inspected for errors.
Example 1
Select names of customers with errors in their rows.
Usage
Power Query M
Table.SelectRowsWithErrors(
Table.FromRecords({
[CustomerID = ..., Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
)[Name]
Output
{"Bob"}
Feedback
Was this page helpful? Yes No
Table.SingleRow
Article • 09/11/2023
Syntax
Table.SingleRow(table as table) as record
About
Returns the single row in the one row table . If the table does not contain exactly one
row, an error is raised.
Example 1
Return the single row in the table.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Table.Skip
Article • 09/11/2023
Syntax
Table.Skip(table as table, optional countOrCondition as any) as table
About
Returns a table that does not contain the first specified number of rows,
countOrCondition , of the table table . The number of rows skipped depends on the
Example 1
Skip the first row of the table.
Usage
Power Query M
Table.Skip(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
1
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Example 2
Skip the first two rows of the table.
Usage
Power Query M
Table.Skip(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
}),
2
)
Output
Power Query M
Table.FromRecords({
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Ringo", Phone = "232-1550"]
})
Example 3
Skip the first rows where [Price] > 25 of the table.
Usage
Power Query M
Table.Skip(
Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100.0],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5.0],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25.0],
[OrderID = 4, CustomerID = 3, Item = "Fish tazer", Price = 200.0],
[OrderID = 5, CustomerID = 3, Item = "Bandaids", Price = 2.0],
[OrderID = 6, CustomerID = 1, Item = "Tackle box", Price = 20.0],
[OrderID = 7, CustomerID = 5, Item = "Bait", Price = 3.25],
[OrderID = 8, CustomerID = 5, Item = "Fishing Rod", Price = 100.0],
[OrderID = 9, CustomerID = 6, Item = "Bait", Price = 3.25]
}),
each [Price] > 25
)
Output
Power Query M
Table.FromRecords({
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25],
[OrderID = 4, CustomerID = 3, Item = "Fish tazer", Price = 200],
[OrderID = 5, CustomerID = 3, Item = "Bandaids", Price = 2],
[OrderID = 6, CustomerID = 1, Item = "Tackle box", Price = 20],
[OrderID = 7, CustomerID = 5, Item = "Bait", Price = 3.25],
[OrderID = 8, CustomerID = 5, Item = "Fishing Rod", Price = 100],
[OrderID = 9, CustomerID = 6, Item = "Bait", Price = 3.25]
})
Feedback
Was this page helpful? Yes No
Table.Sort
Article • 09/11/2023
Syntax
Table.Sort(table as table, comparisonCriteria as any) as table
About
Sorts the table using the list of one or more column names and optional
comparisonCriteria in the form { { col1, comparisonCriteria }, {col2} }.
Example 1
Sort the table on column "OrderID".
Usage
Power Query M
Table.Sort(
Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100.0],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5.0],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25.0],
[OrderID = 4, CustomerID = 3, Item = "Fish tazer", Price = 200.0],
[OrderID = 5, CustomerID = 3, Item = "Bandaids", Price = 2.0],
[OrderID = 6, CustomerID = 1, Item = "Tackle box", Price = 20.0],
[OrderID = 7, CustomerID = 5, Item = "Bait", Price = 3.25],
[OrderID = 8, CustomerID = 5, Item = "Fishing Rod", Price = 100.0],
[OrderID = 9, CustomerID = 6, Item = "Bait", Price = 3.25]
}),
{"OrderID"}
)
Output
Power Query M
Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25],
[OrderID = 4, CustomerID = 3, Item = "Fish tazer", Price = 200],
[OrderID = 5, CustomerID = 3, Item = "Bandaids", Price = 2],
[OrderID = 6, CustomerID = 1, Item = "Tackle box", Price = 20],
[OrderID = 7, CustomerID = 5, Item = "Bait", Price = 3.25],
[OrderID = 8, CustomerID = 5, Item = "Fishing Rod", Price = 100],
[OrderID = 9, CustomerID = 6, Item = "Bait", Price = 3.25]
})
Example 2
Sort the table on column "OrderID" in descending order.
Usage
Power Query M
Table.Sort(
Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100.0],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5.0],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25.0],
[OrderID = 4, CustomerID = 3, Item = "Fish tazer", Price = 200.0],
[OrderID = 5, CustomerID = 3, Item = "Bandaids", Price = 2.0],
[OrderID = 6, CustomerID = 1, Item = "Tackle box", Price = 20.0],
[OrderID = 7, CustomerID = 5, Item = "Bait", Price = 3.25],
[OrderID = 8, CustomerID = 5, Item = "Fishing Rod", Price = 100.0],
[OrderID = 9, CustomerID = 6, Item = "Bait", Price = 3.25]
}),
{"OrderID", Order.Descending}
)
Output
Power Query M
Table.FromRecords({
[OrderID = 9, CustomerID = 6, Item = "Bait", Price = 3.25],
[OrderID = 8, CustomerID = 5, Item = "Fishing Rod", Price = 100],
[OrderID = 7, CustomerID = 5, Item = "Bait", Price = 3.25],
[OrderID = 6, CustomerID = 1, Item = "Tackle box", Price = 20],
[OrderID = 5, CustomerID = 3, Item = "Bandaids", Price = 2],
[OrderID = 4, CustomerID = 3, Item = "Fish tazer", Price = 200],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5],
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100]
})
Example 3
Sort the table on column "CustomerID" then "OrderID", with "CustomerID" being in
ascending order.
Usage
Power Query M
Table.Sort(
Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100.0],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5.0],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25.0],
[OrderID = 4, CustomerID = 3, Item = "Fish tazer", Price = 200.0],
[OrderID = 5, CustomerID = 3, Item = "Bandaids", Price = 2.0],
[OrderID = 6, CustomerID = 1, Item = "Tackle box", Price = 20.0],
[OrderID = 7, CustomerID = 5, Item = "Bait", Price = 3.25],
[OrderID = 8, CustomerID = 5, Item = "Fishing Rod", Price = 100.0],
[OrderID = 9, CustomerID = 6, Item = "Bait", Price = 3.25]
}),
{
{"CustomerID", Order.Ascending},
"OrderID"
}
)
Output
Power Query M
Table.FromRecords({
[OrderID = 1, CustomerID = 1, Item = "Fishing rod", Price = 100],
[OrderID = 2, CustomerID = 1, Item = "1 lb. worms", Price = 5],
[OrderID = 6, CustomerID = 1, Item = "Tackle box", Price = 20],
[OrderID = 3, CustomerID = 2, Item = "Fishing net", Price = 25],
[OrderID = 4, CustomerID = 3, Item = "Fish tazer", Price = 200],
[OrderID = 5, CustomerID = 3, Item = "Bandaids", Price = 2],
[OrderID = 7, CustomerID = 5, Item = "Bait", Price = 3.25],
[OrderID = 8, CustomerID = 5, Item = "Fishing Rod", Price = 100],
[OrderID = 9, CustomerID = 6, Item = "Bait", Price = 3.25]
})
Feedback
Was this page helpful? Yes No
Table.Split
Article • 09/11/2023
Syntax
Table.Split(table as table, pageSize as number) as list
About
Splits table into a list of tables where the first element of the list is a table containing
the first pageSize rows from the source table, the next element of the list is a table
containing the next pageSize rows from the source table, and so on.
Example 1
Split a table of five records into tables with two records each.
Usage
Power Query M
let
Customers = Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Cristina", Phone = "232-1550"],
[CustomerID = 5, Name = "Anita", Phone = "530-1459"]
})
in
Table.Split(Customers, 2)
Output
Power Query M
{
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"]
}),
Table.FromRecords({
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Cristina", Phone = "232-1550"]
}),
Table.FromRecords({
[CustomerID = 5, Name = "Anita", Phone = "530-1459"]
})
}
Feedback
Was this page helpful? Yes No
Table.SplitAt
Article • 09/11/2023
About
Returns a list containing two tables: a table with the first N rows of table (as specified
by count ) and a table containing the remaining rows of table . If the tables of the
resulting list are enumerated exactly once and in order, the function will enumerate
table only once.
Example 1
Return the first two rows of the table and the remaining rows of the table.
Usage
Power Query M
Output
Power Query M
{
#table({"a", "b", "c"}, {{1, 2, 3}, {4, 5, 6}}),
#table({"a", "b", "c"}, {{7, 8, 9}})
}
Feedback
Was this page helpful? Yes No
Table.SplitColumn
Article • 09/11/2023
Syntax
Table.SplitColumn(table as table, sourceColumn as text, splitter as
function, optional columnNamesOrNumber as any, optional default as any,
optional extraColumns as any) as table
About
Splits the specified columns into a set of additional columns using the specified splitter
function.
Example 1
Split the [Name] column at position of "i" into two columns
Usage
Power Query M
let
Customers = Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"],
[CustomerID = 4, Name = "Cristina", Phone = "232-1550"]
})
in
Table.SplitColumn(Customers, "Name", Splitter.SplitTextByDelimiter("i"),
2
Output
Power Query M
Table.FromRecords({
[CustomerID = 1, Name.1 = "Bob", Name.2 = null, Phone = "123-4567"],
[CustomerID = 2, Name.1 = "J", Name.2 = "m", Phone = "987-6543"],
[CustomerID = 3, Name.1 = "Paul", Name.2 = null, Phone = "543-7890"],
[CustomerID = 4, Name.1 = "Cr", Name.2 = "st", Phone = "232-1550"]
})
Feedback
Was this page helpful? Yes No
Table.StopFolding
Article • 09/11/2023
Syntax
Table.StopFolding(table as table) as table
About
Prevents any downstream operations from being run against the original source of the
data in table .
Example 1
Fetches data from a SQL table in a way that prevents any downstream operations from
running as a query on the SQL server.
Usage
Power Query M
let
Source = Sql.Database("SomeSQLServer", "MyDb"),
MyTable = Source{[Item="MyTable"]}[Data],
MyLocalTable = Table.StopFolding(dbo_MyTable)
in
MyLocalTable
Output
table
Feedback
Was this page helpful? Yes No
Table.ToColumns
Article • 09/11/2023
Syntax
Table.ToColumns(table as table) as list
About
Creates a list of nested lists from the table, table . Each list item is an inner list that
contains the column values.
Example 1
Create a list of the column values from the table.
Usage
Power Query M
Table.ToColumns(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"]
})
)
Output
Feedback
Was this page helpful? Yes No
Table.ToList
Article • 09/11/2023
Syntax
About
Converts a table into a list by applying the specified combining function to each row of
values in the table.
Example 1
Combine the text of each row with a comma.
Usage
Power Query M
Table.ToList(
Table.FromRows({
{Number.ToText(1), "Bob", "123-4567"},
{Number.ToText(2), "Jim", "987-6543"},
{Number.ToText(3), "Paul", "543-7890"}
}),
Combiner.CombineTextByDelimiter(",")
)
Output
Feedback
Was this page helpful? Yes No
Table.ToRecords
Article • 09/11/2023
Syntax
Table.ToRecords(table as table) as list
About
Converts a table, table , to a list of records.
Example 1
Convert the table to a list of records.
Usage
Power Query M
Table.ToRecords(
Table.FromRows(
{
{1, "Bob", "123-4567"},
{2, "Jim", "987-6543"},
{3, "Paul", "543-7890"}
},
{"CustomerID", "Name", "Phone"}
)
)
Output
Power Query M
{
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
}
Feedback
Was this page helpful? Yes No
Table.ToRows
Article • 09/11/2023
Syntax
Table.ToRows(table as table) as list
About
Creates a list of nested lists from the table, table . Each list item is an inner list that
contains the row values.
Example 1
Create a list of the row values from the table.
Usage
Power Query M
Table.ToRows(
Table.FromRecords({
[CustomerID = 1, Name = "Bob", Phone = "123-4567"],
[CustomerID = 2, Name = "Jim", Phone = "987-6543"],
[CustomerID = 3, Name = "Paul", Phone = "543-7890"]
})
)
Output
Power Query M
{
{1, "Bob", "123-4567"},
{2, "Jim", "987-6543"},
{3, "Paul", "543-7890"}
}
Feedback
Was this page helpful? Yes No
Table.TransformColumnNames
Article • 09/11/2023
Syntax
Table.TransformColumnNames(table as table, nameGenerator as function,
optional options as nullable record) as table
About
Transforms column names by using the given nameGenerator function. Valid options:
MaxLength specifies the maximum length of new column names. If the given function
results with a longer column name, the long name will be trimmed.
Comparer is used to control the comparison while generating new column names.
comparison
Comparer.FromCulture : Used to perform a culture-aware comparison
Example 1
Remove the #(tab) character from column names
Usage
Power Query M
Table.TransformColumnNames(Table.FromRecords({[#"Col#(tab)umn" = 1]}),
Text.Clean)
Output
Table.FromRecords({[Column = 1]})
Example 2
Transform column names to generate case-insensitive names of length 6.
Usage
Power Query M
Table.TransformColumnNames(
Table.FromRecords({[ColumnNum = 1, cOlumnnum = 2, coLumnNUM = 3]}),
Text.Clean,
[MaxLength = 6, Comparer = Comparer.OrdinalIgnoreCase]
)
Output
Feedback
Was this page helpful? Yes No
Table.TransformColumns
Article • 09/11/2023
Syntax
Table.TransformColumns(table as table, transformOperations as list, optional
defaultTransformation as nullable function, optional missingField as
nullable number) as table
About
Transforms table by applying each column operation listed in transformOperations
(where the format is { column name, transformation } or { column name, transformation,
new column type }). If a defaultTransformation is specified, it will be applied to all
columns not listed in transformOperations . If a column listed in transformOperations
doesn't exist, an exception is thrown unless the optional parameter missingField
specifies an alternative (for example, MissingField.UseNull or MissingField.Ignore).
Example 1
Convert the text values in column [A] to number values, and the number values in
column [B] to text values.
Usage
Power Query M
Table.TransformColumns(
Table.FromRecords({
[A = "1", B = 2],
[A = "5", B = 10]
}),
{
{"A", Number.FromText},
{"B", Text.From}
}
)
Output
Power Query M
Table.FromRecords({
[A = 1, B = "2"],
[A = 5, B = "10"]
})
Example 2
Convert the number values in missing column [X] to text values, ignoring columns which
don't exist.
Usage
Power Query M
Table.TransformColumns(
Table.FromRecords({
[A = "1", B = 2],
[A = "5", B = 10]
}),
{"X", Number.FromText},
null,
MissingField.Ignore
)
Output
Power Query M
Table.FromRecords({
[A = "1", B = 2],
[A = "5", B = 10]
})
Example 3
Convert the number values in missing column [X] to text values, defaulting to null on
columns which don't exist.
Usage
Power Query M
Table.TransformColumns(
Table.FromRecords({
[A = "1", B = 2],
[A = "5", B = 10]
}),
{"X", Number.FromText},
null,
MissingField.UseNull
)
Output
Power Query M
Table.FromRecords({
[A = "1", B = 2, X = null],
[A = "5", B = 10, X = null]
})
Example 4
Increment the number values in column [B] and convert them to text values, and convert
all other columns to numbers.
Usage
Power Query M
Table.TransformColumns(
Table.FromRecords({
[A = "1", B = 2],
[A = "5", B = 10]
}),
{"B", each Text.From(_ + 1), type text},
Number.FromText
)
Output
Power Query M
Table.FromRecords({
[A = 1, B = "3"],
[A = 5, B = "11"]
})
Feedback
Was this page helpful? Yes No
Table.TransformColumnTypes
Article • 09/11/2023
Syntax
Table.TransformColumnTypes(table as table, typeTransformations as list,
optional culture as nullable text) as table
About
Returns a table from the input table by applying the transform operation to the
columns specified in the parameter typeTransformations (where format is { column
name, type name}), using the specified culture in the optional parameter culture (for
example, "en-US"). If the column doesn't exist, an exception is thrown.
Example 1
Transform the number values in column [a] to text values from the table ({[a = 1, b =
2], [a = 3, b = 4]}) .
Usage
Power Query M
Table.TransformColumnTypes(
Table.FromRecords({
[a = 1, b = 2],
[a = 3, b = 4]
}),
{"a", type text},
"en-US"
)
Output
Power Query M
Table.FromRecords({
[a = "1", b = 2],
[a = "3", b = 4]
})
Feedback
Was this page helpful? Yes No
Table.TransformRows
Article • 09/11/2023
Syntax
Table.TransformRows(table as table, transform as function) as list
About
Creates a list by applying the transform operation to each row in table .
Example 1
Transform the rows of a table into a list of numbers.
Usage
Power Query M
Table.TransformRows(
Table.FromRecords({
[a = 1],
[a = 2],
[a = 3],
[a = 4],
[a = 5]
}),
each [a]
)
Output
{1, 2, 3, 4, 5}
Example 2
Transform the rows of a numeric table into textual records.
Usage
Power Query M
Table.TransformRows(
Table.FromRecords({
[a = 1],
[a = 2],
[a = 3],
[a = 4],
[a = 5]
}),
(row) as record => [B = Number.ToText(row[a])]
)
Output
Power Query M
{
[B = "1"],
[B = "2"],
[B = "3"],
[B = "4"],
[B = "5"]
}
Feedback
Was this page helpful? Yes No
Table.Transpose
Article • 09/11/2023
Syntax
Table.Transpose(table as table, optional columns as any) as table
About
Makes columns into rows and rows into columns.
Example 1
Make the rows of the table of name-value pairs into columns.
Usage
Power Query M
Table.Transpose(
Table.FromRecords({
[Name = "Full Name", Value = "Fred"],
[Name = "Age", Value = 42],
[Name = "Country", Value = "UK"]
})
)
Output
Power Query M
Table.FromRecords({
[Column1 = "Full Name", Column2 = "Age", Column3 = "Country"],
[Column1 = "Fred", Column2 = 42, Column3 = "UK"]
})
Feedback
Was this page helpful? Yes No
Table.Unpivot
Article • 09/11/2023
Syntax
Table.Unpivot(table as table, pivotColumns as list, attributeColumn as text,
valueColumn as text) as table
About
Translates a set of columns in a table into attribute-value pairs, combined with the rest
of the values in each row.
Example 1
Take the columns "a", "b", and "c" in the table ({[ key = "x", a = 1, b = null, c = 3
], [ key = "y", a = 2, b = 4, c = null ]}) and unpivot them into attribute-value
pairs.
Usage
Power Query M
Table.Unpivot(
Table.FromRecords({
[key = "x", a = 1, b = null, c = 3],
[key = "y", a = 2, b = 4, c = null]
}),
{"a", "b", "c"},
"attribute",
"value"
)
Output
Power Query M
Table.FromRecords({
[key = "x", attribute = "a", value = 1],
[key = "x", attribute = "c", value = 3],
[key = "y", attribute = "a", value = 2],
[key = "y", attribute = "b", value = 4]
})
Feedback
Was this page helpful? Yes No
Table.UnpivotOtherColumns
Article • 09/11/2023
Syntax
Table.UnpivotOtherColumns(table as table, pivotColumns as list,
attributeColumn as text, valueColumn as text) as table
About
Translates all columns other than a specified set into attribute-value pairs, combined
with the rest of the values in each row.
Example 1
Translates all columns other than a specified set into attribute-value pairs, combined
with the rest of the values in each row.
Usage
Power Query M
Table.UnpivotOtherColumns(
Table.FromRecords({
[key = "key1", attribute1 = 1, attribute2 = 2, attribute3 = 3],
[key = "key2", attribute1 = 4, attribute2 = 5, attribute3 = 6]
}),
{"key"},
"column1",
"column2"
)
Output
Power Query M
Table.FromRecords({
[key = "key1", column1 = "attribute1", column2 = 1],
[key = "key1", column1 = "attribute2", column2 = 2],
[key = "key1", column1 = "attribute3", column2 = 3],
[key = "key2", column1 = "attribute1", column2 = 4],
[key = "key2", column1 = "attribute2", column2 = 5],
[key = "key2", column1 = "attribute3", column2 = 6]
})
Feedback
Was this page helpful? Yes No
Table.View
Article • 09/11/2023
Syntax
Table.View(table as nullable table, handlers as record) as table
About
Returns a view of table where the functions specified in handlers are used in lieu of the
default behavior of an operation when the operation is applied to the view.
If table is provided, all handler functions are optional. If table isn't provided, the
GetType and GetRows handler functions are required. If a handler function isn't specified
for an operation, the default behavior of the operation is applied to table instead
(except in the case of GetExpression ).
Handler functions must return a value that is semantically equivalent to the result of
applying the operation against table (or the resulting view in the case of
GetExpression ).
If a handler function raises an error, the default behavior of the operation is applied to
the view.
Refer to the published Power Query custom connector documentation for a more
complete description of Table.View.
Example 1
Create a basic view that doesn't require accessing the rows in order to determine the
type or the row count.
Usage
Power Query M
Table.View(
null,
[
GetType = () => type table [CustomerID = number, Name = text, Phone
= nullable text],
GetRows = () => Table.FromRecords({[CustomerID = 1, Name = "Bob",
Phone = "123-4567"]}),
GetRowCount = () => 1
]
)
Output
Feedback
Was this page helpful? Yes No
Table.ViewError
Article • 09/11/2023
Syntax
Table.ViewError(errorRecord as record) as record
About
Creates a modified error record from errorRecord which won't trigger a fallback when
thrown by a handler defined on a view (via Table.View).
Feedback
Was this page helpful? Yes No
Table.ViewFunction
Article • 09/11/2023
Syntax
Table.ViewFunction(function as function) as function
About
Creates a view function based on function that can be handled in a view created by
Table.View.
The OnInvoke handler of Table.View can be used to define a handler for the view
function.
Refer to the published Power Query custom connector documentation for a more
complete description of Table.View and custom view functions.
Feedback
Was this page helpful? Yes No
Tables.GetRelationships
Article • 09/11/2023
Syntax
Tables.GetRelationships(tables as table, optional dataColumn as nullable
text) as table
About
Gets the relationships among a set of tables. The set tables is assumed to have a
structure similar to that of a navigation table. The column defined by dataColumn
contains the actual data tables.
Feedback
Was this page helpful? Yes No
#table
Article • 09/11/2023
Syntax
#table(columns as any, rows as any) as any
About
Creates a table value from columns and rows . The columns value can be a list of column
names, a table type, a number of columns, or null. The rows value is a list of lists, where
each element contains the column values for a single row.
Example 1
Create an empty table.
Usage
Power Query M
#table({}, {})
Output
Power Query M
#table({}, {})
Example 2
Create a table by inferring the number of columns from the first row.
Usage
Power Query M
Power Query M
Example 3
Create a table by specifying the number of columns.
Usage
Power Query M
Output
Power Query M
Example 4
Create a table by providing a list of column names.
Usage
Power Query M
Output
Power Query M
Example 5
Create a table with an explicit type.
Usage
Power Query M
Output
Power Query M
Feedback
Was this page helpful? Yes No
Text functions
Article • 08/04/2022
Information
Name Description
Text.InferNumberType Infers the granular number type (Int64.Type, Double.Type, and so on) of a
number encoded in text.
Text Comparisons
Name Description
Text.FromBinary Decodes data from a binary value in to a text value using an encoding.
Text.Range Returns a number of characters from a text value starting at a zero-based offset and
for count number of characters.
Text.Start Returns the count of characters from the start of a text value.
Text.End Returns the number of characters from the end of a text value.
Modification
Name Description
Text.Insert Returns a text value with newValue inserted into a text value starting at a
zero-based offset.
Text.Remove Removes all occurrences of a character or list of characters from a text value.
The removeChars parameter can be a character value or a list of character
values.
Text.ReplaceRange Replaces length characters in a text value starting at a zero-based offset with
the new text value.
Text.Select Selects all occurrences of the given character or list of characters from the
input text value.
Membership
Name Description
Text.Contains Returns true if a text value substring was found within a text value string;
otherwise, false.
Text.EndsWith Returns a logical value indicating whether a text value substring was found
at the end of a string.
Name Description
Text.PositionOf Returns the first occurrence of substring in a string and returns its position
starting at startOffset.
Text.PositionOfAny Returns the first occurrence of a text value in list and returns its position
starting at startOffset.
Text.StartsWith Returns a logical value indicating whether a text value substring was found
at the beginning of a string.
Transformations
Name Description
Text.BetweenDelimiters Returns the portion of text between the specified startDelimiter and
endDelimiter.
Text.Clean Returns the original text value with non-printable characters removed.
Text.Combine Returns a text value that is the result of joining all text values with each
value separated by a separator.
Text.PadEnd Returns a text value padded at the end with pad to make it at least
length characters.
Text.PadStart Returns a text value padded at the beginning with pad to make it at
least length characters. If pad is not specified, whitespace is used as pad.
Text.Proper Returns a text value with first letters of all words converted to
uppercase.
Text.Repeat Returns a text value composed of the input text value repeated a
number of times.
Text.Split Returns a list containing parts of a text value that are delimited by a
separator text value.
Text.SplitAny Returns a list containing parts of a text value that are delimited by any
separator text values.
Text.TrimStart Removes any occurrences of the characters in trimChars from the start
of the original text value.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Character.FromNumber(number as nullable number) as nullable text
About
Returns the character equivalent of the number.
Example 1
Given the number 9, find the character value.
Usage
Power Query M
Character.FromNumber(9)
Output
"#(tab)"
Feedback
Was this page helpful? Yes No
Character.ToNumber
Article • 09/11/2023
Syntax
Character.ToNumber(character as nullable text) as nullable number
About
Returns the number equivalent of the character, character .
Example 1
Given the character "#(tab)" 9, find the number value.
Usage
Power Query M
Character.ToNumber("#(tab)")
Output
Feedback
Was this page helpful? Yes No
Guid.From
Article • 09/11/2023
Syntax
Guid.From(value as nullable text) as nullable text
About
Returns a Guid.Type value from the given value . If the given value is null , Guid.From
returns null . A check will be performed to determine if the given value is in an
acceptable format. Acceptable formats provided in the examples.
Example 1
The Guid can be provided as 32 contiguous hexadecimal digits.
Usage
Power Query M
Guid.From("05FE1DADC8C24F3BA4C2D194116B4967")
Output
"05fe1dad-c8c2-4f3b-a4c2-d194116b4967"
Example 2
The Guid can be provided as 32 hexadecimal digits separated by hyphens into blocks of
8-4-4-4-12.
Usage
Power Query M
Guid.From("05FE1DAD-C8C2-4F3B-A4C2-D194116B4967")
Output
"05fe1dad-c8c2-4f3b-a4c2-d194116b4967"
Example 3
The Guid can be provided as 32 hexadecimal digits separated by hyphens and enclosed
in braces.
Usage
Power Query M
Guid.From("{05FE1DAD-C8C2-4F3B-A4C2-D194116B4967}")
Output
"05fe1dad-c8c2-4f3b-a4c2-d194116b4967"
Example 4
The Guid can be provided as 32 hexadecimal digits separated by hyphens and enclosed
by parentheses.
Usage
Power Query M
Guid.From("(05FE1DAD-C8C2-4F3B-A4C2-D194116B4967)")
Output
"05fe1dad-c8c2-4f3b-a4c2-d194116b4967"
Feedback
Was this page helpful? Yes No
Json.FromValue
Article • 09/11/2023
Syntax
Json.FromValue(value as any, optional encoding as nullable number) as binary
About
Produces a JSON representation of a given value value with a text encoding specified
by encoding . If encoding is omitted, UTF8 is used. Values are represented as follows:
Null, text and logical values are represented as the corresponding JSON types
Numbers are represented as numbers in JSON, except that #infinity , -#infinity
and #nan are converted to null
Lists are represented as JSON arrays
Records are represnted as JSON objects
Tables are represented as an array of objects
Dates, times, datetimes, datetimezones and durations are represented as ISO-8601
text
Binary values are represented as base-64 encoded text
Types and functions produce an error
Example 1
Convert a complex value to JSON.
Usage
Power Query M
Output
"{""A"":[1,true,""3""],""B"":""2012-03-25""}"
Feedback
Was this page helpful? Yes No
Text.AfterDelimiter
Article • 09/11/2023
Syntax
Text.AfterDelimiter(text as nullable text, delimiter as text, optional index
as any) as any
About
Returns the portion of text after the specified delimiter . An optional numeric index
indicates which occurrence of the delimiter should be considered. An optional list
index indicates which occurrence of the delimiter should be considered, as well as
whether indexing should be done from the start or end of the input.
Example 1
Get the portion of "111-222-333" after the (first) hyphen.
Usage
Power Query M
Text.AfterDelimiter("111-222-333", "-")
Output
"222-333"
Example 2
Get the portion of "111-222-333" after the second hyphen.
Usage
Power Query M
Text.AfterDelimiter("111-222-333", "-", 1)
Output
"333"
Example 3
Get the portion of "111-222-333" after the second hyphen from the end.
Usage
Power Query M
Output
"222-333"
Feedback
Was this page helpful? Yes No
Text.At
Article • 09/11/2023
Syntax
Text.At(text as nullable text, index as number) as nullable text
About
Returns the character in the text value, text at position index . The first character in the
text is at position 0.
Example 1
Find the character at position 4 in string "Hello, World".
Usage
Power Query M
Text.At("Hello, World", 4)
Output
"o"
Feedback
Was this page helpful? Yes No
Text.BeforeDelimiter
Article • 09/11/2023
Syntax
Text.BeforeDelimiter(text as nullable text, delimiter as text, optional
index as any) as any
About
Returns the portion of text before the specified delimiter . An optional numeric index
indicates which occurrence of the delimiter should be considered. An optional list
index indicates which occurrence of the delimiter should be considered, as well as
whether indexing should be done from the start or end of the input.
Example 1
Get the portion of "111-222-333" before the (first) hyphen.
Usage
Power Query M
Text.BeforeDelimiter("111-222-333", "-")
Output
"111"
Example 2
Get the portion of "111-222-333" before the second hyphen.
Usage
Power Query M
Text.BeforeDelimiter("111-222-333", "-", 1)
Output
"111-222"
Example 3
Get the portion of "111-222-333" before the second hyphen from the end.
Usage
Power Query M
Output
"111"
Feedback
Was this page helpful? Yes No
Text.BetweenDelimiters
Article • 09/11/2023
Syntax
Text.BetweenDelimiters(text as nullable text, startDelimiter as text,
endDelimiter as text, optional startIndex as any, optional endIndex as any)
as any
About
Returns the portion of text between the specified startDelimiter and endDelimiter .
An optional numeric startIndex indicates which occurrence of the startDelimiter
should be considered. An optional list startIndex indicates which occurrence of the
startDelimiter should be considered, as well as whether indexing should be done from
the start or end of the input. The endIndex is similar, except that indexing is done
relative to the startIndex .
Example 1
Get the portion of "111 (222) 333 (444)" between the (first) open parenthesis and the
(first) closed parenthesis that follows it.
Usage
Power Query M
Output
"222"
Example 2
Get the portion of "111 (222) 333 (444)" between the second open parenthesis and the
first closed parenthesis that follows it.
Usage
Power Query M
Output
"444"
Example 3
Get the portion of "111 (222) 333 (444)" between the second open parenthesis from the
end and the second closed parenthesis that follows it.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Text.Clean
Article • 09/11/2023
Syntax
Text.Clean(text as nullable text) as nullable text
About
Returns a text value with all control characters of text removed.
Example 1
Remove line feeds and other control characters from a text value.
Usage
Power Query M
Text.Clean("ABC#(lf)D")
Output
"ABCD"
Feedback
Was this page helpful? Yes No
Text.Combine
Article • 09/11/2023
Syntax
Text.Combine(texts as list, optional separator as nullable text) as text
About
Returns the result of combining the list of text values, texts , into a single text value. Any
null values present in texts are ignored. An optional separator used in the final
Example 1
Combine text values "Seattle" and "WA".
Usage
Power Query M
Text.Combine({"Seattle", "WA"})
Output
"SeattleWA"
Example 2
Combine text values "Seattle" and "WA", separated by a comma and a space.
Usage
Power Query M
Output
"Seattle, WA"
Example 3
Combine the values "Seattle", null , and "WA", separated by a comma and a space.
(Note that the null is ignored.)
Usage
Power Query M
Output
"Seattle, WA"
Feedback
Was this page helpful? Yes No
Text.Contains
Article • 09/11/2023
Syntax
Text.Contains(text as nullable text, substring as text, optional comparer as
nullable function) as nullable logical
About
Detects whether text contains the value substring . Returns true if the value is found.
This function doesn't support wildcards or regular expressions.
The optional argument comparer can be used to specify case-insensitive or culture and
locale-aware comparisons. The following built-in comparers are available in the formula
language:
Example 1
Find if the text "Hello World" contains "Hello".
Usage
Power Query M
Output
true
Example 2
Find if the text "Hello World" contains "hello".
Usage
Power Query M
Output
false
Example 3
Find if the text "Hello World" contains "hello", using a case-insensitive comparer.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
Text.End
Article • 09/11/2023
Syntax
Text.End(text as nullable text, count as number) as nullable text
About
Returns a text value that is the last count characters of the text value text .
Example 1
Get the last 5 characters of the text "Hello, World".
Usage
Power Query M
Text.End("Hello, World", 5)
Output
"World"
Feedback
Was this page helpful? Yes No
Text.EndsWith
Article • 09/11/2023
Syntax
Text.EndsWith(text as nullable text, substring as text, optional comparer as
nullable function) as nullable logical
About
Indicates whether the given text, text , ends with the specified value, substring . The
indication is case sensitive.
comparer is a Comparer which is used to control the comparison. Comparers can be used
Example 1
Check if "Hello, World" ends with "world".
Usage
Power Query M
Output
false
Example 2
Check if "Hello, World" ends with "World".
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
Text.Format
Article • 09/11/2023
Syntax
Text.Format(formatString as text, arguments as any, optional culture as
nullable text) as text
About
Returns formatted text that is created by applying arguments from a list or record to a
format string formatString . An optional culture may also be provided (for example,
"en-US").
Example 1
Format a list of numbers.
Usage
Power Query M
Output
Example 2
Format different data types from a record according to United States English culture.
Usage
Power Query M
Text.Format(
"The time for the #[distance] km run held in #[city] on #[date] was #
[duration].",
[
city = "Seattle",
date = #date(2015, 3, 10),
duration = #duration(0, 0, 54, 40),
distance = 10
],
"en-US"
)
Output
"The time for the 10 km run held in Seattle on 3/10/2015 was 00:54:40."
Feedback
Was this page helpful? Yes No
Text.From
Article • 09/11/2023
Syntax
Text.From(value as any, optional culture as nullable text) as nullable text
About
Returns the text representation of value . The value can be a number , date , time ,
datetime , datetimezone , logical , duration or binary value. If the given value is null,
Text.From returns null. An optional culture may also be provided (for example, "en-
US").
Example 1
Create a text value from the number 3.
Usage
Power Query M
Text.From(3)
Output
"3"
Feedback
Was this page helpful? Yes No
Text.FromBinary
Article • 09/11/2023
Syntax
Text.FromBinary(binary as nullable binary, optional encoding as nullable
number) as nullable text
About
Decodes data, binary , from a binary value in to a text value, using encoding type.
Feedback
Was this page helpful? Yes No
Text.InferNumberType
Article • 09/11/2023
Syntax
Text.InferNumberType(text as text, optional culture as nullable text) as
type
About
Infers the granular number type (Int64.Type, Double.Type, and so on) of text . An error is
raised if text is not a number. An optional culture may also be provided (for example,
"en-US").
Feedback
Was this page helpful? Yes No
Text.Insert
Article • 09/11/2023
Syntax
Text.Insert(text as nullable text, offset as number, newText as text) as
nullable text
About
Returns the result of inserting text value newText into the text value text at position
offset . Positions start at number 0.
Example 1
Insert "C" between "B" and "D" in "ABD".
Usage
Power Query M
Text.Insert("ABD", 2, "C")
Output
"ABCD"
Feedback
Was this page helpful? Yes No
Text.Length
Article • 09/11/2023
Syntax
Text.Length(text as nullable text) as nullable number
About
Returns the number of characters in the text text .
Example 1
Find how many characters are in the text "Hello World".
Usage
Power Query M
Text.Length("Hello World")
Output
11
Feedback
Was this page helpful? Yes No
Text.Lower
Article • 09/11/2023
Syntax
Text.Lower(text as nullable text, optional culture as nullable text) as
nullable text
About
Returns the result of converting all characters in text to lowercase. An optional culture
may also be provided (for example, "en-US").
Example 1
Get the lowercase version of "AbCd".
Usage
Power Query M
Text.Lower("AbCd")
Output
"abcd"
Feedback
Was this page helpful? Yes No
Text.Middle
Article • 09/11/2023
Syntax
Text.Middle(text as nullable text, start as number, optional count as
nullable number) as nullable text
About
Returns count characters, or through the end of text ; at the offset start .
Example 1
Find the substring from the text "Hello World" starting at index 6 spanning 5 characters.
Usage
Power Query M
Text.Middle("Hello World", 6, 5)
Output
"World"
Example 2
Find the substring from the text "Hello World" starting at index 6 through the end.
Usage
Power Query M
Output
"World"
Feedback
Was this page helpful? Yes No
Text.NewGuid
Article • 09/11/2023
Syntax
Text.NewGuid() as text
About
Returns a new, random globally unique identifier (GUID).
Feedback
Was this page helpful? Yes No
Text.PadEnd
Article • 09/11/2023
Syntax
Text.PadEnd(text as nullable text, count as number, optional character as
nullable text) as nullable text
About
Returns a text value padded to length count by inserting spaces at the end of the text
value text . An optional character character can be used to specify the character used
for padding. The default pad character is a space.
Example 1
Pad the end of a text value so it is 10 characters long.
Usage
Power Query M
Text.PadEnd("Name", 10)
Output
"Name "
Example 2
Pad the end of a text value with "|" so it is 10 characters long.
Usage
Power Query M
"Name||||||"
Feedback
Was this page helpful? Yes No
Text.PadStart
Article • 09/11/2023
Syntax
Text.PadStart(text as nullable text, count as number, optional character as
nullable text) as nullable text
About
Returns a text value padded to length count by inserting spaces at the start of the text
value text . An optional character character can be used to specify the character used
for padding. The default pad character is a space.
Example 1
Pad the start of a text value so it is 10 characters long.
Usage
Power Query M
Text.PadStart("Name", 10)
Output
" Name"
Example 2
Pad the start of a text value with "|" so it is 10 characters long.
Usage
Power Query M
"||||||Name"
Feedback
Was this page helpful? Yes No
Text.PositionOf
Article • 09/11/2023
Syntax
Text.PositionOf(text as text, substring as text, optional occurrence as
nullable number, optional comparer as nullable function) as any
About
Returns the position of the specified occurrence of the text value substring found in
text . An optional parameter occurrence may be used to specify which occurrence
position to return (first occurrence by default). Returns -1 if substring was not found.
comparer is a Comparer which is used to control the comparison. Comparers can be used
Example 1
Get the position of the first occurrence of "World" in the text "Hello, World! Hello,
World!".
Usage
Power Query M
Output
7
Example 2
Get the position of last occurrence of "World" in "Hello, World! Hello, World!".
Usage
Power Query M
Output
21
Feedback
Was this page helpful? Yes No
Text.PositionOfAny
Article • 09/11/2023
Syntax
Text.PositionOfAny(text as text, characters as list, optional occurrence as
nullable number) as any
About
Returns the first position of any character in the list characters that is found in text . An
optional parameter occurrence may be used to specify which occurrence position to
return.
Example 1
Find the first position of "W" or "H" in text "Hello, World!".
Usage
Power Query M
Output
Example 2
Find all the positions of "W" or "H" in text "Hello, World!".
Usage
Power Query M
Output
{0, 7}
Feedback
Was this page helpful? Yes No
Text.Proper
Article • 09/11/2023
Syntax
Text.Proper(text as nullable text, optional culture as nullable text) as
nullable text
About
Returns the result of capitalizing only the first letter of each word in text value text . All
other letters are returned in lowercase. An optional culture may also be provided (for
example, "en-US").
Example 1
Use Text.Proper on a simple sentence.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Text.Range
Article • 09/11/2023
Syntax
Text.Range(text as nullable text, offset as number, optional count as
nullable number) as nullable text
About
Returns the substring from the text text found at the offset offset . An optional
parameter, count , can be included to specify how many characters to return. Throws an
error if there aren't enough characters.
Example 1
Find the substring from the text "Hello World" starting at index 6.
Usage
Power Query M
Text.Range("Hello World", 6)
Output
"World"
Example 2
Find the substring from the text "Hello World Hello" starting at index 6 spanning 5
characters.
Usage
Power Query M
"World"
Feedback
Was this page helpful? Yes No
Text.Remove
Article • 09/11/2023
Syntax
Text.Remove(text as nullable text, removeChars as any) as nullable text
About
Returns a copy of the text value text with all the characters from removeChars removed.
Example 1
Remove characters , and ; from the text value.
Usage
Power Query M
Text.Remove("a,b;c", {",",";"})
Output
"abc"
Feedback
Was this page helpful? Yes No
Text.RemoveRange
Article • 09/11/2023
Syntax
Text.RemoveRange(text as nullable text, offset as number, optional count as
nullable number) as nullable text
About
Returns a copy of the text value text with all the characters from position offset
removed. An optional parameter, count can by used to specify the number of characters
to remove. The default value of count is 1. Position values start at 0.
Example 1
Remove 1 character from the text value "ABEFC" at position 2.
Usage
Power Query M
Text.RemoveRange("ABEFC", 2)
Output
"ABFC"
Example 2
Remove two characters from the text value "ABEFC" starting at position 2.
Usage
Power Query M
Text.RemoveRange("ABEFC", 2, 2)
Output
"ABC"
Feedback
Was this page helpful? Yes No
Text.Repeat
Article • 09/11/2023
Syntax
Text.Repeat(text as nullable text, count as number) as nullable text
About
Returns a text value composed of the input text text repeated count times.
Example 1
Repeat the text "a" five times.
Usage
Power Query M
Text.Repeat("a", 5)
Output
"aaaaa"
Example 2
Repeat the text "helloworld" three times.
Usage
Power Query M
Text.Repeat("helloworld.", 3)
Output
"helloworld.helloworld.helloworld."
Feedback
Was this page helpful? Yes No
Text.Replace
Article • 09/11/2023
Syntax
Text.Replace(text as nullable text, old as text, new as text) as nullable
text
About
Returns the result of replacing all occurrences of text value old in text value text with
text value new . This function is case sensitive.
Example 1
Replace every occurrence of "the" in a sentence with "a".
Usage
Power Query M
Text.Replace("the quick brown fox jumps over the lazy dog", "the", "a")
Output
Feedback
Was this page helpful? Yes No
Text.ReplaceRange
Article • 09/11/2023
Syntax
Text.ReplaceRange(text as nullable text, offset as number, count as number,
newText as text) as nullable text
About
Returns the result of removing a number of characters, count , from text value text
beginning at position offset and then inserting the text value newText at the same
position in text .
Example 1
Replace a single character at position 2 in text value "ABGF" with new text value "CDE".
Usage
Power Query M
Text.ReplaceRange("ABGF", 2, 1, "CDE")
Output
"ABCDEF"
Feedback
Was this page helpful? Yes No
Text.Reverse
Article • 09/11/2023
Syntax
Text.Reverse(text as nullable text) as nullable text
About
Reverses the provided text .
Example 1
Reverse the text "123".
Usage
Power Query M
Text.Reverse("123")
Output
"321"
Feedback
Was this page helpful? Yes No
Text.Select
Article • 09/11/2023
Syntax
Text.Select(text as nullable text, selectChars as any) as nullable text
About
Returns a copy of the text value text with all the characters not in selectChars
removed.
Example 1
Select all characters in the range of 'a' to 'z' from the text value.
Usage
Power Query M
Text.Select("a,b;c", {"a".."z"})
Output
"abc"
Feedback
Was this page helpful? Yes No
Text.Split
Article • 09/11/2023
Syntax
Text.Split(text as text, separator as text) as list
About
Returns a list of text values resulting from the splitting a text value text based on the
specified delimiter, separator .
Example 1
Create a list from the "|" delimited text value "Name|Address|PhoneNumber".
Usage
Power Query M
Text.Split("Name|Address|PhoneNumber", "|")
Output
Power Query M
{
"Name",
"Address",
"PhoneNumber"
}
Feedback
Was this page helpful? Yes No
Text.SplitAny
Article • 09/11/2023
Syntax
Text.SplitAny(text as text, separators as text) as list
About
Returns a list of text values resulting from the splitting a text value text based on any
character in the specified delimiter, separators .
Example 1
Create a list from the text value "Jamie|Campbell|Admin|Adventure
Works|www.adventure-works.com".
Usage
Power Query M
Text.SplitAny("Jamie|Campbell|Admin|Adventure Works|www.adventure-
works.com", "|")
Output
Power Query M
{
"Jamie",
"Campbell",
"Admin",
"Adventure Works",
"www.adventure-works.com"
}
Feedback
Was this page helpful? Yes No
Text.Start
Article • 09/11/2023
Syntax
Text.Start(text as nullable text, count as number) as nullable text
About
Returns the first count characters of text as a text value.
Example 1
Get the first 5 characters of "Hello, World".
Usage
Power Query M
Text.Start("Hello, World", 5)
Output
"Hello"
Feedback
Was this page helpful? Yes No
Text.StartsWith
Article • 09/11/2023
Syntax
Text.StartsWith(text as nullable text, substring as text, optional comparer
as nullable function) as nullable logical
About
Returns true if text value text starts with text value substring .
comparer is a Comparer which is used to control the comparison. Comparers can be used
comparison
Comparer.FromCulture : Used to perform a culture-aware comparison
Example 1
Check if the text "Hello, World" starts with the text "hello".
Usage
Power Query M
Output
false
Example 2
Check if the text "Hello, World" starts with the text "Hello".
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
Text.ToBinary
Article • 09/11/2023
Syntax
Text.ToBinary(text as nullable text, optional encoding as nullable number,
optional includeByteOrderMark as nullable logical) as nullable binary
About
Encodes the given text value, text , into a binary value using the specified encoding .
Feedback
Was this page helpful? Yes No
Text.ToList
Article • 09/11/2023
Syntax
Text.ToList(text as text) as list
About
Returns a list of character values from the given text value text .
Example 1
Create a list of character values from the text "Hello World".
Usage
Power Query M
Text.ToList("Hello World")
Output
powerquery-m{
"H",
"e",
"l",
"l",
"o",
" ",
"W",
"o",
"r",
"l",
"d"
}
Feedback
Was this page helpful? Yes No
Text.Trim
Article • 09/11/2023
Syntax
Text.Trim(text as nullable text, optional trim as any) as nullable text
About
Returns the result of removing all leading and trailing whitespace from text value text .
Example 1
Remove leading and trailing whitespace from " a b c d ".
Usage
Power Query M
Text.Trim(" a b c d ")
Output
"a b c d"
Feedback
Was this page helpful? Yes No
Text.TrimEnd
Article • 09/11/2023
Syntax
Text.TrimEnd(text as nullable text, optional trim as any) as nullable text
About
Returns the result of removing all trailing whitespace from text value text .
Example 1
Remove trailing whitespace from " a b c d ".
Usage
Power Query M
Text.TrimEnd(" a b c d ")
Output
" a b c d"
Feedback
Was this page helpful? Yes No
Text.TrimStart
Article • 09/11/2023
Syntax
Text.TrimStart(text as nullable text, optional trim as any) as nullable text
About
Returns the result of removing all leading whitespace from text value text .
Example 1
Remove leading whitespace from " a b c d ".
Usage**
Power Query M
Text.TrimStart(" a b c d ")
Output
"a b c d "
Feedback
Was this page helpful? Yes No
Text.Upper
Article • 09/11/2023
Syntax
Text.Upper(text as nullable text, optional culture as nullable text) as
nullable text
About
Returns the result of converting all characters in text to uppercase. An optional
culture may also be provided (for example, "en-US").
Example 1
Get the uppercase version of "aBcD".
Usage
Power Query M
Text.Upper("aBcD")
Output
"ABCD"
Feedback
Was this page helpful? Yes No
Time functions
Article • 11/15/2022
Name Description
Time.FromText Creates a Time from local, universal, and custom Time formats.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Time.EndOfHour(dateTime as any) as any
About
Returns the end of the hour represented by dateTime , including fractional seconds. Time
zone information is preserved.
dateTime : A time , datetime , or datetimezone value from which the end of the hour
is calculated.
Example 1
Get the end of the hour for 5/14/2011 05:00:00 PM.
Usage
Power Query M
Output
Example 2
Get the end of the hour for 5/17/2011 05:00:00 PM -7:00.
Usage
Power Query M
Feedback
Was this page helpful? Yes No
Time.From
Article • 09/11/2023
Syntax
About
Returns a time value from the given value . An optional culture may also be provided
(for example, "en-US"). If the given value is null , Time.From returns null . If the given
value is time , value is returned. Values of the following types can be converted to a
time value:
text : A time value from textual representation. Refer to Time.FromText for details.
datetime : The time component of the value .
Example 1
Convert 0.7575 to a time value.
Usage
Power Query M
Time.From(0.7575)
Output
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Time.FromText
Article • 09/11/2023
Syntax
Time.FromText(text as nullable text, optional options as any) as nullable
time
About
Creates a time value from a textual representation, text . An optional record
parameter, options , may be provided to specify additional properties. The record can
contain the following fields:
Format : A text value indicating the format to use. For more details, go to
https://go.microsoft.com/fwlink/?linkid=2180104 and
https://go.microsoft.com/fwlink/?linkid=2180105 . Omitting this field or
providing null will result in parsing the time using a best effort.
Culture : When Format is not null, Culture controls some format specifiers. For
example, in "en-US" "tt" is "AM" or "PM" , while in "ar-EG" "tt" is " "صor " "م.
When Format is null , Culture controls the default format to use. When Culture is
null or omitted, Culture.Current is used.
To support legacy workflows, options may also be a text value. This has the same
behavior as if options = [Format = null, Culture = options] .
Example 1
Convert "10:12:31am" into a Time value.
Usage
Power Query M
Time.FromText("10:12:31am")
Output
#time(10, 12, 31)
Example 2
Convert "1012" into a Time value.
Usage
Power Query M
Time.FromText("1012")
Output
Example 3
Convert "10" into a Time value.
Usage
Power Query M
Time.FromText("10")
Output
Feedback
Was this page helpful? Yes No
Time.Hour
Article • 09/11/2023
Syntax
Time.Hour(dateTime as any) as nullable number
About
Returns the hour component of the provided time , datetime , or datetimezone value,
dateTime .
Example 1
Find the hour in #datetime(2011, 12, 31, 9, 15, 36).
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Time.Minute
Article • 09/11/2023
Syntax
About
Returns the minute component of the provided time , datetime , or datetimezone value,
dateTime .
Example 1
Find the minute in #datetime(2011, 12, 31, 9, 15, 36).
Usage
Power Query M
Output
15
Feedback
Was this page helpful? Yes No
Time.Second
Article • 09/11/2023
Syntax
Time.Second(dateTime as any) as nullable number
About
Returns the second component of the provided time , datetime , or datetimezone value,
dateTime .
Example 1
Find the second value from a datetime value.
Usage
Power Query M
Output
36.5
Feedback
Was this page helpful? Yes No
Time.StartOfHour
Article • 09/11/2023
Syntax
Time.StartOfHour(dateTime as any) as any
About
Returns the start of the hour represented by dateTime . dateTime must be a time ,
datetime or datetimezone value.
Example 1
Find the start of the hour for October 10th, 2011, 8:10:32AM.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Time.ToRecord
Article • 09/11/2023
Syntax
Time.ToRecord(time as time) as record
About
Returns a record containing the parts of the given Time value, time .
time : A time value for from which the record of its parts is to be calculated.
Example 1
Convert the #time(11, 56, 2) value into a record containing Time values.
Usage
Power Query M
Output
Power Query M
[
Hour = 11,
Minute = 56,
Second = 2
]
Feedback
Was this page helpful? Yes No
Time.ToText
Article • 09/11/2023
Syntax
Time.ToText(time as nullable time, optional options as any, optional culture
as nullable text) as nullable text
About
Returns a textual representation of time . An optional record parameter, options , may
be provided to specify additional properties. culture is only used for legacy workflows.
The record can contain the following fields:
Format : A text value indicating the format to use. For more details, go to
https://go.microsoft.com/fwlink/?linkid=2180104 and
https://go.microsoft.com/fwlink/?linkid=2180105 . Omitting this field or
providing null will result in formatting the date using the default defined by
Culture .
Culture : When Format is not null, Culture controls some format specifiers. For
example, in "en-US" "tt" is "AM" or "PM" , while in "ar-EG" "tt" is " "صor " "م.
When Format is null , Culture controls the default format to use. When Culture is
null or omitted, Culture.Current is used.
To support legacy workflows, options and culture may also be text values. This has the
same behavior as if options = [Format = options, Culture = culture] .
Example 1
Convert #time(01, 30, 25) into a text value. Result output may vary depending on
current culture.
Usage
Power Query M
"11:56 AM"
Example 2
Convert using a custom format and the German culture.
Usage
Power Query M
Output
"11:56"
Example 3
Convert using standard time format.
Usage
Power Query M
Output
"11:56:02"
Feedback
Was this page helpful? Yes No
#time
Article • 09/11/2023
Syntax
#time(hour as number, minute as number, second as number) as time
About
Creates a time value from numbers representing the hour, minute, and (fractional)
second. Raises an error if these conditions are not true:
0 ≤ hour ≤ 24
0 ≤ minute ≤ 59
0 ≤ second < 60
if hour is 24, then minute and second must be 0
Feedback
Was this page helpful? Yes No
Type functions
Article • 08/04/2022
Name Description
Type.FunctionParameters Returns a record with field values set to the name of the
parameters of a function type, and their values set to their
corresponding types.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Type.AddTableKey(table as type, columns as list, isPrimary as logical) as
type
About
Adds a key to the given table type.
Feedback
Was this page helpful? Yes No
Type.ClosedRecord
Article • 09/11/2023
Syntax
Type.ClosedRecord(type as type) as type
About
Returns a closed version of the given record type (or the same type, if it is already
closed).
Example 1
Create a closed version of type [ A = number,…] .
Usage
Power Query M
Output
type [A = number]
Feedback
Was this page helpful? Yes No
Type.Facets
Article • 09/11/2023
Syntax
Type.Facets(type as type) as record
About
Returns a record containing the facets of type .
Feedback
Was this page helpful? Yes No
Type.ForFunction
Article • 09/11/2023
Syntax
Type.ForFunction(signature as record, min as number) as type
About
Creates a function type from signature , a record of ReturnType and Parameters , and
min , the minimum number of arguments required to invoke the function.
Example 1
Creates the type for a function that takes a number parameter named X and returns a
number.
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Type.ForRecord
Article • 09/11/2023
Syntax
Type.ForRecord(fields as record, open as logical) as type
About
Returns a type that represents records with specific type constraints on fields.
Example 1
Dynamically generate a table type.
Usage
Power Query M
let
columnNames = {"Name", "Score"},
columnTypes = {type text, type number},
rowColumnTypes = List.Transform(columnTypes, (t) => [Type = t, Optional
= false]),
rowType = Type.ForRecord(Record.FromList(rowColumnTypes, columnNames),
false)
in
#table(type table rowType, {{"Betty", 90.3}, {"Carl", 89.5}})
Output
Power Query M
#table(
type table [Name = text, Score = number],
{{"Betty", 90.3}, {"Carl", 89.5}}
)
Feedback
Was this page helpful? Yes No
Type.FunctionParameters
Article • 09/11/2023
Syntax
Type.FunctionParameters(type as type) as record
About
Returns a record with field values set to the name of the parameters of type , and their
values set to their corresponding types.
Example 1
Find the types of the parameters to the function (x as number, y as text) .
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Type.FunctionRequiredParameters
Article • 09/11/2023
Syntax
Type.FunctionRequiredParameters(type as type) as number
About
Returns a number indicating the minimum number of parameters required to invoke the
input type of function.
Example 1
Find the number of required parameters to the function (x as number, optional y as
text) .
Usage
Power Query M
Output
Feedback
Was this page helpful? Yes No
Type.FunctionReturn
Article • 09/11/2023
Syntax
Type.FunctionReturn(type as type) as type
About
Returns a type returned by a function type .
Example 1
Find the return type of () as any) .
Usage
Power Query M
Output
type any
Feedback
Was this page helpful? Yes No
Type.Is
Article • 09/11/2023
Syntax
Type.Is(type1 as type, type2 as type) as logical
About
Determines if a value of type1 is always compatible with type2 .
Example 1
Determine if a value of type number can always also be treated as type any.
Usage
Power Query M
Output
true
Example 2
Determine if a value of type any can always also be treated as type number.
Usage
Power Query M
Output
false
Feedback
Was this page helpful? Yes No
Type.IsNullable
Article • 09/11/2023
Syntax
About
Returns true if a type is a nullable type; otherwise, false .
Example 1
Determine if number is nullable.
Usage
Power Query M
Type.IsNullable(type number)
Output
false
Example 2
Determine if type nullable number is nullable.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
Type.IsOpenRecord
Article • 09/11/2023
Syntax
Type.IsOpenRecord(type as type) as logical
About
Returns a logical indicating whether a record type is open.
Example 1
Determine if the record type [ A = number, ...] is open.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
Type.ListItem
Article • 09/11/2023
Syntax
Type.ListItem(type as type) as type
About
Returns an item type from a list type .
Example 1
Find item type from the list {number} .
Usage
Power Query M
Type.ListItem(type {number})
Output
type number
Feedback
Was this page helpful? Yes No
Type.NonNullable
Article • 09/11/2023
Syntax
Type.NonNullable(type as type) as type
About
Returns the non nullable type from the type .
Example 1
Return the non nullable type of type nullable number .
Usage
Power Query M
Output
type number
Feedback
Was this page helpful? Yes No
Type.OpenRecord
Article • 09/11/2023
Syntax
Type.OpenRecord(type as type) as type
About
Returns an opened version of the given record type (or the same type, if it is already
opened).
Example 1
Create an opened version of type [ A = number] .
Usage
Power Query M
Type.OpenRecord(type [A = number])
Output
Feedback
Was this page helpful? Yes No
Type.RecordFields
Article • 09/11/2023
Syntax
Type.RecordFields(type as type) as record
About
Returns a record describing the fields of a record type . Each field of the returned record
type has a corresponding name and a value, in the form of a record [ Type = type,
Optional = logical ] .
Example 1
Find the name and value of the record [ A = number, optional B = any] .
Usage
Power Query M
Output
Power Query M
[
A = [Type = type number, Optional = false],
B = [Type = type any, Optional = true]
]
Feedback
Was this page helpful? Yes No
Type.ReplaceFacets
Article • 09/11/2023
Syntax
Type.ReplaceFacets(type as type, facets as record) as type
About
Replaces the facets of type with the facets contained in the record facets .
Feedback
Was this page helpful? Yes No
Type.ReplaceTableKeys
Article • 09/11/2023
Syntax
Type.ReplaceTableKeys(tableType as type, keys as list) as type
About
Returns a new table type with all keys replaced by the specified list of keys.
Feedback
Was this page helpful? Yes No
Type.TableColumn
Article • 09/11/2023
Syntax
Type.TableColumn(tableType as type, column as text) as type
About
Returns the type of the column column in the table type tableType .
Feedback
Was this page helpful? Yes No
Type.TableKeys
Article • 09/11/2023
Syntax
Type.TableKeys(tableType as type) as list
About
Returns the possibly empty list of keys for the given table type.
Feedback
Was this page helpful? Yes No
Type.TableRow
Article • 09/11/2023
Syntax
Type.TableRow(table as type) as type
About
Returns the row type of the specified table type. The result will always be a record type.
Example 1
Return the row type information for a simple table.
Usage
Power Query M
let
tableRowType = Type.TableRow(Value.Type(#table({"Column1"}, {})))
in
Type.RecordFields(tableRowType)
Output
Feedback
Was this page helpful? Yes No
Type.TableSchema
Article • 09/11/2023
Syntax
Type.TableSchema(tableType as type) as table
About
Returns a table describing the columns of tableType .
Refer to the documentation for Table.Schema for a description of the resulting table.
Feedback
Was this page helpful? Yes No
Type.Union
Article • 09/11/2023
Syntax
Type.Union(types as list) as type
About
Returns the union of the types in types .
Feedback
Was this page helpful? Yes No
Uri functions
Article • 08/04/2022
Name Description
Uri.Combine Returns a Uri based on the combination of the base and relative parts.
Uri.Parts Returns a record value with the fields set to the parts of a Uri text value.
Feedback
Was this page helpful? ツ Yes ト No
Syntax
Uri.BuildQueryString(query as record) as text
About
Assemble the record query into a URI query string, escaping characters as necessary.
Example 1
Encode a query string which contains some special characters.
Usage
Power Query M
Output
"a=1&b=%2B%24"
Feedback
Was this page helpful? Yes No
Uri.Combine
Article • 09/11/2023
Syntax
Uri.Combine(baseUri as text, relativeUri as text) as text
About
Returns an absolute URI that is the combination of the input baseUri and relativeUri .
Feedback
Was this page helpful? Yes No
Uri.EscapeDataString
Article • 09/11/2023
Syntax
Uri.EscapeDataString(data as text) as text
About
Encodes special characters in the input data according to the rules of RFC 3986.
Example 1
Encode the special characters in "+money$".
Usage
Power Query M
Uri.EscapeDataString("+money$")
Output
"%2Bmoney%24"
Feedback
Was this page helpful? Yes No
Uri.Parts
Article • 09/11/2023
Syntax
Uri.Parts(absoluteUri as text) as record
About
Returns the parts of the input absoluteUri as a record, containing values such as
Scheme, Host, Port, Path, Query, Fragment, UserName and Password.
Example 1
Find the parts of the absolute URI "www.adventure-works.com".
Usage
Power Query M
Uri.Parts("www.adventure-works.com")
Output
Power Query M
[
Scheme = "http",
Host = "www.adventure-works.com",
Port = 80,
Path = "/",
Query = [],
Fragment = "",
UserName = "",
Password = ""
]
Example 2
Decode a percent-encoded string.
Usage
Power Query M
let
UriUnescapeDataString = (data as text) as text =>
Uri.Parts("http://contoso?a=" & data)[Query][a]
in
UriUnescapeDataString("%2Bmoney%24")
Output
"+money$"
Feedback
Was this page helpful? Yes No
Value functions
Article • 09/25/2023
Name Description
Value.Compare Returns -1, 0, or 1 based on whether the first value is less than, equal to, or
greater than the second.
Value.Expression Returns an abstract syntax tree (AST) that represents the value's
expression.
Value.Optimize If value represents a query that can be optimized, returns the optimized
query. Otherwise returns value.
Arithmetic operations
Name Description
Value.Divide Returns the result of dividing the first value by the second.
Parameter types
Name Description
Implementation Description
Metadata
Name Description
Value.RemoveMetadata Removes the metadata on the value and returns the original value.
Value.ReplaceMetadata Replaces the metadata on a value with the new metadata record
provided and returns the original value with the new metadata
attached.
Lineage
Name Description
Feedback
Was this page helpful? Yes No
DirectQueryCapabilities.From
Article • 09/11/2023
Syntax
DirectQueryCapabilities.From(value as any) as table
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Embedded.Value
Article • 09/11/2023
Syntax
Embedded.Value(value as any, path as text) as any
About
Accesses a value by name in an embedded mashup.
Feedback
Was this page helpful? Yes No
Excel.ShapeTable
Article • 09/11/2023
Syntax
Excel.ShapeTable(table as table, optional options as nullable record) as any
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Graph.Nodes
Article • 09/11/2023
Syntax
Graph.Nodes(graph as record) as list
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Progress.DataSourceProgress
Article • 09/11/2023
Syntax
Progress.DataSourceProgress() as any
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
SqlExpression.SchemaFrom
Article • 09/11/2023
Syntax
SqlExpression.SchemaFrom(schema as any) as any
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
SqlExpression.ToExpression
Article • 09/11/2023
Syntax
SqlExpression.ToExpression(sql as text, environment as record) as text
About
Converts the provided sql query to M code, with the available identifiers defined by
environment . This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Value.Add
Article • 09/11/2023
Syntax
Value.Add(value1 as any, value2 as any, optional precision as nullable
number) as any
About
Returns the sum of value1 and value2 . An optional precision parameter may be
specified, by default Precision.Double is used.
Feedback
Was this page helpful? Yes No
Value.Alternates
Article • 09/11/2023
Syntax
Value.Alternates(alternates as list) as any
About
Expresses alternate query plans within a query plan expression obtained through
Value.Expression(Value.Optimize(...)) . Not intended for other uses.
Feedback
Was this page helpful? Yes No
Value.As
Article • 09/11/2023
Syntax
Value.As(value as any, type as type) as any
About
Returns the value if it's compatible with the specified type. This is equivalent to the "as"
operator in M, with the exception that it can accept identifier type references such as
Number.Type.
Example 1
Cast a number to a number.
Usage
Power Query M
Value.As(123, Number.Type)
Output
123
Example 2
Attempt to cast a text value to a number.
Usage
Power Query M
Output
[Expression.Error] We cannot convert the value "abc" to type Number.
Feedback
Was this page helpful? Yes No
Value.Compare
Article • 09/25/2023
Syntax
Value.Compare(value1 as any, value2 as any, optional precision as nullable
number) as number
About
Returns -1, 0, or 1 based on whether the first value is less than, equal to, or greater than
the second.
Feedback
Was this page helpful? Yes No
Value.Divide
Article • 09/11/2023
Syntax
Value.Divide(value1 as any, value2 as any, optional precision as nullable
number) as any
About
Returns the result of dividing value1 by value2 . An optional precision parameter may
be specified, by default Precision.Double is used.
Feedback
Was this page helpful? Yes No
Value.Equals
Article • 09/11/2023
Syntax
Value.Equals(value1 as any, value2 as any, optional precision as nullable
number) as logical
About
Returns true if value value1 is equal to value value2 , false otherwise.
Feedback
Was this page helpful? Yes No
Value.Expression
Article • 09/11/2023
Syntax
Value.Expression(value as any) as nullable record
About
Returns an abstract syntax tree (AST) that represents the value's expression.
Feedback
Was this page helpful? Yes No
Value.Firewall
Article • 09/11/2023
Syntax
Value.Firewall(key as text) as any
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Value.FromText
Article • 09/11/2023
Syntax
Value.FromText(text as any, optional culture as nullable text) as any
About
Decodes a value from a textual representation, text , and interprets it as a value with an
appropriate type. Value.FromText takes a text value and returns a number, a logical
value, a null value, a datetime value, a duration value, or a text value. The empty text
value is interpreted as a null value. An optional culture may also be provided (for
example, "en-US").
Feedback
Was this page helpful? Yes No
Value.Is
Article • 09/11/2023
Syntax
Value.Is(value as any, type as type) as logical
About
Determines whether a value is compatible with the specified type. This is equivalent to
the "is" operator in M, with the exception that it can accept identifier type references
such as Number.Type.
Example 1
Compare two ways of determining if a number is compatible with type number.
Usage
Power Query M
Output
true
Feedback
Was this page helpful? Yes No
Value.Lineage
Article • 09/11/2023
Syntax
Value.Lineage(value as any) as any
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Value.Metadata
Article • 09/11/2023
Syntax
Value.Metadata(value as any) as any
About
Returns a record containing the input's metadata.
Feedback
Was this page helpful? Yes No
Value.Multiply
Article • 09/11/2023
Syntax
Value.Multiply(value1 as any, value2 as any, optional precision as nullable
number) as any
About
Returns the product of multiplying value1 by value2 . An optional precision parameter
may be specified, by default Precision.Double is used.
Feedback
Was this page helpful? Yes No
Value.NativeQuery
Article • 09/11/2023
Syntax
Value.NativeQuery(target as any, query as text, optional parameters as any,
optional options as nullable record) as any
About
Evaluates query against target using the parameters specified in parameters and the
options specified in options .
The optional parameters value may contain either a list or record as appropriate to
supply the parameter values expected by query .
The optional options record may contain options that affect the evaluation behavior of
query against target . These options are specific to target .
Feedback
Was this page helpful? Yes No
Value.NullableEquals
Article • 09/11/2023
Syntax
Value.NullableEquals(value1 as any, value2 as any, optional precision as
nullable number) as nullable logical
About
Returns null if either argument value1 , value2 is null, otherwise equivalent to
Value.Equals.
Feedback
Was this page helpful? Yes No
Value.Optimize
Article • 09/11/2023
Syntax
Value.Optimize(value as any) as any
About
When used within Value.Expression, if value represents a query that can be optimized,
this function indicates that the optimized expression should be returned. Otherwise,
value will be passed through with no effect.
Feedback
Was this page helpful? Yes No
Value.RemoveMetadata
Article • 09/11/2023
Syntax
Value.RemoveMetadata(value as any, optional metaValue as any) as any
About
Strips the input of metadata.
Feedback
Was this page helpful? Yes No
Value.ReplaceMetadata
Article • 09/11/2023
Syntax
Value.ReplaceMetadata(value as any, metaValue as any) as any
About
Replaces the input's metadata information.
Feedback
Was this page helpful? Yes No
Value.ReplaceType
Article • 09/11/2023
Syntax
Value.ReplaceType(value as any, type as type) as any
About
Replaces the value 's type with the provided type .
Example 1
Replace the default type of a record with a more specific type.
Usage
Power Query M
Type.RecordFields(
Value.Type(
Value.ReplaceType(
[Column1 = 123],
type [Column1 = number]
)
)
)[Column1][Type]
Output
type number
Feedback
Was this page helpful? Yes No
Value.Subtract
Article • 09/11/2023
Syntax
Value.Subtract(value1 as any, value2 as any, optional precision as nullable
number) as any
About
Returns the difference of value1 and value2 . An optional precision parameter may be
specified, by default Precision.Double is used.
Feedback
Was this page helpful? Yes No
Value.Traits
Article • 09/11/2023
Syntax
Value.Traits(value as any) as table
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Value.Type
Article • 09/11/2023
Syntax
Value.Type(value as any) as type
About
Returns the type of the given value.
Feedback
Was this page helpful? Yes No
Value.VersionIdentity
Article • 09/11/2023
Syntax
About
Returns the version identity of the value , or null if it doesn't have a version.
Feedback
Was this page helpful? Yes No
Value.Versions
Article • 09/11/2023
Syntax
About
Returns a navigation table containing the available versions of value .
Feedback
Was this page helpful? Yes No
Value.ViewError
Article • 09/11/2023
Syntax
Value.ViewError(errorRecord as record) as record
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Value.ViewFunction
Article • 09/11/2023
Syntax
Value.ViewFunction(function as function) as function
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Variable.Value
Article • 09/11/2023
Syntax
Variable.Value(identifier as text) as any
About
This function is intended for internal use only.
Feedback
Was this page helpful? Yes No
Enumerations
Article • 09/11/2023
List of enumerations
Name Description
Feedback
Was this page helpful? Yes No
AccessControlKind.Type
Article • 09/11/2023
Definition
Specifies the kind of access control.
Allowed values
Name Value Description
Applies to
Accessing data functions
Feedback
Was this page helpful? Yes No
BinaryEncoding.Type
Article • 09/11/2023
Definition
Specifies the type of binary encoding.
Allowed values
Name Value Description
Applies to
Binary functions
Feedback
Was this page helpful? Yes No
BinaryOccurrence.Type
Article • 09/11/2023
Definition
Specifies how many times the item is expected to appear in the group.
Allowed values
Name Value Description
Applies to
Binary functions
Feedback
Was this page helpful? Yes No
BufferMode.Type
Article • 09/11/2023
Definition
Describes the type of buffering to be performed.
Allowed values
Name Value Description
BufferMode.Delayed 2 The type of the value is computed immediately but its contents
aren't buffered until data is needed, at which point the entire
value is immediately buffered.
Applies to
Accessing data functions
Feedback
Was this page helpful? Yes No
ByteOrder.Type
Article • 09/11/2023
Definition
Specifies the byte order.
Allowed values
Name Value Description
ByteOrder.LittleEndian 0 The least significant byte appears first in Little Endian byte
order.
ByteOrder.BigEndian 1 The most significant byte appears first in Big Endian byte order.
Remarks
The allowed values for this enumeration are possible values for the byteOrder
parameter in BinaryFormat.ByteOrder.
Applies to
Binary functions
Feedback
Was this page helpful? Yes No
Compression.Type
Article • 09/11/2023
Definition
Specifies the type of compression.
Allowed values
Name Value Description
Applies to
Binary functions
Feedback
Was this page helpful? Yes No
CsvStyle.Type
Article • 09/11/2023
Definition
Specifies the significance of quotes in CSV documents.
Allowed values
Name Value Description
Applies to
Accessing data functions
Feedback
Was this page helpful? Yes No
Day.Type
Article • 09/11/2023
Definition
Represents the day of the week.
Allowed values
Name Value Description
Applies to
Date functions
Feedback
Was this page helpful? Yes No
ExtraValues.Type
Article • 09/11/2023
Definition
Specifies the expected action for extra values in a row that contains columns less than
expected.
Allowed values
Name Value Description
ExtraValues.List 0 If the splitter function returns more columns than the table expects,
they should be collected into a list.
ExtraValues.Error 1 If the splitter function returns more columns than the table expects,
an error should be raised.
ExtraValues.Ignore 2 If the splitter function returns more columns than the table expects,
they should be ignored.
Applies to
Accessing data functions
Table functions
Feedback
Was this page helpful? Yes No
GroupKind.Type
Article • 09/11/2023
Definition
Specifies the kind of grouping.
Allowed values
Name Value Description
GroupKind.Global 1 A global group is formed from all rows in an input table with the
same key value.
Applies to
Table functions
Feedback
Was this page helpful? Yes No
JoinAlgorithm.Type
Article • 09/11/2023
Definition
Specifies the join algorithm to be used in the join operation.
Allowed values
Name Value Description
JoinAlgorithm.PairwiseHash 1 Buffers the rows of both the left and right tables until one
of the tables is completely buffered, and then performs a
LeftHash or RightHash, depending on which table was
buffered completely. This algorithm is recommended only
for small tables.
JoinAlgorithm.LeftHash 3 Buffers the left rows into a lookup table and streams the
right rows. For each right row, the matching left rows are
found via the buffered lookup table. This algorithm is
recommended when the left table is small and most of the
rows from the right table are expected to match a left row.
JoinAlgorithm.RightHash 4 Buffers the right rows into a lookup table and streams the
left rows. For each left row, the matching right rows are
found via the buffered lookup table. This algorithm is
recommended when the right table is small and most of
the rows from the left table are expected to match a right
row.
Applies to
Table functions
Feedback
Was this page helpful? Yes No
JoinKind.Type
Article • 09/11/2023
Definition
Specifies the kind of join operation.
Allowed values
Name Value Description
JoinKind.Inner 0 The table resulting from an inner join contains a row for each pair
of rows from the specified tables that were determined to match
based on the specified key columns.
JoinKind.LeftOuter 1 A left outer join ensures that all rows of the first table appear in
the result.
JoinKind.RightOuter 2 A right outer join ensures that all rows of the second table appear
in the result.
JoinKind.FullOuter 3 A full outer join ensures that all rows of both tables appear in the
result. Rows that did not have a match in the other table are
joined with a default row containing null values for all of its
columns.
JoinKind.LeftAnti 4 A left anti join returns that all rows from the first table which do
not have a match in the second table.
JoinKind.RightAnti 5 A right anti join returns that all rows from the second table which
do not have a match in the first table.
Remarks
The fields of this enumeration are possible values for the optional JoinKind parameter
in Table.Join.
Applies to
Table functions
Feedback
Was this page helpful? Yes No
JoinSide.Type
Article • 09/11/2023
Definition
Specifies the left or right table of a join.
Allowed values
Name Value Description
Applies to
Table functions
Feedback
Was this page helpful? Yes No
LimitClauseKind.Type
Article • 09/11/2023
Definition
Describes the type of limit clause supported by the SQL dialect used by this data source.
Allowed values
Name Value Description
Applies to
Accessing data functions
Feedback
Was this page helpful? Yes No
MissingField.Type
Article • 09/11/2023
Definition
Specifies the expected action for missing values in a row that contains columns less than
expected.
Allowed values
Name Value Description
MissingField.Error 0 Indicates that missing fields should result in an error. (This is the
default value.)
Applies to
Record functions
Table functions
Feedback
Was this page helpful? Yes No
Occurrence.Type
Article • 09/11/2023
Definition
Specifies the occurrence of an element in a sequence.
Allowed values
Name Value Description
Occurrence.Optional 0 The item is expected to appear zero or one time in the input.
Provided for backward compatibility in binary functions. In this
case, use BinaryOccurrence.Optional instead.
Occurrence.Required 1 The item is expected to appear once in the input. Provided for
backward compatibility in binary functions. In this case, use
BinaryOccurrence.Required instead.
Occurrence.Repeating 2 The item is expected to appear zero or more times in the input.
Provided for backward compatibility in binary functions. In this
case, use BinaryOccurrence.Repeating instead.
Applies to
Table functions
Text functions
Feedback
Was this page helpful? Yes No
ODataOmitValues.Type
Article • 09/11/2023
Definition
Specifies the kinds of values an OData service can omit.
Allowed values
Name Value Description
Applies to
Accessing data functions
Feedback
Was this page helpful? Yes No
Order.Type
Article • 09/11/2023
Definition
Specifies the direction of sorting.
Allowed values
Name Value Description
Applies to
Table functions
Feedback
Was this page helpful? Yes No
PercentileMode.Type
Article • 09/11/2023
Definition
Specifies the percentile mode type.
Allowed values
Name Value Description
Applies to
List functions
Feedback
Was this page helpful? Yes No
Precision.Type
Article • 09/11/2023
Definition
Specifies the precision of comparison.
Allowed values
Name Value Description
Applies to
Value functions
Feedback
Was this page helpful? Yes No
QuoteStyle.Type
Article • 09/11/2023
Definition
Specifies the quote style.
Allowed values
Name Value Description
QuoteStyle.Csv 1 Quote characters indicate the start of a quoted string. Nested quotes
are indicated by two quote characters.
Applies to
Splitter functions
Feedback
Was this page helpful? Yes No
RankKind.Type
Article • 09/11/2023
Definition
Specifies the precise ranking method.
Allowed values
Name Value Description
RankKind.Ordinal 2 All items are given a unique ranking number even if they
compare as equal.
Applies to
Table functions
Feedback
Was this page helpful? Yes No
RelativePosition.Type
Article • 09/11/2023
Definition
Indicates whether indexing should be done from the start or end of the input.
Allowed values
Name Value Description
Applies to
Text functions
Feedback
Was this page helpful? Yes No
RoundingMode.Type
Article • 09/11/2023
Definition
Specifies rounding direction when there is a tie between the possible numbers to round
to.
Allowed values
Name Value Description
RoundingMode.AwayFromZero 2 Round away from zero when there is a tie between the
possible numbers to round to.
Applies to
List functions
Feedback
Was this page helpful? Yes No
SapBusinessWarehouseExecutionMode.
Type
Article • 09/11/2023
Definition
Specifies valid options for SAP Business Warehouse execution mode option.
Allowed values
Name Value Description
Applies to
Accessing data functions
Feedback
Was this page helpful? Yes No
SapHanaDistribution.Type
Article • 09/11/2023
Definition
Specifies valid options for SAP HANA distribution option.
Allowed values
Name Value Description
Applies to
Accessing data functions
Feedback
Was this page helpful? Yes No
SapHanaRangeOperator.Type
Article • 09/11/2023
Definition
Specifies a range operator for SAP HANA range input parameters.
Allowed values
Name Value Description
Applies to
Accessing data functions
Feedback
Was this page helpful? Yes No
TextEncoding.Type
Article • 09/11/2023
Definition
Specifies the text encoding type.
Allowed values
Name Value Description
TextEncoding.Utf16 1200 Use to choose the UTF16 little endian binary form.
TextEncoding.Unicode 1200 Use to choose the UTF16 little endian binary form.
TextEncoding.BigEndianUnicode 1201 Use to choose the UTF16 big endian binary form.
Applies to
Text functions
Feedback
Was this page helpful? Yes No
TraceLevel.Type
Article • 09/11/2023
Definition
Specifies the trace level.
Allowed values
Name Value Description
Applies to
Error handling
Feedback
Was this page helpful? Yes No
WebMethod.Type
Article • 09/11/2023
Definition
Specifies an HTTP method.
Allowed values
Name Value Description
Remarks
These fields only work in the context of custom connectors.
Applies to
Accessing data functions
Feedback
Was this page helpful? Yes No
Constants
Article • 09/11/2023
List of constants
Name Description
See also
Number functions
Feedback
Was this page helpful? Yes No
Number.E
Article • 09/11/2023
About
A constant that represents 2.7182818284590451, the value for e up to 16 decimal digits.
Feedback
Was this page helpful? Yes No
Number.Epsilon
Article • 09/11/2023
About
A constant value that represents the smallest positive number a floating-point number
can hold.
Feedback
Was this page helpful? Yes No
Number.NaN
Article • 09/11/2023
About
A constant value that represents 0 divided by 0.
Feedback
Was this page helpful? Yes No
Number.NegativeInfinity
Article • 09/11/2023
About
A constant value that represents -1 divided by 0.
Feedback
Was this page helpful? Yes No
Number.PI
Article • 09/11/2023
About
A constant that represents 3.1415926535897932, the value for pi up to 16 decimal
digits.
Feedback
Was this page helpful? Yes No
Number.PositiveInfinity
Article • 09/11/2023
About
A constant value that represents 1 divided by 0.
Feedback
Was this page helpful? Yes No
Dynamic values
Article • 09/11/2023
Culture.Current Returns the name of the current culture for the application.
TimeZone.Current Returns the name of the current time zone for the application.
See also
Comparer functions
DateTimeZone functions
Feedback
Was this page helpful? Yes No
Culture.Current
Article • 09/11/2023
About
Returns the name of the current culture for the application.
Feedback
Was this page helpful? Yes No
TimeZone.Current
Article • 09/11/2023
About
Returns the name of the current time zone for the application.
Feedback
Was this page helpful? Yes No