This is the multi-page printable view of this section. Click here to print.

Return to the regular view of this page.

Scalar operators

1 - Bitwise (binary) operators

This article lists the bitwise (binary) operators supported in the Kusto Query Language.

Kusto support several bitwise (binary) operators between integers:

2 - Datetime / timespan arithmetic

This article describes Datetime / timespan arithmetic.

Kusto supports performing arithmetic operations on values of types datetime and timespan.

Supported operations

  • One can subtract (but not add) two datetime values to get a timespan value expressing their difference. For example, datetime(1997-06-25) - datetime(1910-06-11) is how old was Jacques-Yves Cousteau when he died.

  • One can add or subtract two timespan values to get a timespan value which is their sum or difference. For example, 1d + 2d is three days.

  • One can add or subtract a timespan value from a datetime value. For example, datetime(1910-06-11) + 1d is the date Cousteau turned one day old.

  • One can divide two timespan values to get their quotient. For example, 1d / 5h gives 4.8. This gives one the ability to express any timespan value as a multiple of another timespan value. For example, to express an hour in seconds, simply divide 1h by 1s: 1h / 1s (with the obvious result, 3600).

  • Conversely, one can multiple a numeric value (such as double and long) by a timespan value to get a timespan value. For example, one can express an hour and a half as 1.5 * 1h.

Examples

Unix time, which is also known as POSIX time or UNIX Epoch time, is a system for describing a point in time as the number of seconds that have elapsed since 00:00:00 Thursday, 1 January 1970, Coordinated Universal Time (UTC), minus leap seconds.

If your data includes representation of Unix time as an integer, or you require converting to it, the following functions are available.

From Unix time

let fromUnixTime = (t: long) { 
    datetime(1970-01-01) + t * 1sec 
};
print result = fromUnixTime(1546897531)

Output

result
2019-01-07 21:45:31.0000000

To Unix time

let toUnixTime = (dt: datetime) { 
    (dt - datetime(1970-01-01)) / 1s 
};
print result = toUnixTime(datetime(2019-01-07 21:45:31.0000000))

Output

result
1546897531

For unix-epoch time conversions, see the following functions:

3 - Logical (binary) operators

Learn how to use Logical (binary) operators to return a Boolean result.

The following logical operators can be used to perform comparisons and evaluations:

Operator nameSyntaxMeaning
Equality==Returns true if both operands are non-null and equal to each other. Otherwise, returns false.
Inequality!=Returns true if any of the operands are null or if the operands aren’t equal to each other. Otherwise, returns false.
Logical andandReturns true only if both operands are true. The logical and has higher precedence than the logical or.
Logical ororReturns true if either of the operands is true, regardless of the other operand.

How logical operators work with null values

Null values adhere to the following rules:

OperationResult
bool(null) == bool(null)false
bool(null) != bool(null)false
bool(null) and truefalse
bool(null) or truetrue

Examples

Equality

The following query returns a count of all storm events where the event type is “Tornado”.

StormEvents
| where EventType == "Tornado"
| count

Output

Count
1238

Inequality

The following query returns a count of all storm events where the event type isn’t “Tornado”.

StormEvents
| where EventType != "Tornado"
| count

Output

Count
57828

Logical and

The following query returns a count of all storm events where the event type is “Tornado” and the state is “KANSAS”.

StormEvents
| where EventType == "Tornado" and State == "KANSAS"
| count

Output

Count
161

Logical or

The following query returns a count of all storm events where the event type is “Tornado” or “Thunderstorm Wind”.

StormEvents
| where EventType == "Tornado" or EventType == "Thunderstorm Wind"
| count

Output

Count
14253

Null values

The following query shows that null values are treated as false.

print print=iff(bool(null) and true, true, false)

Output

print
false

4 - Numerical operators

Learn how to use numerical operators to calculate the value from two or more numbers.

The types int, long, and real represent numerical types. The following operators can be used between pairs of these types:

OperatorDescriptionExample
+Add3.14 + 3.14, ago(5m) + 5m
-Subtract0.23 - 0.22,
*Multiply1s * 5, 2 * 2
/Divide10m / 1s, 4 / 2
%Modulo4 % 2
<Less1 < 10, 10sec < 1h, now() < datetime(2100-01-01)
>Greater0.23 > 0.22, 10min > 1sec, now() > ago(1d)
==Equals1 == 1
!=Not equals1 != 0
<=Less or Equal4 <= 5
>=Greater or Equal5 >= 4
inEquals to one of the elementssee here
!inNot equals to any of the elementssee here

Type rules for arithmetic operations

The data type of the result of an arithmetic operation is determined by the data types of the operands. If one of the operands is of type real, the result will be of type real. If both operands are of integer types (int or long), the result will be of type long.

Due to these rules, the result of division operations that only involve integers will be truncated to an integer, which might not always be what you want. To avoid truncation, convert at least one of the integer values to real using the todouble() before performing the operation.

The following examples illustrate how the operand types affect the result type in division operations.

OperationResultDescription
1.0 / 20.5One of the operands is of type real, so the result is real.
1 / 2.00.5One of the operands is of type real, so the result is real.
1 / 20Both of the operands are of type int, so the result is int. Integer division occurs and the decimal is truncated, resulting in 0 instead of 0.5, as one might expect.
real(1) / 20.5To avoid truncation due to integer division, one of the int operands was first converted to real using the real() function.

Comment about the modulo operator

The modulo of two numbers always returns in Kusto a “small non-negative number”. Thus, the modulo of two numbers, N % D, is such that: 0 ≤ (N % D) < abs(D).

For example, the following query:

print plusPlus = 14 % 12, minusPlus = -14 % 12, plusMinus = 14 % -12, minusMinus = -14 % -12

Produces this result:

plusPlusminusPlusplusMinusminusMinus
210210

5 - Between operators

5.1 - The !between operator

Learn how to use the !between operator to match the input that is outside of the inclusive range.

Matches the input that is outside of the inclusive range.

!between can operate on any numeric, datetime, or timespan expression.

Syntax

T | where expr !between (leftRange..rightRange)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be matched.
exprscalar✔️The expression to filter.
leftRangeint, long, real, or datetime✔️The expression of the left range. The range is inclusive.
rightRangeint, long, real, datetime, or timespan✔️The expression of the right range. The range is inclusive.

This value can only be of type timespan if expr and leftRange are both of type datetime. See example.

Returns

Rows in T for which the predicate of (expr < leftRange or expr > rightRange) evaluates to true.

Examples

Filter numeric values

range x from 1 to 10 step 1
| where x !between (5 .. 9)

Output

x
1
2
3
4
10

Filter datetime

StormEvents
| where StartTime !between (datetime(2007-07-27) .. datetime(2007-07-30))
| count 

Output

Count
58590

Filter datetime using a timespan range

StormEvents
| where StartTime !between (datetime(2007-07-27) .. 3d)
| count 

Output

Count
58590

5.2 - The between operator

Learn how to use the between operator to return a record set of values in an inclusive range for which the predicate evaluates to true.

Filters a record set for data matching the values in an inclusive range.

between can operate on any numeric, datetime, or timespan expression.

Syntax

T | where expr between (leftRange..rightRange)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be matched. For example, the table name.
exprscalar✔️The expression used to filter.
leftRangeint, long, real, or datetime✔️The expression of the left range. The range is inclusive.
rightRangeint, long, real, datetime, or timespan✔️The expression of the right range. The range is inclusive.

This value can only be of type timespan if expr and leftRange are both of type datetime. See example.

Returns

Rows in T for which the predicate of (expr >= leftRange and expr <= rightRange) evaluates to true.

Examples

Filter numeric values

range x from 1 to 100 step 1
| where x between (50 .. 55)

Output

x
50
51
52
53
54
55

Filter by date

StormEvents
| where StartTime between (datetime(2007-07-27) .. datetime(2007-07-30))
| count

Output

Count
476

Filter by date and time

StormEvents
| where StartTime between (datetime(2007-12-01T01:30:00) .. datetime(2007-12-01T08:00:00))
| count

Output

Count
301

Filter using a timespan range

StormEvents
| where StartTime between (datetime(2007-07-27) .. 3d)
| count

Output

Count
476

6 - in operators

6.1 - The case-insensitive !in~ string operator

Learn how to use the !in~ string operator to filter records for data without a case-insensitive string.

Filters a record set for data without a case-insensitive string.

Performance tips

When possible, use the case-sensitive !in.

Syntax

T | where col !in~ (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search will consider up to 1,000,000 distinct values.

Returns

Rows in T for which the predicate is true.

Example

List of scalars

The following query shows how to use !in~ with a comma-separated list of scalar values.

StormEvents 
| where State !in~ ("Florida", "Georgia", "New York") 
| count

Output

Count
54,291

Dynamic array

The following query shows how to use !in~ with a dynamic array.

StormEvents 
| where State !in~ (dynamic(["Florida", "Georgia", "New York"])) 
| count

Output

Count
54291

The same query can also be written with a let statement.

let states = dynamic(["Florida", "Georgia", "New York"]);
StormEvents 
| where State !in~ (states)
| summarize count() by State

Output

Count
54291

Tabular expression

The following query shows how to use !in~ with an inline tabular expression. Notice that an inline tabular expression must be enclosed with double parentheses.

StormEvents 
| where State !in~ (PopulationData | where Population > 5000000 | project State)
| summarize count() by State

Output

Statecount_
KANSAS3166
IOWA2337
NEBRASKA1766
OKLAHOMA1716
SOUTH DAKOTA1567

The same query can also be written with a let statement. Notice that the double parentheses as provided in the last example aren’t necessary in this case.

let large_states = PopulationData | where Population > 5000000 | project State;
StormEvents 
| where State !in~ (large_states)
| summarize count() by State

Output

Statecount_
KANSAS3166
IOWA2337
NEBRASKA1766
OKLAHOMA1716
SOUTH DAKOTA1567

6.2 - The case-insensitive in~ string operator

Learn how to use the in~ operator to filter data with a case-insensitive string.

Filters a record set for data with a case-insensitive string.

Performance tips

When possible, use the case-sensitive in.

Syntax

T | where col in~ (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search will consider up to 1,000,000 distinct values.

Returns

Rows in T for which the predicate is true.

Examples

List of scalars

The following query shows how to use in~ with a comma-separated list of scalar values.

StormEvents 
| where State in~ ("FLORIDA", "georgia", "NEW YORK") 
| count

Output

Count
4775

Dynamic array

The following query shows how to use in~ with a dynamic array.

StormEvents 
| where State in~ (dynamic(["FLORIDA", "georgia", "NEW YORK"])) 
| count

Output

Count
4775

The same query can also be written with a let statement.

let states = dynamic(["FLORIDA", "georgia", "NEW YORK"]);
StormEvents 
| where State has_any (states)
| summarize count() by State

Output

Count
4775

Tabular expression

The following query shows how to use in~ with an inline tabular expression. Notice that an inline tabular expression must be enclosed with double parentheses.

StormEvents 
| where State in~ (PopulationData | where Population > 5000000 | project State)
| summarize count() by State

Output

Statecount_
TEXAS4701
ILLINOIS2022
MISSOURI2016
GEORGIA1983
MINNESOTA1881

The same query can also be written with a let statement. Notice that the double parentheses as provided in the last example aren’t necessary in this case.

let large_states = PopulationData | where Population > 5000000 | project State;
StormEvents 
| where State in~ (large_states)
| summarize count() by State

Output

Statecount_
TEXAS4701
ILLINOIS2022
MISSOURI2016
GEORGIA1983
MINNESOTA1881

6.3 - The case-sensitive !in string operator

Learn how to use the !in string operator to filter records for data without a case-sensitive string.

Filters a record set for data without a case-sensitive string.

Performance tips

Syntax

T | where col !in (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search will consider up to 1,000,000 distinct values.

Returns

Rows in T for which the predicate is true.

Example

List of scalars

The following query shows how to use !in with a comma-separated list of scalar values.

StormEvents 
| where State !in ("FLORIDA", "GEORGIA", "NEW YORK") 
| count

Output

Count
54291

Dynamic array

The following query shows how to use !in with a dynamic array.

StormEvents 
| where State !in (dynamic(["FLORIDA", "GEORGIA", "NEW YORK"])) 
| count

Output

Count
54291

The same query can also be written with a let statement.

let states = dynamic(["FLORIDA", "GEORGIA", "NEW YORK"]);
StormEvents 
| where State !in (states)
| summarize count() by State

Output

Count
54291

Tabular expression

The following query shows how to use !in with an inline tabular expression. Notice that an inline tabular expression must be enclosed with double parentheses.

StormEvents 
| where State !in (PopulationData | where Population > 5000000 | project State)
| summarize count() by State

Output

StateCount
KANSAS3166
IOWA2337
NEBRASKA1766
OKLAHOMA1716
SOUTH DAKOTA1567

The same query can also be written with a let statement. Notice that the double parentheses as provided in the last example aren’t necessary in this case.

let large_states = PopulationData | where Population > 5000000 | project State;
StormEvents 
| where State !in (large_states)
| summarize count() by State

Output

StateCount
KANSAS3166
IOWA2337
NEBRASKA1766
OKLAHOMA1716
SOUTH DAKOTA1567

6.4 - The case-sensitive in string operator

Learn how to use the in operator to filter data with a case-sensitive string.

Filters a record set for data with a case-sensitive string.

Performance tips

Syntax

T | where col in (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search considers up to 1,000,000 distinct values.

Returns

Rows in T for which the predicate is true.

Examples

List of scalars

The following query shows how to use in with a list of scalar values.

StormEvents 
| where State in ("FLORIDA", "GEORGIA", "NEW YORK") 
| count

Output

Count
4775

Dynamic array

The following query shows how to use in with a dynamic array.

let states = dynamic(['FLORIDA', 'ATLANTIC SOUTH', 'GEORGIA']);
StormEvents 
| where State in (states)
| count

Output

Count
3218

Tabular expression

The following query shows how to use in with a tabular expression.

let Top_5_States = 
    StormEvents
    | summarize count() by State
    | top 5 by count_; 
StormEvents 
| where State in (Top_5_States) 
| count

The same query can be written with an inline tabular expression statement.

StormEvents 
| where State in (
    StormEvents
    | summarize count() by State
    | top 5 by count_
    ) 
| count

Output

Count
14242

Top with other example

The following example identifies the top five states with lightning events and uses the iff() function and in operator to classify lightning events by the top five states, labeled by state name, and all others labeled as “Other.”

let Lightning_By_State = materialize(StormEvents
    | summarize lightning_events = countif(EventType == 'Lightning') by State);
let Top_5_States = Lightning_By_State | top 5 by lightning_events | project State; 
Lightning_By_State
| extend State = iff(State in (Top_5_States), State, "Other")
| summarize sum(lightning_events) by State 

Output

Statesum_lightning_events
ALABAMA29
WISCONSIN31
TEXAS55
FLORIDA85
GEORGIA106
Other415

Use a static list returned by a function

The following example counts events from the StormEvents table based on a predefined list of interesting states. The interesting states are defined by the InterestingStates() function.

StormEvents 
| where State in (InterestingStates()) 
| count

Output

Count
4775

The following query displays which states are considered interesting by the InterestingStates() function.

.show function InterestingStates

Output

NameParametersBodyFolderDocString
InterestingStates(){ dynamic([“WASHINGTON”, “FLORIDA”, “GEORGIA”, “NEW YORK”]) }

7 - String operators

7.1 - matches regex operator

Learn how to use the matches regex string operator to filter a record set based on a case-sensitive regex value.

Filters a record set based on a case-sensitive regular expression value.

For more information about other operators and to determine which operator is most appropriate for your query, see datatype string operators.

Syntax

T | where col matches regex (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
colstring✔️The column by which to filter.
expressionscalar✔️The regular expression /Query/Data%20types/real.md used to filter. The maximum number of regex groups is 16. For more information about the regex syntax supported by Kusto, see regular expression.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State matches regex "K.*S"
| where event_count > 10
| project State, event_count

Output

Stateevent_count
KANSAS3166
ARKANSAS1028
LAKE SUPERIOR34
LAKE ST CLAIR32

7.2 - String operators

Learn about query operators for searching string data types.

Kusto Query Language (KQL) offers various query operators for searching string data types. The following article describes how string terms are indexed, lists the string query operators, and gives tips for optimizing performance.

Understanding string terms

Kusto indexes all columns, including columns of type string. Multiple indexes are built for such columns, depending on the actual data. These indexes aren’t directly exposed, but are used in queries with the string operators that have has as part of their name, such as has, !has, hasprefix, !hasprefix. The semantics of these operators are dictated by the way the column is encoded. Instead of doing a “plain” substring match, these operators match terms.

What is a term?

By default, each string value is broken into maximal sequences of alphanumeric characters, and each of those sequences is made into a term.

For example, in the following string, the terms are Kusto, KustoExplorerQueryRun, and the following substrings: ad67d136, c1db, 4f9f, 88ef, d94f3b6b0b5a.

Kusto: ad67d136-c1db-4f9f-88ef-d94f3b6b0b5a;KustoExplorerQueryRun

Kusto builds a term index consisting of all terms that are three characters or more, and this index is used by string operators such as has, !has, and so on. If the query looks for a term that is smaller than three characters, or uses a contains operator, then the query will revert to scanning the values in the column. Scanning is much slower than looking up the term in the term index.

Operators on strings

The following abbreviations are used in this article:

  • RHS = right hand side of the expression
  • LHS = left hand side of the expression

Operators with an _cs suffix are case sensitive.

OperatorDescriptionCase-SensitiveExample (yields true)
==EqualsYes"aBc" == "aBc"
!=Not equalsYes"abc" != "ABC"
=~EqualsNo"abc" =~ "ABC"
!~Not equalsNo"aBc" !~ "xyz"
containsRHS occurs as a subsequence of LHSNo"FabriKam" contains "BRik"
!containsRHS doesn’t occur in LHSNo"Fabrikam" !contains "xyz"
contains_csRHS occurs as a subsequence of LHSYes"FabriKam" contains_cs "Kam"
!contains_csRHS doesn’t occur in LHSYes"Fabrikam" !contains_cs "Kam"
endswithRHS is a closing subsequence of LHSNo"Fabrikam" endswith "Kam"
!endswithRHS isn’t a closing subsequence of LHSNo"Fabrikam" !endswith "brik"
endswith_csRHS is a closing subsequence of LHSYes"Fabrikam" endswith_cs "kam"
!endswith_csRHS isn’t a closing subsequence of LHSYes"Fabrikam" !endswith_cs "brik"
hasRight-hand-side (RHS) is a whole term in left-hand-side (LHS)No"North America" has "america"
!hasRHS isn’t a full term in LHSNo"North America" !has "amer"
has_allSame as has but works on all of the elementsNo"North and South America" has_all("south", "north")
has_anySame as has but works on any of the elementsNo"North America" has_any("south", "north")
has_csRHS is a whole term in LHSYes"North America" has_cs "America"
!has_csRHS isn’t a full term in LHSYes"North America" !has_cs "amer"
hasprefixRHS is a term prefix in LHSNo"North America" hasprefix "ame"
!hasprefixRHS isn’t a term prefix in LHSNo"North America" !hasprefix "mer"
hasprefix_csRHS is a term prefix in LHSYes"North America" hasprefix_cs "Ame"
!hasprefix_csRHS isn’t a term prefix in LHSYes"North America" !hasprefix_cs "CA"
hassuffixRHS is a term suffix in LHSNo"North America" hassuffix "ica"
!hassuffixRHS isn’t a term suffix in LHSNo"North America" !hassuffix "americ"
hassuffix_csRHS is a term suffix in LHSYes"North America" hassuffix_cs "ica"
!hassuffix_csRHS isn’t a term suffix in LHSYes"North America" !hassuffix_cs "icA"
inEquals to any of the elementsYes"abc" in ("123", "345", "abc")
!inNot equals to any of the elementsYes"bca" !in ("123", "345", "abc")
in~Equals to any of the elementsNo"Abc" in~ ("123", "345", "abc")
!in~Not equals to any of the elementsNo"bCa" !in~ ("123", "345", "ABC")
matches regexLHS contains a match for RHSYes"Fabrikam" matches regex "b.*k"
startswithRHS is an initial subsequence of LHSNo"Fabrikam" startswith "fab"
!startswithRHS isn’t an initial subsequence of LHSNo"Fabrikam" !startswith "kam"
startswith_csRHS is an initial subsequence of LHSYes"Fabrikam" startswith_cs "Fab"
!startswith_csRHS isn’t an initial subsequence of LHSYes"Fabrikam" !startswith_cs "fab"

Performance tips

For better performance, when there are two operators that do the same task, use the case-sensitive one. For example:

  • Use ==, not =~
  • Use in, not in~
  • Use hassuffix_cs, not hassuffix

For faster results, if you’re testing for the presence of a symbol or alphanumeric word that is bound by non-alphanumeric characters, or the start or end of a field, use has or in. has works faster than contains, startswith, or endswith.

To search for IPv4 addresses or their prefixes, use one of special operators on IPv4 addresses, which are optimized for this purpose.

For more information, see Query best practices.

For example, the first of these queries will run faster:

StormEvents | where State has "North" | count;
StormEvents | where State contains "nor" | count

Operators on IPv4 addresses

The following group of operators provide index accelerated search on IPv4 addresses or their prefixes.

OperatorDescriptionExample (yields true)
has_ipv4LHS contains IPv4 address represented by RHShas_ipv4("Source address is 10.1.2.3:1234", "10.1.2.3")
has_ipv4_prefixLHS contains an IPv4 address that matches a prefix represented by RHShas_ipv4_prefix("Source address is 10.1.2.3:1234", "10.1.2.")
has_any_ipv4LHS contains one of IPv4 addresses provided by RHShas_any_ipv4("Source address is 10.1.2.3:1234", dynamic(["10.1.2.3", "127.0.0.1"]))
has_any_ipv4_prefixLHS contains an IPv4 address that matches one of prefixes provided by RHShas_any_ipv4_prefix("Source address is 10.1.2.3:1234", dynamic(["10.1.2.", "127.0.0."]))

7.3 - The case-insensitive !~ (not equals) string operator

Learn how to use the !~ (not equals) string operator to filter records for data that doesn’t match a case-insensitive string.

Filters a record set for data that doesn’t match a case-insensitive string.

The following table provides a comparison of the == (equals) operators:

OperatorDescriptionCase-SensitiveExample (yields true)
==EqualsYes"aBc" == "aBc"
!=Not equalsYes"abc" != "ABC"
=~EqualsNo"abc" =~ "ABC"
!~Not equalsNo"aBc" !~ "xyz"

For more information about other operators and to determine which operator is most appropriate for your query, see datatype string operators.

Performance tips

When possible, use the case-sensitive !=.

Syntax

T | where column !~ (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where (State !~ "texas") and (event_count > 3000)
| project State, event_count

Output

Stateevent_count
KANSAS3,166

7.4 - The case-insensitive !contains string operator

Learn how to use the !contains string operator to filter data that doesn’t include a case sensitive string.

Filters a record set for data that doesn’t include a case-sensitive string. !contains searches for characters rather than terms of three or more characters. The query scans the values in the column, which is slower than looking up a term in a term index.

Performance tips

When possible, use the case-sensitive !contains_cs.

Use !has if you’re looking for a term.

Syntax

Case insensitive syntax

T | where Column !contains (Expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
Columnstring✔️The column by which to filter.
Expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State !contains "kan"
| where event_count > 3000
| project State, event_count

Output

Stateevent_count
TEXAS4701

7.5 - The case-insensitive !endswith string operator

Learn how to use the !endswith string operator to filter records for data that excludes a case-insensitive ending string.

Filters a record set for data that excludes a case-insensitive ending string.

Performance tips

When possible, use the case-sensitive !endswith_cs.

Syntax

T | where col !endswith (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
colstring✔️The column to filter.
expressionstring✔️The expression used to filter.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize Events=count() by State
| where State !endswith "is"
| where Events > 2000
| project State, Events

Output

StateEvents
TEXAS4701
KANSAS3166
IOWA2337
MISSOURI2016

7.6 - The case-insensitive !has string operators

Learn how to use the !has string operator to filter records for data that doesn’t have a matching case-insensitive string.

Filters a record set for data that doesn’t have a matching case-insensitive string. !has searches for indexed terms, where an indexed term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

Performance tips

When possible, use the case-sensitive !has_cs.

Syntax

T | where column !has (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State !has "NEW"
| where event_count > 3000
| project State, event_count

Output

Stateevent_count
TEXAS4,701
KANSAS3,166

7.7 - The case-insensitive !hasprefix string operator

Learn how to use the !hasprefix operator to filter records for data that doesn’t include a case-insensitive prefix.

Filters a record set for data that doesn’t include a case-insensitive starting string.

For best performance, use strings of three characters or more. !hasprefix searches for indexed terms, where an indexed term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

Performance tips

When possible, use the case-sensitive !hasprefix_cs.

Syntax

T | where Column !hasprefix (Expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
Columnstring✔️The column used to filter.
Expressionstring✔️The expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State !hasprefix "N"
| where event_count > 2000
| project State, event_count
Stateevent_count
TEXAS4701
KANSAS3166
IOWA2337
ILLINOIS2022
MISSOURI2016

7.8 - The case-insensitive !hassuffix string operator

Learn how to use the !hassuffix string operator to filter records for data that doesn’t have a case-insensitive suffix.

Filters a record set for data that doesn’t have a case-insensitive ending string. !hassuffix returns true if there’s no term inside string column ending with the specified string expression.

Performance tips

When possible, use !hassuffix_cs - a case-sensitive version of the operator.

Syntax

T | where column !hassuffix (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State !hassuffix "A"
| where event_count > 2000
| project State, event_count

Output

Stateevent_count
TEXAS4701
KANSAS3166
ILLINOIS2022
MISSOURI2016

7.9 - The case-insensitive !in~ string operator

Learn how to use the !in~ string operator to filter records for data without a case-insensitive string.

Filters a record set for data without a case-insensitive string.

Performance tips

When possible, use the case-sensitive !in.

Syntax

T | where col !in~ (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search will consider up to 1,000,000 distinct values.

Returns

Rows in T for which the predicate is true.

Example

List of scalars

The following query shows how to use !in~ with a comma-separated list of scalar values.

StormEvents 
| where State !in~ ("Florida", "Georgia", "New York") 
| count

Output

Count
54,291

Dynamic array

The following query shows how to use !in~ with a dynamic array.

StormEvents 
| where State !in~ (dynamic(["Florida", "Georgia", "New York"])) 
| count

Output

Count
54291

The same query can also be written with a let statement.

let states = dynamic(["Florida", "Georgia", "New York"]);
StormEvents 
| where State !in~ (states)
| summarize count() by State

Output

Count
54291

Tabular expression

The following query shows how to use !in~ with an inline tabular expression. Notice that an inline tabular expression must be enclosed with double parentheses.

StormEvents 
| where State !in~ (PopulationData | where Population > 5000000 | project State)
| summarize count() by State

Output

Statecount_
KANSAS3166
IOWA2337
NEBRASKA1766
OKLAHOMA1716
SOUTH DAKOTA1567

The same query can also be written with a let statement. Notice that the double parentheses as provided in the last example aren’t necessary in this case.

let large_states = PopulationData | where Population > 5000000 | project State;
StormEvents 
| where State !in~ (large_states)
| summarize count() by State

Output

Statecount_
KANSAS3166
IOWA2337
NEBRASKA1766
OKLAHOMA1716
SOUTH DAKOTA1567

7.10 - The case-insensitive !startswith string operators

Learn how to use the !startswith string operator to filter records for data that doesn’t start with a case-insensitive search string.

Filters a record set for data that doesn’t start with a case-insensitive search string.

Performance tips

When possible, use the case-sensitive !startswith_cs.

Syntax

T | where column !startswith (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State !startswith "i"
| where event_count > 2000
| project State, event_count

Output

Stateevent_count
TEXAS4701
KANSAS3166
MISSOURI2016

7.11 - The case-insensitive =~ (equals) string operator

Learn how to use the =~ (equals) operator to filter a record set for data with a case-insensitive string.

Filters a record set for data with a case-insensitive string.

The following table provides a comparison of the == (equals) operators:

OperatorDescriptionCase-SensitiveExample (yields true)
==EqualsYes"aBc" == "aBc"
!=Not equalsYes"abc" != "ABC"
=~EqualsNo"abc" =~ "ABC"
!~Not equalsNo"aBc" !~ "xyz"

For more information about other operators and to determine which operator is most appropriate for your query, see datatype string operators.

Performance tips

When possible, use == - a case-sensitive version of the operator.

Syntax

T | where col =~ (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
colstring✔️The column to filter.
expressionstring✔️The expression used to filter.

Returns

Rows in T for which the predicate is true.

Example

The State values in the StormEvents table are capitalized. The following query matches columns with the value “KANSAS”.

StormEvents
| where State =~ "kansas"
| project EventId, State

The following table only shows the first 10 results. To see the full output, run the query.

EventIdState
70787KANSAS
43450KANSAS
43451KANSAS
38844KANSAS
18463KANSAS
18464KANSAS
18495KANSAS
43466KANSAS
43467KANSAS
43470KANSAS

7.12 - The case-insensitive contains string operator

Learn how to use the contains operator to filter a record set for data containing a case-insensitive string.

Filters a record set for data containing a case-insensitive string. contains searches for arbitrary sub-strings rather than terms.

Performance tips

When possible, use contains_cs - a case-sensitive version of the operator.

If you’re looking for a term, use has for faster results.

Syntax

T | where col contains_cs (string)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
colstring✔️The name of the column to check for string.
stringstring✔️The case-sensitive string by which to filter the data.

Returns

Rows in T for which string is in col.

Example

StormEvents
| summarize event_count=count() by State
| where State contains "enn"
| where event_count > 10
| project State, event_count
| render table

Output

Stateevent_count
PENNSYLVANIA1687
TENNESSEE1125

7.13 - The case-insensitive endswith string operator

Learn how to use the endswith operator to filter a record set for data with a case-insensitive string.

Filters a record set for data with a case-insensitive ending string.

Performance tips

For faster results, use the case-sensitive version of an operator. For example, use endswith_cs instead of endswith.

Syntax

T | where col endswith (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
colstring✔️The column to filter.
expressionstring✔️The expression used to filter.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize Events=count() by State
| where State endswith "sas"
| where Events > 10
| project State, Events

Output

StateEvents
KANSAS3166
ARKANSAS1028

7.14 - The case-insensitive has string operator

Learn how to use the has operator to filter data with a case-insensitive string.

Filters a record set for data with a case-insensitive string. has searches for indexed terms, where an indexed term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

Performance tips

When possible, use the case-sensitive has_cs.

Syntax

T | where Column has (Expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
Columnstring✔️The column used to filter the records.
Expressionscalar or tabular✔️An expression for which to search. If the value is a tabular expression and has multiple columns, the first column is used.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State has "New"
| where event_count > 10
| project State, event_count

Output

Stateevent_count
NEW YORK1,750
NEW JERSEY1,044
NEW MEXICO527
NEW HAMPSHIRE394

7.15 - The case-insensitive has_all string operator

Learn how to use the has_all string operator to filter a record set for data with one or more case-insensitive search strings.

Filters a record set for data with one or more case-insensitive search strings. has_all searches for indexed terms, where an indexed term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

For more information about other operators and to determine which operator is most appropriate for your query, see datatype string operators.

Syntax

T | where col has_all (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search will consider up to 256 distinct values.

Returns

Rows in T for which the predicate is true.

Examples

Set of scalars

The following query shows how to use has_all with a comma-separated set of scalar values.

StormEvents 
| where EpisodeNarrative has_all ("cold", "strong", "afternoon", "hail")
| summarize Count=count() by EventType
| top 3 by Count

Output

EventTypeCount
Thunderstorm Wind517
Hail392
Flash Flood24

Dynamic array

The same result can be achieved using a dynamic array notation.

StormEvents 
| where EpisodeNarrative has_all (dynamic(["cold", "strong", "afternoon", "hail"]))
| summarize Count=count() by EventType
| top 3 by Count

Output

EventTypeCount
Thunderstorm Wind517
Hail392
Flash Flood24

The same query can also be written with a let statement.

let criteria = dynamic(["cold", "strong", "afternoon", "hail"]);
StormEvents 
| where EpisodeNarrative has_all (criteria)
| summarize Count=count() by EventType
| top 3 by Count
EventTypeCount
Thunderstorm Wind517
Hail392
Flash Flood24

7.16 - The case-insensitive has_any string operator

Learn how to use the has_any operator to filter data with any set of case-insensitive strings.

Filters a record set for data with any set of case-insensitive strings. has_any searches for indexed terms, where an indexed term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

For more information about other operators and to determine which operator is most appropriate for your query, see datatype string operators.

Performance tips

Syntax

T | where col has_any (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search will consider up to 10,000 distinct values.

Returns

Rows in T for which the predicate is true.

Examples

List of scalars

The following query shows how to use has_any with a comma-separated list of scalar values.

StormEvents 
| where State has_any ("CAROLINA", "DAKOTA", "NEW") 
| summarize count() by State

Output

Statecount_
NEW YORK1750
NORTH CAROLINA1721
SOUTH DAKOTA1567
NEW JERSEY1044
SOUTH CAROLINA915
NORTH DAKOTA905
NEW MEXICO527
NEW HAMPSHIRE394

Dynamic array

The following query shows how to use has_any with a dynamic array.

StormEvents 
| where State has_any (dynamic(['south', 'north']))
| summarize count() by State

Output

Statecount_
NORTH CAROLINA1721
SOUTH DAKOTA1567
SOUTH CAROLINA915
NORTH DAKOTA905
ATLANTIC SOUTH193
ATLANTIC NORTH188

The same query can also be written with a let statement.

let areas = dynamic(['south', 'north']);
StormEvents 
| where State has_any (areas)
| summarize count() by State

Output

Statecount_
NORTH CAROLINA1721
SOUTH DAKOTA1567
SOUTH CAROLINA915
NORTH DAKOTA905
ATLANTIC SOUTH193
ATLANTIC NORTH188

Tabular expression

The following query shows how to use has_any with an inline tabular expression. Notice that an inline tabular expression must be enclosed with double parentheses.

StormEvents 
| where State has_any ((PopulationData | where Population > 5000000 | project State))
| summarize count() by State

Output

Statecount_
TEXAS4701
ILLINOIS2022
MISSOURI2016
GEORGIA1983
MINNESOTA1881

The same query can also be written with a let statement. Notice that the double parentheses as provided in the last example aren’t necessary in this case.

let large_states = PopulationData | where Population > 5000000 | project State;
StormEvents 
| where State has_any (large_states)
| summarize count() by State

Output

Statecount_
TEXAS4701
ILLINOIS2022
MISSOURI2016
GEORGIA1983
MINNESOTA1881

|…|…|

7.17 - The case-insensitive hasprefix string operator

Learn how to use the hasprefix operator to filter data with a case-insensitive string.

Filters a record set for data with a case-insensitive starting string.

For best performance, use strings of three characters or more. hasprefix searches for indexed terms, where a term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

Performance tips

When possible, use the case-sensitive hasprefix_cs.

Syntax

T | where Column hasprefix (Expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
Columnstring✔️The column used to filter.
Expressionstring✔️The expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State hasprefix "la"
| project State, event_count
Stateevent_count
LAKE MICHIGAN182
LAKE HURON63
LAKE SUPERIOR34
LAKE ST CLAIR32
LAKE ERIE27
LAKE ONTARIO8

7.18 - The case-insensitive hassuffix string operator

Learn how to use the hassuffix operator to filter data with a case-insensitive suffix string.

Filters a record set for data with a case-insensitive ending string. hassuffix returns true if there is a term inside the filtered string column ending with the specified string expression.

Performance tips

When possible, use the case-sensitive hassuffix_cs.

Syntax

T | where Column hassuffix (Expression)

Parameters

NameTypeRequiredDescription
TstringThe tabular input whose records are to be filtered.
ColumnstringThe column by which to filter.
ExpressionscalarThe scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State hassuffix "o"
| project State, event_count

Output

Stateevent_count
COLORADO1654
OHIO1233
GULF OF MEXICO577
NEW MEXICO527
IDAHO247
PUERTO RICO192
LAKE ONTARIO8

7.19 - The case-insensitive in~ string operator

Learn how to use the in~ operator to filter data with a case-insensitive string.

Filters a record set for data with a case-insensitive string.

Performance tips

When possible, use the case-sensitive in.

Syntax

T | where col in~ (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search will consider up to 1,000,000 distinct values.

Returns

Rows in T for which the predicate is true.

Examples

List of scalars

The following query shows how to use in~ with a comma-separated list of scalar values.

StormEvents 
| where State in~ ("FLORIDA", "georgia", "NEW YORK") 
| count

Output

Count
4775

Dynamic array

The following query shows how to use in~ with a dynamic array.

StormEvents 
| where State in~ (dynamic(["FLORIDA", "georgia", "NEW YORK"])) 
| count

Output

Count
4775

The same query can also be written with a let statement.

let states = dynamic(["FLORIDA", "georgia", "NEW YORK"]);
StormEvents 
| where State has_any (states)
| summarize count() by State

Output

Count
4775

Tabular expression

The following query shows how to use in~ with an inline tabular expression. Notice that an inline tabular expression must be enclosed with double parentheses.

StormEvents 
| where State in~ (PopulationData | where Population > 5000000 | project State)
| summarize count() by State

Output

Statecount_
TEXAS4701
ILLINOIS2022
MISSOURI2016
GEORGIA1983
MINNESOTA1881

The same query can also be written with a let statement. Notice that the double parentheses as provided in the last example aren’t necessary in this case.

let large_states = PopulationData | where Population > 5000000 | project State;
StormEvents 
| where State in~ (large_states)
| summarize count() by State

Output

Statecount_
TEXAS4701
ILLINOIS2022
MISSOURI2016
GEORGIA1983
MINNESOTA1881

7.20 - The case-insensitive startswith string operator

Learn how to use the case-insensitive startswith string operator to filter a record set with a case-insensitive string starting sequence.

Filters a record set for data with a case-insensitive string starting sequence.

Performance tips

When possible, use the case-sensitive startswith_cs.

Syntax

T | where col startswith (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column used to filter.
expressionstring✔️The expression by which to filter.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State startswith "Lo"
| where event_count > 10
| project State, event_count

Output

Stateevent_count
LOUISIANA463

7.21 - The case-sensitive != (not equals) string operator

Learn how to use the != (not equals) string operator to filter records for data that doesn’t match a case-sensitive string.

Filters a record set for data that doesn’t match a case-sensitive string.

The following table provides a comparison of the == (equals) operators:

OperatorDescriptionCase-SensitiveExample (yields true)
==EqualsYes"aBc" == "aBc"
!=Not equalsYes"abc" != "ABC"
=~EqualsNo"abc" =~ "ABC"
!~Not equalsNo"aBc" !~ "xyz"

For more information about other operators and to determine which operator is most appropriate for your query, see datatype string operators.

Performance tips

Syntax

T | where column != (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where (State != "FLORIDA") and (event_count > 4000)
| project State, event_count

Output

Stateevent_count
TEXAS4,701

7.22 - The case-sensitive !contains_cs string operator

Learn how to use the !contains_cs string operator to filter data that doesn’t include a case-sensitive string.

Filters a record set for data that doesn’t include a case-sensitive string. !contains_cs searches for characters rather than terms of three or more characters. The query scans the values in the column, which is slower than looking up a term in a term index.

Performance tips

If you’re looking for a term, use !has_cs for faster results.

Syntax

Case-sensitive syntax

T | where Column !contains_cs (Expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
Columnstring✔️The column by which to filter.
Expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Examples

StormEvents
| summarize event_count=count() by State
| where State !contains_cs "AS"
| count

Output

Count
59
StormEvents
| summarize event_count=count() by State
| where State !contains_cs "TEX"
| where event_count > 3000
| project State, event_count

Output

Stateevent_count
KANSAS3,166

7.23 - The case-sensitive !endswith_cs string operator

Learn how to use the !endswith_cs string operator to filter data that doesn’t contain a case-insensitive string.

Filters a record set for data that doesn’t contain a case-insensitive ending string.

Performance tips

Syntax

T | where col !endswith_cs (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
colstring✔️The column to filter.
expressionstring✔️The expression used to filter.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize Events=count() by State
| where State !endswith_cs "A"

The following table only shows the first 10 results. To see the full output, run the query.

StateEvents
TEXAS4701
KANSAS3166
ILLINOIS2022
MISSOURI2016
WISCONSIN1850
NEW YORK1750
COLORADO1654
MICHIGAN1637
KENTUCKY1391
OHIO1233

7.24 - The case-sensitive !has_cs string operator

Learn how to use the !has_cs string operator to filter records for data that doesn’t have a matching case-sensitive string.

Filters a record set for data that doesn’t have a matching case-sensitive string. !has_cs searches for indexed terms, where an indexed term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

Performance tips

Syntax

T | where column !has_cs (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State !has_cs "new"
| count

Output

Count
67

7.25 - The case-sensitive !hasprefix_cs string operator

Learn how to use the !hasprefix_cs string operator to filter records for data that doesn’t have a case-sensitive prefix.

Filters a record set for data that doesn’t have a case-sensitive starting string. !hasprefix_cs searches for indexed terms, where an indexed term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

OperatorDescriptionCase-SensitiveExample (yields true)
hasprefixRHS is a term prefix in LHSNo"North America" hasprefix "ame"
!hasprefixRHS isn’t a term prefix in LHSNo"North America" !hasprefix "mer"
hasprefix_csRHS is a term prefix in LHSYes"North America" hasprefix_cs "Ame"
!hasprefix_csRHS isn’t a term prefix in LHSYes"North America" !hasprefix_cs "CA"

For more information about other operators and to determine which operator is most appropriate for your query, see datatype string operators.

Performance tips

Syntax

T | where column !hasprefix_cs (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State !hasprefix_cs "P"
| count

Output

Count
64

7.26 - The case-sensitive !hassuffix_cs string operator

Learn how to use the !hassuffix_cs string operator to filter records for data that doesn’t have a case-sensitive suffix.

Filters a record set for data that doesn’t have a case-sensitive ending string. !hassuffix_cs returns true if there is no term inside string column ending with the specified string expression.

Performance tips

Syntax

T | where column !hassuffix_cs (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State !hassuffix_cs "AS"
| where event_count > 2000
| project State, event_count

Output

Stateevent_count
IOWA2337
ILLINOIS2022
MISSOURI2016

7.27 - The case-sensitive !in string operator

Learn how to use the !in string operator to filter records for data without a case-sensitive string.

Filters a record set for data without a case-sensitive string.

Performance tips

Syntax

T | where col !in (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search will consider up to 1,000,000 distinct values.

Returns

Rows in T for which the predicate is true.

Example

List of scalars

The following query shows how to use !in with a comma-separated list of scalar values.

StormEvents 
| where State !in ("FLORIDA", "GEORGIA", "NEW YORK") 
| count

Output

Count
54291

Dynamic array

The following query shows how to use !in with a dynamic array.

StormEvents 
| where State !in (dynamic(["FLORIDA", "GEORGIA", "NEW YORK"])) 
| count

Output

Count
54291

The same query can also be written with a let statement.

let states = dynamic(["FLORIDA", "GEORGIA", "NEW YORK"]);
StormEvents 
| where State !in (states)
| summarize count() by State

Output

Count
54291

Tabular expression

The following query shows how to use !in with an inline tabular expression. Notice that an inline tabular expression must be enclosed with double parentheses.

StormEvents 
| where State !in (PopulationData | where Population > 5000000 | project State)
| summarize count() by State

Output

StateCount
KANSAS3166
IOWA2337
NEBRASKA1766
OKLAHOMA1716
SOUTH DAKOTA1567

The same query can also be written with a let statement. Notice that the double parentheses as provided in the last example aren’t necessary in this case.

let large_states = PopulationData | where Population > 5000000 | project State;
StormEvents 
| where State !in (large_states)
| summarize count() by State

Output

StateCount
KANSAS3166
IOWA2337
NEBRASKA1766
OKLAHOMA1716
SOUTH DAKOTA1567

7.28 - The case-sensitive !startswith_cs string operator

Learn how to use the !startswith_cs string operator to filter records for data that doesn’t start with a case-sensitive search string.

Filters a record set for data that doesn’t start with a case-sensitive search string.

Performance tips

Syntax

T | where column !startswith_cs (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State !startswith_cs "I"
| where event_count > 2000
| project State, event_count

Output

Stateevent_count
TEXAS4701
KANSAS3166
MISSOURI2016

7.29 - The case-sensitive == (equals) string operator

Learn how to use the == (equals) operator to filter a record set for data matching a case-sensitive string.

Filters a record set for data matching a case-sensitive string.

The following table provides a comparison of the == operators:

OperatorDescriptionCase-SensitiveExample (yields true)
==EqualsYes"aBc" == "aBc"
!=Not equalsYes"abc" != "ABC"
=~EqualsNo"abc" =~ "ABC"
!~Not equalsNo"aBc" !~ "xyz"

For more information about other operators and to determine which operator is most appropriate for your query, see datatype string operators.

Performance tips

Syntax

T | where col == (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
colstring✔️The column to filter.
expressionstring✔️The expression used to filter.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| where State == "kansas"
| count 
Count
0
StormEvents
| where State == "KANSAS"
| count 
Count
3,166

7.30 - The case-sensitive contains_cs string operator

Learn how to use the contains_cs operator to filter a record set for data containing a case-sensitive string.

Filters a record set for data containing a case-sensitive string. contains_cs searches for arbitrary sub-strings rather than terms.

Performance tips

If you’re looking for a term, use has_cs for faster results.

Syntax

T | where col contains_cs (string)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
colstring✔️The name of the column to check for string.
stringstring✔️The case-sensitive string by which to filter the data.

Returns

Rows in T for which string is in col.

Example

StormEvents
| summarize event_count=count() by State
| where State contains_cs "AS"

Output

Count
8

7.31 - The case-sensitive endswith_cs string operator

Learn how to use the endswith_cs operator to filter a record set for data with a case-sensitive ending string.

Filters a record set for data with a case-sensitive ending string.

Performance tips

Syntax

T | where col endswith_cs (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
colstring✔️The column to filter.
expressionstring✔️The expression used to filter.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize Events = count() by State
| where State endswith_cs "NA"

Output

StateEvents
NORTH CAROLINA1721
MONTANA1230
INDIANA1164
SOUTH CAROLINA915
LOUISIANA463
ARIZONA340

7.32 - The case-sensitive has_cs string operator

Learn how to use the has_cs operator to filter data with a case-sensitive search string.

Filters a record set for data with a case-sensitive search string. has_cs searches for indexed terms, where an indexed term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

Performance tips

Syntax

T | where Column has_cs (Expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
Columnstring✔️The column used to filter the records.
Expressionscalar or tabular✔️An expression for which to search. If the value is a tabular expression and has multiple columns, the first column is used.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State has_cs "FLORIDA"

Output

Stateevent_count
FLORIDA1042

Since all State values are capitalized, searching for a lowercase string with the same value, such as “florida”, won’t yield any results.

StormEvents
| summarize event_count=count() by State
| where State has_cs "florida"

Output

Stateevent_count

7.33 - The case-sensitive hasprefix_cs string operator

Learn how to use the hasprefix_cs operator to filter data with a case-sensitive prefix string.

Filters a record set for data with a case-sensitive starting string.

For best performance, use strings of three characters or more. hasprefix_cs searches for indexed terms, where a term is three or more characters. If your term is fewer than three characters, the query scans the values in the column, which is slower than looking up the term in the term index.

Performance tips

Syntax

T | where Column hasprefix_cs (Expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
Columnstring✔️The column used to filter.
Expressionstring✔️The expression for which to search.

Returns

Rows in T for which the predicate is true.

Examples

StormEvents
| summarize event_count=count() by State
| where State hasprefix_cs "P"
| count 
Count
3
StormEvents
| summarize event_count=count() by State
| where State hasprefix_cs "P"
| project State, event_count
Stateevent_count
PENNSYLVANIA1687
PUERTO RICO192
E PACIFIC10

7.34 - The case-sensitive hassuffix_cs string operator

Learn how to use the hassuffix_cs operator to filter data with a case-sensitive suffix string.

Filters a record set for data with a case-insensitive ending string. hassuffix_cs returns true if there is a term inside the filtered string column ending with the specified string expression.

Performance tips

Syntax

T | where column hassuffix_cs ( expression )

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input whose records are to be filtered.
columnstring✔️The column by which to filter.
expressionscalar✔️The scalar or literal expression for which to search.

Returns

Rows in T for which the predicate is true.

Examples

StormEvents
| summarize event_count=count() by State
| where State hassuffix_cs "AS"
| where event_count > 2000
| project State, event_count

Output

Stateevent_count
TEXAS4701
KANSAS3166

7.35 - The case-sensitive in string operator

Learn how to use the in operator to filter data with a case-sensitive string.

Filters a record set for data with a case-sensitive string.

Performance tips

Syntax

T | where col in (expression,)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column by which to filter.
expressionscalar or tabular✔️An expression that specifies the values for which to search. Each expression can be a scalar value or a tabular expression that produces a set of values. If a tabular expression has multiple columns, the first column is used. The search considers up to 1,000,000 distinct values.

Returns

Rows in T for which the predicate is true.

Examples

List of scalars

The following query shows how to use in with a list of scalar values.

StormEvents 
| where State in ("FLORIDA", "GEORGIA", "NEW YORK") 
| count

Output

Count
4775

Dynamic array

The following query shows how to use in with a dynamic array.

let states = dynamic(['FLORIDA', 'ATLANTIC SOUTH', 'GEORGIA']);
StormEvents 
| where State in (states)
| count

Output

Count
3218

Tabular expression

The following query shows how to use in with a tabular expression.

let Top_5_States = 
    StormEvents
    | summarize count() by State
    | top 5 by count_; 
StormEvents 
| where State in (Top_5_States) 
| count

The same query can be written with an inline tabular expression statement.

StormEvents 
| where State in (
    StormEvents
    | summarize count() by State
    | top 5 by count_
    ) 
| count

Output

Count
14242

Top with other example

The following example identifies the top five states with lightning events and uses the iff() function and in operator to classify lightning events by the top five states, labeled by state name, and all others labeled as “Other.”

let Lightning_By_State = materialize(StormEvents
    | summarize lightning_events = countif(EventType == 'Lightning') by State);
let Top_5_States = Lightning_By_State | top 5 by lightning_events | project State; 
Lightning_By_State
| extend State = iff(State in (Top_5_States), State, "Other")
| summarize sum(lightning_events) by State 

Output

Statesum_lightning_events
ALABAMA29
WISCONSIN31
TEXAS55
FLORIDA85
GEORGIA106
Other415

Use a static list returned by a function

The following example counts events from the StormEvents table based on a predefined list of interesting states. The interesting states are defined by the InterestingStates() function.

StormEvents 
| where State in (InterestingStates()) 
| count

Output

Count
4775

The following query displays which states are considered interesting by the InterestingStates() function.

.show function InterestingStates

Output

NameParametersBodyFolderDocString
InterestingStates(){ dynamic([“WASHINGTON”, “FLORIDA”, “GEORGIA”, “NEW YORK”]) }

7.36 - The case-sensitive startswith string operator

Learn how to use the startswith string operator to filter a record set with a case-sensitive string starting sequence.

Filters a record set for data with a case-sensitive string starting sequence.

Performance tips

Syntax

T | where col startswith_cs (expression)

Parameters

NameTypeRequiredDescription
Tstring✔️The tabular input to filter.
colstring✔️The column used to filter.
expressionstring✔️The expression by which to filter.

Returns

Rows in T for which the predicate is true.

Example

StormEvents
| summarize event_count=count() by State
| where State startswith_cs "I"
| where event_count > 2000
| project State, event_count

Output

Stateevent_count
IOWA2337
ILLINOIS2022