pub enum Expr {
Show 33 variants
    Alias(Alias),
    Column(Column),
    ScalarVariable(DataType, Vec<String>),
    Literal(ScalarValue, Option<FieldMetadata>),
    BinaryExpr(BinaryExpr),
    Like(Like),
    SimilarTo(Like),
    Not(Box<Expr>),
    IsNotNull(Box<Expr>),
    IsNull(Box<Expr>),
    IsTrue(Box<Expr>),
    IsFalse(Box<Expr>),
    IsUnknown(Box<Expr>),
    IsNotTrue(Box<Expr>),
    IsNotFalse(Box<Expr>),
    IsNotUnknown(Box<Expr>),
    Negative(Box<Expr>),
    Between(Between),
    Case(Case),
    Cast(Cast),
    TryCast(TryCast),
    ScalarFunction(ScalarFunction),
    AggregateFunction(AggregateFunction),
    WindowFunction(Box<WindowFunction>),
    InList(InList),
    Exists(Exists),
    InSubquery(InSubquery),
    ScalarSubquery(Subquery),
    Wildcard {
        qualifier: Option<TableReference>,
        options: Box<WildcardOptions>,
    },
    GroupingSet(GroupingSet),
    Placeholder(Placeholder),
    OuterReferenceColumn(DataType, Column),
    Unnest(Unnest),
}Expand description
Represents logical expressions such as A + 1, or CAST(c1 AS int).
For example the expression A + 1 will be represented as
  BinaryExpr {
    left: Expr::Column("A"),
    op: Operator::Plus,
    right: Expr::Literal(ScalarValue::Int32(Some(1)), None)
 }§Creating Expressions
Exprs can be created directly, but it is often easier and less verbose to
use the fluent APIs in crate::expr_fn such as col and lit, or
methods such as Expr::alias, Expr::cast_to, and Expr::Like).
See also ExprFunctionExt for creating aggregate and window functions.
§Printing Expressions
You can print Exprs using the the Debug trait, Display trait, or
Self::human_display. See the examples below.
If you need  SQL to pass to other systems, consider using Unparser.
§Schema Access
See ExprSchemable::get_type to access the DataType and nullability
of an Expr.
§Visiting and Rewriting Exprs
The Expr struct implements the TreeNode trait for walking and
rewriting expressions. For example TreeNode::apply recursively visits an
Expr and TreeNode::transform can be used to rewrite an expression. See
the examples below and TreeNode for more information.
§Examples: Creating and Using Exprs
§Column References and Literals
Expr::Column refer to the values of columns and are often created with
the col function. For example to create an expression c1 referring to
column named “c1”:
let expr = col("c1");
assert_eq!(expr, Expr::Column(Column::from_name("c1")));Expr::Literal refer to literal, or constant, values. These are created
with the lit function. For example to create an expression 42:
// All literals are strongly typed in DataFusion. To make an `i64` 42:
let expr = lit(42i64);
assert_eq!(expr, Expr::Literal(ScalarValue::Int64(Some(42)), None));
assert_eq!(expr, Expr::Literal(ScalarValue::Int64(Some(42)), None));
// To make a (typed) NULL:
let expr = Expr::Literal(ScalarValue::Int64(None), None);
// to make an (untyped) NULL (the optimizer will coerce this to the correct type):
let expr = lit(ScalarValue::Null);§Binary Expressions
Exprs implement traits that allow easy to understand construction of more
complex expressions. For example, to create c1 + c2 to add columns “c1” and
“c2” together
// Use the `+` operator to add two columns together
let expr = col("c1") + col("c2");
assert!(matches!(expr, Expr::BinaryExpr { ..} ));
if let Expr::BinaryExpr(binary_expr) = expr {
  assert_eq!(*binary_expr.left, col("c1"));
  assert_eq!(*binary_expr.right, col("c2"));
  assert_eq!(binary_expr.op, Operator::Plus);
}The expression c1 = 42 to compares the value in column “c1” to the
literal value 42:
let expr = col("c1").eq(lit(42_i32));
assert!(matches!(expr, Expr::BinaryExpr { .. } ));
if let Expr::BinaryExpr(binary_expr) = expr {
  assert_eq!(*binary_expr.left, col("c1"));
  let scalar = ScalarValue::Int32(Some(42));
  assert_eq!(*binary_expr.right, Expr::Literal(scalar, None));
  assert_eq!(binary_expr.op, Operator::Eq);
}Here is how to implement the equivalent of SELECT * to select all
Expr::Column from a DFSchema’s columns:
// Create a schema c1(int, c2 float)
let arrow_schema = Schema::new(vec![
   Field::new("c1", DataType::Int32, false),
   Field::new("c2", DataType::Float64, false),
]);
// DFSchema is a an Arrow schema with optional relation name
let df_schema = DFSchema::try_from_qualified_schema("t1", &arrow_schema)
  .unwrap();
// Form Vec<Expr> with an expression for each column in the schema
let exprs: Vec<_> = df_schema.iter()
  .map(Expr::from)
  .collect();
assert_eq!(exprs, vec![
  Expr::from(Column::from_qualified_name("t1.c1")),
  Expr::from(Column::from_qualified_name("t1.c2")),
]);§Examples: Displaying Exprs
There are three ways to print an Expr depending on the usecase.
§Use Debug trait
Following Rust conventions, the Debug implementation prints out the
internal structure of the expression, which is useful for debugging.
let expr = col("c1") + lit(42);
assert_eq!(format!("{expr:?}"), "BinaryExpr(BinaryExpr { left: Column(Column { relation: None, name: \"c1\" }), op: Plus, right: Literal(Int32(42), None) })");§Use the Display trait  (detailed expression)
The Display implementation prints out the expression in a SQL-like form,
but has additional details such as the data type of literals. This is useful
for understanding the expression in more detail and is used for the low level
ExplainFormat::Indent explain plan format.
let expr = col("c1") + lit(42);
assert_eq!(format!("{expr}"), "c1 + Int32(42)");§Use Self::human_display (human readable)
Self::human_display  prints out the expression in a SQL-like form, optimized
for human consumption by end users. It is used for the
ExplainFormat::Tree explain plan format.
 let expr = col("c1") + lit(42);
 assert_eq!(format!("{}", expr.human_display()), "c1 + 42");§Examples: Visiting and Rewriting Exprs
Here is an example that finds all literals in an Expr tree:
use datafusion_common::ScalarValue;
use datafusion_common::tree_node::{TreeNode, TreeNodeRecursion};
// Expression a = 5 AND b = 6
let expr = col("a").eq(lit(5)) & col("b").eq(lit(6));
// find all literals in a HashMap
let mut scalars = HashSet::new();
// apply recursively visits all nodes in the expression tree
expr.apply(|e| {
   if let Expr::Literal(scalar, _) = e {
      scalars.insert(scalar);
   }
   // The return value controls whether to continue visiting the tree
   Ok(TreeNodeRecursion::Continue)
}).unwrap();
// All subtrees have been visited and literals found
assert_eq!(scalars.len(), 2);
assert!(scalars.contains(&ScalarValue::Int32(Some(5))));
assert!(scalars.contains(&ScalarValue::Int32(Some(6))));Rewrite an expression, replacing references to column “a” in an
to the literal 42:
// expression a = 5 AND b = 6
let expr = col("a").eq(lit(5)).and(col("b").eq(lit(6)));
// rewrite all references to column "a" to the literal 42
let rewritten = expr.transform(|e| {
 if let Expr::Column(c) = &e {
   if &c.name == "a" {
     // return Transformed::yes to indicate the node was changed
     return Ok(Transformed::yes(lit(42)))
   }
 }
 // return Transformed::no to indicate the node was not changed
 Ok(Transformed::no(e))
}).unwrap();
// The expression has been rewritten
assert!(rewritten.transformed);
// to 42 = 5 AND b = 6
assert_eq!(rewritten.data, lit(42).eq(lit(5)).and(col("b").eq(lit(6))));Variants§
Alias(Alias)
An expression with a specific name.
Column(Column)
A named reference to a qualified field in a schema.
ScalarVariable(DataType, Vec<String>)
A named reference to a variable in a registry.
Literal(ScalarValue, Option<FieldMetadata>)
A constant value along with associated FieldMetadata.
BinaryExpr(BinaryExpr)
A binary expression such as “age > 21”
Like(Like)
LIKE expression
SimilarTo(Like)
LIKE expression that uses regular expressions
Not(Box<Expr>)
Negation of an expression. The expression’s type must be a boolean to make sense.
IsNotNull(Box<Expr>)
True if argument is not NULL, false otherwise. This expression itself is never NULL.
IsNull(Box<Expr>)
True if argument is NULL, false otherwise. This expression itself is never NULL.
IsTrue(Box<Expr>)
True if argument is true, false otherwise. This expression itself is never NULL.
IsFalse(Box<Expr>)
True if argument is false, false otherwise. This expression itself is never NULL.
IsUnknown(Box<Expr>)
True if argument is NULL, false otherwise. This expression itself is never NULL.
IsNotTrue(Box<Expr>)
True if argument is FALSE or NULL, false otherwise. This expression itself is never NULL.
IsNotFalse(Box<Expr>)
True if argument is TRUE OR NULL, false otherwise. This expression itself is never NULL.
IsNotUnknown(Box<Expr>)
True if argument is TRUE or FALSE, false otherwise. This expression itself is never NULL.
Negative(Box<Expr>)
arithmetic negation of an expression, the operand must be of a signed numeric data type
Between(Between)
Whether an expression is between a given range.
Case(Case)
A CASE expression (see docs on Case)
Cast(Cast)
Casts the expression to a given type and will return a runtime error if the expression cannot be cast. This expression is guaranteed to have a fixed type.
TryCast(TryCast)
Casts the expression to a given type and will return a null value if the expression cannot be cast. This expression is guaranteed to have a fixed type.
ScalarFunction(ScalarFunction)
Call a scalar function with a set of arguments.
AggregateFunction(AggregateFunction)
Calls an aggregate function with arguments, and optional
ORDER BY, FILTER, DISTINCT and NULL TREATMENT.
See also ExprFunctionExt to set these fields.
WindowFunction(Box<WindowFunction>)
Call a window function with a set of arguments.
InList(InList)
Returns whether the list contains the expr value.
Exists(Exists)
EXISTS subquery
InSubquery(InSubquery)
IN subquery
ScalarSubquery(Subquery)
Scalar subquery
Wildcard
Represents a reference to all available fields in a specific schema, with an optional (schema) qualifier.
This expr has to be resolved to a list of columns before translating logical plan into physical plan.
Fields
qualifier: Option<TableReference>options: Box<WildcardOptions>GroupingSet(GroupingSet)
List of grouping set expressions. Only valid in the context of an aggregate GROUP BY expression list
Placeholder(Placeholder)
A place holder for parameters in a prepared statement
(e.g. $foo or $1)
OuterReferenceColumn(DataType, Column)
A placeholder which holds a reference to a qualified field in the outer query, used for correlated sub queries.
Unnest(Unnest)
Unnest expression
Implementations§
Source§impl Expr
 
impl Expr
Sourcepub fn schema_name(&self) -> impl Display
 
pub fn schema_name(&self) -> impl Display
The name of the column (field) that this Expr will produce.
For example, for a projection (e.g. SELECT <expr>) the resulting arrow
Schema will have a field with this name.
Note that the resulting string is subtlety different from the Display
representation for certain Expr. Some differences:
- Expr::Alias, which shows only the alias itself
- Expr::Cast/- Expr::TryCast, which only displays the expression
§Example
let expr = col("foo").eq(lit(42));
assert_eq!("foo = Int32(42)", expr.schema_name().to_string());
let expr = col("foo").alias("bar").eq(lit(11));
assert_eq!("bar = Int32(11)", expr.schema_name().to_string());Sourcepub fn human_display(&self) -> impl Display
 
pub fn human_display(&self) -> impl Display
Human readable display formatting for this expression.
This function is primarily used in printing the explain tree output,
(e.g. EXPLAIN FORMAT TREE <query>), providing a readable format to
show how expressions are used in physical and logical plans. See the
Expr for other ways to format expressions
Note this format is intended for human consumption rather than SQL for
other systems. If you need  SQL to pass to other systems, consider using
Unparser.
§Example
let expr = col("foo") + lit(42);
// For EXPLAIN output:
// "foo + 42"
println!("{}", expr.human_display());Sourcepub fn qualified_name(&self) -> (Option<TableReference>, String)
 
pub fn qualified_name(&self) -> (Option<TableReference>, String)
Returns the qualifier and the schema name of this expression.
Used when the expression forms the output field of a certain plan. The result is the field’s qualifier and field name in the plan’s output schema. We can use this qualified name to reference the field.
Sourcepub fn variant_name(&self) -> &str
 
pub fn variant_name(&self) -> &str
Return String representation of the variant represented by self
Useful for non-rust based bindings
Sourcepub fn name_for_alias(&self) -> Result<String, DataFusionError>
 
pub fn name_for_alias(&self) -> Result<String, DataFusionError>
Return the name to use for the specific Expr
Sourcepub fn alias_if_changed(
    self,
    original_name: String,
) -> Result<Expr, DataFusionError>
 
pub fn alias_if_changed( self, original_name: String, ) -> Result<Expr, DataFusionError>
Ensure expr has the name as original_name by adding an
alias if necessary.
Sourcepub fn alias_with_metadata(
    self,
    name: impl Into<String>,
    metadata: Option<FieldMetadata>,
) -> Expr
 
pub fn alias_with_metadata( self, name: impl Into<String>, metadata: Option<FieldMetadata>, ) -> Expr
Return self AS name alias expression with metadata
The metadata will be attached to the Arrow Schema field when the expression
is converted to a field via Expr.to_field().
§Example
let metadata = HashMap::from([("key".to_string(), "value".to_string())]);
let metadata = FieldMetadata::from(metadata);
let expr = col("foo").alias_with_metadata("bar", Some(metadata));Sourcepub fn alias_qualified(
    self,
    relation: Option<impl Into<TableReference>>,
    name: impl Into<String>,
) -> Expr
 
pub fn alias_qualified( self, relation: Option<impl Into<TableReference>>, name: impl Into<String>, ) -> Expr
Return self AS name alias expression with a specific qualifier
Sourcepub fn alias_qualified_with_metadata(
    self,
    relation: Option<impl Into<TableReference>>,
    name: impl Into<String>,
    metadata: Option<FieldMetadata>,
) -> Expr
 
pub fn alias_qualified_with_metadata( self, relation: Option<impl Into<TableReference>>, name: impl Into<String>, metadata: Option<FieldMetadata>, ) -> Expr
Return self AS name alias expression with a specific qualifier and metadata
The metadata will be attached to the Arrow Schema field when the expression
is converted to a field via Expr.to_field().
§Example
let metadata = HashMap::from([("key".to_string(), "value".to_string())]);
let metadata = FieldMetadata::from(metadata);
let expr = col("foo").alias_qualified_with_metadata(Some("tbl"), "bar", Some(metadata));Sourcepub fn unalias(self) -> Expr
 
pub fn unalias(self) -> Expr
Remove an alias from an expression if one exists.
If the expression is not an alias, the expression is returned unchanged. This method does not remove aliases from nested expressions.
§Example
// `foo as "bar"` is unaliased to `foo`
let expr = col("foo").alias("bar");
assert_eq!(expr.unalias(), col("foo"));
// `foo as "bar" + baz` is not unaliased
let expr = col("foo").alias("bar") + col("baz");
assert_eq!(expr.clone().unalias(), expr);
// `foo as "bar" as "baz" is unaliased to foo as "bar"
let expr = col("foo").alias("bar").alias("baz");
assert_eq!(expr.unalias(), col("foo").alias("bar"));Sourcepub fn unalias_nested(self) -> Transformed<Expr>
 
pub fn unalias_nested(self) -> Transformed<Expr>
Recursively removed potentially multiple aliases from an expression.
This method removes nested aliases and returns Transformed
to signal if the expression was changed.
§Example
// `foo as "bar"` is unaliased to `foo`
let expr = col("foo").alias("bar");
assert_eq!(expr.unalias_nested().data, col("foo"));
// `foo as "bar" + baz` is  unaliased
let expr = col("foo").alias("bar") + col("baz");
assert_eq!(expr.clone().unalias_nested().data, col("foo") + col("baz"));
// `foo as "bar" as "baz" is unalaised to foo
let expr = col("foo").alias("bar").alias("baz");
assert_eq!(expr.unalias_nested().data, col("foo"));Sourcepub fn in_list(self, list: Vec<Expr>, negated: bool) -> Expr
 
pub fn in_list(self, list: Vec<Expr>, negated: bool) -> Expr
Return self IN <list> if negated is false, otherwise
return self NOT IN <list>.a
Sourcepub fn is_not_null(self) -> Expr
 
pub fn is_not_null(self) -> Expr
Return `IsNotNull(Box(self))
Sourcepub fn sort(self, asc: bool, nulls_first: bool) -> Sort
 
pub fn sort(self, asc: bool, nulls_first: bool) -> Sort
Create a sort configuration from an existing expression.
let sort_expr = col("foo").sort(true, true); // SORT ASC NULLS_FIRSTSourcepub fn is_not_true(self) -> Expr
 
pub fn is_not_true(self) -> Expr
Return IsNotTrue(Box(self))
Sourcepub fn is_not_false(self) -> Expr
 
pub fn is_not_false(self) -> Expr
Return IsNotFalse(Box(self))
Sourcepub fn is_unknown(self) -> Expr
 
pub fn is_unknown(self) -> Expr
Return IsUnknown(Box(self))
Sourcepub fn is_not_unknown(self) -> Expr
 
pub fn is_not_unknown(self) -> Expr
Return IsNotUnknown(Box(self))
Sourcepub fn not_between(self, low: Expr, high: Expr) -> Expr
 
pub fn not_between(self, low: Expr, high: Expr) -> Expr
Return self NOT BETWEEN low AND high
Sourcepub fn try_as_col(&self) -> Option<&Column>
 
pub fn try_as_col(&self) -> Option<&Column>
Return a reference to the inner Column if any
returns None if the expression is not a Column
Note: None may be returned for expressions that are not Column but
are convertible to Column such as Cast expressions.
Example
use datafusion_expr::{col, Expr};
let expr = col("foo");
assert_eq!(expr.try_as_col(), Some(&Column::from("foo")));
let expr = col("foo").alias("bar");
assert_eq!(expr.try_as_col(), None);Sourcepub fn get_as_join_column(&self) -> Option<&Column>
 
pub fn get_as_join_column(&self) -> Option<&Column>
Returns the inner Column if any. This is a specialized version of
Self::try_as_col that take Cast expressions into account when the
expression is as on condition for joins.
Called this method when you are sure that the expression is a Column
or a Cast expression that wraps a Column.
Sourcepub fn column_refs(&self) -> HashSet<&Column>
 
pub fn column_refs(&self) -> HashSet<&Column>
Return all references to columns in this expression.
§Example
// For an expression `a + (b * a)`
let expr = col("a") + (col("b") * col("a"));
let refs = expr.column_refs();
// refs contains "a" and "b"
assert_eq!(refs.len(), 2);
assert!(refs.contains(&Column::new_unqualified("a")));
assert!(refs.contains(&Column::new_unqualified("b")));Sourcepub fn add_column_refs<'a>(&'a self, set: &mut HashSet<&'a Column>)
 
pub fn add_column_refs<'a>(&'a self, set: &mut HashSet<&'a Column>)
Adds references to all columns in this expression to the set
See Self::column_refs for details
Sourcepub fn column_refs_counts(&self) -> HashMap<&Column, usize>
 
pub fn column_refs_counts(&self) -> HashMap<&Column, usize>
Return all references to columns and their occurrence counts in the expression.
§Example
// For an expression `a + (b * a)`
let expr = col("a") + (col("b") * col("a"));
let mut refs = expr.column_refs_counts();
// refs contains "a" and "b"
assert_eq!(refs.len(), 2);
assert_eq!(*refs.get(&Column::new_unqualified("a")).unwrap(), 2);
assert_eq!(*refs.get(&Column::new_unqualified("b")).unwrap(), 1);Sourcepub fn add_column_ref_counts<'a>(&'a self, map: &mut HashMap<&'a Column, usize>)
 
pub fn add_column_ref_counts<'a>(&'a self, map: &mut HashMap<&'a Column, usize>)
Adds references to all columns and their occurrence counts in the expression to the map.
See Self::column_refs_counts for details
Sourcepub fn any_column_refs(&self) -> bool
 
pub fn any_column_refs(&self) -> bool
Returns true if there are any column references in this Expr
Sourcepub fn contains_outer(&self) -> bool
 
pub fn contains_outer(&self) -> bool
Return true if the expression contains out reference(correlated) expressions.
Sourcepub fn is_volatile_node(&self) -> bool
 
pub fn is_volatile_node(&self) -> bool
Returns true if the expression node is volatile, i.e. whether it can return
different results when evaluated multiple times with the same input.
Note: unlike Self::is_volatile, this function does not consider inputs:
- rand()returns- true,
- a + rand()returns- false
Sourcepub fn is_volatile(&self) -> bool
 
pub fn is_volatile(&self) -> bool
Returns true if the expression is volatile, i.e. whether it can return different results when evaluated multiple times with the same input.
For example the function call RANDOM() is volatile as each call will
return a different value.
See Volatility for more information.
Sourcepub fn infer_placeholder_types(
    self,
    schema: &DFSchema,
) -> Result<(Expr, bool), DataFusionError>
 
pub fn infer_placeholder_types( self, schema: &DFSchema, ) -> Result<(Expr, bool), DataFusionError>
Recursively find all Expr::Placeholder expressions, and
to infer their DataType from the context of their use.
For example, given an expression like <int32> = $0 will infer $0 to
have type int32.
Returns transformed expression and flag that is true if expression contains at least one placeholder.
Sourcepub fn short_circuits(&self) -> bool
 
pub fn short_circuits(&self) -> bool
Returns true if some of this exprs subexpressions may not be evaluated
and thus any side effects (like divide by zero) may not be encountered
Sourcepub fn spans(&self) -> Option<&Spans>
 
pub fn spans(&self) -> Option<&Spans>
Returns a reference to the set of locations in the SQL query where this
expression appears, if known. None is returned if the expression
type doesn’t support tracking locations yet.
Sourcepub fn as_literal(&self) -> Option<&ScalarValue>
 
pub fn as_literal(&self) -> Option<&ScalarValue>
Check if the Expr is literal and get the literal value if it is.
Trait Implementations§
Source§impl Display for Expr
Format expressions for display as part of a logical plan. In many cases, this will produce
similar output to Expr.name() except that column names will be prefixed with ‘#’.
 
impl Display for Expr
Format expressions for display as part of a logical plan. In many cases, this will produce
similar output to Expr.name() except that column names will be prefixed with ‘#’.
Source§impl ExprFunctionExt for Expr
 
impl ExprFunctionExt for Expr
Source§fn filter(self, filter: Expr) -> ExprFuncBuilder
 
fn filter(self, filter: Expr) -> ExprFuncBuilder
FILTER <filter>Source§fn distinct(self) -> ExprFuncBuilder
 
fn distinct(self) -> ExprFuncBuilder
DISTINCTSource§fn null_treatment(
    self,
    null_treatment: impl Into<Option<NullTreatment>>,
) -> ExprFuncBuilder
 
fn null_treatment( self, null_treatment: impl Into<Option<NullTreatment>>, ) -> ExprFuncBuilder
RESPECT NULLS or IGNORE NULLSSource§fn partition_by(self, partition_by: Vec<Expr>) -> ExprFuncBuilder
 
fn partition_by(self, partition_by: Vec<Expr>) -> ExprFuncBuilder
PARTITION BYSource§fn window_frame(self, window_frame: WindowFrame) -> ExprFuncBuilder
 
fn window_frame(self, window_frame: WindowFrame) -> ExprFuncBuilder
Source§impl ExprSchemable for Expr
 
impl ExprSchemable for Expr
Source§fn get_type(&self, schema: &dyn ExprSchema) -> Result<DataType, DataFusionError>
 
fn get_type(&self, schema: &dyn ExprSchema) -> Result<DataType, DataFusionError>
Returns the arrow::datatypes::DataType of the expression based on ExprSchema
Note: DFSchema implements ExprSchema.
§Examples
Get the type of an expression that adds 2 columns. Adding an Int32 and Float32 results in Float32 type
fn main() {
  let expr = col("c1") + col("c2");
  let schema = DFSchema::from_unqualified_fields(
    vec![
      Field::new("c1", DataType::Int32, true),
      Field::new("c2", DataType::Float32, true),
      ].into(),
      HashMap::new(),
  ).unwrap();
  assert_eq!("Float32", format!("{}", expr.get_type(&schema).unwrap()));
}§Errors
This function errors when it is not possible to compute its
arrow::datatypes::DataType.  This happens when e.g. the
expression refers to a column that does not exist in the
schema, or when the expression is incorrectly typed
(e.g. [utf8] + [bool]).
Source§fn nullable(
    &self,
    input_schema: &dyn ExprSchema,
) -> Result<bool, DataFusionError>
 
fn nullable( &self, input_schema: &dyn ExprSchema, ) -> Result<bool, DataFusionError>
Returns the nullability of the expression based on ExprSchema.
Note: DFSchema implements ExprSchema.
§Errors
This function errors when it is not possible to compute its nullability. This happens when the expression refers to a column that does not exist in the schema.
Source§fn data_type_and_nullable(
    &self,
    schema: &dyn ExprSchema,
) -> Result<(DataType, bool), DataFusionError>
 
fn data_type_and_nullable( &self, schema: &dyn ExprSchema, ) -> Result<(DataType, bool), DataFusionError>
Returns the datatype and nullability of the expression based on ExprSchema.
Note: DFSchema implements ExprSchema.
§Errors
This function errors when it is not possible to compute its datatype or nullability.
Source§fn to_field(
    &self,
    schema: &dyn ExprSchema,
) -> Result<(Option<TableReference>, Arc<Field>), DataFusionError>
 
fn to_field( &self, schema: &dyn ExprSchema, ) -> Result<(Option<TableReference>, Arc<Field>), DataFusionError>
Returns a arrow::datatypes::Field compatible with this expression.
So for example, a projected expression col(c1) + col(c2) is
placed in an output field named col(“c1 + c2”)
Source§fn cast_to(
    self,
    cast_to_type: &DataType,
    schema: &dyn ExprSchema,
) -> Result<Expr, DataFusionError>
 
fn cast_to( self, cast_to_type: &DataType, schema: &dyn ExprSchema, ) -> Result<Expr, DataFusionError>
Wraps this expression in a cast to a target arrow::datatypes::DataType.
§Errors
This function errors when it is impossible to cast the expression to the target arrow::datatypes::DataType.
Source§fn metadata(
    &self,
    schema: &dyn ExprSchema,
) -> Result<FieldMetadata, DataFusionError>
 
fn metadata( &self, schema: &dyn ExprSchema, ) -> Result<FieldMetadata, DataFusionError>
Source§impl From<Expr> for SelectExpr
 
impl From<Expr> for SelectExpr
Source§fn from(expr: Expr) -> SelectExpr
 
fn from(expr: Expr) -> SelectExpr
Source§impl From<WindowFunction> for Expr
Create an Expr from a WindowFunction
 
impl From<WindowFunction> for Expr
Create an Expr from a WindowFunction
Source§fn from(value: WindowFunction) -> Expr
 
fn from(value: WindowFunction) -> Expr
Source§impl NormalizeEq for Expr
 
impl NormalizeEq for Expr
fn normalize_eq(&self, other: &Expr) -> bool
Source§impl Normalizeable for Expr
 
impl Normalizeable for Expr
fn can_normalize(&self) -> bool
Source§impl PartialOrd for Expr
 
impl PartialOrd for Expr
Source§impl Serializeable for Expr
 
impl Serializeable for Expr
Source§fn from_bytes_with_registry(
    bytes: &[u8],
    registry: &dyn FunctionRegistry,
) -> Result<Expr, DataFusionError>
 
fn from_bytes_with_registry( bytes: &[u8], registry: &dyn FunctionRegistry, ) -> Result<Expr, DataFusionError>
bytes (the output of to_bytes) back into an
object resolving user defined functions with the specified
registrySource§fn from_bytes(bytes: &[u8]) -> Result<Self, DataFusionError>
 
fn from_bytes(bytes: &[u8]) -> Result<Self, DataFusionError>
bytes (the output of to_bytes) back into an
object. This will error if the serialized bytes contain any
user defined functions, in which case use
from_bytes_with_registrySource§impl TreeNode for Expr
Implementation of the TreeNode trait
 
impl TreeNode for Expr
Implementation of the TreeNode trait
This allows logical expressions (Expr) to be traversed and transformed
Facilitates tasks such as optimization and rewriting during query
planning.
Source§fn apply_children<'n, F>(
    &'n self,
    f: F,
) -> Result<TreeNodeRecursion, DataFusionError>
 
fn apply_children<'n, F>( &'n self, f: F, ) -> Result<TreeNodeRecursion, DataFusionError>
Applies a function f to each child expression of self.
The function f determines whether to continue traversing the tree or to stop.
This method collects all child expressions and applies f to each.
Source§fn map_children<F>(self, f: F) -> Result<Transformed<Expr>, DataFusionError>
 
fn map_children<F>(self, f: F) -> Result<Transformed<Expr>, DataFusionError>
Maps each child of self using the provided closure f.
The closure f takes ownership of an expression and returns a Transformed result,
indicating whether the expression was transformed or left unchanged.
Source§fn visit<'n, V>(
    &'n self,
    visitor: &mut V,
) -> Result<TreeNodeRecursion, DataFusionError>where
    V: TreeNodeVisitor<'n, Node = Self>,
 
fn visit<'n, V>(
    &'n self,
    visitor: &mut V,
) -> Result<TreeNodeRecursion, DataFusionError>where
    V: TreeNodeVisitor<'n, Node = Self>,
TreeNodeVisitor, performing a
depth-first walk of the node and its children. Read moreSource§fn rewrite<R>(
    self,
    rewriter: &mut R,
) -> Result<Transformed<Self>, DataFusionError>where
    R: TreeNodeRewriter<Node = Self>,
 
fn rewrite<R>(
    self,
    rewriter: &mut R,
) -> Result<Transformed<Self>, DataFusionError>where
    R: TreeNodeRewriter<Node = Self>,
TreeNodeRewriter, performing a
depth-first walk of the node and its children. Read moreSource§fn apply<'n, F>(&'n self, f: F) -> Result<TreeNodeRecursion, DataFusionError>
 
fn apply<'n, F>(&'n self, f: F) -> Result<TreeNodeRecursion, DataFusionError>
f to the node then each of its children, recursively (a
top-down, pre-order traversal). Read moreSource§fn transform<F>(self, f: F) -> Result<Transformed<Self>, DataFusionError>
 
fn transform<F>(self, f: F) -> Result<Transformed<Self>, DataFusionError>
f
(a bottom-up post-order traversal). Read moreSource§fn transform_down<F>(self, f: F) -> Result<Transformed<Self>, DataFusionError>
 
fn transform_down<F>(self, f: F) -> Result<Transformed<Self>, DataFusionError>
f in a top-down (pre-order)
fashion. Read moreSource§fn transform_up<F>(self, f: F) -> Result<Transformed<Self>, DataFusionError>
 
fn transform_up<F>(self, f: F) -> Result<Transformed<Self>, DataFusionError>
f in a bottom-up (post-order)
fashion. Read moreSource§fn transform_down_up<FD, FU>(
    self,
    f_down: FD,
    f_up: FU,
) -> Result<Transformed<Self>, DataFusionError>where
    FD: FnMut(Self) -> Result<Transformed<Self>, DataFusionError>,
    FU: FnMut(Self) -> Result<Transformed<Self>, DataFusionError>,
 
fn transform_down_up<FD, FU>(
    self,
    f_down: FD,
    f_up: FU,
) -> Result<Transformed<Self>, DataFusionError>where
    FD: FnMut(Self) -> Result<Transformed<Self>, DataFusionError>,
    FU: FnMut(Self) -> Result<Transformed<Self>, DataFusionError>,
f_down while traversing the tree top-down
(pre-order), and using f_up while traversing the tree bottom-up
(post-order). Read moreSource§impl<'a> TreeNodeContainer<'a, Expr> for CreateFunctionBody
 
impl<'a> TreeNodeContainer<'a, Expr> for CreateFunctionBody
Source§fn apply_elements<F>(
    &'a self,
    f: F,
) -> Result<TreeNodeRecursion, DataFusionError>
 
fn apply_elements<F>( &'a self, f: F, ) -> Result<TreeNodeRecursion, DataFusionError>
f to all elements of the container.
This method is usually called from TreeNode::apply_children implementations as
a node is actually a container of the node’s children.Source§fn map_elements<F>(
    self,
    f: F,
) -> Result<Transformed<CreateFunctionBody>, DataFusionError>
 
fn map_elements<F>( self, f: F, ) -> Result<Transformed<CreateFunctionBody>, DataFusionError>
f.
This method is usually called from TreeNode::map_children implementations as
a node is actually a container of the node’s children.Source§impl<'a> TreeNodeContainer<'a, Expr> for Expr
 
impl<'a> TreeNodeContainer<'a, Expr> for Expr
Source§fn apply_elements<F>(
    &'a self,
    f: F,
) -> Result<TreeNodeRecursion, DataFusionError>
 
fn apply_elements<F>( &'a self, f: F, ) -> Result<TreeNodeRecursion, DataFusionError>
f to all elements of the container.
This method is usually called from TreeNode::apply_children implementations as
a node is actually a container of the node’s children.Source§fn map_elements<F>(self, f: F) -> Result<Transformed<Expr>, DataFusionError>
 
fn map_elements<F>(self, f: F) -> Result<Transformed<Expr>, DataFusionError>
f.
This method is usually called from TreeNode::map_children implementations as
a node is actually a container of the node’s children.Source§impl<'a> TreeNodeContainer<'a, Expr> for OperateFunctionArg
 
impl<'a> TreeNodeContainer<'a, Expr> for OperateFunctionArg
Source§fn apply_elements<F>(
    &'a self,
    f: F,
) -> Result<TreeNodeRecursion, DataFusionError>
 
fn apply_elements<F>( &'a self, f: F, ) -> Result<TreeNodeRecursion, DataFusionError>
f to all elements of the container.
This method is usually called from TreeNode::apply_children implementations as
a node is actually a container of the node’s children.Source§fn map_elements<F>(
    self,
    f: F,
) -> Result<Transformed<OperateFunctionArg>, DataFusionError>
 
fn map_elements<F>( self, f: F, ) -> Result<Transformed<OperateFunctionArg>, DataFusionError>
f.
This method is usually called from TreeNode::map_children implementations as
a node is actually a container of the node’s children.Source§impl<'a> TreeNodeContainer<'a, Expr> for Sort
 
impl<'a> TreeNodeContainer<'a, Expr> for Sort
Source§fn apply_elements<F>(
    &'a self,
    f: F,
) -> Result<TreeNodeRecursion, DataFusionError>
 
fn apply_elements<F>( &'a self, f: F, ) -> Result<TreeNodeRecursion, DataFusionError>
f to all elements of the container.
This method is usually called from TreeNode::apply_children implementations as
a node is actually a container of the node’s children.Source§fn map_elements<F>(self, f: F) -> Result<Transformed<Sort>, DataFusionError>
 
fn map_elements<F>(self, f: F) -> Result<Transformed<Sort>, DataFusionError>
f.
This method is usually called from TreeNode::map_children implementations as
a node is actually a container of the node’s children.impl Eq for Expr
impl StructuralPartialEq for Expr
Auto Trait Implementations§
impl Freeze for Expr
impl !RefUnwindSafe for Expr
impl Send for Expr
impl Sync for Expr
impl Unpin for Expr
impl !UnwindSafe for Expr
Blanket Implementations§
Source§impl<T> AlignerFor<1> for T
 
impl<T> AlignerFor<1> for T
Source§impl<T> AlignerFor<1024> for T
 
impl<T> AlignerFor<1024> for T
Source§type Aligner = AlignTo1024<T>
 
type Aligner = AlignTo1024<T>
AlignTo* type which aligns Self to ALIGNMENT.Source§impl<T> AlignerFor<128> for T
 
impl<T> AlignerFor<128> for T
Source§type Aligner = AlignTo128<T>
 
type Aligner = AlignTo128<T>
AlignTo* type which aligns Self to ALIGNMENT.Source§impl<T> AlignerFor<16> for T
 
impl<T> AlignerFor<16> for T
Source§impl<T> AlignerFor<16384> for T
 
impl<T> AlignerFor<16384> for T
Source§type Aligner = AlignTo16384<T>
 
type Aligner = AlignTo16384<T>
AlignTo* type which aligns Self to ALIGNMENT.Source§impl<T> AlignerFor<2> for T
 
impl<T> AlignerFor<2> for T
Source§impl<T> AlignerFor<2048> for T
 
impl<T> AlignerFor<2048> for T
Source§type Aligner = AlignTo2048<T>
 
type Aligner = AlignTo2048<T>
AlignTo* type which aligns Self to ALIGNMENT.Source§impl<T> AlignerFor<256> for T
 
impl<T> AlignerFor<256> for T
Source§type Aligner = AlignTo256<T>
 
type Aligner = AlignTo256<T>
AlignTo* type which aligns Self to ALIGNMENT.Source§impl<T> AlignerFor<32> for T
 
impl<T> AlignerFor<32> for T
Source§impl<T> AlignerFor<32768> for T
 
impl<T> AlignerFor<32768> for T
Source§type Aligner = AlignTo32768<T>
 
type Aligner = AlignTo32768<T>
AlignTo* type which aligns Self to ALIGNMENT.Source§impl<T> AlignerFor<4> for T
 
impl<T> AlignerFor<4> for T
Source§impl<T> AlignerFor<4096> for T
 
impl<T> AlignerFor<4096> for T
Source§type Aligner = AlignTo4096<T>
 
type Aligner = AlignTo4096<T>
AlignTo* type which aligns Self to ALIGNMENT.Source§impl<T> AlignerFor<512> for T
 
impl<T> AlignerFor<512> for T
Source§type Aligner = AlignTo512<T>
 
type Aligner = AlignTo512<T>
AlignTo* type which aligns Self to ALIGNMENT.Source§impl<T> AlignerFor<64> for T
 
impl<T> AlignerFor<64> for T
Source§impl<T> AlignerFor<8> for T
 
impl<T> AlignerFor<8> for T
Source§impl<T> AlignerFor<8192> for T
 
impl<T> AlignerFor<8192> for T
Source§type Aligner = AlignTo8192<T>
 
type Aligner = AlignTo8192<T>
AlignTo* type which aligns Self to ALIGNMENT.Source§impl<T> BorrowMut<T> for Twhere
    T: ?Sized,
 
impl<T> BorrowMut<T> for Twhere
    T: ?Sized,
Source§fn borrow_mut(&mut self) -> &mut T
 
fn borrow_mut(&mut self) -> &mut T
Source§impl<T> CloneToUninit for Twhere
    T: Clone,
 
impl<T> CloneToUninit for Twhere
    T: Clone,
Source§impl<Q, K> Equivalent<K> for Q
 
impl<Q, K> Equivalent<K> for Q
Source§impl<Q, K> Equivalent<K> for Q
 
impl<Q, K> Equivalent<K> for Q
Source§fn equivalent(&self, key: &K) -> bool
 
fn equivalent(&self, key: &K) -> bool
key and return true if they are equal.Source§impl<Q, K> Equivalent<K> for Q
 
impl<Q, K> Equivalent<K> for Q
Source§impl<T, W> HasTypeWitness<W> for Twhere
    W: MakeTypeWitness<Arg = T>,
    T: ?Sized,
 
impl<T, W> HasTypeWitness<W> for Twhere
    W: MakeTypeWitness<Arg = T>,
    T: ?Sized,
Source§impl<T> Identity for Twhere
    T: ?Sized,
 
impl<T> Identity for Twhere
    T: ?Sized,
Source§impl<T> Instrument for T
 
impl<T> Instrument for T
Source§fn instrument(self, span: Span) -> Instrumented<Self>
 
fn instrument(self, span: Span) -> Instrumented<Self>
Source§fn in_current_span(self) -> Instrumented<Self>
 
fn in_current_span(self) -> Instrumented<Self>
Source§impl<T> IntoEither for T
 
impl<T> IntoEither for T
Source§fn into_either(self, into_left: bool) -> Either<Self, Self>
 
fn into_either(self, into_left: bool) -> Either<Self, Self>
self into a Left variant of Either<Self, Self>
if into_left is true.
Converts self into a Right variant of Either<Self, Self>
otherwise. Read moreSource§fn into_either_with<F>(self, into_left: F) -> Either<Self, Self>
 
fn into_either_with<F>(self, into_left: F) -> Either<Self, Self>
self into a Left variant of Either<Self, Self>
if into_left(&self) returns true.
Converts self into a Right variant of Either<Self, Self>
otherwise. Read moreSource§impl<T> PolicyExt for Twhere
    T: ?Sized,
 
impl<T> PolicyExt for Twhere
    T: ?Sized,
Source§impl<'a, T> RCowCompatibleRef<'a> for Twhere
    T: Clone + 'a,
 
impl<'a, T> RCowCompatibleRef<'a> for Twhere
    T: Clone + 'a,
Source§fn as_c_ref(from: &'a T) -> <T as RCowCompatibleRef<'a>>::RefC
 
fn as_c_ref(from: &'a T) -> <T as RCowCompatibleRef<'a>>::RefC
Source§fn as_rust_ref(from: <T as RCowCompatibleRef<'a>>::RefC) -> &'a T
 
fn as_rust_ref(from: <T as RCowCompatibleRef<'a>>::RefC) -> &'a T
Source§impl<S> ROExtAcc for S
 
impl<S> ROExtAcc for S
Source§fn f_get<F>(&self, offset: FieldOffset<S, F, Aligned>) -> &F
 
fn f_get<F>(&self, offset: FieldOffset<S, F, Aligned>) -> &F
offset. Read moreSource§fn f_get_mut<F>(&mut self, offset: FieldOffset<S, F, Aligned>) -> &mut F
 
fn f_get_mut<F>(&mut self, offset: FieldOffset<S, F, Aligned>) -> &mut F
offset. Read moreSource§fn f_get_ptr<F, A>(&self, offset: FieldOffset<S, F, A>) -> *const F
 
fn f_get_ptr<F, A>(&self, offset: FieldOffset<S, F, A>) -> *const F
offset. Read moreSource§fn f_get_mut_ptr<F, A>(&mut self, offset: FieldOffset<S, F, A>) -> *mut F
 
fn f_get_mut_ptr<F, A>(&mut self, offset: FieldOffset<S, F, A>) -> *mut F
offset. Read moreSource§impl<S> ROExtOps<Aligned> for S
 
impl<S> ROExtOps<Aligned> for S
Source§fn f_replace<F>(&mut self, offset: FieldOffset<S, F, Aligned>, value: F) -> F
 
fn f_replace<F>(&mut self, offset: FieldOffset<S, F, Aligned>, value: F) -> F
offset) with value,
returning the previous value of the field. Read moreSource§fn f_get_copy<F>(&self, offset: FieldOffset<S, F, Aligned>) -> Fwhere
    F: Copy,
 
fn f_get_copy<F>(&self, offset: FieldOffset<S, F, Aligned>) -> Fwhere
    F: Copy,
Source§impl<S> ROExtOps<Unaligned> for S
 
impl<S> ROExtOps<Unaligned> for S
Source§fn f_replace<F>(&mut self, offset: FieldOffset<S, F, Unaligned>, value: F) -> F
 
fn f_replace<F>(&mut self, offset: FieldOffset<S, F, Unaligned>, value: F) -> F
offset) with value,
returning the previous value of the field. Read moreSource§fn f_get_copy<F>(&self, offset: FieldOffset<S, F, Unaligned>) -> Fwhere
    F: Copy,
 
fn f_get_copy<F>(&self, offset: FieldOffset<S, F, Unaligned>) -> Fwhere
    F: Copy,
Source§impl<T> SelfOps for Twhere
    T: ?Sized,
 
impl<T> SelfOps for Twhere
    T: ?Sized,
Source§fn piped<F, U>(self, f: F) -> U
 
fn piped<F, U>(self, f: F) -> U
Source§fn piped_ref<'a, F, U>(&'a self, f: F) -> Uwhere
    F: FnOnce(&'a Self) -> U,
 
fn piped_ref<'a, F, U>(&'a self, f: F) -> Uwhere
    F: FnOnce(&'a Self) -> U,
piped except that the function takes &Self
Useful for functions that take &Self instead of Self. Read moreSource§fn piped_mut<'a, F, U>(&'a mut self, f: F) -> Uwhere
    F: FnOnce(&'a mut Self) -> U,
 
fn piped_mut<'a, F, U>(&'a mut self, f: F) -> Uwhere
    F: FnOnce(&'a mut Self) -> U,
piped, except that the function takes &mut Self.
Useful for functions that take &mut Self instead of Self.Source§fn mutated<F>(self, f: F) -> Self
 
fn mutated<F>(self, f: F) -> Self
Source§fn observe<F>(self, f: F) -> Self
 
fn observe<F>(self, f: F) -> Self
Source§fn as_ref_<T>(&self) -> &T
 
fn as_ref_<T>(&self) -> &T
AsRef,
using the turbofish .as_ref_::<_>() syntax. Read moreSource§impl<T> ToStringFallible for Twhere
    T: Display,
 
impl<T> ToStringFallible for Twhere
    T: Display,
Source§fn try_to_string(&self) -> Result<String, TryReserveError>
 
fn try_to_string(&self) -> Result<String, TryReserveError>
ToString::to_string, but without panic on OOM.