Skip to content
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
3 changes: 3 additions & 0 deletions datafusion/core/src/execution/context.rs
Original file line number Diff line number Diff line change
Expand Up @@ -40,6 +40,7 @@ use crate::{
physical_optimizer::{
aggregate_statistics::AggregateStatistics,
hash_build_probe_order::HashBuildProbeOrder, optimizer::PhysicalOptimizerRule,
parallel_sort::ParallelSort,
},
};
pub use datafusion_physical_expr::execution_props::ExecutionProps;
Expand Down Expand Up @@ -1469,6 +1470,8 @@ impl SessionState {
.unwrap(),
)));
}
physical_optimizers.push(Arc::new(ParallelSort::new()));

physical_optimizers.push(Arc::new(Repartition::new()));
physical_optimizers.push(Arc::new(AddCoalescePartitionsExec::new()));

Expand Down
1 change: 1 addition & 0 deletions datafusion/core/src/physical_optimizer/mod.rs
Original file line number Diff line number Diff line change
Expand Up @@ -23,6 +23,7 @@ pub mod coalesce_batches;
pub mod hash_build_probe_order;
pub mod merge_exec;
pub mod optimizer;
pub mod parallel_sort;
pub mod pruning;
pub mod repartition;
mod utils;
Expand Down
92 changes: 92 additions & 0 deletions datafusion/core/src/physical_optimizer/parallel_sort.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,92 @@
// Licensed to the Apache Software Foundation (ASF) under one
// or more contributor license agreements. See the NOTICE file
// distributed with this work for additional information
// regarding copyright ownership. The ASF licenses this file
// to you under the Apache License, Version 2.0 (the
// "License"); you may not use this file except in compliance
// with the License. You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing,
// software distributed under the License is distributed on an
// "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
// KIND, either express or implied. See the License for the
// specific language governing permissions and limitations
// under the License.

//! Parralel sort parallelizes sorts if a limit is present after a sort (`ORDER BY LIMIT N`)
use crate::{
error::Result,
physical_optimizer::PhysicalOptimizerRule,
physical_plan::{
limit::GlobalLimitExec,
sorts::{sort::SortExec, sort_preserving_merge::SortPreservingMergeExec},
with_new_children_if_necessary,
},
};
use std::sync::Arc;

/// Optimizer rule that makes sort parallel if a limit is used after sort (`ORDER BY LIMIT N`)
/// The plan will use `SortPreservingMergeExec` to merge the results
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

👍 FYI @tustvold -- more use of this operator 💯

#[derive(Default)]
pub struct ParallelSort {}

impl ParallelSort {
#[allow(missing_docs)]
pub fn new() -> Self {
Self {}
}
}
impl PhysicalOptimizerRule for ParallelSort {
fn optimize(
&self,
plan: Arc<dyn crate::physical_plan::ExecutionPlan>,
config: &crate::execution::context::SessionConfig,
) -> Result<Arc<dyn crate::physical_plan::ExecutionPlan>> {
if plan.children().is_empty() {
// leaf node, children cannot be replaced
Ok(plan.clone())
} else {
// recurse down first
let children = plan
.children()
.iter()
.map(|child| self.optimize(child.clone(), config))
.collect::<Result<Vec<_>>>()?;
let plan = with_new_children_if_necessary(plan, children)?;
let children = plan.children();
let plan_any = plan.as_any();
// GlobalLimitExec (SortExec preserve_partitioning=False)
// -> GlobalLimitExec (SortExec preserve_partitioning=True)
let parallel_sort = plan_any.downcast_ref::<GlobalLimitExec>().is_some()
&& children.len() == 1
&& children[0].as_any().downcast_ref::<SortExec>().is_some()
&& !children[0]
.as_any()
.downcast_ref::<SortExec>()
.unwrap()
.preserve_partitioning();
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

👍

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I wonder if https://docs.rs/datafusion/12.0.0/datafusion/physical_plan/trait.ExecutionPlan.html#tymethod.output_partitioning could be used here instead? But maybe it doesn't matter as we already know it is exactly a SortExec


Ok(if parallel_sort {
let sort = children[0].as_any().downcast_ref::<SortExec>().unwrap();
let new_sort = SortExec::new_with_partitioning(
sort.expr().to_vec(),
sort.input().clone(),
true,
);
let merge = SortPreservingMergeExec::new(
sort.expr().to_vec(),
Arc::new(new_sort),
);
with_new_children_if_necessary(plan, vec![Arc::new(merge)])?
} else {
plan.clone()
})
}
}

fn name(&self) -> &str {
"parallel_sort"
}
}
2 changes: 1 addition & 1 deletion datafusion/core/src/physical_plan/planner.rs
Original file line number Diff line number Diff line change
Expand Up @@ -841,7 +841,7 @@ impl DefaultPhysicalPlanner {
)),
})
.collect::<Result<Vec<_>>>()?;
Ok(Arc::new(SortExec::try_new(sort_expr, physical_input)?) )
Ok(Arc::new(SortExec::try_new(sort_expr, physical_input)?))
}
LogicalPlan::Join(Join {
left,
Expand Down
25 changes: 8 additions & 17 deletions datafusion/core/src/physical_plan/sorts/sort.rs
Original file line number Diff line number Diff line change
Expand Up @@ -668,6 +668,11 @@ impl SortExec {
Ok(Self::new_with_partitioning(expr, input, false))
}

/// Whether this `SortExec` preserves partitioning of the children
pub fn preserve_partitioning(&self) -> bool {
self.preserve_partitioning
}

/// Create a new sort execution plan with the option to preserve
/// the partitioning of the input plan
pub fn new_with_partitioning(
Expand Down Expand Up @@ -741,10 +746,11 @@ impl ExecutionPlan for SortExec {
self: Arc<Self>,
children: Vec<Arc<dyn ExecutionPlan>>,
) -> Result<Arc<dyn ExecutionPlan>> {
Ok(Arc::new(SortExec::try_new(
Ok(Arc::new(SortExec::new_with_partitioning(
self.expr.clone(),
children[0].clone(),
)?))
self.preserve_partitioning,
)))
}

fn execute(
Expand All @@ -753,21 +759,6 @@ impl ExecutionPlan for SortExec {
context: Arc<TaskContext>,
) -> Result<SendableRecordBatchStream> {
debug!("Start SortExec::execute for partition {} of context session_id {} and task_id {:?}", partition, context.session_id(), context.task_id());
if !self.preserve_partitioning {
if 0 != partition {
return Err(DataFusionError::Internal(format!(
"SortExec invalid partition {}",
partition
)));
}

// sort needs to operate on a single partition currently
if 1 != self.input.output_partitioning().partition_count() {
return Err(DataFusionError::Internal(
"SortExec requires a single input partition".to_owned(),
));
}
}

debug!(
"Start invoking SortExec's input.execute for partition: {}",
Expand Down
4 changes: 2 additions & 2 deletions datafusion/core/tests/sql/explain_analyze.rs
Original file line number Diff line number Diff line change
Expand Up @@ -686,8 +686,8 @@ async fn test_physical_plan_display_indent() {
let physical_plan = ctx.create_physical_plan(&plan).await.unwrap();
let expected = vec![
"GlobalLimitExec: skip=0, fetch=10",
" SortExec: [the_min@2 DESC]",
" CoalescePartitionsExec",
" SortPreservingMergeExec: [the_min@2 DESC]",
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

👍

" SortExec: [the_min@2 DESC]",
" ProjectionExec: expr=[c1@0 as c1, MAX(aggregate_test_100.c12)@1 as MAX(aggregate_test_100.c12), MIN(aggregate_test_100.c12)@2 as the_min]",
" AggregateExec: mode=FinalPartitioned, gby=[c1@0 as c1], aggr=[MAX(aggregate_test_100.c12), MIN(aggregate_test_100.c12)]",
" CoalesceBatchesExec: target_batch_size=4096",
Expand Down