Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

feat: introducing physical plans #410

Merged
merged 6 commits into from
Jun 2, 2023
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
29 changes: 27 additions & 2 deletions Cargo.lock

Some generated files are not rendered by default. Learn more about how customized files appear on GitHub.

3 changes: 2 additions & 1 deletion Cargo.toml
Original file line number Diff line number Diff line change
Expand Up @@ -26,7 +26,7 @@ aws-config = "0.11.0"
aws-sdk-s3 = "0.11.0"
pulsar = { version = "5.1.0", default-features = false, features = ["async-std-runtime", "tokio-runtime", "lz4"] }
aws-types = "0.11.0"
bigdecimal = "0.3.0"
bigdecimal = { vernsion = "0.3.1", features = ["serde"] }
bincode = "1.3.3"
bit-set = "0.5.3"
bitvec = { version = "1.0.1", features = ["serde"] }
Expand All @@ -44,6 +44,7 @@ decorum = "0.3.1"
derive_more = "0.99.17"
edit-distance = "2.1.0"
egg = "0.9.3"
enum-as-inner = "0.6.0"
enum-map = "2.5.0"
erased-serde = "0.3.25"
error-stack = { version = "0.3.1", features = ["anyhow", "spantrace"] }
Expand Down
23 changes: 23 additions & 0 deletions crates/sparrow-physical/Cargo.toml
Original file line number Diff line number Diff line change
@@ -0,0 +1,23 @@
[package]
name = "sparrow-physical"
version.workspace = true
authors.workspace = true
edition.workspace = true
license.workspace = true
publish = false
description = """
Physical execution plans for Kaskada queries.
"""

[dependencies]
arrow-schema.workspace = true
bigdecimal.workspace = true
enum-as-inner.workspace = true
serde.workspace = true

[dev-dependencies]
serde_yaml.workspace = true
insta.workspace = true

[lib]
doctest = false
123 changes: 123 additions & 0 deletions crates/sparrow-physical/src/expr.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,123 @@
use std::borrow::Cow;

use arrow_schema::DataType;

/// Represents 1 or more values computed by expressions.
#[derive(Debug, serde::Serialize, serde::Deserialize)]
pub struct Exprs {
/// The expressions computing the intermediate values.
pub exprs: Vec<Expr>,
/// The indices of columns to output.
pub outputs: Vec<ExprId>,
}

impl Exprs {
/// Create expressions computing the value of the last expression.
pub fn singleton(exprs: Vec<Expr>) -> Self {
let output = exprs.len() - 1;
Self {
exprs,
outputs: vec![output.into()],
}
}

pub fn is_singleton(&self) -> bool {
self.outputs.len() == 1
}

/// Return the number of outputs produced by these expressions.
pub fn output_len(&self) -> usize {
self.outputs.len()
}
}

/// The identifier (index) of an expression.
#[derive(Debug, serde::Serialize, serde::Deserialize, PartialEq, Eq, PartialOrd, Ord, Hash)]
#[repr(transparent)]
#[serde(transparent)]
pub struct ExprId(usize);

impl From<usize> for ExprId {
fn from(value: usize) -> Self {
ExprId(value)
}
}

/// A physical expression which describes how a value should be computed.
///
/// Generally, each expression computes a column of values from zero or more
/// input columns. Expressions appear in a variety of places within the steps
/// that make up a physical plan.
#[derive(Debug, serde::Serialize, serde::Deserialize)]

pub struct Expr {
/// The kind of expression being applied.
///
/// Similar to an opcode or function.
pub kind: ExprKind,
bjchambers marked this conversation as resolved.
Show resolved Hide resolved
/// Arguments to the expression.
///
/// These are indices referencing earlier expressions.
pub args: Vec<ExprId>,
/// The type produced by the expression.
pub result_type: DataType,
}

#[derive(
Clone,
Debug,
Eq,
Hash,
Ord,
PartialEq,
PartialOrd,
serde::Serialize,
serde::Deserialize,
enum_as_inner::EnumAsInner,
)]
#[serde(rename_all = "snake_case")]
pub enum ExprKind {
/// Apply the named instruction to the given children.
Call(Cow<'static, str>),
/// Reference an input column by name.
Column(String),
/// A boolean literal.
BooleanLiteral(bool),
therapon marked this conversation as resolved.
Show resolved Hide resolved
/// A string literal.
StringLiteral(String),
/// A numeric literal.
///
/// Other primitive literals (such as date times) may be expressed
bjchambers marked this conversation as resolved.
Show resolved Hide resolved
/// using numeric literals with an appropriate datatype.
NumericLiteral(bigdecimal::BigDecimal),
}

#[cfg(test)]
mod tests {
use super::*;

#[test]
fn test_physical_exprs_yaml() {
let exprs = vec![
Expr {
kind: ExprKind::Column("foo".to_owned()),
args: vec![],
result_type: DataType::Int32,
},
Expr {
kind: ExprKind::Column("bar".to_owned()),
args: vec![],
result_type: DataType::Int32,
},
Expr {
kind: ExprKind::Call("add".into()),
args: vec![0.into(), 1.into()],
result_type: DataType::Int32,
},
];

// Use serde_yaml directly, since insta uses a non-standard Yaml formatter.
let yaml = serde_yaml::to_string(&exprs).unwrap();
insta::assert_snapshot!(yaml)
}
}
19 changes: 19 additions & 0 deletions crates/sparrow-physical/src/lib.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,19 @@
#![warn(
bjchambers marked this conversation as resolved.
Show resolved Hide resolved
rust_2018_idioms,
nonstandard_style,
future_incompatible,
clippy::mod_module_files,
clippy::print_stdout,
clippy::print_stderr,
clippy::undocumented_unsafe_blocks
)]

//! Physical execution plans for Kaskada queries.

mod expr;
mod plan;
mod step;

pub use expr::*;
pub use plan::*;
pub use step::*;
12 changes: 12 additions & 0 deletions crates/sparrow-physical/src/plan.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,12 @@
use crate::Step;

/// A plan is a directed, acyclic graph of steps.
///
/// The plan is represented as an array of steps, with each step referencing
/// it's children (inputs) by index. The array is topologically sorted so that
bjchambers marked this conversation as resolved.
Show resolved Hide resolved
/// every step appears after the inputs to that step.
#[derive(Debug, serde::Serialize, serde::Deserialize)]
pub struct Plan {
/// The steps in the plan.
pub steps: Vec<Step>,
}
Original file line number Diff line number Diff line change
@@ -0,0 +1,16 @@
---
source: crates/sparrow-physical/src/expr.rs
expression: yaml
---
- kind: !column foo
args: []
result_type: Int32
- kind: !column bar
args: []
result_type: Int32
- kind: !call add
args:
- 0
- 1
result_type: Int32

67 changes: 67 additions & 0 deletions crates/sparrow-physical/src/step.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,67 @@
use arrow_schema::SchemaRef;

use crate::Exprs;

/// The identifier (index) of a step.

#[derive(Debug, serde::Serialize, serde::Deserialize, PartialEq, Eq, PartialOrd, Ord, Hash)]
#[repr(transparent)]
#[serde(transparent)]
pub struct StepId(usize);

impl From<usize> for StepId {
fn from(value: usize) -> Self {
StepId(value)
}
}

/// A single step in the physical plan.
#[derive(Debug, serde::Serialize, serde::Deserialize)]
pub struct Step {
therapon marked this conversation as resolved.
Show resolved Hide resolved
pub id: StepId,
/// The kind of step being performed.
pub kind: StepKind,
/// Inputs to this step.
pub inputs: Vec<StepId>,
/// The schema for this step.
pub schema: SchemaRef,
}

/// The kinds of stesp that can occur in the physical plan.
#[derive(Debug, serde::Serialize, serde::Deserialize)]
#[serde(rename_all = "snake_case")]

pub enum StepKind {
/// Scan the given table.
Scan {
table_name: String,
},
/// Merge the given relations.
Merge,
/// Apply a projection to adjust columns in the table.
///
/// The output includes the same rows as the input, but with columns
/// projected as configured.
Project {
/// Expressions to compute the projection.
///
/// The length of the outputs should be the same as the fields in the schema.
exprs: Exprs,
},
/// Filter the results based on a boolean predicate.
Filter {
/// Expressions to apply to compute the predicate.
///
/// There should be a single output producing a boolean value.
exprs: Exprs,
},
/// A step that repartitions the output.
Repartition {
num_partitions: usize,
/// Expressions to compute the keys.
///
/// Each output corresponds to a part of the key.
keys: Exprs,
},
Error,
}